Merge remote-tracking branch 'origin/develop' into matthew/status

This commit is contained in:
Matthew Hodgson 2017-11-10 15:29:42 -08:00
commit a0cdaf29f9
30 changed files with 2153 additions and 294 deletions

View file

@ -33,6 +33,8 @@ module.exports = {
// This just uses the react plugin to help eslint known when
// variables have been used in JSX
"react/jsx-uses-vars": "error",
// Don't mark React as unused if we're using JSX
"react/jsx-uses-react": "error",
// bind or arrow function in props causes performance issues
"react/jsx-no-bind": ["error", {

View file

@ -71,9 +71,10 @@
"isomorphic-fetch": "^2.2.1",
"linkifyjs": "^2.1.3",
"lodash": "^4.13.1",
"matrix-js-sdk": "0.8.5",
"matrix-js-sdk": "0.9.0-rc.1",
"optimist": "^0.6.1",
"prop-types": "^15.5.8",
"querystring": "^0.2.0",
"react": "^15.4.0",
"react-addons-css-transition-group": "15.3.2",
"react-dom": "^15.4.0",

View file

@ -25,6 +25,7 @@ const onAction = function(payload) {
const UnknownDeviceDialog = sdk.getComponent('dialogs.UnknownDeviceDialog');
isDialogOpen = true;
Modal.createTrackedDialog('Unknown Device Error', '', UnknownDeviceDialog, {
devices: payload.err.devices,
room: payload.room,
onFinished: (r) => {
isDialogOpen = false;

View file

@ -26,10 +26,6 @@ import SdkConfig from './SdkConfig';
*/
const FEATURES = [
{
id: 'feature_groups',
name: _td("Communities"),
},
{
id: 'feature_pinning',
name: _td("Message Pinning"),

View file

@ -435,14 +435,15 @@ export default React.createClass({
},
componentWillMount: function() {
this._matrixClient = MatrixClientPeg.get();
this._matrixClient.on("Group.myMembership", this._onGroupMyMembership);
this._changeAvatarComponent = null;
this._initGroupStore(this.props.groupId, true);
MatrixClientPeg.get().on("Group.myMembership", this._onGroupMyMembership);
},
componentWillUnmount: function() {
MatrixClientPeg.get().removeListener("Group.myMembership", this._onGroupMyMembership);
this._matrixClient.removeListener("Group.myMembership", this._onGroupMyMembership);
this._groupStore.removeAllListeners();
},
@ -464,11 +465,11 @@ export default React.createClass({
},
_initGroupStore: function(groupId, firstInit) {
const group = MatrixClientPeg.get().getGroup(groupId);
const group = this._matrixClient.getGroup(groupId);
if (group && group.inviter && group.inviter.userId) {
this._fetchInviterProfile(group.inviter.userId);
}
this._groupStore = GroupStoreCache.getGroupStore(MatrixClientPeg.get(), groupId);
this._groupStore = GroupStoreCache.getGroupStore(this._matrixClient, groupId);
this._groupStore.registerListener(() => {
const summary = this._groupStore.getSummary();
if (summary.profile) {
@ -486,7 +487,7 @@ export default React.createClass({
groupRooms: this._groupStore.getGroupRooms(),
groupRoomsLoading: !this._groupStore.isStateReady(GroupStore.STATE_KEY.GroupRooms),
isUserMember: this._groupStore.getGroupMembers().some(
(m) => m.userId === MatrixClientPeg.get().credentials.userId,
(m) => m.userId === this._matrixClient.credentials.userId,
),
error: null,
});
@ -506,7 +507,7 @@ export default React.createClass({
this.setState({
inviterProfileBusy: true,
});
MatrixClientPeg.get().getProfileInfo(userId).then((resp) => {
this._matrixClient.getProfileInfo(userId).then((resp) => {
this.setState({
inviterProfile: {
avatarUrl: resp.avatar_url,
@ -571,7 +572,7 @@ export default React.createClass({
if (!file) return;
this.setState({uploadingAvatar: true});
MatrixClientPeg.get().uploadContent(file).then((url) => {
this._matrixClient.uploadContent(file).then((url) => {
const newProfileForm = Object.assign(this.state.profileForm, { avatar_url: url });
this.setState({
uploadingAvatar: false,
@ -591,7 +592,7 @@ export default React.createClass({
_onSaveClick: function() {
this.setState({saving: true});
const savePromise = this.state.isUserPrivileged ?
MatrixClientPeg.get().setGroupProfile(this.props.groupId, this.state.profileForm) :
this._matrixClient.setGroupProfile(this.props.groupId, this.state.profileForm) :
Promise.resolve();
savePromise.then((result) => {
this.setState({
@ -630,7 +631,7 @@ export default React.createClass({
_onRejectInviteClick: function() {
this.setState({membershipBusy: true});
MatrixClientPeg.get().leaveGroup(this.props.groupId).then(() => {
this._matrixClient.leaveGroup(this.props.groupId).then(() => {
// don't reset membershipBusy here: wait for the membership change to come down the sync
}).catch((e) => {
this.setState({membershipBusy: false});
@ -653,7 +654,7 @@ export default React.createClass({
if (!confirmed) return;
this.setState({membershipBusy: true});
MatrixClientPeg.get().leaveGroup(this.props.groupId).then(() => {
this._matrixClient.leaveGroup(this.props.groupId).then(() => {
// don't reset membershipBusy here: wait for the membership change to come down the sync
}).catch((e) => {
this.setState({membershipBusy: false});
@ -829,7 +830,7 @@ export default React.createClass({
const Spinner = sdk.getComponent("elements.Spinner");
const BaseAvatar = sdk.getComponent("avatars.BaseAvatar");
const group = MatrixClientPeg.get().getGroup(this.props.groupId);
const group = this._matrixClient.getGroup(this.props.groupId);
if (!group) return null;
if (group.myMembership === 'invite') {
@ -839,7 +840,7 @@ export default React.createClass({
</div>;
}
const httpInviterAvatar = this.state.inviterProfile ?
MatrixClientPeg.get().mxcUrlToHttp(
this._matrixClient.mxcUrlToHttp(
this.state.inviterProfile.avatarUrl, 36, 36,
) : null;

View file

@ -74,6 +74,17 @@ const VIEWS = {
LOGGED_IN: 6,
};
// Actions that are redirected through the onboarding process prior to being
// re-dispatched. NOTE: some actions are non-trivial and would require
// re-factoring to be included in this list in future.
const ONBOARDING_FLOW_STARTERS = [
'view_user_settings',
'view_create_chat',
'view_create_room',
'view_my_groups',
'view_group',
];
module.exports = React.createClass({
// we export this so that the integration tests can use it :-S
statics: {
@ -377,6 +388,22 @@ module.exports = React.createClass({
const ErrorDialog = sdk.getComponent("dialogs.ErrorDialog");
const QuestionDialog = sdk.getComponent("dialogs.QuestionDialog");
// Start the onboarding process for certain actions
if (MatrixClientPeg.get() && MatrixClientPeg.get().isGuest() &&
ONBOARDING_FLOW_STARTERS.includes(payload.action)
) {
// This will cause `payload` to be dispatched later, once a
// sync has reached the "prepared" state. Setting a matrix ID
// will cause a full login and sync and finally the deferred
// action will be dispatched.
dis.dispatch({
action: 'do_after_sync_prepared',
deferred_action: payload,
});
dis.dispatch({action: 'view_set_mxid'});
return;
}
switch (payload.action) {
case 'logout':
Lifecycle.logout();
@ -466,16 +493,6 @@ module.exports = React.createClass({
this._viewIndexedRoom(payload.roomIndex);
break;
case 'view_user_settings':
if (MatrixClientPeg.get().isGuest()) {
dis.dispatch({
action: 'do_after_sync_prepared',
deferred_action: {
action: 'view_user_settings',
},
});
dis.dispatch({action: 'view_set_mxid'});
break;
}
this._setPage(PageTypes.UserSettings);
this.notifyNewScreen('settings');
break;
@ -512,7 +529,7 @@ module.exports = React.createClass({
this._chatCreateOrReuse(payload.user_id, payload.go_home_on_cancel);
break;
case 'view_create_chat':
this._createChat();
showStartChatInviteDialog();
break;
case 'view_invite':
showRoomInviteDialog(payload.roomId);
@ -753,31 +770,7 @@ module.exports = React.createClass({
}).close;
},
_createChat: function() {
if (MatrixClientPeg.get().isGuest()) {
dis.dispatch({
action: 'do_after_sync_prepared',
deferred_action: {
action: 'view_create_chat',
},
});
dis.dispatch({action: 'view_set_mxid'});
return;
}
showStartChatInviteDialog();
},
_createRoom: function() {
if (MatrixClientPeg.get().isGuest()) {
dis.dispatch({
action: 'do_after_sync_prepared',
deferred_action: {
action: 'view_create_room',
},
});
dis.dispatch({action: 'view_set_mxid'});
return;
}
const CreateRoomDialog = sdk.getComponent('dialogs.CreateRoomDialog');
Modal.createTrackedDialog('Create Room', '', CreateRoomDialog, {
onFinished: (shouldCreate, name, noFederate) => {

View file

@ -15,6 +15,7 @@ limitations under the License.
*/
import React from 'react';
import { MatrixClient } from 'matrix-js-sdk';
import sdk from '../../../index';
import { _t } from '../../../languageHandler';
import classnames from 'classnames';
@ -35,6 +36,8 @@ export default React.createClass({
member: React.PropTypes.object,
// group member object. Supply either this or 'member'
groupMember: GroupMemberType,
// needed if a group member is specified
matrixClient: React.PropTypes.instanceOf(MatrixClient),
action: React.PropTypes.string.isRequired, // eg. 'Ban'
title: React.PropTypes.string.isRequired, // eg. 'Ban this user?'
@ -104,10 +107,11 @@ export default React.createClass({
name = this.props.member.name;
userId = this.props.member.userId;
} else {
// we don't get this info from the API yet
avatar = <BaseAvatar name={this.props.groupMember.userId} width={48} height={48} />;
name = this.props.groupMember.userId;
const httpAvatarUrl = this.props.groupMember.avatarUrl ?
this.props.matrixClient.mxcUrlToHttp(this.props.groupMember.avatarUrl, 48, 48) : null;
name = this.props.groupMember.displayname || this.props.groupMember.userId;
userId = this.props.groupMember.userId;
avatar = <BaseAvatar name={name} url={httpAvatarUrl} width={48} height={48} />;
}
return (

View file

@ -49,8 +49,7 @@ function UserUnknownDeviceList(props) {
const deviceListEntries = Object.keys(userDevices).map((deviceId) =>
<DeviceListEntry key={deviceId} userId={userId}
device={userDevices[deviceId]}
/>,
device={userDevices[deviceId]} />,
);
return (
@ -93,60 +92,26 @@ export default React.createClass({
propTypes: {
room: React.PropTypes.object.isRequired,
// map from userid -> deviceid -> deviceinfo
devices: React.PropTypes.object.isRequired,
onFinished: React.PropTypes.func.isRequired,
},
componentWillMount: function() {
this._unmounted = false;
const roomMembers = this.props.room.getJoinedMembers().map((m) => {
return m.userId;
});
this.setState({
// map from userid -> deviceid -> deviceinfo
devices: null,
});
MatrixClientPeg.get().downloadKeys(roomMembers, false).then((devices) => {
if (this._unmounted) return;
const unknownDevices = {};
// This is all devices in this room, so find the unknown ones.
Object.keys(devices).forEach((userId) => {
Object.keys(devices[userId]).map((deviceId) => {
const device = devices[userId][deviceId];
if (device.isUnverified() && !device.isKnown()) {
if (unknownDevices[userId] === undefined) {
unknownDevices[userId] = {};
}
unknownDevices[userId][deviceId] = device;
}
componentDidMount: function() {
// Given we've now shown the user the unknown device, it is no longer
// unknown to them. Therefore mark it as 'known'.
if (!device.isKnown()) {
Object.keys(this.props.devices).forEach((userId) => {
Object.keys(this.props.devices[userId]).map((deviceId) => {
MatrixClientPeg.get().setDeviceKnown(userId, deviceId, true);
}
});
});
this.setState({
devices: unknownDevices,
});
});
},
componentWillUnmount: function() {
this._unmounted = true;
// XXX: temporary logging to try to diagnose
// https://github.com/vector-im/riot-web/issues/3148
console.log('Opening UnknownDeviceDialog');
},
render: function() {
if (this.state.devices === null) {
const Spinner = sdk.getComponent("elements.Spinner");
return <Spinner />;
}
const client = MatrixClientPeg.get();
const blacklistUnverified = client.getGlobalBlacklistUnverifiedDevices() ||
this.props.room.getBlacklistUnverifiedDevices();
@ -189,7 +154,7 @@ export default React.createClass({
{ warning }
{ _t("Unknown devices") }:
<UnknownDeviceList devices={this.state.devices} />
<UnknownDeviceList devices={this.props.devices} />
</GeminiScrollbar>
<div className="mx_Dialog_buttons">
<button className="mx_Dialog_primary" autoFocus={true}

View file

@ -17,6 +17,7 @@ limitations under the License.
'use strict';
import url from 'url';
import qs from 'querystring';
import React from 'react';
import MatrixClientPeg from '../../../MatrixClientPeg';
import PlatformPeg from '../../../PlatformPeg';
@ -51,42 +52,63 @@ export default React.createClass({
creatorUserId: React.PropTypes.string,
},
getDefaultProps: function() {
getDefaultProps() {
return {
url: "",
};
},
getInitialState: function() {
const widgetPermissionId = [this.props.room.roomId, encodeURIComponent(this.props.url)].join('_');
/**
* Set initial component state when the App wUrl (widget URL) is being updated.
* Component props *must* be passed (rather than relying on this.props).
* @param {Object} newProps The new properties of the component
* @return {Object} Updated component state to be set with setState
*/
_getNewState(newProps) {
const widgetPermissionId = [newProps.room.roomId, encodeURIComponent(newProps.url)].join('_');
const hasPermissionToLoad = localStorage.getItem(widgetPermissionId);
return {
loading: false,
widgetUrl: this.props.url,
initialising: true, // True while we are mangling the widget URL
loading: true, // True while the iframe content is loading
widgetUrl: newProps.url,
widgetPermissionId: widgetPermissionId,
// Assume that widget has permission to load if we are the user who added it to the room, or if explicitly granted by the user
hasPermissionToLoad: hasPermissionToLoad === 'true' || this.props.userId === this.props.creatorUserId,
// Assume that widget has permission to load if we are the user who
// added it to the room, or if explicitly granted by the user
hasPermissionToLoad: hasPermissionToLoad === 'true' || newProps.userId === newProps.creatorUserId,
error: null,
deleting: false,
};
},
// Returns true if props.url is a scalar URL, typically https://scalar.vector.im/api
isScalarUrl: function() {
getInitialState() {
return this._getNewState(this.props);
},
/**
* Returns true if specified url is a scalar URL, typically https://scalar.vector.im/api
* @param {[type]} url URL to check
* @return {Boolean} True if specified URL is a scalar URL
*/
isScalarUrl(url) {
if (!url) {
console.error('Scalar URL check failed. No URL specified');
return false;
}
let scalarUrls = SdkConfig.get().integrations_widgets_urls;
if (!scalarUrls || scalarUrls.length == 0) {
scalarUrls = [SdkConfig.get().integrations_rest_url];
}
for (let i = 0; i < scalarUrls.length; i++) {
if (this.props.url.startsWith(scalarUrls[i])) {
if (url.startsWith(scalarUrls[i])) {
return true;
}
}
return false;
},
isMixedContent: function() {
isMixedContent() {
const parentContentProtocol = window.location.protocol;
const u = url.parse(this.props.url);
const childContentProtocol = u.protocol;
@ -98,43 +120,73 @@ export default React.createClass({
return false;
},
componentWillMount: function() {
if (!this.isScalarUrl()) {
componentWillMount() {
window.addEventListener('message', this._onMessage, false);
this.setScalarToken();
},
/**
* Adds a scalar token to the widget URL, if required
* Component initialisation is only complete when this function has resolved
*/
setScalarToken() {
this.setState({initialising: true});
if (!this.isScalarUrl(this.props.url)) {
console.warn('Non-scalar widget, not setting scalar token!', url);
this.setState({
error: null,
widgetUrl: this.props.url,
initialising: false,
});
return;
}
// Fetch the token before loading the iframe as we need to mangle the URL
this.setState({
loading: true,
});
// Fetch the token before loading the iframe as we need it to mangle the URL
if (!this._scalarClient) {
this._scalarClient = new ScalarAuthClient();
}
this._scalarClient.getScalarToken().done((token) => {
// Append scalar_token as a query param
// Append scalar_token as a query param if not already present
this._scalarClient.scalarToken = token;
const u = url.parse(this.props.url);
if (!u.search) {
u.search = "?scalar_token=" + encodeURIComponent(token);
} else {
u.search += "&scalar_token=" + encodeURIComponent(token);
const params = qs.parse(u.query);
if (!params.scalar_token) {
params.scalar_token = encodeURIComponent(token);
// u.search must be set to undefined, so that u.format() uses query paramerters - https://nodejs.org/docs/latest/api/url.html#url_url_format_url_options
u.search = undefined;
u.query = params;
}
this.setState({
error: null,
widgetUrl: u.format(),
loading: false,
initialising: false,
});
}, (err) => {
console.error("Failed to get scalar_token", err);
this.setState({
error: err.message,
loading: false,
initialising: false,
});
});
window.addEventListener('message', this._onMessage, false);
},
componentWillUnmount() {
window.removeEventListener('message', this._onMessage);
},
componentWillReceiveProps(nextProps) {
if (nextProps.url !== this.props.url) {
this._getNewState(nextProps);
this.setScalarToken();
} else if (nextProps.show && !this.props.show) {
this.setState({
loading: true,
});
}
},
_onMessage(event) {
if (this.props.type !== 'jitsi') {
return;
@ -154,11 +206,11 @@ export default React.createClass({
}
},
_canUserModify: function() {
_canUserModify() {
return WidgetUtils.canUserModifyWidgets(this.props.room.roomId);
},
_onEditClick: function(e) {
_onEditClick(e) {
console.log("Edit widget ID ", this.props.id);
const IntegrationsManager = sdk.getComponent("views.settings.IntegrationsManager");
const src = this._scalarClient.getScalarInterfaceUrlForRoom(
@ -168,9 +220,10 @@ export default React.createClass({
}, "mx_IntegrationsManager");
},
/* If user has permission to modify widgets, delete the widget, otherwise revoke access for the widget to load in the user's browser
/* If user has permission to modify widgets, delete the widget,
* otherwise revoke access for the widget to load in the user's browser
*/
_onDeleteClick: function() {
_onDeleteClick() {
if (this._canUserModify()) {
// Show delete confirmation dialog
const QuestionDialog = sdk.getComponent("dialogs.QuestionDialog");
@ -202,6 +255,10 @@ export default React.createClass({
}
},
_onLoaded() {
this.setState({loading: false});
},
// Widget labels to render, depending upon user permissions
// These strings are translated at the point that they are inserted in to the DOM, in the render method
_deleteWidgetLabel() {
@ -224,7 +281,7 @@ export default React.createClass({
this.setState({hasPermissionToLoad: false});
},
formatAppTileName: function() {
formatAppTileName() {
let appTileName = "No name";
if(this.props.name && this.props.name.trim()) {
appTileName = this.props.name.trim();
@ -232,7 +289,7 @@ export default React.createClass({
return appTileName;
},
onClickMenuBar: function(ev) {
onClickMenuBar(ev) {
ev.preventDefault();
// Ignore clicks on menu bar children
@ -247,7 +304,7 @@ export default React.createClass({
});
},
render: function() {
render() {
let appTileBody;
// Don't render widget if it is in the process of being deleted
@ -269,29 +326,30 @@ export default React.createClass({
}
if (this.props.show) {
if (this.state.loading) {
appTileBody = (
const loadingElement = (
<div className='mx_AppTileBody mx_AppLoading'>
<MessageSpinner msg='Loading...' />
</div>
);
if (this.state.initialising) {
appTileBody = loadingElement;
} else if (this.state.hasPermissionToLoad == true) {
if (this.isMixedContent()) {
appTileBody = (
<div className="mx_AppTileBody">
<AppWarning
errorMsg="Error - Mixed content"
/>
<AppWarning errorMsg="Error - Mixed content" />
</div>
);
} else {
appTileBody = (
<div className="mx_AppTileBody">
<div className={this.state.loading ? 'mx_AppTileBody mx_AppLoading' : 'mx_AppTileBody'}>
{ this.state.loading && loadingElement }
<iframe
ref="appFrame"
src={safeWidgetUrl}
allowFullScreen="true"
sandbox={sandboxFlags}
onLoad={this._onLoaded}
></iframe>
</div>
);

View file

@ -19,7 +19,6 @@
import React from 'react';
import PropTypes from 'prop-types';
import {MatrixClient} from 'matrix-js-sdk';
import UserSettingsStore from '../../../UserSettingsStore';
import FlairStore from '../../../stores/FlairStore';
import dis from '../../../dispatcher';
@ -43,18 +42,22 @@ class FlairAvatar extends React.Component {
render() {
const httpUrl = this.context.matrixClient.mxcUrlToHttp(
this.props.groupProfile.avatarUrl, 16, 16, 'scale', false);
const tooltip = this.props.groupProfile.name ?
`${this.props.groupProfile.name} (${this.props.groupProfile.groupId})`:
this.props.groupProfile.groupId;
return <img
src={httpUrl}
width="16"
height="16"
onClick={this.onClick}
title={this.props.groupProfile.groupId} />;
title={tooltip} />;
}
}
FlairAvatar.propTypes = {
groupProfile: PropTypes.shape({
groupId: PropTypes.string.isRequired,
name: PropTypes.string,
avatarUrl: PropTypes.string.isRequired,
}),
};
@ -79,9 +82,7 @@ export default class Flair extends React.Component {
componentWillMount() {
this._unmounted = false;
if (UserSettingsStore.isFeatureEnabled('feature_groups') && FlairStore.groupSupport()) {
this._generateAvatars();
}
this.context.matrixClient.on('RoomState.events', this.onRoomStateEvents);
}

View file

@ -14,6 +14,7 @@ See the License for the specific language governing permissions and
limitations under the License.
*/
import React from 'react';
import sdk from '../../../index';
import PropTypes from 'prop-types';
import { _t } from '../../../languageHandler';

View file

@ -16,6 +16,7 @@ limitations under the License.
import React from 'react';
import PropTypes from 'prop-types';
import { MatrixClient } from 'matrix-js-sdk';
import sdk from '../../../index';
import dis from '../../../dispatcher';
import AccessibleButton from '../elements/AccessibleButton';
@ -27,6 +28,10 @@ export default React.createClass({
group: PropTypes.object.isRequired,
},
contextTypes: {
matrixClient: PropTypes.instanceOf(MatrixClient),
},
onClick: function(e) {
dis.dispatch({
action: 'view_group',
@ -39,13 +44,15 @@ export default React.createClass({
const EmojiText = sdk.getComponent('elements.EmojiText');
const groupName = this.props.group.name || this.props.group.groupId;
const httpAvatarUrl = this.props.group.avatarUrl ?
this.context.matrixClient.mxcUrlToHttp(this.props.group.avatarUrl, 24, 24) : null;
const av = <BaseAvatar name={groupName} width={24} height={24} url={this.props.group.avatarUrl} />;
const av = <BaseAvatar name={groupName} width={24} height={24} url={httpAvatarUrl} />;
const label = <EmojiText
element="div"
title={this.props.group.groupId}
className="mx_RoomTile_name"
className="mx_RoomTile_name mx_RoomTile_badgeShown"
dir="auto"
>
{ groupName }

View file

@ -83,6 +83,7 @@ module.exports = React.createClass({
_onKick: function() {
const ConfirmUserActionDialog = sdk.getComponent("dialogs.ConfirmUserActionDialog");
Modal.createDialog(ConfirmUserActionDialog, {
matrixClient: this.context.matrixClient,
groupMember: this.props.groupMember,
action: this.state.isUserInvited ? _t('Disinvite') : _t('Remove from community'),
title: this.state.isUserInvited ? _t('Disinvite this user from community?')

View file

@ -108,15 +108,21 @@ export default withMatrixClient(React.createClass({
if (!uniqueMembers[m.userId]) uniqueMembers[m.userId] = m;
});
memberList = Object.keys(uniqueMembers).map((userId) => uniqueMembers[userId]);
// Descending sort on isPrivileged = true = 1 to isPrivileged = false = 0
memberList.sort((a, b) => {
// TODO: should put admins at the top: we don't yet have that info
if (a < b) {
if (a.isPrivileged === b.isPrivileged) {
const aName = a.displayname || a.userId;
const bName = b.displayname || b.userId;
if (aName < bName) {
return -1;
} else if (a > b) {
} else if (aName > bName) {
return 1;
} else {
return 0;
}
} else {
return a.isPrivileged ? -1 : 1;
}
});
const memberTiles = memberList.map((m) => {

View file

@ -137,7 +137,7 @@ module.exports = React.createClass({
const groupId = this.props.groupId;
const roomId = this.props.groupRoomId;
const roomName = this.state.groupRoom.displayname;
this._groupStore.updateGroupRoomAssociation(roomId, isPublic).catch((err) => {
this._groupStore.updateGroupRoomVisibility(roomId, isPublic).catch((err) => {
console.error(`Error whilst changing visibility of ${roomId} in ${groupId} to ${isPublic}`, err);
const ErrorDialog = sdk.getComponent("dialogs.ErrorDialog");
Modal.createTrackedDialog('Failed to remove room from group', '', ErrorDialog, {

View file

@ -224,7 +224,7 @@ module.exports = React.createClass({
if (roomNotifTextNodes.length > 0) {
const pushProcessor = new PushProcessor(MatrixClientPeg.get());
const atRoomRule = pushProcessor.getPushRuleById(".m.rule.roomnotif");
if (pushProcessor.ruleMatchesEvent(atRoomRule, this.props.mxEvent)) {
if (atRoomRule && pushProcessor.ruleMatchesEvent(atRoomRule, this.props.mxEvent)) {
// Now replace all those nodes with Pills
for (const roomNotifTextNode of roomNotifTextNodes) {
const pillContainer = document.createElement('span');

View file

@ -671,13 +671,11 @@ module.exports = React.createClass({
const self = this;
let relatedGroupsSection;
if (UserSettingsStore.isFeatureEnabled('feature_groups')) {
relatedGroupsSection = <RelatedGroupSettings ref="related_groups"
const relatedGroupsSection = <RelatedGroupSettings ref="related_groups"
roomId={this.props.room.roomId}
canSetRelatedGroups={roomState.mayClientSendStateEvent("m.room.related_groups", cli)}
relatedGroupsEvent={this.props.room.currentState.getStateEvents('m.room.related_groups', '')} />;
}
relatedGroupsEvent={this.props.room.currentState.getStateEvents('m.room.related_groups', '')}
/>;
let userLevelsSection;
if (Object.keys(user_levels).length) {

View file

@ -44,15 +44,15 @@
"Create new room": "Založit novou místnost",
"Room directory": "Adresář místností",
"Start chat": "Začít chat",
"Options": "Možnosti",
"Options": "Volby",
"Register": "Zaregistrovat",
"Cancel": "Storno",
"Error": "Chyba",
"Favourite": "V oblíbených",
"Mute": "Ztlumit",
"Continue": "Pokračovat",
"Failed to change password. Is your password correct?": "Nepodařilo se změnit heslo. Je vaše heslo správné?",
"Operation failed": "Chyba operace",
"Failed to change password. Is your password correct?": "Nepodařilo se změnit heslo. Zadáváte své heslo správně?",
"Operation failed": "Operace se nezdařila",
"Remove": "Odebrat",
"unknown error code": "neznámý kód chyby",
"OK": "OK",
@ -140,7 +140,7 @@
"Decline": "Odmítnout",
"Decrypt %(text)s": "Dešifrovat %(text)s",
"Decryption error": "Chyba dešifrování",
"Delete": "Vymazat",
"Delete": "Smazat",
"Delete widget": "Vymazat widget",
"Default": "Výchozí",
"Device already verified!": "Zařízení již bylo ověřeno!",
@ -188,22 +188,22 @@
"Failed to delete device": "Nepodařilo se vymazat zařízení",
"Failed to join room": "Vstup do místnosti se nezdařil",
"Failed to kick": "Vykopnutí se nezdařilo",
"Failed to leave room": "Opuštění místnosti se nezdařilo",
"Failed to leave room": "Odejití z místnosti se nezdařilo",
"Failed to mute user": "Ztlumení uživatele se nezdařilo",
"Failed to send email": "Odeslání e-mailu se nezdařilo",
"Failed to save settings": "Uložení nastavení se nezdařilo",
"Failed to reject invitation": "Odmítnutí pozvánky se nezdařilo",
"Failed to reject invite": "Odmítnutí pozvání se nezdařilo",
"Failed to save settings": "Nepodařilo se uložit nastavení",
"Failed to reject invitation": "Nepodařilo se odmítnout pozvání",
"Failed to reject invite": "Nepodařilo se odmítnout pozvánku",
"Failed to send request.": "Odeslání žádosti se nezdařilo.",
"Failed to set avatar.": "Nastavení avataru se nezdařilo.",
"Failed to set display name": "Nastavení zobrazovaného jména se nezdařilo",
"Failed to set up conference call": "Nastavení konferenčního hovoru se nezdařilo",
"Failed to set display name": "Nepodařilo se nastavit zobrazované jméno",
"Failed to set up conference call": "Nepodařilo se nastavit konferenční hovor",
"Failed to toggle moderator status": "Změna statusu moderátora se nezdařila",
"Failed to unban": "Odvolání vykázání se nezdařilo",
"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",
"Forget room": "Zapomenout místnost",
"Forgot your password?": "Zapomněli jste své heslo?",
"Forgot your password?": "Zapomněl/a jste své heslo?",
"For security, this session has been signed out. Please sign in again.": "Z bezpečnostních důvodů bylo toto přihlášení ukončeno. Přihlašte se prosím znovu.",
"%(names)s and one other are typing": "%(names)s a jeden další píší",
"%(names)s and %(lastPerson)s are typing": "%(names)s a %(lastPerson)s píší",
@ -307,10 +307,10 @@
"Send anyway": "Přesto poslat",
"Sender device information": "Informace o odesilatelově zařízení",
"Send Reset Email": "Poslat resetovací e-mail",
"sent an image": "poslat obrázek",
"sent an image": "poslal/a obrázek",
"%(senderDisplayName)s sent an image.": "%(senderDisplayName)s poslal/a obrázek.",
"%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s poslal/a %(targetDisplayName)s pozvánku ke vstupu do místnosti.",
"sent a video": "poslat video",
"sent a video": "poslal/a video",
"Server error": "Chyba serveru",
"Server may be unavailable or overloaded": "Server může být nedostupný nebo přetížený",
"Server may be unavailable, overloaded, or search timed out :(": "Server může být nedostupný, přetížený nebo vyhledávání vypršelo :(",
@ -371,48 +371,48 @@
"Start chatting": "Začít chatovat",
"Start Chatting": "Začít chatovat",
"A text message has been sent to +%(msisdn)s. Please enter the verification code it contains": "Textová zpráva byla odeslána na +%(msisdn)s. Prosím vložte ověřovací kód z dané zprávy",
"%(targetName)s accepted the invitation for %(displayName)s.": "%(targetName)s přijmul/a pozvánku pro %(displayName)s.",
"%(targetName)s accepted the invitation for %(displayName)s.": "%(targetName)s přijal/a pozvánku pro %(displayName)s.",
"Active call (%(roomName)s)": "Probíhající hovor (%(roomName)s)",
"An email has been sent to": "Email byl odeslán odeslán na",
"%(senderName)s banned %(targetName)s.": "%(senderName)s zablokoval/a %(targetName)s.",
"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>.": "Nelze se připojit k homeserveru přes HTTP pokud je v adresním řádku HTTPS. Buď použijte HTTPS nebo <a>povolte nebezpečné scripty</a>.",
"%(senderName)s changed their display name from %(oldDisplayName)s to %(displayName)s.": "%(senderName)s změnil/a zobrazované jméno z %(oldDisplayName)s na %(displayName)s.",
"An email has been sent to": "E-mail byl odeslán odeslán na",
"%(senderName)s banned %(targetName)s.": "%(senderName)s vykázal/a %(targetName)s.",
"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>.": "Nelze se připojit k domovskému serveru přes HTTP, pokud je v adresním řádku HTTPS. Buď použijte HTTPS, nebo <a>povolte nebezpečné scripty</a>.",
"%(senderName)s changed their display name from %(oldDisplayName)s to %(displayName)s.": "%(senderName)s změnil/a své zobrazované jméno z %(oldDisplayName)s na %(displayName)s.",
"Click here to fix": "Klikněte zde pro opravu",
"Click to mute video": "Klikněte pro zakázání videa",
"click to reveal": "klikněte pro odhalení",
"Click to unmute video": "Klikněte pro povolení videa",
"Click to unmute audio": "Klikněte pro povolení zvuku",
"Devices will not yet be able to decrypt history from before they joined the room": "Zařízení nebudou schopna dešifrovat historii před tím než se připojila k místnosti",
"Devices will not yet be able to decrypt history from before they joined the room": "Zařízení nebudou schopna dešifrovat historii z doby před jejich vstupem do místnosti",
"Displays action": "Zobrazí akci",
"Do you want to load widget from URL:": "Chcete načíst widget z URL:",
"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": "Emailová adresa se zdá být nevalidní",
"This doesn't appear to be a valid email address": "Tato e-mailová adresa se zdá být neplatná",
"This is a preview of this room. Room interactions have been disabled": "Toto je náhled místnosti. Interakce byly zakázány",
"This phone number is already in use": "Tohle číslo už se používá",
"This room is not accessible by remote Matrix servers": "Tahle místnost není přístupná vzdálenými Matrix servery",
"This room's internal ID is": "Vnitřní ID místnosti je",
"To reset your password, enter the email address linked to your account": "K resetování hesla, vložte emailovou adresu spojenou s vaším účtem",
"to restore": "obnovit",
"to tag direct chat": "oštítkovat přímý chat",
"To use it, just wait for autocomplete results to load and tab through them.": "Pro použití vyčkejte k načtení automatického doplňování a tabem přeskakujte mezi výsledky.",
"This phone number is already in use": "Toto číslo se již používá",
"This room is not accessible by remote Matrix servers": "Tato místnost není přístupná vzdáleným Matrix serverům",
"This room's internal ID is": "Vnitřní ID této místnosti je",
"To reset your password, enter the email address linked to your account": "K resetování hesla vložte e-mailovou adresu spojenou s vaším účtem",
"to restore": "obnovíte",
"to tag direct chat": "oštítkujete přímý chat",
"To use it, just wait for autocomplete results to load and tab through them.": "Použijte tak, že vyčkáte na načtení našeptávaných výsledků a ty pak projdete tabulátorem.",
"Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Nemáte práva k zobrazení zprávy v daném časovém úseku.",
"Tried to load a specific point in this room's timeline, but was unable to find it.": "Zpráva v daném časovém úsaku nenalezena.",
"Tried to load a specific point in this room's timeline, but was unable to find it.": "Zpráva v daném časovém úseku nenalezena.",
"Turn Markdown off": "Vypnout Markdown",
"Turn Markdown on": "Zapnout Markdown",
"%(senderName)s turned on end-to-end encryption (algorithm %(algorithm)s).": "%(senderName)s zapnul end-to-end šifrování (algoritmus %(algorithm)s).",
"Unable to add email address": "Nepodařilo se přidat emailovou adresu",
"%(senderName)s turned on end-to-end encryption (algorithm %(algorithm)s).": "%(senderName)s zapnul/a end-to-end šifrování (algoritmus %(algorithm)s).",
"Unable to add email address": "Nepodařilo se přidat e-mailovou adresu",
"Unable to create widget.": "Nepodařilo se vytvořit widget.",
"Unable to remove contact information": "Nepodařilo se smazat kontaktní údaje",
"Unable to verify email address.": "Nepodařilo se ověřit emailovou adresu.",
"Unban": "Odblokovat",
"Unbans user with given id": "Odblokuje uživatele s daným id",
"%(senderName)s unbanned %(targetName)s.": "%(senderName)s odblokoval/a %(targetName)s.",
"Unable to ascertain that the address this invite was sent to matches one associated with your account.": "Nepodařilo se prokázat že adresa na kterou byla tato pozvánka odeslána se shoduje s adresou přiřazenou Vašemu účtu.",
"Unable to verify email address.": "Nepodařilo se ověřit e-mailovou adresu.",
"Unban": "Přijmout zpět",
"Unbans user with given id": "Přijme zpět uživatele s daným id",
"%(senderName)s unbanned %(targetName)s.": "%(senderName)s přijal/a zpět %(targetName)s.",
"Unable to ascertain that the address this invite was sent to matches one associated with your account.": "Nepodařilo se prokázat, že adresa, na kterou byla tato pozvánka odeslána, se shoduje s adresou přidruženou k vašemu účtu.",
"Unable to capture screen": "Nepodařilo se zachytit obrazovku",
"Unable to enable Notifications": "Nepodařilo se povolit Notifikace",
"Unable to load device list": "Nepodařilo se načíst list zařízení",
"Unable to enable Notifications": "Nepodařilo se povolit upozornění",
"Unable to load device list": "Nepodařilo se načíst seznam zařízení",
"Undecryptable": "Nerozšifrovatelné",
"unencrypted": "nešifrované",
"Unencrypted message": "Nešifrovaná zpráva",
@ -421,15 +421,15 @@
"Unknown room %(roomId)s": "Neznámá místnost %(roomId)s",
"Unknown (user, device) pair:": "Neznámý pár (uživatel, zařízení):",
"Unmute": "Povolit",
"Unnamed Room": "Nepojmenovaná Místnost",
"Unnamed Room": "Nepojmenovaná místnost",
"Unrecognised command:": "Nerozpoznaný příkaz:",
"Unrecognised room alias:": "Nerozpoznaný alias místnosti:",
"Unverified": "Neověřený",
"Uploading %(filename)s and %(count)s others|zero": "Nahrávám %(filename)s",
"Uploading %(filename)s and %(count)s others|one": "Nahrávám %(filename)s a %(count)s další",
"Uploading %(filename)s and %(count)s others|other": "Nahrávám %(filename)s a %(count)s další",
"Upload Failed": "Nahrávání Selhalo",
"Upload Files": "Nahrát Soubory",
"Upload Failed": "Nahrávání selhalo",
"Upload Files": "Nahrát soubory",
"Upload file": "Nahrát soubor",
"Upload new:": "Nahrát nový:",
"Usage": "Použití",
@ -439,16 +439,238 @@
"User Interface": "Uživatelské rozhraní",
"%(user)s is a": "%(user)s je",
"User name": "Uživatelské jméno",
"Username invalid: %(errMessage)s": "Nevalidní uživatelské jméno: %(errMessage)s",
"Username invalid: %(errMessage)s": "Neplatné uživatelské jméno: %(errMessage)s",
"Users": "Uživatelé",
"User": "Uživatel",
"Verification Pending": "Čeká na ověření",
"Verification": "Ověření",
"verified": "ověreno",
"Verified": "Ověřeno",
"Verified key": "Ověřen klíč",
"Verified key": "Ověřený klíč",
"(no answer)": "(žádná odpověď)",
"(unknown failure: %(reason)s)": "(neznámá chyba: %(reason)s)",
"(warning: cannot be disabled again!)": "(varování: nemůže být opět zakázáno!)",
"WARNING: Device already verified, but keys do NOT MATCH!": "VAROVÁNÍ: Zařízení ověřeno, ale klíče se NESHODUJÍ!"
"(warning: cannot be disabled again!)": "(varování: nepůjde znovu zakázat!)",
"WARNING: Device already verified, but keys do NOT MATCH!": "VAROVÁNÍ: Zařízení byl již ověřeno, ale klíče se NESHODUJÍ!",
"The remote side failed to pick up": "Vzdálené straně se nepodařilo hovor přijmout",
"Who would you like to add to this community?": "Koho chcete přidat do této komunity?",
"Invite new community members": "Pozvěte nové členy komunity",
"Name or matrix ID": "Jméno nebo matrix ID",
"Invite to Community": "Pozvat do komunity",
"Which rooms would you like to add to this community?": "Které místnosti chcete přidat do této komunity?",
"Warning: any room you add to a community will be publicly visible to anyone who knows the community ID": "Varování: místnost, kterou přidáte do této komunity, bude veřejně viditelná každému, kdo zná ID komunity",
"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 komunity, bude veřejně viditelná každému, kdo zná ID komunity",
"Add rooms to the community": "Přidat místnosti do komunity",
"Room name or alias": "Název nebo alias místnosti",
"Add to community": "Přidat do komunity",
"Failed to invite the following users to %(groupId)s:": "Následující uživatele se nepodařilo přidat do %(groupId)s:",
"Invites sent": "Pozvánky odeslány",
"Your community invitations have been sent.": "Vaše komunitní pozvánky byly odeslány.",
"Failed to invite users to community": "Nepodařilo se pozvat uživatele do komunity",
"Failed to invite users to %(groupId)s": "Nepodařilo se pozvat uživatele do %(groupId)s",
"%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s",
"%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s, %(monthName)s %(day)s %(time)s",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s",
"Failed to add the following rooms to %(groupId)s:": "Nepodařilo se přidat následující místnosti do %(groupId)s:",
"Your email address does not appear to be associated with a Matrix ID on this Homeserver.": "Vaše e-mailová adresa zřejmě nepatří k žádnému Matrix ID na tomto domovském serveru.",
"Send Invites": "Odeslat pozvánky",
"Failed to invite user": "Nepodařilo se pozvat uživatele",
"Failed to invite": "Pozvání se nezdařilo",
"Failed to invite the following users to the %(roomName)s room:": "Do místnosti %(roomName)s se nepodařilo pozvat následující uživatele:",
"You need to be logged in.": "Musíte být přihlášen/a.",
"You are now ignoring %(userId)s": "Nyní ignorujete %(userId)s",
"You are no longer ignoring %(userId)s": "Už neignorujete %(userId)s",
"Add rooms to this community": "Přidat místnosti do této komunity",
"Unpin Message": "Odepnout zprávu",
"Ignored user": "Ignorovaný uživatel",
"Unignored user": "Odignorovaný uživatel",
"WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and device %(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ÍČE SELHALO! Podepisovací klíč uživatele %(userId)s a zařízení %(deviceId)s je \"%(fprint)s\", což nesouhlasí s dodaným klíčem \"%(fingerprint)s\". Toto může znamenat, že vaše komunikace je odposlouchávána!",
"Reason": "Důvod",
"VoIP conference started.": "VoIP konference započata.",
"VoIP conference finished.": "VoIP konference ukončena.",
"%(targetName)s left the room.": "%(targetName)s opustil/a místnost.",
"You are already in a call.": "Již máte probíhající hovor.",
"%(senderName)s requested a VoIP conference.": "%(senderName)s požádal/a o VoIP konferenci.",
"%(senderName)s removed their profile picture.": "%(senderName)s odstranil/a svůj profilový obrázek.",
"%(targetName)s rejected the invitation.": "%(targetName)s odmítl/a pozvání.",
"Communities": "Komunity",
"Message Pinning": "Připíchnutí zprávy",
"Your browser does not support the required cryptography extensions": "Váš prohlížeč nepodporuje požadovaná kryptografická rozšíření",
"Do you want to set an email address?": "Chcete nastavit e-mailovou adresu?",
"New Password": "Nové heslo",
"Device Name": "Název zařízení",
"Unignore": "Odignorovat",
"Ignore": "Ignorovat",
"Admin Tools": "Nástroje pro správce",
"bold": "tučně",
"italic": "kurzíva",
"strike": "přeškrtnutí",
"underline": "podtržení",
"code": "kód",
"quote": "citace",
"bullet": "odrážka",
"numbullet": "číselný seznam",
"No pinned messages.": "Žádné připíchnuté zprávy.",
"Pinned Messages": "Připíchnuté zprávy",
"%(senderName)s removed their display name (%(oldDisplayName)s).": "%(senderName)s odstranil/a svoje zobrazované jméno (%(oldDisplayName)s).",
"%(senderName)s withdrew %(targetName)s's invitation.": "%(senderName)s odvolal/a pozvánku pro %(targetName)s.",
"%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s učinil/a budoucí historii místnosti viditelnou všem členům, a to od chvíle jejich pozvání.",
"%(senderName)s made future room history visible to all room members, from the point they joined.": "%(senderName)s učinil/a budoucí historii místnosti viditelnou všem členům, a to od chvíle jejich vstupu do místnosti.",
"%(senderName)s made future room history visible to all room members.": "%(senderName)s učinil/a budoucí historii místnosti viditelnou všem členům.",
"%(senderName)s made future room history visible to anyone.": "%(senderName)s učinil/a budoucí historii místnosti viditelnou komukoliv.",
"%(senderName)s changed the pinned messages for the room.": "%(senderName)s změnil/a připíchnuté zprávy této místnosti.",
"%(names)s and %(count)s others are typing|other": "%(names)s a %(count)s další píší",
"Authentication check failed: incorrect password?": "Kontrola ověření selhala: špatné heslo?",
"You need to be able to invite users to do that.": "Pro tuto akci musíte mít právo zvát uživatele.",
"Delete Widget": "Smazat widget",
"Error decrypting image": "Chyba při dešifrování obrázku",
"Image '%(Body)s' cannot be displayed.": "Obrázek '%(Body)s' nemůže být zobrazen.",
"This image cannot be displayed.": "Tento obrázek nemůže být zobrazen.",
"Error decrypting video": "Chyba při dešifrování videa",
"%(senderDisplayName)s removed the room avatar.": "%(senderDisplayName)s odstranil/a avatar místnosti.",
"%(senderDisplayName)s changed the room avatar to <img/>": "%(senderDisplayName)s změnil/a 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/a %(userId)s",
"This Home Server would like to make sure you are not a robot": "Tento domovský server by se rád přesvědčil, že nejste robot",
"You can use the custom server options to sign into other Matrix servers by specifying a different Home server URL.": "Přes vlastní serverové volby se můžete přihlásit k dalším Matrix serverům tak, že zadáte jinou adresu domovského serveru.",
"Identity server URL": "Adresa serveru identity",
"You can also set a custom identity server but this will typically prevent interaction with users based on email address.": "Taktéž můžete zadat vlastní server identity, ale to vám zpravidla znemožní interagovat s uživateli na základě e-mailové adresy.",
"Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Smazáním widgetu jej odstraníte všem uživatelům v této místnosti. Určitě 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",
"uploaded a file": "nahrál/a soubor",
"Example": "Příklad",
"Create Community": "Vytvořit komunitu",
"Community Name": "Název komunity",
"Community ID": "ID komunity",
"example": "příklad",
"Create": "Vytvořit",
"Advanced options": "Pokročilé volby",
"User Options": "Volby uživatele",
"Please select the destination room for this message": "Vyberte prosím pro tuto zprávu cílovou místnost",
"No devices with registered encryption keys": "Žádná zařízení se zaregistrovanými šifrovacími klíči",
"Jump to read receipt": "Přeskočit na 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",
"Hide Apps": "Skrýt aplikace",
"Show Text Formatting Toolbar": "Zobrazit nástroje formátování textu",
"Hide Text Formatting Toolbar": "Skrýt nástroje formátování textu",
"Jump to message": "Přeskočit na zprávu",
"Loading...": "Načítání...",
"Loading device info...": "Načítá se info o zařízení...",
"You seem to be uploading files, are you sure you want to quit?": "Zřejmě právě nahráváte soubory. Chcete přesto odejít?",
"You seem to be in a call, are you sure you want to quit?": "Zřejmě máte probíhající hovor. Chcete přesto odejít?",
"Idle": "Nečinný/á",
"Unknown": "Neznámý",
"Seen by %(userName)s at %(dateTime)s": "Spatřen uživatelem %(userName)s v %(dateTime)s",
"Unnamed room": "Nepojmenovaná místnost",
"World readable": "Světu čitelné",
"Guests can join": "Hosté mohou vstoupit",
"No rooms to show": "Žádné místnosti k zobrazení",
"(~%(count)s results)|other": "(~%(count)s výsledků)",
"(~%(count)s results)|one": "(~%(count)s výsledek)",
"Upload avatar": "Nahrát avatar",
"Remove avatar": "Odstranit avatar",
"Mention": "Zmínka",
"Blacklisted": "Na černé listině",
"Invited": "Pozvaní",
"Markdown is disabled": "Markdown je vypnutý",
"Markdown is enabled": "Markdown je zapnutý",
"Press <StartChatButton> to start a chat with someone": "Zmáčkněte <StartChatButton> a můžete začít chatovat",
"This invitation was sent to an email address which is not associated with this account:": "Tato pozvánka byla odeslána na e-mailovou aresu, která není přidružená k tomuto účtu:",
"Joins room with given alias": "Vstoupí do místnosti s daným aliasem",
"were unbanned": "byli přijati zpět",
"was unbanned": "byl/a přijat/a zpět",
"was unbanned %(repeats)s times": "byl/a přijat/a zpět %(repeats)skrát",
"were unbanned %(repeats)s times": "byli přijati zpět %(repeats)skrát",
"Leave Community": "Odejít z komunity",
"Leave %(groupName)s?": "Odejít z %(groupName)s?",
"Leave": "Odejít",
"Unable to leave room": "Nepodařilo se odejít z místnosti",
"Hide join/leave messages (invites/kicks/bans unaffected)": "Skrýt zprávy o vstupu či odejití (pozvánky, vykopnutí a vykázání zůstanou)",
"%(severalUsers)sjoined and left %(repeats)s times": "%(severalUsers)s vstoupilo a odešlo %(repeats)skrát",
"%(oneUser)sjoined and left %(repeats)s times": "%(oneUser)s vstoupil/a a odešel/la %(repeats)skrát",
"%(severalUsers)sjoined and left": "%(severalUsers)s vstoupilo a odešlo",
"%(oneUser)sjoined and left": "%(oneUser)s vstoupil/a a odešel/la",
"Failed to remove user from community": "Nepodařilo se odebrat uživatele z komunity",
"Failed to remove room from community": "Nepodařilo se odebrat místnost z komunity",
"Failed to remove '%(roomName)s' from %(groupId)s": "'%(roomName)s' se nepodařilo odebrat z %(groupId)s",
"Failed to update community": "Nepodařilo se aktualizovat komunitu",
"Failed to load %(groupId)s": "Nepodařilo se načíst %(groupId)s",
"Search failed": "Vyhledávání selhalo",
"Failed to fetch avatar URL": "Nepodařilo se získat adresu avataru",
"Error decrypting audio": "Chyba při dešifrování zvuku",
"Drop here to tag %(section)s": "Přetažením sem oštítkujete %(section)s",
"You have been invited to join this room by %(inviterName)s": "%(inviterName)s vás pozval/a ke vstupu do této místnosti",
"Reason: %(reasonText)s": "Důvod: %(reasonText)s",
"Rejoin": "Vstoupit znovu",
"To change the room's avatar, you must be a": "Abyste mohl/a měnit avatar místnosti, musíte být",
"To change the room's name, you must be a": "Abyste mohl/a měnit název místnosti, musíte být",
"To change the room's main address, you must be a": "Abyste mohl/a měnit hlavní adresu místnosti, musíte být",
"To change the room's history visibility, you must be a": "Abyste mohl/a měnit viditelnost historie místnosti, musíte být",
"To change the permissions in the room, you must be a": "Abyste mohl/a měnit oprávnění v místnosti, musíte být",
"To change the topic, you must be a": "Abyste mohl/a měnit téma, musíte být",
"To modify widgets in the room, you must be a": "Abyste mohl/a měnit widgety v místnosti, musíte být",
"Banned by %(displayName)s": "Vykázán/a uživatelem %(displayName)s",
"Privacy warning": "Výstraha o utajení",
"Never send encrypted messages to unverified devices in this room from this device": "Nikdy z tohoto zařízení neposílat šifrované zprávy neověřeným zařízením v této místnosti",
"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",
"Tagged as: ": "Oštítkováno jako: ",
"To link to a room it must have <a>an address</a>.": "Aby šlo odkazovat na místnost, musí mít <a>adresu</a>.",
"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?",
"since the point in time of selecting this option": "od chvíle aktivování této volby",
"since they were invited": "od chvíle jejich pozvání",
"since they joined": "od chvíle jejich vstupu",
"The default role for new room members is": "Výchozí role nových členů místnosti je",
"To send messages, you must be a": "Abyste mohl/a posílat zprávy, musíte být",
"To invite users into the room, you must be a": "Abyste mohl/a zvát uživatele do této místnosti, musíte být",
"To configure the room, you must be a": "Abyste mohl/a nastavovat tuto místnost, musíte být",
"To kick users, you must be a": "Abyste mohl/a vykopávat uživatele, musíte být",
"To ban users, you must be a": "Abyste mohl/a vykazovat uživatele, musíte být",
"To remove other users' messages, you must be a": "Abyste mohl/a odstraňovat zprávy ostatních uživatelů, musíte být",
"To send events of type <eventType/>, you must be a": "Abyste mohl/a odesílat události typu <eventType/>, musíte být",
"You should not yet trust it to secure data": "Zatím byste jeho zabezpečení dat neměl/a důvěřovat",
"Remote addresses for this room:": "Vzdálené adresy této místnosti:",
"Invalid community ID": "Neplatné ID komunity",
"'%(groupId)s' is not a valid community ID": "'%(groupId)s' není platné ID komunity",
"Related Communities": "Související komunity",
"Related communities for this room:": "Komunity související s touto místností:",
"This room has no related communities": "Tato místnost nemá žádné související komunity",
"New community ID (e.g. +foo:%(localDomain)s)": "Nové ID komunity (např. +neco:%(localDomain)s)",
"%(names)s and %(count)s others are typing|one": "%(names)s a jeden další píší",
"%(senderName)s sent an image": "%(senderName)s poslal/a obrázek",
"%(senderName)s sent a video": "%(senderName)s poslal/a video",
"%(senderName)s uploaded a file": "%(senderName)s nahrál/a soubor",
"Disinvite this user?": "Odvolat pozvání tohoto uživatele?",
"Kick this user?": "Vykopnout tohoto uživatele?",
"Unban this user?": "Přijmout zpět tohoto uživatele?",
"Ban this user?": "Vykázat tohoto uživatele?",
"Drop here to favourite": "Oblibte přetažením zde",
"Drop here to tag direct chat": "Přímý chat oštítkujte přetažením zde",
"Drop here to restore": "Obnovte přetažením zde",
"Drop here to demote": "Upozaďte přetažením zde",
"Community Invites": "Komunitní pozvánky",
"You have been kicked from this room by %(userName)s.": "%(userName)s vás vykopl/a z této místnosti.",
"You have been banned from this room by %(userName)s.": "%(userName)s vás vykázal/a z této místnosti.",
"You are trying to access a room.": "Pokoušíte se o přístup do místnosti.",
"Members only (since the point in time of selecting this option)": "Pouze členové (od chvíle vybrání této volby)",
"Members only (since they were invited)": "Pouze členové (od chvíle jejich pozvání)",
"Members only (since they joined)": "Pouze členové (od chvíle jejich vstupu)",
"Disable URL previews by default for participants in this room": "Vypnout účastníkům v této místnosti automatické náhledy webových adres",
"URL previews are %(globalDisableUrlPreview)s by default for participants in this room.": "Automatické zobrazení náhledů webových adres je v této místnosti pro všechny účastníky %(globalDisableUrlPreview)s.",
"You have <a>disabled</a> URL previews by default.": "<a>Vypnul/a</a> jste automatické náhledy webových adres.",
"You have <a>enabled</a> URL previews by default.": "<a>Zapnul/a</a> jste automatické náhledy webových adres.",
"URL Previews": "Náhledy webových adres",
"Enable URL previews for this room (affects only you)": "Zapnout náhledy webových adres (pouze vám)",
"Disable URL previews for this room (affects only you)": "Vypnout náhledy webových adres (pouze vám)",
"%(senderDisplayName)s changed the avatar for %(roomName)s": "%(senderDisplayName)s změnil/a avatar místnosti %(roomName)s",
"Add an Integration": "Přidat začlenění",
"Message removed": "Zpráva odstraněna",
"Robot check is currently unavailable on desktop - please use a <a>web browser</a>": "Ochrana před roboty není aktuálně na desktopu dostupná. Použijte prosím <a>webový prohlížeč</a>",
"An email has been sent to %(emailAddress)s": "Na adresu %(emailAddress)s jsme poslali e-mail"
}

View file

@ -21,10 +21,10 @@
"User ID": "Benutzer-ID",
"Curve25519 identity key": "Curve25519-Identitäts-Schlüssel",
"Claimed Ed25519 fingerprint key": "Geforderter Ed25519-Fingerprint-Schlüssel",
"none": "keiner",
"none": "nicht vorhanden",
"Algorithm": "Algorithmus",
"unencrypted": "unverschlüsselt",
"Decryption error": "Entschlüsselungs Fehler",
"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",
@ -76,7 +76,7 @@
"End-to-end encryption is in beta and may not be reliable": "Die Ende-zu-Ende-Verschlüsselung befindet sich aktuell im Beta-Stadium und ist eventuell noch nicht hundertprozentig zuverlässig",
"Failed to send email": "Fehler beim Senden der E-Mail",
"Account": "Benutzerkonto",
"Add phone number": "Telefonnummer hinzufügen",
"Add phone number": "Telefon-Nr. hinzufügen",
"Your password was successfully changed. You will not receive push notifications on other devices until you log back in to them": "Dein Passwort wurde erfolgreich geändert. Du wirst erst Benachrichtigungen auf anderen Geräten empfangen können, wenn du dich dort erneut anmeldest",
"Can't load user settings": "Benutzereinstellungen können nicht geladen werden",
"Clear Cache": "Cache leeren",
@ -138,7 +138,7 @@
"Scroll to unread messages": "Zu den ungelesenen Nachrichten scrollen",
"Send Invites": "Einladungen senden",
"Send Reset Email": "E-Mail zum Zurücksetzen senden",
"sent an image": "hat ein Bild gesendet",
"sent an image": "hat ein Bild übermittelt",
"sent a video": "hat ein Video gesendet",
"Server may be unavailable or overloaded": "Server ist eventuell nicht verfügbar oder überlastet",
"Settings": "Einstellungen",
@ -158,7 +158,7 @@
"This room is not accessible by remote Matrix servers": "Remote-Matrix-Server können auf diesen Raum nicht zugreifen",
"This room's internal ID is": "Die interne ID dieses Raumes ist",
"Admin": "Administrator",
"Server may be unavailable, overloaded, or you hit a bug.": "Server ist nicht verfügbar, überlastet oder du bist auf einen Fehler gestoßen.",
"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",
"Disable inline URL previews by default": "URL-Vorschau im Chat standardmäßig deaktivieren",
"Labs": "Labor",
@ -262,7 +262,7 @@
"Encrypt room": "Raum verschlüsseln",
"%(names)s and %(lastPerson)s are typing": "%(names)s und %(lastPerson)s schreiben",
"%(targetName)s accepted an invitation.": "%(targetName)s hat eine Einladung angenommen.",
"%(targetName)s accepted the invitation for %(displayName)s.": "%(targetName)s akzeptierte die Einladung für %(displayName)s.",
"%(targetName)s accepted the invitation for %(displayName)s.": "%(targetName)s hat die Einladung für %(displayName)s akzeptiert.",
"%(names)s and one other are typing": "%(names)s und ein weiteres Raum-Mitglied schreiben",
"%(senderName)s answered the call.": "%(senderName)s hat den Anruf angenommen.",
"%(senderName)s banned %(targetName)s.": "%(senderName)s hat %(targetName)s dauerhaft aus dem Raum verbannt.",
@ -284,7 +284,7 @@
"%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s hat den zukünftigen Chatverlauf sichtbar gemacht für alle Raum-Mitglieder (ab dem Zeitpunkt, an dem sie eingeladen wurden).",
"%(senderName)s made future room history visible to all room members, from the point they joined.": "%(senderName)s hat den zukünftigen Chatverlauf sichtbar gemacht für alle Raum-Mitglieder (ab dem Zeitpunkt, an dem sie beigetreten sind).",
"%(senderName)s made future room history visible to all room members.": "%(senderName)s hat den zukünftigen Chatverlauf sichtbar gemacht für alle Raum-Mitglieder.",
"%(senderName)s made future room history visible to anyone.": "%(senderName)s hat den zukünftigen Chatverlauf sichtbar gemacht für Jeder.",
"%(senderName)s made future room history visible to anyone.": "%(senderName)s hat den zukünftigen Chatverlauf sichtbar gemacht für Alle.",
"%(senderName)s made future room history visible to unknown (%(visibility)s).": "%(senderName)s hat den zukünftigen Chatverlauf sichtbar gemacht für unbekannt (%(visibility)s).",
"Missing room_id in request": "Fehlende room_id in Anfrage",
"Missing user_id in request": "Fehlende user_id in Anfrage",
@ -298,7 +298,7 @@
"%(senderName)s removed their profile picture.": "%(senderName)s hat das Profilbild gelöscht.",
"%(senderName)s requested a VoIP conference.": "%(senderName)s möchte eine VoIP-Konferenz beginnen.",
"Room %(roomId)s not visible": "Raum %(roomId)s ist nicht sichtbar",
"%(senderDisplayName)s sent an image.": "%(senderDisplayName)s hat ein Bild gesendet.",
"%(senderDisplayName)s sent an image.": "%(senderDisplayName)s hat ein Bild übermittelt.",
"%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s hat %(targetDisplayName)s in diesen Raum eingeladen.",
"%(senderName)s set a profile picture.": "%(senderName)s hat ein Profilbild gesetzt.",
"%(senderName)s set their display name to %(displayName)s.": "%(senderName)s hat den Anzeigenamen geändert in %(displayName)s.",
@ -364,7 +364,7 @@
"Markdown is disabled": "Markdown ist deaktiviert",
"Markdown is enabled": "Markdown ist aktiviert",
"Message not sent due to unknown devices being present": "Nachrichten wurden nicht gesendet, da unbekannte Geräte anwesend sind",
"New address (e.g. #foo:%(localDomain)s)": "Neue Adresse (z.B. #foo:%(localDomain)s)",
"New address (e.g. #foo:%(localDomain)s)": "Neue Adresse (z. B. #foo:%(localDomain)s)",
"not set": "nicht gesetzt",
"not specified": "nicht spezifiziert",
"No devices with registered encryption keys": "Keine Geräte mit registrierten Verschlüsselungs-Schlüsseln",
@ -403,7 +403,7 @@
"bullet": "Aufzählung",
"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 Position im Zeitstrahl fehlgeschlagen",
"Failed to load timeline position": "Laden der Position im Chatverlauf fehlgeschlagen",
"Failed to toggle moderator status": "Umschalten des Moderator-Status fehlgeschlagen",
"Enable encryption": "Verschlüsselung aktivieren",
"The main address for this room is": "Die Hauptadresse für diesen Raum ist",
@ -450,7 +450,7 @@
"was kicked %(repeats)s times": "wurde %(repeats)s-mal gekickt",
"were kicked": "wurden gekickt",
"%(severalUsers)schanged their name %(repeats)s times": "%(severalUsers)shaben ihren Namen %(repeats)s mal geändert",
"%(oneUser)schanged their name %(repeats)s times": "%(oneUser)shat den Namen %(repeats)s mal geändert",
"%(oneUser)schanged their name %(repeats)s times": "%(oneUser)shat den Namen %(repeats)s-mal geändert",
"%(severalUsers)schanged their name": "%(severalUsers)shaben ihre Namen geändert",
"%(oneUser)schanged their name": "%(oneUser)shat den Namen geändert",
"%(severalUsers)schanged their avatar %(repeats)s times": "%(severalUsers)shaben %(repeats)s mal ihr Profilbild geändert",
@ -596,7 +596,7 @@
"Camera": "Kamera",
"Device already verified!": "Gerät bereits verifiziert!",
"Export": "Export",
"Guest access is disabled on this Home Server.": "Gastzugang ist auf diesem Heimserver deaktivert.",
"Guest access is disabled on this Home Server.": "Der Gastzugang ist auf diesem Heimserver deaktiviert.",
"Import": "Importieren",
"Incorrect username and/or password.": "Inkorrekter Nutzername und/oder Passwort.",
"Results from DuckDuckGo": "Ergebnisse von DuckDuckGo",
@ -696,7 +696,7 @@
"This room": "In diesem Raum",
"To link to a room it must have <a>an address</a>.": "Um einen Raum zu verlinken, muss er <a>eine Adresse</a> haben.",
"Undecryptable": "Nicht entschlüsselbar",
"Unable to ascertain that the address this invite was sent to matches one associated with your account.": "Kann nicht feststellen, ob die Adresse an die diese Einladung gesendet wurde mit einer übereinstimmt, die zu deinem Konto gehört.",
"Unable to ascertain that the address this invite was sent to matches one associated with your account.": "Es konnte nicht ermittelt werden, ob die Adresse, an die diese Einladung gesendet wurde, mit einer mit deinem Benutzerkonto verknüpften Adresse übereinstimmt.",
"Unencrypted message": "Nicht verschlüsselbare Nachricht",
"unknown caller": "Unbekannter Anrufer",
"Unnamed Room": "Unbenannter Raum",
@ -739,7 +739,7 @@
"Changes colour scheme of current room": "Ändere Farbschema des aktuellen Raumes",
"Delete widget": "Widget entfernen",
"Define the power level of a user": "Setze das Berechtigungslevel eines Benutzers",
"Edit": "Bearbeiten",
"Edit": "Editieren",
"Enable automatic language detection for syntax highlighting": "Automatische Spracherkennung für die Syntax-Hervorhebung aktivieren",
"Hide Apps": "Apps verbergen",
"Hide join/leave messages (invites/kicks/bans unaffected)": "Betreten-/Verlassen-Benachrichtigungen verbergen (gilt nicht für Einladungen/Kicks/Bans)",
@ -770,15 +770,15 @@
"Do you want to load widget from URL:": "Möchtest du das Widget von folgender URL laden:",
"Integrations Error": "Integrations-Error",
"NOTE: Apps are not end-to-end encrypted": "BEACHTE: Apps sind nicht Ende-zu-Ende verschlüsselt",
"%(widgetName)s widget added by %(senderName)s": "Widget \"%(widgetName)s\" von %(senderName)s hinzugefügt",
"%(widgetName)s widget removed by %(senderName)s": "Widget \"%(widgetName)s\" von %(senderName)s entfernt",
"%(widgetName)s widget added by %(senderName)s": "%(senderName)s hat das Widget %(widgetName)s hinzugefügt",
"%(widgetName)s widget removed by %(senderName)s": "%(senderName)s hat das Widget %(widgetName)s entfernt",
"Robot check is currently unavailable on desktop - please use a <a>web browser</a>": "In der Desktop-Version kann derzeit nicht geprüft werden, ob ein Benutzer ein Roboter ist. Bitte einen <a>Webbrowser</a> verwenden",
"%(widgetName)s widget modified by %(senderName)s": "Das Widget '%(widgetName)s' wurde von %(senderName)s bearbeitet",
"Copied!": "Kopiert!",
"Failed to copy": "Kopieren fehlgeschlagen",
"Ignored Users": "Ignorierte Benutzer",
"Ignore": "Ignorieren",
"You are now ignoring %(userId)s": "Du ignorierst jetzt %(userId)s",
"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",
"Name or matrix ID": "Name oder Matrix-ID",
@ -793,30 +793,30 @@
"You have entered an invalid address.": "Du hast eine ungültige Adresse eingegeben.",
"Matrix ID": "Matrix-ID",
"Advanced options": "Erweiterte Optionen",
"Block users on other matrix homeservers from joining this room": "Blockiere Nutzer anderer Matrix-Heimserver die diesen Raum betreten wollen",
"Block users on other matrix homeservers from joining this room": "Benutzer anderer Matrix-Heimserver das Betreten dieses Raumes verbieten",
"This setting cannot be changed later!": "Diese Einstellung kann nachträglich nicht mehr geändert werden!",
"Unignore": "Entignorieren",
"User Options": "Benutzer-Optionen",
"Unignored user": "Benutzer entignoriert",
"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",
"Ignores a user, hiding their messages from you": "Ignoriert einen Benutzer und verbirgt dessen Nachrichten",
"Disable Emoji suggestions while typing": "Emoji-Vorschläge während des Schreibens deaktivieren",
"Banned by %(displayName)s": "Gebannt von %(displayName)s",
"To send messages, you must be a": "Um Nachrichten zu senden musst du sein ein",
"Banned by %(displayName)s": "Verbannt von %(displayName)s",
"To send messages, you must be a": "Notwendiges Berechtigungslevel, um Nachrichten zu senden",
"To invite users into the room, you must be a": "Notwendiges Berechtigungslevel, um Benutzer in diesen Raum einladen zu können:",
"To configure the room, you must be a": "Notwendiges Berechtigungslevel, um diesen Raum konfigurieren:",
"To configure the room, you must be a": "Notwendiges Berechtigungslevel, um diesen Raum zu konfigurieren:",
"To kick users, you must be a": "Notwendiges Berechtigungslevel, um Benutzer zu kicken:",
"To ban users, you must be a": "Notwendiges Berechtigungslevel, um einen Benutzer zu verbannen:",
"To remove other users' messages, you must be a": "Um Nachrichten von Benutzern zu löschen, musst du sein ein",
"To send events of type <eventType/>, you must be a": "Um Ereignisse desTyps <eventType/> zu senden, musst du sein ein",
"To change the room's avatar, you must be a": "Um das Raumbild zu ändern, musst du sein ein",
"To change the room's name, you must be a": "Um den Raumnamen zu ändern, musst du sein ein",
"To change the room's main address, you must be a": "Um die Hauptadresse des Raumes zu ändern, musst du sein ein",
"To change the room's history visibility, you must be a": "Um die Sichtbarkeit des bisherigen Chatverlaufs zu ändern, musst du sein ein",
"To change the permissions in the room, you must be a": "Um Berechtigungen in diesem Raum zu ändern, musst du sein ein",
"To change the topic, you must be a": "Um das Thema zu ändern, musst du sein ein",
"To modify widgets in the room, you must be a": "Um Widgets in dem Raum zu ändern, musst du sein ein",
"To ban users, you must be a": "Notwendiges Berechtigungslevel, um Benutzer zu verbannen:",
"To remove other users' messages, you must be a": "Notwendiges Berechtigungslevel, um Nachrichten von anderen Benutzern zu löschen",
"To send events of type <eventType/>, you must be a": "Notwendiges Berechtigungslevel, um Ereignisse des Typs <eventType/> zu senden",
"To change the room's avatar, you must be a": "Notwendiges Berechtigungslevel, um das Raumbild zu ändern",
"To change the room's name, you must be a": "Notwendiges Berechtigungslevel, um den Raumnamen zu ändern",
"To change the room's main address, you must be a": "Notwendiges Berechtigungslevel, um die Hauptadresse des Raumes zu ändern",
"To change the room's history visibility, you must be a": "Notwendiges Berechtigungslevel, um die Sichtbarkeit des bisherigen Chatverlaufs zu ändern",
"To change the permissions in the room, you must be a": "Notwendiges Berechtigungslevel, um Berechtigungen in diesem Raum zu ändern",
"To change the topic, you must be a": "Notwendiges Berechtigungslevel, um das Thema zu ändern",
"To modify widgets in the room, you must be a": "Notwendiges Berechtigungslevel, um Widgets in diesem Raum zu ändern",
"Description": "Beschreibung",
"Unable to accept invite": "Einladung kann nicht akzeptiert werden",
"Failed to invite users to %(groupId)s": "Benutzer konnten nicht in %(groupId)s eingeladen werden",
@ -826,16 +826,16 @@
"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:": "Folgende Räume konnten nicht zur Übersicht von %(groupId)s hinzugefügt werden:",
"Failed to remove the room from the summary of %(groupId)s": "Raum konnte nicht aus der Übersicht von %(groupId)s entfernt werden",
"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.",
"Failed to remove a user from the summary of %(groupId)s": "Benutzer konnte nicht aus der Übersicht von %(groupId)s entfernt werden",
"The user '%(displayName)s' could not be removed from the summary.": "Der Benutzer '%(displayName)s' konnte nicht aus der Übersicht entfernt werden.",
"Unknown": "Unbekannt",
"Failed to add the following rooms to %(groupId)s:": "Die folgenden Räume konnten %(groupId)s nicht hinzugefügt werden:",
"Failed to add the following rooms to %(groupId)s:": "Die folgenden Räume konnten nicht zu %(groupId)s hinzugefügt werden:",
"Matrix Room ID": "Matrix-Raum-ID",
"email address": "E-Mail-Adresse",
"Try using one of the following valid address types: %(validTypesList)s.": "Versuche eine der folgenden validen Adresstypen zu benutzen: %(validTypesList)s.",
"Try using one of the following valid address types: %(validTypesList)s.": "Bitte einen der folgenden gültigen Adresstypen verwenden: %(validTypesList)s.",
"Failed to remove '%(roomName)s' from %(groupId)s": "Entfernen von '%(roomName)s' aus %(groupId)s fehlgeschlagen",
"Are you sure you want to remove '%(roomName)s' from %(groupId)s?": "Bist du sicher, dass du '%(roomName)s' aus '%(groupId)s' entfernen möchtest?",
"Invites sent": "Einladungen gesendet",
@ -845,17 +845,161 @@
"Pinned Messages": "Angeheftete Nachrichten",
"%(senderName)s changed the pinned messages for the room.": "%(senderName)s hat die angehefteten Nachrichten für diesen Raum geändert.",
"Jump to read receipt": "Zur Lesebestätigung springen",
"Message Pinning": "Nachricht-Anheftung",
"Message Pinning": "Anheften von Nachrichten",
"Publish this community on your profile": "Diese Community in deinem Profil veröffentlichen",
"Long Description (HTML)": "Lange Beschreibung (HTML)",
"Jump to message": "Zur Nachricht springen",
"No pinned messages.": "Keine angehefteten Nachrichten.",
"No pinned messages.": "Keine angehefteten Nachrichten vorhanden.",
"Loading...": "Lade...",
"Unpin Message": "Nachricht losheften",
"Unpin Message": "Nachricht nicht mehr anheften",
"Unnamed room": "Unbenannter Raum",
"World readable": "Lesbar für die Welt",
"World readable": "Lesbar für alle",
"Guests can join": "Gäste können beitreten",
"No rooms to show": "Keine Räume anzuzeigen",
"No rooms to show": "Keine anzeigbaren Räume",
"Community Settings": "Community-Einstellungen",
"Community Member Settings": "Community-Mitglieder-Einstellungen"
"Community Member Settings": "Community-Mitglieder-Einstellungen",
"Who would you like to add to this community?": "Wen möchtest du zu dieser Community hinzufügen?",
"Warning: any person you add to a community will be publicly visible to anyone who knows the community ID": "Warnung: Jede Person, die du einer Community hinzufügst, wird für alle, die die Community-ID kennen, öffentlich sichtbar sein",
"Invite new community members": "Neue Community-Mitglieder einladen",
"Invite to Community": "In die Community einladen",
"Which rooms would you like to add to this community?": "Welche Räume möchtest du zu dieser Community hinzufügen?",
"Warning: any room you add to a community will be publicly visible to anyone who knows the community ID": "Warnung: Jeder Raum, den du zu einer Community hinzufügst, wird für alle, die die Community-ID kennen, öffentlich sichtbar sein",
"Add rooms to the community": "Räume zur Community hinzufügen",
"Add to community": "Zur Community hinzufügen",
"Your community invitations have been sent.": "Deine Community-Einladungen wurden gesendet.",
"Failed to invite users to community": "Benutzer konnten nicht in die Community eingeladen werden",
"Communities": "Communities",
"Invalid community ID": "Ungültige Community-ID",
"'%(groupId)s' is not a valid community ID": "'%(groupId)s' ist keine gültige Community-ID",
"Related Communities": "Verknüpfte Communities",
"Related communities for this room:": "Verknüpfte Communities für diesen Raum:",
"This room has no related communities": "Dieser Raum hat keine verknüpften Communities",
"New community ID (e.g. +foo:%(localDomain)s)": "Neue Community-ID (z. B. +foo:%(localDomain)s)",
"Remove from community": "Aus Community entfernen",
"Failed to remove user from community": "Entfernen des Benutzers aus der Community fehlgeschlagen",
"Filter community members": "Community-Mitglieder filtern",
"Filter community rooms": "Community-Räume filtern",
"Failed to remove room from community": "Entfernen des Raumes aus der Community fehlgeschlagen",
"Removing a room from the community will also remove it from the community page.": "Ein Entfernen eines Raumes aus der Community wird ihn auch von der Community-Seite entfernen.",
"Community IDs may only contain alphanumeric characters": "Community-IDs dürfen nur alphanumerische Zeichen enthalten",
"Create Community": "Community erstellen",
"Community Name": "Community-Name",
"Community ID": "Community-ID",
"example": "Beispiel",
"Add rooms to the community summary": "Fügt Räume zur Community-Übersicht hinzu",
"Add users to the community summary": "Fügt Benutzer zur Community-Übersicht hinzu",
"Failed to update community": "Aktualisieren der Community fehlgeschlagen",
"Leave Community": "Community verlassen",
"Add rooms to this community": "Räume zu dieser Community hinzufügen",
"%(inviter)s has invited you to join this community": "%(inviter)s hat dich in diese Community eingeladen",
"You are a member of this community": "Du bist ein Mitglied dieser Community",
"You are an administrator of this community": "Du bist ein Administrator dieser Community",
"Community %(groupId)s not found": "Community '%(groupId)s' nicht gefunden",
"This Home server does not support communities": "Dieser Heimserver unterstützt keine Communities",
"Failed to load %(groupId)s": "'%(groupId)s' konnte nicht geladen werden",
"Error whilst fetching joined communities": "Fehler beim Laden beigetretener Communities",
"Create a new community": "Neue Community erstellen",
"Create a community to represent your community! Define a set of rooms and your own custom homepage to mark out your space in the Matrix universe.": "Erzeuge eine Community um deine Community zu repräsentieren! Definiere eine Menge von Räumen und deine eigene angepasste Startseite um dein Revier im Matrix-Universum zu markieren.",
"Join an existing community": "Einer bestehenden Community beitreten",
"To join an existing community you'll have to know its community identifier; this will look something like <i>+example:matrix.org</i>.": "Um einer bereits bestehenden Community beitreten zu können, musst dir deren Community-ID bekannt sein. Diese sieht z. B. aus wie <i>+example:matrix.org</i>.",
"Your Communities": "Deine Communities",
"You're not currently a member of any communities.": "Du bist aktuell kein Mitglied einer Community.",
"Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.": "Erzeuge eine Community um Nutzer und Räume zu gruppieren! Erzeuge eine angepasste Homepage um dein Revier im Matrix-Universum zu markieren.",
"Something went wrong whilst creating your community": "Beim Erstellen deiner Community ist ein Fehler aufgetreten",
"%(names)s and %(count)s others are typing|other": "%(names)s und %(count)s weitere schreiben",
"And %(count)s more...|other": "Und %(count)s weitere...",
"Delete Widget": "Widget löschen",
"Message removed": "Nachricht entfernt",
"Mention": "Erwähnen",
"Invite": "Einladen",
"Remove this room from the community": "Diesen Raum aus der Community entfernen",
"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 das Widget für alle Benutzer in diesem Raum. Möchtest du dieses Widget wirklich löschen?",
"Mirror local video feed": "Lokalen Video-Feed spiegeln",
"Failed to withdraw invitation": "Die Einladung konnte nicht zurückgezogen werden",
"Community IDs may only contain characters a-z, 0-9, or '=_-./'": "Community-IDs dürfen nur die folgenden Zeichen enthalten: a-z, 0-9, or '=_-./'",
"%(senderName)s sent an image": "%(senderName)s hat ein Bild gesendet",
"%(senderName)s sent a video": "%(senderName)s hat ein Video gesendet",
"%(senderName)s uploaded a file": "%(senderName)s hat eine Datei hochgeladen",
"You have been banned from this room by %(userName)s.": "%(userName)s hat dich aus diesem Raum verbannt.",
"%(nameList)s %(transitionList)s": "%(nameList)s %(transitionList)s",
"%(severalUsers)sjoined %(count)s times|other": "%(severalUsers)shaben den Raum %(count)s-mal betreten",
"%(severalUsers)sjoined %(count)s times|one": "%(severalUsers)shaben den Raum betreten",
"%(oneUser)sjoined %(count)s times|other": "%(oneUser)shat den Raum %(count)s-mal betreten",
"%(oneUser)sjoined %(count)s times|one": "%(oneUser)shat den Raum betreten",
"%(severalUsers)sleft %(count)s times|other": "%(severalUsers)shaben den Raum %(count)s-mal verlassen",
"%(severalUsers)sleft %(count)s times|one": "%(severalUsers)shaben den Raum verlassen",
"%(oneUser)sleft %(count)s times|other": "%(oneUser)shat den Raum %(count)s-mal verlassen",
"%(oneUser)sleft %(count)s times|one": "%(oneUser)shat den Raum verlassen",
"%(severalUsers)sjoined and left %(count)s times|other": "%(severalUsers)shaben %(count)s-mal den Raum betreten und verlassen",
"%(severalUsers)sjoined and left %(count)s times|one": "%(severalUsers)shaben den Raum betreten und wieder verlassen",
"%(oneUser)sjoined and left %(count)s times|other": "%(oneUser)shat den Raum %(count)s-mal betreten und wieder verlassen",
"%(oneUser)sjoined and left %(count)s times|one": "%(oneUser)shat den Raum betreten und wieder verlassen",
"%(severalUsers)sleft and rejoined %(count)s times|other": "%(severalUsers)shaben den Raum %(count)s-mal verlassen und wieder betreten",
"%(severalUsers)sleft and rejoined %(count)s times|one": "%(severalUsers)shaben den Raum verlassen und wieder betreten",
"%(oneUser)sleft and rejoined %(count)s times|other": "%(oneUser)shat den Raum %(count)s-mal verlassen und wieder betreten",
"%(oneUser)sleft and rejoined %(count)s times|one": "%(oneUser)shat den Raum verlassen und wieder betreten",
"%(severalUsers)srejected their invitations %(count)s times|one": "%(severalUsers)shaben ihre Einladungen abgelehnt",
"%(severalUsers)shad their invitations withdrawn %(count)s times|other": "%(severalUsers)swurde die Einladung %(count)s-mal wieder entzogen",
"%(severalUsers)shad their invitations withdrawn %(count)s times|one": "%(severalUsers)swurde die Einladung wieder entzogen",
"were invited %(count)s times|other": "wurden %(count)s-mal eingeladen",
"were invited %(count)s times|one": "wurden eingeladen",
"was invited %(count)s times|other": "wurde %(count)s-mal eingeladen",
"was invited %(count)s times|one": "wurde eingeladen",
"were banned %(count)s times|other": "wurden %(count)s-mal verbannt",
"were banned %(count)s times|one": "wurden verbannt",
"was banned %(count)s times|other": "wurde %(count)s-mal verbannt",
"was banned %(count)s times|one": "wurde verbannt",
"were kicked %(count)s times|other": "wurden %(count)s-mal gekickt",
"were kicked %(count)s times|one": "wurden gekickt",
"was kicked %(count)s times|other": "wurde %(count)s-mal gekickt",
"was kicked %(count)s times|one": "wurde gekickt",
"%(severalUsers)schanged their name %(count)s times|other": "%(severalUsers)shaben %(count)s-mal ihren Namen geändert",
"%(severalUsers)schanged their name %(count)s times|one": "%(severalUsers)shaben ihren Namen geändert",
"%(oneUser)schanged their name %(count)s times|other": "%(oneUser)shat %(count)s-mal den Namen geändert",
"%(severalUsers)schanged their avatar %(count)s times|other": "%(severalUsers)shaben das Profilbild %(count)s-mal geändert",
"%(severalUsers)schanged their avatar %(count)s times|one": "%(severalUsers)shaben das Profilbild geändert",
"%(oneUser)schanged their avatar %(count)s times|other": "%(oneUser)shat das Profilbild %(count)s-mal geändert",
"%(oneUser)schanged their avatar %(count)s times|one": "%(oneUser)shat das Profilbild geändert",
"%(names)s and %(count)s others are typing|one": "%(names)s und eine weitere Person schreiben",
"Disinvite this user?": "Einladung für diesen Benutzer zurückziehen?",
"Kick this user?": "Diesen Benutzer kicken?",
"Unban this user?": "Verbannung dieses Benutzers aufheben?",
"Ban this user?": "Diesen Benutzer verbannen?",
"Drop here to favourite": "Hierher ziehen, um als Favorit zu markieren",
"Drop here to tag direct chat": "Hierher ziehen, um als Direkt-Chat zu markieren",
"Drop here to restore": "Hierher ziehen zum Wiederherstellen",
"Drop here to demote": "Hier loslassen um zurückzustufen",
"You have been kicked from this room by %(userName)s.": "Du wurdest von %(userName)s aus diesem Raum gekickt.",
"You are trying to access a room.": "Du versuchst, auf einen Raum zuzugreifen.",
"Members only (since the point in time of selecting this option)": "Nur Mitglieder (ab dem Zeitpunkt, an dem diese Option ausgewählt wird)",
"Members only (since they were invited)": "Nur Mitglieder (ab dem Zeitpunkt, an dem sie eingeladen wurden)",
"Members only (since they joined)": "Nur Mitglieder (ab dem Zeitpunkt, an dem sie beigetreten sind)",
"An email has been sent to %(emailAddress)s": "Eine E-Mail wurde an %(emailAddress)s gesendet",
"A text message has been sent to %(msisdn)s": "Eine Textnachricht wurde an %(msisdn)s gesendet",
"Disinvite this user from community?": "Community-Einladung für diesen Benutzer zurückziehen?",
"Remove this user from community?": "Diesen Benutzer aus der Community entfernen?",
"%(severalUsers)srejected their invitations %(count)s times|other": "%(severalUsers)shaben ihre Einladungen %(count)s-mal abgelehnt",
"%(oneUser)srejected their invitation %(count)s times|other": "%(oneUser)shat die Einladung %(count)s-mal abgelehnt",
"%(oneUser)srejected their invitation %(count)s times|one": "%(oneUser)shat die Einladung abgelehnt",
"%(oneUser)shad their invitation withdrawn %(count)s times|other": "%(oneUser)swurde die Einladung %(count)s-mal wieder entzogen",
"%(oneUser)shad their invitation withdrawn %(count)s times|one": "%(oneUser)swurde die Einladung wieder entzogen",
"were unbanned %(count)s times|other": "wurden %(count)s-mal entbannt",
"were unbanned %(count)s times|one": "wurden entbannt",
"was unbanned %(count)s times|other": "wurde %(count)s-mal entbannt",
"was unbanned %(count)s times|one": "wurde entbannt",
"%(oneUser)schanged their name %(count)s times|one": "%(oneUser)shat den Namen geändert",
"%(items)s and %(count)s others|other": "%(items)s und %(count)s andere",
"%(items)s and %(count)s others|one": "%(items)s und ein anderer",
"An email has been sent to %(emailAddress)s. Once you've followed the link it contains, click below.": "Eine E-Mail wurde an %(emailAddress)s gesendet. Folge dem in der E-Mail enthaltenen Link und klicke dann unten.",
"The visibility of '%(roomName)s' in %(groupId)s could not be updated.": "Die Sichtbarkeit von '%(roomName)s' in %(groupId)s konnte nicht aktualisiert werden.",
"Visibility in Room List": "Sichtbarkeit in Raum-Liste",
"Visible to everyone": "Für jeden sichtbar",
"Only visible to community members": "Nur für Community-Mitglieder sichtbar",
"Community Invites": "Community-Einladungen",
"Notify the whole room": "Den gesamten Raum benachrichtigen",
"Room Notification": "Raum-Benachrichtigung",
"These rooms are displayed to community members on the community page. Community members can join the rooms by clicking on them.": "Diese Räume werden Community-Mitgliedern auf der Community-Seite angezeigt. Community-Mitglieder können diesen Räumen beitreten, indem sie auf diese klicken.",
"Show these rooms to non-members on the community page and room list?": "Sollen diese Räume Nicht-Mitgliedern auf der Community-Seite und Raum-Liste gezeigt werden?",
"<h1>HTML for your community's page</h1>\n<p>\n Use the long description to introduce new members to the community, or distribute\n some important <a href=\"foo\">links</a>\n</p>\n<p>\n You can even use 'img' tags\n</p>\n": "<h1>HTML für deine Community-Seite</h1>\n<p>\n Nutze die lange Beschreibung um neuen Mitgliedern diese Community zu beschreiben\n oder um einige wichtige Informationen oder <a href=\"foo\">Links</a> festzuhalten.\n</p>\n<p>\n Du kannst auch 'img'-Tags (HTML) verwenden\n</p>\n",
"Your community hasn't got a Long Description, a HTML page to show to community members.<br />Click here to open settings and give it one!": "Deine Community hat noch keine lange Beschreibung oder eine HTML-Seite die Community-Mitgliedern gezeigt wird.<br />Klicke hier um die Einstellungen zu öffnen und ihr eine zu geben!"
}

View file

@ -1 +1,43 @@
{}
{
"This email address is already in use": "Tiu ĉi retpoŝtadreso jam estas uzata",
"This phone number is already in use": "Tiu ĉi telefona numero jam estas uzata",
"Failed to verify email address: make sure you clicked the link in the email": "Kontrolo de via retpoŝtadreso malsukcesis; certigu, ke vi alklakis la ligilon en la retletero",
"Call Timeout": "Voka Tempolimo",
"The remote side failed to pick up": "Kunvokonto malsukcesis respondi",
"Unable to capture screen": "Ekrano ne registreblas",
"You cannot place a call with yourself.": "Vi ne povas voki vin mem.",
"Warning!": "Averto!",
"Sign in with CAS": "Saluti per CAS",
"Sign in with": "Saluti per",
"Sign in": "Saluti",
"For security, this session has been signed out. Please sign in again.": "Pro sekurecaj kialoj, la seanco finiĝis. Bonvolu resaluti.",
"Upload Failed": "Alŝuto malsukcesis",
"Sun": "Dim",
"Mon": "Lun",
"Tue": "Mar",
"Wed": "Mer",
"Thu": "Ĵaŭ",
"Fri": "Ven",
"Sat": "Sab",
"Jan": "Jan",
"Feb": "Feb",
"Mar": "Mar",
"Apr": "Apr",
"May": "Maj",
"Jun": "Jun",
"Jul": "Jul",
"Aug": "Aŭg",
"Sep": "Sep",
"Oct": "Okt",
"Nov": "Nov",
"Dec": "Dec",
"PM": "ptm",
"AM": "atm",
"%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s",
"%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s, %(monthName)s %(day)s %(time)s",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(fullYear)s %(monthName)s %(day)s %(time)s",
"Who would you like to add to this community?": "Kiun vi volas aldoni al tiu ĉi komunumo?",
"Invite new community members": "Invitu novajn komunumanojn",
"Name or matrix ID": "Nomo aŭ Matrix-identigilo",
"Invite to Community": "Inviti al komunumo"
}

View file

@ -370,7 +370,7 @@
"Warning!": "Attention !",
"Who can access this room?": "Qui peut accéder au salon ?",
"Who can read history?": "Qui peut lire l'historique ?",
"Who would you like to add to this room?": "Qui voulez-vous inviter dans ce salon ?",
"Who would you like to add to this room?": "Qui voulez-vous ajouter à ce salon ?",
"Who would you like to communicate with?": "Avec qui voulez-vous communiquer ?",
"%(senderName)s withdrew %(targetName)s's invitation.": "%(senderName)s a annulé linvitation de %(targetName)s.",
"You are already in a call.": "Vous avez déjà un appel en cours.",
@ -433,7 +433,7 @@
"There are no visible files in this room": "Il n'y a pas de fichier visible dans ce salon",
"Room": "Salon",
"Connectivity to the server has been lost.": "La connectivité au serveur a été perdue.",
"Sent messages will be stored until your connection has returned.": "Les messages envoyés seront stockés jusquà ce que votre connection revienne.",
"Sent messages will be stored until your connection has returned.": "Les messages envoyés seront stockés jusquà ce que votre connexion revienne.",
"Cancel": "Annuler",
"Active call": "Appel en cours",
"code": "code",
@ -774,5 +774,228 @@
"Failed to copy": "Échec de la copie",
"Verifies a user, device, and pubkey tuple": "Vérifie un utilisateur, un appareil et une clé publique",
"%(widgetName)s widget modified by %(senderName)s": "Widget %(widgetName)s modifié par %(senderName)s",
"Robot check is currently unavailable on desktop - please use a <a>web browser</a>": "La vérification robot n'est pas encore disponible pour le bureau - veuillez utiliser un <a>navigateur</a>"
"Robot check is currently unavailable on desktop - please use a <a>web browser</a>": "La vérification robot n'est pas encore disponible pour le bureau - veuillez utiliser un <a>navigateur</a>",
"Who would you like to add to this community?": "Qui souhaitez-vous ajouter à cette communauté ?",
"Warning: any person you add to a community will be publicly visible to anyone who knows the community ID": "Attention : toute personne ajoutée à une communauté sera visible par tous ceux connaissant l'identifiant de la communauté",
"Invite new community members": "Inviter de nouveaux membres dans cette communauté",
"Name or matrix ID": "Nom ou identifiant matrix",
"Which rooms would you like to add to this community?": "Quels salons souhaitez-vous ajouter à cette communauté ?",
"Warning: any room you add to a community will be publicly visible to anyone who knows the community ID": "Attention : tout salon ajouté à une communauté est visible par quiconque connaissant l'identifiant de la communauté",
"Add rooms to the community": "Ajouter des salons à la communauté",
"Room name or alias": "Nom du salon ou alias",
"Add to community": "Ajouter à la communauté",
"Failed to invite the following users to %(groupId)s:": "Échec de l'invitation des utilisateurs à %(groupId)s :",
"Failed to invite users to community": "Échec de l'invitation d'utilisateurs à la communauté",
"Failed to invite users to %(groupId)s": "Échec de l'invitation d'utilisateurs à %(groupId)s",
"Failed to add the following rooms to %(groupId)s:": "Échec de l'ajout des salons suivants à %(groupId)s :",
"Ignored user": "Utilisateur ignoré",
"You are now ignoring %(userId)s": "Dorénavant vous ignorez %(userId)s",
"Unignored user": "Utilisateur n'étant plus ignoré",
"You are no longer ignoring %(userId)s": "Vous n'ignorez plus %(userId)s",
"Invite to Community": "Inviter dans la Communauté",
"Communities": "Communautés",
"Message Pinning": "Épingler un message",
"Mention": "Mentionner",
"Unignore": "Ne plus ignorer",
"Ignore": "Ignorer",
"Invite": "Inviter",
"User Options": "Options d'utilisateur",
"Admin Tools": "Outils d'administration",
"Unpin Message": "Dépingler le message",
"Jump to message": "Aller au message",
"No pinned messages.": "Aucun message épinglé.",
"Loading...": "Chargement...",
"Pinned Messages": "Messages épinglés",
"Unknown": "Inconnu",
"Unnamed room": "Salon sans nom",
"No rooms to show": "Aucun salon à afficher",
"Remove avatar": "Supprimer l'avatar",
"To change the room's avatar, you must be a": "Pour modifier l'avatar du salon, vous devez être un",
"To change the room's name, you must be a": "Pour changer le nom du salon, vous devez être un",
"To change the room's main address, you must be a": "Pour changer l'adresse principale du salon, vous devez être un",
"To change the room's history visibility, you must be a": "Pour changer la visibilité de l'historique d'un salon, vous devez être un",
"To change the permissions in the room, you must be a": "Pour changer les autorisations du salon, vous devez être un",
"To change the topic, you must be a": "Pour changer le sujet, vous devez être un",
"To modify widgets in the room, you must be a": "Pour modifier les widgets, vous devez être un",
"Banned by %(displayName)s": "Banni par %(displayName)s",
"To send messages, you must be a": "Pour envoyer des messages, vous devez être un",
"%(senderName)s changed the pinned messages for the room.": "%(senderName)s a changé les messages épinglés du salon.",
"%(names)s and %(count)s others are typing|other": "%(names)s et %(count)s autres écrivent",
"Jump to read receipt": "Aller à l'accusé de lecture",
"World readable": "Lisible publiquement",
"Guests can join": "Les invités peuvent rejoindre le salon",
"To invite users into the room, you must be a": "Pour inviter des utilisateurs dans le salon, vous devez être un",
"To configure the room, you must be a": "Pour configurer le salon, vous devez être un",
"To kick users, you must be a": "Pour exclure des utilisateurs, vous devez être un",
"To ban users, you must be a": "Pour bannir des utilisateurs, vous devez être un",
"To remove other users' messages, you must be a": "Pour supprimer les messages d'autres utilisateurs, vous devez être un",
"To send events of type <eventType/>, you must be a": "Pour envoyer des évènements du type <eventType/>, vous devez être un",
"Invalid community ID": "Identifiant de communauté non valide",
"'%(groupId)s' is not a valid community ID": "\"%(groupId)s\" n'est pas un identifiant de communauté valide",
"Related Communities": "Communautés associées",
"Related communities for this room:": "Communautés associées à ce salon :",
"This room has no related communities": "Ce salon n'est associé à aucune communauté",
"%(names)s and %(count)s others are typing|one": "%(names)s et un autre écrivent",
"%(senderName)s sent an image": "%(senderName)s a envoyé une image",
"%(senderName)s sent a video": "%(senderName)s a envoyé une vidéo",
"%(senderName)s uploaded a file": "%(senderName)s a transféré un fichier",
"Disinvite this user?": "Désinviter l'utilisateur ?",
"Kick this user?": "Exclure cet utilisateur ?",
"Unban this user?": "Révoquer le bannissement de cet utilisateur ?",
"Ban this user?": "Bannir cet utilisateur ?",
"Drop here to favourite": "Déposer ici pour mettre en favori",
"Drop here to tag direct chat": "Déposer ici pour marquer comme conversation directe",
"Drop here to restore": "Déposer ici pour restaurer",
"Drop here to demote": "Déposer ici pour rétrograder",
"You have been kicked from this room by %(userName)s.": "Vous avez été exclu de ce salon par %(userName)s.",
"You have been banned from this room by %(userName)s.": "Vous avez été banni de ce salon par %(userName)s.",
"You are trying to access a room.": "Vous essayez d'accéder à un salon.",
"Members only (since the point in time of selecting this option)": "Seulement les membres (depuis la sélection de cette option)",
"Members only (since they were invited)": "Seulement les membres (depuis leur invitation)",
"Members only (since they joined)": "Seulement les membres (depuis leur arrivée)",
"New community ID (e.g. +foo:%(localDomain)s)": "Nouvel identifiant de communauté (par ex. +foo:%(localDomain)s)",
"Message removed by %(userId)s": "Message supprimé par %(userId)s",
"Message removed": "Message supprimé",
"An email has been sent to %(emailAddress)s": "Un e-mail a été envoyé à %(emailAddress)s",
"A text message has been sent to %(msisdn)s": "Un message a été envoyé à %(msisdn)s",
"Remove from community": "Supprimer de la communauté",
"Disinvite this user from community?": "Désinviter cet utilisateur de la communauté ?",
"Remove this user from community?": "Supprimer cet utilisateur de la communauté ?",
"Failed to withdraw invitation": "Échec de l'annulation de l'invitation",
"Failed to remove user from community": "Échec de la suppression de l'utilisateur de la communauté",
"Filter community members": "Filtrer les membres de la communauté",
"Filter community rooms": "Filtrer les salons de la communauté",
"Failed to remove room from community": "Échec de la suppression du salon de la communauté",
"Failed to remove '%(roomName)s' from %(groupId)s": "Échec de la suppression de \"%(roomName)s\" de %(groupId)s",
"Are you sure you want to remove '%(roomName)s' from %(groupId)s?": "Voulez-vous vraiment supprimer \"%(roomName)s\" de %(groupId)s ?",
"Removing a room from the community will also remove it from the community page.": "Supprimer un salon de la communauté le supprimera aussi de la page de la communauté.",
"Remove this room from the community": "Supprimer ce salon de la communauté",
"Delete Widget": "Supprimer le widget",
"Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Supprimer un widget le supprime pour tous les utilisateurs du salon. Voulez-vous vraiment supprimer ce widget ?",
"%(nameList)s %(transitionList)s": "%(nameList)s %(transitionList)s",
"%(severalUsers)sjoined %(count)s times|other": "%(severalUsers)s ont rejoint le salon %(count)s fois",
"%(severalUsers)sjoined %(count)s times|one": "%(severalUsers)s ont rejoint le salon",
"%(oneUser)sjoined %(count)s times|other": "%(oneUser)s a rejoint le salon %(count)s fois",
"%(oneUser)sjoined %(count)s times|one": "%(oneUser)s a rejoint le salon",
"%(severalUsers)sleft %(count)s times|other": "%(severalUsers)s sont partis %(count)s fois",
"%(severalUsers)sleft %(count)s times|one": "%(severalUsers)s sont partis",
"%(oneUser)sleft %(count)s times|other": "%(oneUser)s est parti %(count)s fois",
"%(oneUser)sleft %(count)s times|one": "%(oneUser)s est parti",
"%(severalUsers)sjoined and left %(count)s times|other": "%(severalUsers)s ont rejoint le salon et en sont partis %(count)s fois",
"%(severalUsers)sjoined and left %(count)s times|one": "%(severalUsers)s ont rejoint le salon et en sont partis",
"%(oneUser)sjoined and left %(count)s times|other": "%(oneUser)s a rejoint le salon et en est parti %(count)s fois",
"%(oneUser)sjoined and left %(count)s times|one": "%(oneUser)s a rejoint le salon et en est parti",
"%(severalUsers)sleft and rejoined %(count)s times|other": "%(severalUsers)s sont partis et revenus %(count)s fois",
"%(severalUsers)sleft and rejoined %(count)s times|one": "%(severalUsers)s sont partis et revenus",
"%(oneUser)sleft and rejoined %(count)s times|other": "%(oneUser)s est parti et revenu %(count)s fois",
"%(oneUser)sleft and rejoined %(count)s times|one": "%(oneUser)s est parti et revenu",
"%(severalUsers)srejected their invitations %(count)s times|other": "%(severalUsers)s ont décliné leur invitation %(count)s fois",
"%(severalUsers)srejected their invitations %(count)s times|one": "%(severalUsers)s ont décliné leur invitation",
"%(oneUser)srejected their invitation %(count)s times|other": "%(oneUser)s a décliné son invitation %(count)s fois",
"%(oneUser)srejected their invitation %(count)s times|one": "%(oneUser)s a décliné son invitation",
"%(severalUsers)shad their invitations withdrawn %(count)s times|other": "%(severalUsers)s ont vu leur invitation révoquée %(count)s fois",
"%(severalUsers)shad their invitations withdrawn %(count)s times|one": "%(severalUsers)s ont vu leur invitation révoquée",
"%(oneUser)shad their invitation withdrawn %(count)s times|other": "%(oneUser)s a vu son invitation révoquée %(count)s fois",
"%(oneUser)shad their invitation withdrawn %(count)s times|one": "%(oneUser)s a vu son invitation révoquée",
"were invited %(count)s times|other": "ont été invités %(count)s fois",
"were invited %(count)s times|one": "ont été invités",
"was invited %(count)s times|other": "a été invité %(count)s fois",
"was invited %(count)s times|one": "a été invité",
"were banned %(count)s times|other": "ont été bannis %(count)s fois",
"were banned %(count)s times|one": "ont été bannis",
"was banned %(count)s times|other": "a été banni %(count)s fois",
"was banned %(count)s times|one": "a été banni",
"were unbanned %(count)s times|other": "ont vu leur bannissement révoqué %(count)s fois",
"were unbanned %(count)s times|one": "ont vu leur bannissement révoqué",
"was unbanned %(count)s times|other": "a vu son bannissement révoqué %(count)s fois",
"was unbanned %(count)s times|one": "a vu son bannissement révoqué",
"were kicked %(count)s times|other": "ont été exclus %(count)s fois",
"were kicked %(count)s times|one": "ont été exclus",
"was kicked %(count)s times|other": "a été exclu %(count)s fois",
"was kicked %(count)s times|one": "a été exclu",
"%(severalUsers)schanged their name %(count)s times|other": "%(severalUsers)s ont changé de nom %(count)s fois",
"%(severalUsers)schanged their name %(count)s times|one": "%(severalUsers)s ont changé de nom",
"%(oneUser)schanged their name %(count)s times|other": "%(oneUser)s a changé de nom %(count)s fois",
"%(oneUser)schanged their name %(count)s times|one": "%(oneUser)s a changé de nom",
"%(severalUsers)schanged their avatar %(count)s times|other": "%(severalUsers)s ont changé d'avatar %(count)s fois",
"%(severalUsers)schanged their avatar %(count)s times|one": "%(severalUsers)s ont changé d'avatar",
"%(oneUser)schanged their avatar %(count)s times|other": "%(oneUser)s a changé d'avatar %(count)s fois",
"%(oneUser)schanged their avatar %(count)s times|one": "%(oneUser)s a changé d'avatar",
"%(items)s and %(count)s others|other": "%(items)s et %(count)s autres",
"%(items)s and %(count)s others|one": "%(items)s et un autre",
"And %(count)s more...|other": "Et %(count)s autres...",
"Matrix ID": "Identifiant Matrix",
"Matrix Room ID": "Identifiant de salon Matrix",
"email address": "adresse e-mail",
"Try using one of the following valid address types: %(validTypesList)s.": "Essayez d'utiliser un des types d'adresse valide suivants : %(validTypesList)s.",
"You have entered an invalid address.": "L'adresse saisie n'est pas valide.",
"Community IDs may only contain characters a-z, 0-9, or '=_-./'": "Les identifiants de communauté ne peuvent contenir que les caractères a-z, 0-9 ou '=_-./'",
"Something went wrong whilst creating your community": "Une erreur est survenue lors de la création de votre communauté",
"Create Community": "Créer une communauté",
"Community Name": "Nom de la communauté",
"Community ID": "Identifiant de la communauté",
"example": "exemple",
"Advanced options": "Options avancées",
"Block users on other matrix homeservers from joining this room": "Empêcher les utilisateurs d'autres serveurs d'accueil Matrix de rejoindre ce salon",
"This setting cannot be changed later!": "Ce paramètre ne peut pas être changé plus tard !",
"Add rooms to the community summary": "Ajouter des salons au sommaire de la communauté",
"Which rooms would you like to add to this summary?": "Quels salons souhaitez-vous ajouter à ce sommaire ?",
"Add to summary": "Ajouter au sommaire",
"Failed to add the following rooms to the summary of %(groupId)s:": "Échec de l'ajout des salons suivants au sommaire de %(groupId)s :",
"Add a Room": "Ajouter un salon",
"Failed to remove the room from the summary of %(groupId)s": "Échec de la suppression du salon du sommaire de %(groupId)s",
"The room '%(roomName)s' could not be removed from the summary.": "Le salon \"%(roomName)s\" n'a pas pu être supprimé du sommaire.",
"Add users to the community summary": "Ajouter des utilisateurs au sommaire de la communauté",
"Who would you like to add to this summary?": "Qui souhaitez-vous ajouter à ce sommaire ?",
"Failed to add the following users to the summary of %(groupId)s:": "Échec de l'ajout des utilisateurs suivants au sommaire de %(groupId)s :",
"Add a User": "Ajouter un utilisateur",
"Failed to remove a user from the summary of %(groupId)s": "Échec de la suppression d'un utilisateur du sommaire de %(groupId)s",
"The user '%(displayName)s' could not be removed from the summary.": "L'utilisateur \"%(displayName)s\" n'a pas pu être supprimé du sommaire.",
"Failed to update community": "Échec de la mise à jour de la communauté",
"Unable to accept invite": "Impossible d'accepter l'invitation",
"Unable to reject invite": "Impossible de décliner l'invitation",
"Leave Community": "Quitter la communauté",
"Leave %(groupName)s?": "Quitter %(groupName)s ?",
"Leave": "Quitter",
"Unable to leave room": "Impossible de partir du salon",
"Community Settings": "Paramètres de la communauté",
"Add rooms to this community": "Ajouter des salons à cette communauté",
"%(inviter)s has invited you to join this community": "%(inviter)s vous a invité à rejoindre cette communauté",
"You are an administrator of this community": "Vous êtes un(e) administrateur(trice) de cette communauté",
"You are a member of this community": "Vous êtes un membre de cette communauté",
"Community Member Settings": "Paramètres de membre de la communauté",
"Publish this community on your profile": "Publier cette communauté sur votre profil",
"Long Description (HTML)": "Description longue (HTML)",
"Description": "Description",
"Community %(groupId)s not found": "Communauté %(groupId)s non trouvée",
"This Home server does not support communities": "Ce serveur d'accueil ne prend pas en charge les communautés",
"Failed to load %(groupId)s": "Échec du chargement de %(groupId)s",
"Your Communities": "Vos communautés",
"You're not currently a member of any communities.": "Vous n'ếtes actuellement membre d'aucune communauté.",
"Error whilst fetching joined communities": "Erreur lors de l'obtention des communautés rejointes",
"Create a new community": "Créer une nouvelle communauté",
"Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.": "Créez une communauté pour grouper des utilisateurs et des salons ! Construisez une page d'accueil personnalisée pour distinguer votre espace dans l'univers Matrix.",
"Join an existing community": "Rejoindre une communauté existante",
"To join an existing community you'll have to know its community identifier; this will look something like <i>+example:matrix.org</i>.": "Pour rejoindre une communauté existante, vous devrez connaître son identifiant. Cela ressemblera à <i>+exemple:matrix.org</i>.",
"There's no one else here! Would you like to <a>invite others</a> or <a>stop warning about the empty room</a>?": "Il n'y a personne d'autre ici ! Voulez-vous <a>inviter d'autres personnes</a> ou <a>ne plus être notifié de ce salon vide</a> ?",
"Disable Emoji suggestions while typing": "Désactiver les suggestions d'emojis lors de la saisie",
"Disable big emoji in chat": "Désactiver les gros emojis dans les discussions",
"Mirror local video feed": "Refléter le flux vidéo local",
"Light theme": "Thème clair",
"Dark theme": "Thème sombre",
"Ignored Users": "Utilisateurs ignorés",
"An email has been sent to %(emailAddress)s. Once you've followed the link it contains, click below.": "Un e-mail a été envoyé à %(emailAddress)s. Après avoir suivi le lien présent dans celui-ci, cliquez ci-dessous.",
"Ignores a user, hiding their messages from you": "Ignore un utilisateur, en masquant ses messages",
"Stops ignoring a user, showing their messages going forward": "N'ignore plus un utilisateur, en affichant ses messages à partir de maintenant",
"The visibility of '%(roomName)s' in %(groupId)s could not be updated.": "La visibilité de \"%(roomName)s\" dans %(groupId)s n'a pas pu être mise à jour.",
"Visibility in Room List": "Visibilité dans la liste des salons",
"Visible to everyone": "Visible pour tout le monde",
"Only visible to community members": "Visible uniquement par les membres de la communauté",
"Community Invites": "Invitations de communauté",
"Notify the whole room": "Notifier tout le salon",
"Room Notification": "Notification du salon",
"These rooms are displayed to community members on the community page. Community members can join the rooms by clicking on them.": "Ces salons sont affichés aux membres de la communauté sur la page de la communauté. Les membres de la communauté peuvent rejoindre ces salons en cliquant dessus.",
"<h1>HTML for your community's page</h1>\n<p>\n Use the long description to introduce new members to the community, or distribute\n some important <a href=\"foo\">links</a>\n</p>\n<p>\n You can even use 'img' tags\n</p>\n": "<h1>HTML pour votre page de communauté</h1>\n<p>\n Utilisez la description longue pour présenter la communauté aux nouveaux membres\n ou pour diffuser des <a href=\"foo\">liens</a> importants\n</p>\n<p>\n Vous pouvez même utiliser des balises \"img\"\n</p>\n",
"Your community hasn't got a Long Description, a HTML page to show to community members.<br />Click here to open settings and give it one!": "Votre communauté n'a pas de description longue, une page HTML à montrer aux membres de la communauté.<br />Cliquez ici pour ouvrir les réglages et créez-la !",
"Show these rooms to non-members on the community page and room list?": "Afficher ces salons aux non-membres sur la page de communauté et la liste des salons ?"
}

18
src/i18n/strings/gl.json Normal file
View file

@ -0,0 +1,18 @@
{
"This email address is already in use": "Este enderezo de correo xa está a ser utilizado",
"This phone number is already in use": "Este número de teléfono xa está a ser utilizado",
"Failed to verify email address: make sure you clicked the link in the email": "Fallo na verificación do enderezo de correo: asegúrese de ter picado na ligazón do correo",
"The remote side failed to pick up": "O interlocutor non respondeu",
"Unable to capture screen": "Non se puido pillar a pantalla",
"Existing Call": "Chamada existente",
"You are already in a call.": "Xa está nunha chamada.",
"VoIP is unsupported": "VoIP non admitida",
"You cannot place VoIP calls in this browser.": "Non pode establecer chamadas VoIP en este navegador.",
"You cannot place a call with yourself.": "Non pode chamarse a vostede mesma.",
"Conference calls are not supported in this client": "Non pode establecer chamadas de Reunión en este cliente",
"Conference calls are not supported in encrypted rooms": "Nas salas cifradas non se pode establecer Chamadas de Reunión",
"Warning!": "Aviso!",
"Conference calling is in development and may not be reliable.": "As chamadas de Reunión poderían non ser totalmente estables xa que están en desenvolvemento.",
"Failed to set up conference call": "Fallo ao establecer a chamada de reunión",
"Conference call failed.": "Fallo na chamada de reunión."
}

View file

@ -312,7 +312,7 @@
"Reason: %(reasonText)s": "Ok: %(reasonText)s",
"Revoke Moderator": "Moderátor visszahívása",
"Refer a friend to Riot:": "Ismerős meghívása a Riotba:",
"Register": "Regisztráció",
"Register": "Regisztrál",
"%(targetName)s rejected the invitation.": "%(targetName)s elutasította a meghívót.",
"Reject invitation": "Meghívó elutasítása",
"Rejoin": "Újracsatlakozás",
@ -799,7 +799,7 @@
"To ban users, you must be a": "Felhasználó kizárásához ilyen szinten kell lenned:",
"To remove other users' messages, you must be a": "Más üzenetének a törléséhez ilyen szinten kell lenned:",
"To send events of type <eventType/>, you must be a": "<eventType/> esemény küldéséhez ilyen szinten kell lenned:",
"To change the room's avatar, you must be a": "A szoba avatar-jának a megváltoztatásához ilyen szinten kell lenned:",
"To change the room's avatar, you must be a": "A szoba avatarjának a megváltoztatásához ilyen szinten kell lenned:",
"To change the room's name, you must be a": "A szoba nevének megváltoztatásához ilyen szinten kell lenned:",
"To change the room's main address, you must be a": "A szoba elsődleges címének a megváltoztatásához ilyen szinten kell lenned:",
"To change the room's history visibility, you must be a": "A szoba naplója elérhetőségének a megváltoztatásához ilyen szinten kell lenned:",
@ -902,5 +902,104 @@
"To join an existing community you'll have to know its community identifier; this will look something like <i>+example:matrix.org</i>.": "Ahhoz hogy csatlakozni tudj egy meglévő közösséghez ismerned kell a közösségi azonosítót ami például így nézhet ki: <i>+pelda:matrix.org</i>.",
"example": "példa",
"Failed to load %(groupId)s": "Nem sikerült betölteni: %(groupId)s",
"Your Communities": "Közösségeid"
"Your Communities": "Közösségeid",
"You're not currently a member of any communities.": "Nem vagy tagja egyetlen közösségnek sem.",
"Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.": "Készíts közösséget hogy egybegyűjtsd a felhasználókat és szobákat! Készíts egy saját kezdőlapot amivel meghatározhatod magad a Matrix univerzumában.",
"%(names)s and %(count)s others are typing|other": "%(names)s és még %(count)s felhasználó gépel",
"And %(count)s more...|other": "És még %(count)s...",
"Something went wrong whilst creating your community": "Valami nem sikerült a közösség létrehozásánál",
"Mention": "Említ",
"Invite": "Meghív",
"Message removed": "Üzenet eltávolítva",
"Remove this room from the community": "A szoba törlése a közösségből",
"Delete Widget": "Kisalkalmazás törlése",
"Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "A kisalkalmazás törlése minden felhasználót érint a szobában. Tényleg törölni szeretnéd?",
"Mirror local video feed": "Helyi videó folyam tükrözése",
"Failed to withdraw invitation": "Nem sikerült visszavonni a meghívót",
"Community IDs may only contain characters a-z, 0-9, or '=_-./'": "A közösségi azonosítók csak az alábbi karaktereket tartalmazhatják: a-z, 0-9 vagy '=_-./'",
"%(names)s and %(count)s others are typing|one": "%(names)s és más ír",
"%(senderName)s sent an image": "%(senderName)s küldött egy képet",
"%(senderName)s sent a video": "%(senderName)s küldött egy videót",
"%(senderName)s uploaded a file": "%(senderName)s feltöltött egy fájlt",
"Disinvite this user?": "Visszavonod a felhasználó meghívását?",
"Kick this user?": "Kirúgod a felhasználót?",
"Unban this user?": "Visszaengeded a felhasználót?",
"Ban this user?": "Kitiltod a felhasználót?",
"Drop here to favourite": "Kedvencnek jelöléshez ejtsd ide",
"Drop here to tag direct chat": "Közvetlen csevegéshez való megjelöléshez ejtsd ide",
"Drop here to restore": "Visszaállításhoz ejtsd ide",
"Drop here to demote": "Lefokozáshoz ejtsd ide",
"You have been kicked from this room by %(userName)s.": "%(userName)s kirúgott ebből a szobából.",
"You have been banned from this room by %(userName)s.": "%(userName)s kitiltott ebből a szobából.",
"You are trying to access a room.": "Megpróbálod elérni ezt a szobát.",
"Members only (since the point in time of selecting this option)": "Csak tagok számára (a beállítás kiválasztásától)",
"Members only (since they were invited)": "Csak tagoknak (a meghívásuk idejétől)",
"Members only (since they joined)": "Csak tagoknak (amióta csatlakoztak)",
"An email has been sent to %(emailAddress)s": "E-mail-t neki küldtünk: %(emailAddress)s",
"A text message has been sent to %(msisdn)s": "Szöveges üzenetet küldtünk neki: %(msisdn)s",
"Disinvite this user from community?": "Visszavonod a felhasználó meghívóját a közösségből?",
"Remove this user from community?": "Eltávolítod a felhasználót a közösségből?",
"%(nameList)s %(transitionList)s": "%(nameList)s %(transitionList)s",
"%(severalUsers)sjoined %(count)s times|other": "%(severalUsers)s %(count)s alkalommal csatlakozott",
"%(severalUsers)sjoined %(count)s times|one": "%(severalUsers)s csatlakozott",
"%(oneUser)sjoined %(count)s times|other": "%(oneUser)s %(count)s alkalommal csatlakozott",
"%(oneUser)sjoined %(count)s times|one": "%(oneUser)s csatlakozott",
"%(severalUsers)sleft %(count)s times|other": "%(severalUsers)s %(count)s alkalommal távozott",
"%(severalUsers)sleft %(count)s times|one": "%(severalUsers)s távozott",
"%(oneUser)sleft %(count)s times|other": "%(oneUser)s %(count)s alkalommal távozott",
"%(oneUser)sleft %(count)s times|one": "%(oneUser)s távozott",
"%(severalUsers)sjoined and left %(count)s times|other": "%(severalUsers)s %(count)s alkalommal csatlakozott és távozott",
"%(severalUsers)sjoined and left %(count)s times|one": "%(severalUsers)s csatlakozott és távozott",
"%(oneUser)sjoined and left %(count)s times|other": "%(oneUser)s %(count)s alkalommal csatlakozott és távozott",
"%(oneUser)sjoined and left %(count)s times|one": "%(oneUser)s csatlakozott és távozott",
"%(severalUsers)sleft and rejoined %(count)s times|other": "%(severalUsers)s %(count)s alkalommal távozott és újra csatlakozott",
"%(severalUsers)sleft and rejoined %(count)s times|one": "%(severalUsers)s távozott és újra csatlakozott",
"%(oneUser)sleft and rejoined %(count)s times|other": "%(oneUser)s %(count)s alkalommal távozott és újra csatlakozott",
"%(oneUser)sleft and rejoined %(count)s times|one": "%(oneUser)s távozott és újra csatlakozott",
"%(severalUsers)srejected their invitations %(count)s times|other": "%(severalUsers)s %(count)s alkalommal elutasította a meghívóit",
"%(severalUsers)srejected their invitations %(count)s times|one": "%(severalUsers)s elutasította a meghívóit",
"%(oneUser)srejected their invitation %(count)s times|other": "%(oneUser)s %(count)s alkalommal elutasította a meghívóit",
"%(oneUser)srejected their invitation %(count)s times|one": "%(oneUser)s elutasította a meghívóit",
"%(severalUsers)shad their invitations withdrawn %(count)s times|other": "%(severalUsers)s meghívóit %(count)s alkalommal visszavonták",
"%(severalUsers)shad their invitations withdrawn %(count)s times|one": "%(severalUsers)s visszavonták a meghívóit",
"%(oneUser)shad their invitation withdrawn %(count)s times|other": "%(oneUser)s meghívóit %(count)s alkalommal vonták vissza",
"%(oneUser)shad their invitation withdrawn %(count)s times|one": "%(oneUser)s meghívóit visszavonták",
"were invited %(count)s times|other": "%(count)s alkalommal lett meghívva",
"were invited %(count)s times|one": "meg lett hívva",
"was invited %(count)s times|other": "%(count)s alkalommal lett meghívva",
"was invited %(count)s times|one": "meg lett hívva",
"were banned %(count)s times|other": "%(count)s alkalommal lett kitiltva",
"were banned %(count)s times|one": "lett kitiltva",
"was banned %(count)s times|other": "%(count)s alkalommal lett kitiltva",
"was banned %(count)s times|one": "ki lett tiltva",
"were unbanned %(count)s times|other": "%(count)s alkalommal lett visszaengedve",
"were unbanned %(count)s times|one": "vissza lett engedve",
"was unbanned %(count)s times|other": "%(count)s alkalommal lett visszaengedve",
"was unbanned %(count)s times|one": "vissza lett engedve",
"were kicked %(count)s times|other": "%(count)s alkalommal lett kirúgva",
"were kicked %(count)s times|one": "ki lett rúgva",
"was kicked %(count)s times|other": "%(count)s alkalommal ki lett rúgva",
"was kicked %(count)s times|one": "ki lett rúgva",
"%(severalUsers)schanged their name %(count)s times|other": "%(severalUsers)s %(count)s alkalommal megváltoztatta a nevét",
"%(severalUsers)schanged their name %(count)s times|one": "%(severalUsers)s megváltoztatta a nevét",
"%(oneUser)schanged their name %(count)s times|other": "%(oneUser)s %(count)s alkalommal megváltoztatta a nevét",
"%(oneUser)schanged their name %(count)s times|one": "%(oneUser)s megváltoztatta a nevét",
"%(severalUsers)schanged their avatar %(count)s times|other": "%(severalUsers)s %(count)s alkalommal megváltoztatta az avatarját",
"%(severalUsers)schanged their avatar %(count)s times|one": "%(severalUsers)s megváltoztatta az avatarját",
"%(oneUser)schanged their avatar %(count)s times|other": "%(oneUser)s %(count)s alkalommal megváltoztatta az avatarját",
"%(oneUser)schanged their avatar %(count)s times|one": "%(oneUser)s megváltoztatta az avatarját",
"%(items)s and %(count)s others|other": "%(items)s és még %(count)s másik",
"%(items)s and %(count)s others|one": "%(items)s és még egy másik",
"An email has been sent to %(emailAddress)s. Once you've followed the link it contains, click below.": "Az e-mail leküldésre került ide: %(emailAddress)s. Ha követte a levélben lévő linket kattints alább.",
"The visibility of '%(roomName)s' in %(groupId)s could not be updated.": "%(roomName)s szoba láthatóságát nem lehet frissíteni ebben a közösségben: %(groupId)s",
"Visibility in Room List": "Láthatóság a szoba listában",
"Visible to everyone": "Mindenki számára látható",
"Only visible to community members": "Csak a közösség számára látható",
"Community Invites": "Közösségi meghívók",
"<h1>HTML for your community's page</h1>\n<p>\n Use the long description to introduce new members to the community, or distribute\n some important <a href=\"foo\">links</a>\n</p>\n<p>\n You can even use 'img' tags\n</p>\n": "<h1>HTML a közösségi oldalhoz</h1>\n<p>\n Használj hosszú leírást az tagok közösségbe való bemutatásához vagy terjessz\n hasznos <a href=\"foo\">linkeket</a>\n</p>\n<p>\n Még 'img' tagokat is használhatsz\n</p>\n",
"These rooms are displayed to community members on the community page. Community members can join the rooms by clicking on them.": "Ezek a szobák megjelennek a közösség tagjainak a közösségi oldalon. A közösség tagjai kattintással csatlakozhatnak a szobákhoz.",
"Your community hasn't got a Long Description, a HTML page to show to community members.<br />Click here to open settings and give it one!": "A közösségednek nincs bő leírása, HTML oldala ami megjelenik a közösség tagjainak.<br />A létrehozáshoz kattints ide!",
"Notify the whole room": "Az egész szoba értesítése",
"Room Notification": "Szoba értesítések",
"Show these rooms to non-members on the community page and room list?": "Mutassuk meg ezeket a szobákat kívülállóknak a közösségi oldalon és a szobák listájában?"
}

View file

@ -46,5 +46,6 @@
"Authentication": "Autenticazione",
"Alias (optional)": "Alias (opzionale)",
"Add a widget": "Aggiungi un widget",
"A text message has been sent to +%(msisdn)s. Please enter the verification code it contains": "Un messaggio di testo è stato inviato a +%(msisdn)s. Inserisci il codice di verifica che contiene"
"A text message has been sent to +%(msisdn)s. Please enter the verification code it contains": "Un messaggio di testo è stato inviato a +%(msisdn)s. Inserisci il codice di verifica che contiene",
"Edit": "Modifica"
}

View file

@ -110,7 +110,7 @@
"Active call (%(roomName)s)": "Aktywne połączenie (%(roomName)s)",
"Add email address": "Dodaj adres e-mail",
"Admin": "Administrator",
"Admin Tools": "Narzędzia administracyjne",
"Admin Tools": "Narzędzia Administracyjne",
"VoIP": "VoIP (połączenie głosowe)",
"No Microphones detected": "Nie wykryto żadnego mikrofonu",
"No Webcams detected": "Nie wykryto żadnej kamerki internetowej",
@ -212,7 +212,7 @@
"Drop File Here": "Upuść plik tutaj",
"Drop here to tag %(section)s": "Upuść tutaj by oznaczyć %(section)s",
"Ed25519 fingerprint": "Odcisk Ed25519",
"Edit": "Edytuj",
"Edit": "Edycja",
"Email": "E-mail",
"Email address": "Adres e-mail",
"Email address (optional)": "Adres e-mail (opcjonalnie)",
@ -386,7 +386,7 @@
"Revoke Moderator": "Usuń prawa moderatorskie",
"Revoke widget access": "Usuń dostęp do widżetów",
"Refer a friend to Riot:": "Zaproś znajomego do Riota:",
"Register": "Zarejestruj",
"Register": "Rejestracja",
"%(targetName)s rejected the invitation.": "%(targetName)s odrzucił zaproszenie.",
"Reject invitation": "Odrzuć zaproszenie",
"Rejoin": "Dołącz ponownie",
@ -773,5 +773,11 @@
"%(widgetName)s widget added by %(senderName)s": "Widżet %(widgetName)s został dodany przez %(senderName)s",
"%(widgetName)s widget removed by %(senderName)s": "Widżet %(widgetName)s został usunięty przez %(senderName)s",
"%(widgetName)s widget modified by %(senderName)s": "Widżet %(widgetName)s został zmodyfikowany przez %(senderName)s",
"Robot check is currently unavailable on desktop - please use a <a>web browser</a>": "Sprawdzanie człowieczeństwa jest obecnie niedostępne na aplikacji klienckiej desktop - proszę użyć <a>przeglądarki internetowej</a>"
"Robot check is currently unavailable on desktop - please use a <a>web browser</a>": "Sprawdzanie człowieczeństwa jest obecnie niedostępne na aplikacji klienckiej desktop - proszę użyć <a>przeglądarki internetowej</a>",
"Unpin Message": "Odepnij Wiadomość",
"Add rooms to this community": "Dodaj pokoje do tej społeczności",
"Invite to Community": "Zaproszenie 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"
}

View file

@ -8,7 +8,7 @@
"An email has been sent to": "Email был отправлен",
"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": "Любой, кто знает ссылку комнаты, включая гостей",
"Anyone who knows the room's link, including guests": "Любой, кто знает ссылку на комнату, включая гостей",
"Are you sure you want to reject the invitation?": "Вы уверены что вы хотите отклонить приглашение?",
"Are you sure you want to upload the following files?": "Вы уверены что вы хотите отправить следующие файлы?",
"Banned users": "Заблокированные пользователи",
@ -62,7 +62,7 @@
"Filter room members": "Фильтр участников комнаты",
"Forget room": "Забыть комнату",
"Forgot your password?": "Забыли пароль?",
"For security, this session has been signed out. Please sign in again.": "По соображениям безопасности, эта сессия была прекращена. Пожалуйста, войдите снова.",
"For security, this session has been signed out. Please sign in again.": "Для обеспечения безопасности ваша сессия была завершена. Пожалуйста, войдите снова.",
"Found a bug?": "Нашли ошибку?",
"Hangup": "Закончить",
"Historical": "Архив",
@ -74,7 +74,7 @@
"Invite new room members": "Пригласить новых участников в комнату",
"Invites": "Приглашает",
"Invites user with given id to current room": "Приглашает пользователя с заданным ID в текущую комнату",
"Sign in with": "Войти с помощью",
"Sign in with": "Войти, используя",
"Joins room with given alias": "Входит в комнату с заданным псевдонимом",
"Kicks user with given id": "Выкидывает пользователя с заданным ID",
"Labs": "Лаборатория",
@ -183,11 +183,11 @@
"%(targetName)s joined the room.": "%(targetName)s вошел(ла) в комнату.",
"%(senderName)s kicked %(targetName)s.": "%(senderName)s выкинул %(targetName)s.",
"%(targetName)s left the room.": "%(targetName)s покинул комнату.",
"%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s сделал будущую историю комнаты видимой все участники комнаты, с момента приглашения.",
"%(senderName)s made future room history visible to all room members, from the point they joined.": "%(senderName)s сделал будущую историю комнаты видимой все участники комнаты, с момента входа.",
"%(senderName)s made future room history visible to all room members.": "%(senderName)s сделал будущую историю комнаты видимой все участники комнаты.",
"%(senderName)s made future room history visible to anyone.": "%(senderName)s сделал будущую историю комнаты видимой любой.",
"%(senderName)s made future room history visible to unknown (%(visibility)s).": "%(senderName)s сделал будущую историю комнаты видимой неизвестный (%(visibility)s).",
"%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s сделал(а) историю комнаты видимой для всех участников комнаты с момента их приглашения.",
"%(senderName)s made future room history visible to all room members, from the point they joined.": "%(senderName)s сделал(а) историю комнаты видимой для всех участников комнаты с момента их входа.",
"%(senderName)s made future room history visible to all room members.": "%(senderName)s сделал(а) историю комнаты видимой для всех участников комнаты.",
"%(senderName)s made future room history visible to anyone.": "%(senderName)s сделал(а) историю комнаты видимой для всех.",
"%(senderName)s made future room history visible to unknown (%(visibility)s).": "%(senderName)s сделал(а) историю комнаты видимой для неизвестного (%(visibility)s).",
"Missing room_id in request": "Отсутствует room_id в запросе",
"Missing user_id in request": "Отсутствует user_id в запросе",
"Must be viewing a room": "Необходимо посмотреть комнату",
@ -306,14 +306,14 @@
"'%(alias)s' is not a valid format for an alias": "'%(alias)s' недопустимый формат псевдонима",
"Join Room": "Войти в комнату",
"Kick": "Выгнать",
"Local addresses for this room:": "Локальный адрес этой комнаты:",
"Local addresses for this room:": "Локальные адреса этой комнаты:",
"Markdown is disabled": "Markdown отключен",
"Markdown is enabled": "Markdown включен",
"matrix-react-sdk version:": "версия matrix-react-sdk:",
"New address (e.g. #foo:%(localDomain)s)": "Новый адрес (например, #foo:%(localDomain)s)",
"New passwords don't match": "Новые пароли не совпадают",
"not set": "не задано",
"not specified": "не определено",
"not specified": "не определен",
"No devices with registered encryption keys": "Нет устройств с зарегистрированными ключами шифрования",
"No more results": "Больше никаких результатов",
"No results": "Нет результатов",
@ -334,7 +334,7 @@
"Report it": "Сообщить об этом",
"Resetting password will currently reset any end-to-end encryption keys on all devices, making encrypted chat history unreadable, unless you first export your room keys and re-import them afterwards. In future this will be improved.": "Сброс пароля на данный момент сбрасывает ключи шифрования на всех устройствах, делая зашифрованную историю чатов нечитаемой. Чтобы избежать этого, экспортируйте ключи комнат и импортируйте их после сброса пароля. В будущем это будет исправлено.",
"Return to app": "Вернуться в приложение",
"Riot does not have permission to send you notifications - please check your browser settings": "Riot не имеет разрешение на отправку уведомлений, проверьте параметры своего браузера",
"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:",
"Room %(roomId)s not visible": "Комната %(roomId)s невидима",
@ -509,7 +509,7 @@
"Session ID": "ID сессии",
"%(senderName)s set a profile picture.": "%(senderName)s установил изображение профиля.",
"%(senderName)s set their display name to %(displayName)s.": "%(senderName)s изменил отображаемое имя на %(displayName)s.",
"Signed Out": "Вышли",
"Signed Out": "Выполнен выход",
"Sorry, this homeserver is using a login which is not recognised ": "К сожалению, этот домашний сервер использует неизвестный метод авторизации ",
"Tagged as: ": "Теги: ",
"The signing key you provided matches the signing key you received from %(userId)s's device %(deviceId)s. Device marked as verified.": "Предоставленный ключ подписи соответствует ключу, полученному от %(userId)s с устройства %(deviceId)s. Устройство помечено как проверенное.",
@ -586,7 +586,7 @@
"ex. @bob:example.com": "например @bob:example.com",
"Add User": "Добавить пользователя",
"This Home Server would like to make sure you are not a robot": "Этот домашний сервер хочет убедиться, что вы не робот",
"Sign in with CAS": "Войти с помощью CAS",
"Sign in with CAS": "Войти, используя CAS",
"You can use the custom server options to sign into other Matrix servers by specifying a different Home server URL.": "Вы можете использовать настраиваемые параметры сервера для входа на другие серверы Matrix, указав другой URL-адрес домашнего сервера.",
"This allows you to use this app with an existing Matrix account on a different home server.": "Это позволяет использовать это приложение с существующей учетной записью Matrix на другом домашнем сервере.",
"You can also set a custom identity server but this will typically prevent interaction with users based on email address.": "Вы также можете установить другой сервер идентификации, но это, как правило, будет препятствовать взаимодействию с пользователями на основе адреса email.",
@ -612,7 +612,7 @@
"Disable URL previews by default for participants in this room": "Отключить предпросмотр URL-адресов по умолчанию для участников этой комнаты",
"URL previews are %(globalDisableUrlPreview)s by default for participants in this room.": "Предварительный просмотр URL-адресов %(globalDisableUrlPreview)s по умолчанию для участников этой комнаты.",
"URL Previews": "Предварительный просмотр URL-адресов",
"Enable URL previews for this room (affects only you)": "Включить предпросмотр URL-адресов для этой комнаты (влияет только на вас)",
"Enable URL previews for this room (affects only you)": "Включить предпросмотр URL-адресов для этой комнаты (касается только вас)",
"Drop file here to upload": "Перетащите файл сюда для отправки",
" (unsupported)": " (не поддерживается)",
"Ongoing conference call%(supportedText)s.": "Установлен групповой вызов %(supportedText)s.",
@ -623,7 +623,7 @@
"Online": "В сети",
"Idle": "Неактивен",
"Offline": "Не в сети",
"Disable URL previews for this room (affects only you)": "Отключить предпросмотр URL-адресов для этой комнаты (влияет только на вас)",
"Disable URL previews for this room (affects only you)": "Отключить предпросмотр URL-адресов для этой комнаты (касается только вас)",
"%(senderDisplayName)s changed the room avatar to <img/>": "%(senderDisplayName)s сменил аватар комнаты на <img/>",
"%(senderDisplayName)s removed the room avatar.": "%(senderDisplayName)s удалил аватар комнаты.",
"%(senderDisplayName)s changed the avatar for %(roomName)s": "%(senderDisplayName)s сменил аватар для %(roomName)s",
@ -740,10 +740,10 @@
"Delete widget": "Удалить виджет",
"Define the power level of a user": "Определить уровень доступа пользователя",
"Do you want to load widget from URL:": "Загрузить виджет из URL-адреса:",
"Edit": "Изменить",
"Edit": "Редактировать",
"Enable automatic language detection for syntax highlighting": "Включить автоматическое определение языка для подсветки синтаксиса",
"Hide Apps": "Скрыть приложения",
"Hide join/leave messages (invites/kicks/bans unaffected)": "Скрыть сообщения о входе/выходе (приглашениях/выкидываниях/банах)",
"Hide join/leave messages (invites/kicks/bans unaffected)": "Скрыть сообщения о входе/выходе (не применяется к приглашениям/выкидываниям/банам)",
"Hide avatar and display name changes": "Скрыть сообщения об изменении аватаров и отображаемых имен",
"Integrations Error": "Ошибка интеграции",
"AM": "AM",
@ -857,5 +857,134 @@
"Community Member Settings": "Настройки участников сообщества",
"Publish this community on your profile": "Опубликовать это сообщество в вашем профиле",
"Long Description (HTML)": "Длинное описание (HTML)",
"Community Settings": "Настройки сообщества"
"Community Settings": "Настройки сообщества",
"Invite to Community": "Пригласить в сообщество",
"Add to community": "Добавить в сообщество",
"Add rooms to the community": "Добавление комнат в сообщество",
"Which rooms would you like to add to this community?": "Какие комнаты вы хотите добавить в это сообщество?",
"Who would you like to add to this community?": "Кого бы вы хотели добавить в это сообщество?",
"Invite new community members": "Пригласить новых членов сообщества",
"Warning: any person you add to a community will be publicly visible to anyone who knows the community ID": "Предупреждение: любой, кого вы добавляете в сообщество, будет виден всем, кто знает ID сообщества",
"Warning: any room you add to a community will be publicly visible to anyone who knows the community ID": "Предупреждение: любая комната, добавляемая в сообщество, будет видна всем, кто знает ID сообщества",
"Add rooms to this community": "Добавить комнаты в это сообщество",
"Your community invitations have been sent.": "Ваши приглашения в сообщество были отправлены.",
"Failed to invite users to community": "Не удалось пригласить пользователей в сообщество",
"Communities": "Сообщества",
"Invalid community ID": "Недопустимый ID сообщества",
"'%(groupId)s' is not a valid community ID": "'%(groupId)s' - недействительный ID сообщества",
"Related Communities": "Связанные сообщества",
"Related communities for this room:": "Связанные сообщества для этой комнаты:",
"This room has no related communities": "Эта комната не имеет связанных сообществ",
"New community ID (e.g. +foo:%(localDomain)s)": "Новый ID сообщества (напр. +foo:%(localDomain)s)",
"Remove from community": "Удалить из сообщества",
"Failed to remove user from community": "Не удалось удалить пользователя из сообщества",
"Filter community members": "Фильтр участников сообщества",
"Filter community rooms": "Фильтр комнат сообщества",
"Failed to remove room from community": "Не удалось удалить комнату из сообщества",
"Removing a room from the community will also remove it from the community page.": "Удаление комнаты из сообщества также удалит ее со страницы сообщества.",
"Community IDs may only contain alphanumeric characters": "ID сообщества могут содержать только буквенно-цифровые символы",
"Create Community": "Создать сообщество",
"Community Name": "Имя сообщества",
"Community ID": "ID сообщества",
"example": "пример",
"Add rooms to the community summary": "Добавить комнаты в сводку сообщества",
"Add users to the community summary": "Добавить пользователей в сводку сообщества",
"Failed to update community": "Не удалось обновить сообщество",
"Leave Community": "Покинуть сообщество",
"%(inviter)s has invited you to join this community": "%(inviter)s пригласил(а) вас присоединиться к этому сообществу",
"You are a member of this community": "Вы являетесь участником этого сообщества",
"You are an administrator of this community": "Вы являетесь администратором этого сообщества",
"Community %(groupId)s not found": "Сообщество %(groupId)s не найдено",
"This Home server does not support communities": "Этот домашний сервер не поддерживает сообщества",
"Failed to load %(groupId)s": "Ошибка загрузки %(groupId)s",
"Your Communities": "Ваши сообщества",
"You're not currently a member of any 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.": "Создайте сообщество для объединения пользователей и комнат! Создайте собственную домашнюю страницу, чтобы выделить свое пространство во вселенной Matrix.",
"Join an existing community": "Присоединиться к существующему сообществу",
"To join an existing community you'll have to know its community identifier; this will look something like <i>+example:matrix.org</i>.": "Чтобы присоединиться к существующему сообществу, вам нужно знать его ID; это будет выглядеть примерно так<i>+primer:matrix.org</i>.",
"Something went wrong whilst creating your community": "При создании сообщества что-то пошло не так",
"%(names)s and %(count)s others are typing|other": "%(names)s и %(count)s другие печатают",
"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": "Пригласить",
"Remove this room from the community": "Удалить эту комнату из сообщества",
"Mention": "Упоминание",
"Failed to withdraw invitation": "Не удалось отозвать приглашение",
"Community IDs may only contain characters a-z, 0-9, or '=_-./'": "ID сообществ могут содержать только символы a-z, 0-9, или '=_-./'",
"%(names)s and %(count)s others are typing|one": "%(names)s и еще кто-то печатает",
"%(senderName)s sent an image": "%(senderName)s отправил(а) изображение",
"%(senderName)s sent a video": "%(senderName)s отправил(а) видео",
"%(senderName)s uploaded a file": "%(senderName)s загрузил(а) файл",
"Disinvite this user?": "Отменить приглашение этого пользователя?",
"Kick this user?": "Выгнать этого пользователя?",
"Unban this user?": "Разблокировать этого пользователя?",
"Ban this user?": "Заблокировать этого пользователя?",
"Drop here to favourite": "Перетащите сюда для добавления в избранные",
"You have been kicked from this room by %(userName)s.": "%(userName)s выгнал(а) вас из этой комнаты.",
"You have been banned from this room by %(userName)s.": "%(userName)s заблокировал(а) вас в этой комнате.",
"You are trying to access a room.": "Вы пытаетесь получить доступ к комнате.",
"Members only (since the point in time of selecting this option)": "Только участники (с момента выбора этого параметра)",
"Members only (since they were invited)": "Только участники (с момента их приглашения)",
"Members only (since they joined)": "Только участники (с момента их присоединения)",
"An email has been sent to %(emailAddress)s": "Письмо было отправлено на %(emailAddress)s",
"A text message has been sent to %(msisdn)s": "Текстовое сообщение отправлено на %(msisdn)s",
"Disinvite this user from community?": "Отозвать приглашение этого пользователя в сообщество?",
"Remove this user from community?": "Удалить этого пользователя из сообщества?",
"%(nameList)s %(transitionList)s": "%(nameList)s %(transitionList)s",
"%(severalUsers)sjoined %(count)s times|other": "%(severalUsers)s присоединились %(count)s раз",
"%(severalUsers)sjoined %(count)s times|one": "%(severalUsers)s присоединились",
"%(oneUser)sjoined %(count)s times|other": "%(oneUser)s присоединился(-лась) %(count)s раз",
"%(oneUser)sjoined %(count)s times|one": "%(oneUser)s присоединился(-лась)",
"%(severalUsers)sleft %(count)s times|other": "%(severalUsers)s покинули %(count)s раз",
"%(severalUsers)sleft %(count)s times|one": "%(severalUsers)s покинули",
"%(oneUser)sleft %(count)s times|other": "%(oneUser)sl покинул(а) %(count)s раз",
"%(oneUser)sleft %(count)s times|one": "%(oneUser)s покинул(а)",
"%(severalUsers)sjoined and left %(count)s times|other": "%(severalUsers)s присоединились и покинули %(count)s раз",
"%(severalUsers)sjoined and left %(count)s times|one": "%(severalUsers)s присоединились и покинули",
"%(oneUser)sjoined and left %(count)s times|other": "%(oneUser)s присоединился(-лась) и покинул(а) %(count)s раз",
"%(oneUser)sjoined and left %(count)s times|one": "%(oneUser)s присоединился(-лась) и покинул(а)",
"%(severalUsers)sleft and rejoined %(count)s times|other": "%(severalUsers)s покинули и снова присоединились %(count)s раз",
"%(severalUsers)sleft and rejoined %(count)s times|one": "%(severalUsers)s покинули и снова присоединились",
"%(oneUser)sleft and rejoined %(count)s times|other": "%(oneUser)s покинул(а) и снова присоединился(-лась) %(count)s раз",
"%(oneUser)sleft and rejoined %(count)s times|one": "%(oneUser)s покинул(а) и снова присоединился(-лась)",
"were invited %(count)s times|other": "были приглашены %(count)s раз",
"were invited %(count)s times|one": "были приглашены",
"was invited %(count)s times|other": "был(а) приглашен(а) %(count)s раз",
"was invited %(count)s times|one": "был(а) приглашен(а)",
"were banned %(count)s times|other": "были заблокированы %(count)s раз",
"were banned %(count)s times|one": "были заблокированы",
"was banned %(count)s times|other": "был(а) заблокирован(а) %(count)s раз",
"was banned %(count)s times|one": "был(а) заблокирован(а)",
"were unbanned %(count)s times|other": "были разблокированы %(count)s раз",
"were unbanned %(count)s times|one": "были разблокированы",
"was unbanned %(count)s times|other": "был(а) разблокирован(а) %(count)s раз",
"was unbanned %(count)s times|one": "был(а) разблокирован(а)",
"were kicked %(count)s times|other": "были выкинуты %(count)s раз",
"were kicked %(count)s times|one": "были выкинуты",
"was kicked %(count)s times|other": "был(а) выкинут(а) %(count)s раз",
"was kicked %(count)s times|one": "был(а) выкинут(а)",
"%(severalUsers)schanged their name %(count)s times|other": "%(severalUsers)s изменили свое имя %(count)s раз",
"%(severalUsers)schanged their name %(count)s times|one": "%(severalUsers)s изменили свое имя",
"%(oneUser)schanged their name %(count)s times|other": "%(oneUser)s изменил(а) свое имя %(count)s раз",
"%(oneUser)schanged their name %(count)s times|one": "%(oneUser)s изменил(а) свое имя",
"%(severalUsers)schanged their avatar %(count)s times|other": "%(severalUsers)s изменили свои аватары %(count)s раз",
"%(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 изменил(а) свой аватар",
"%(items)s and %(count)s others|other": "%(items)s и %(count)s других",
"%(items)s and %(count)s others|one": "%(items)s и один другой",
"An email has been sent to %(emailAddress)s. Once you've followed the link it contains, click below.": "Сообщение отправлено на %(emailAddress)s. После перехода по ссылке в отправленном вам письме, щелкните ниже.",
"Room Notification": "Уведомления комнаты",
"Drop here to tag direct chat": "Перетащите сюда, чтобы отметить как прямой чат",
"Drop here to restore": "Перетащиет сюда для восстановления",
"Drop here to demote": "Перетащите сюда для понижения",
"Community Invites": "Приглашения в сообщества",
"Notify the whole room": "Уведомить всю комнату",
"These rooms are displayed to community members on the community page. Community members can join the rooms by clicking on them.": "Эти комнаты отображаются для участников сообщества на странице сообщества. Участники сообщества могут присоединиться к комнатам, щелкнув на них.",
"Show these rooms to non-members on the community page and room list?": "Следует ли показывать эти комнаты посторонним на странице сообщества и в комнате?"
}

930
src/i18n/strings/sk.json Normal file
View file

@ -0,0 +1,930 @@
{
"This email address is already in use": "Táto emailová adresa sa už používa",
"This phone number is already in use": "Toto telefónne číslo sa už používa",
"Failed to verify email address: make sure you clicked the link in the email": "Nepodarilo sa overiť emailovú adresu: Uistite sa, že ste správne klikli na odkaz v emailovej správe",
"Call Timeout": "Časový limit hovoru",
"The remote side failed to pick up": "Vzdialenej strane sa nepodarilo priať hovor",
"Unable to capture screen": "Nie je možné zachytiť obrazovku",
"Existing Call": "Existujúci hovor",
"You are already in a call.": "Už ste súčasťou iného hovoru.",
"VoIP is unsupported": "VoIP nie je podporovaný",
"You cannot place VoIP calls in this browser.": "Použitím tohoto webového prehliadača nemôžete uskutočniť hovory.",
"You cannot place a call with yourself.": "Nemôžete uskutočniť hovor so samým sebou.",
"Conference calls are not supported in this client": "Tento klient nepodporuje konferenčné hovory",
"Conference calls are not supported in encrypted rooms": "Konferenčné hovory nie sú podporované v šifrovaných miestnostiach",
"Warning!": "Upozornenie!",
"Conference calling is in development and may not be reliable.": "Konferenčné hovory sú stále vo vývoji a nemusia byť úplne spoľahlivé.",
"Failed to set up conference call": "Nepodarilo sa nastaviť konferenčný hovor",
"Conference call failed.": "Konferenčný hovor sa nepodarilo uskutočniť.",
"The file '%(fileName)s' failed to upload": "Nepodarilo sa nahrať súbor '%(fileName)s'",
"The file '%(fileName)s' exceeds this home server's size limit for uploads": "Veľkosť súboru '%(fileName)s' prekračuje limit veľkosti súboru nahrávania na tento domovský server",
"Upload Failed": "Nahrávanie zlyhalo",
"Sun": "Ne",
"Mon": "Po",
"Tue": "Ut",
"Wed": "St",
"Thu": "Št",
"Fri": "Pi",
"Sat": "So",
"Jan": "Jan",
"Feb": "Feb",
"Mar": "Mar",
"Apr": "Apr",
"May": "Maj",
"Jun": "Jun",
"Jul": "Jul",
"Aug": "Aug",
"Sep": "Sep",
"Oct": "Okt",
"Nov": "Nov",
"Dec": "Dec",
"PM": "PM",
"AM": "AM",
"%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s",
"%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s, %(day)s %(monthName)s %(time)s",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s %(time)s",
"Who would you like to add to this community?": "Koho si želáte pridať do tejto komunity?",
"Warning: any person you add to a community will be publicly visible to anyone who knows the community ID": "Pozor: Každá osoba, ktorú pridáte do komunity bude verejne dostupná pre všetkých, čo poznajú ID komunity",
"Invite new community members": "Pozvať nových členov komunity",
"Name or matrix ID": "Meno alebo matrix ID",
"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 neboli udelené oprávnenia 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 servery.",
"Default": "Predvolené",
"User": "Používateľ",
"Moderator": "Moderátor",
"Admin": "Správca",
"Start a chat": "Začať konverzáciu",
"Who would you like to communicate with?": "S kým si želáte komunikovať?",
"Email, name or matrix ID": "Emailová adresa, meno alebo matrix ID",
"Start Chat": "Začať konverzáciu",
"Invite new room members": "Pozvať nových členov do miestnosti",
"Who would you like to add to this room?": "Koho si želáte pridať do tejto miestnosti?",
"Send Invites": "Poslať pozvánky",
"Failed to invite user": "Nepodarilo sa pozvať používateľa",
"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:",
"You need to be logged in.": "Mali by ste byť prihlásení.",
"You need to be able to invite users to do that.": "Na uskutočnenie tejto akcie by ste mali byť schopní pozývať používateľov.",
"Unable to create widget.": "Nie je možné vytvoriť widget.",
"Failed to send request.": "Nepodarilo sa odoslať požiadavku.",
"This room is not recognised.": "Nie je možné rozpoznať takúto miestnosť.",
"Power level must be positive integer.": "Úroveň moci musí byť kladné celé číslo.",
"You are not in this room.": "Nenachádzate sa v tejto miestnosti.",
"You do not have permission to do that in this room.": "V tejto miestnosti nemáte oprávnenie na vykonanie takejto akcie.",
"Missing room_id in request": "V požiadavke chýba room_id",
"Must be viewing a room": "Musí byť zobrazená miestnosť",
"Room %(roomId)s not visible": "Miestnosť %(roomId)s nie je viditeľná",
"Missing user_id in request": "V požiadavke chýba user_id",
"Failed to lookup current room": "Nepodarilo sa vyhľadať aktuálnu miestnosť",
"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á",
"You are no longer ignoring %(userId)s": "Od teraz viac neignorujete používateľa %(userId)s",
"Unknown (user, device) pair:": "Neznámy pár (používateľ, zariadenie):",
"Device already verified!": "Zariadenie už overené!",
"WARNING: Device already verified, but keys do NOT MATCH!": "POZOR: Zariadenie je už overené, ale kľúče SA NEZHODUJÚ!",
"WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and device %(deviceId)s is \"%(fprint)s\" which does not match the provided key \"%(fingerprint)s\". This could mean your communications are being intercepted!": "POZOR: OVERENIE KĽÚČOV ZLYHALO! Podpisovací kľúč zo zariadenia %(deviceId)s používateľa %(userId)s je \"%(fprint)s\" čo sa nezhoduje s poskytnutým kľúčom \"%(fingerprint)s\". Mohlo by to znamenať, že vaša komunikácia je práve odpočúvaná!",
"Verified key": "Kľúč overený",
"The signing key you provided matches the signing key you received from %(userId)s's device %(deviceId)s. Device marked as verified.": "Podpisovací kľúč, ktorý ste poskytli súhlasí s podpisovacím kľúčom, ktorý ste dostali zo zariadenia %(deviceId)s používateľa %(userId)s's. Zariadenie je považované za overené.",
"Unrecognised command:": "Nerozpoznaný príkaz:",
"Reason": "Dôvod",
"%(targetName)s accepted the invitation for %(displayName)s.": "%(targetName)s prijal pozvanie pre %(displayName)s.",
"%(targetName)s accepted an invitation.": "%(targetName)s prijal pozvanie.",
"%(senderName)s requested a VoIP conference.": "%(senderName)s požiadal o VOIP konferenciu.",
"%(senderName)s invited %(targetName)s.": "%(senderName)s pozval %(targetName)s.",
"%(senderName)s banned %(targetName)s.": "%(senderName)s zakázal vstup %(targetName)s.",
"%(senderName)s changed their display name from %(oldDisplayName)s to %(displayName)s.": "%(senderName)s si zmenil zobrazované meno z %(oldDisplayName)s na %(displayName)s.",
"%(senderName)s set their display name to %(displayName)s.": "%(senderName)s si nastavil zobrazované meno %(displayName)s.",
"%(senderName)s removed their display name (%(oldDisplayName)s).": "%(senderName)s odstránil svoje zobrazované meno (%(oldDisplayName)s).",
"%(senderName)s removed their profile picture.": "%(senderName)s si z profilu odstránil obrázok.",
"%(senderName)s changed their profile picture.": "%(senderName)s si zmenil obrázok v profile.",
"%(senderName)s set a profile picture.": "%(senderName)s si nastavil obrázok v profile.",
"VoIP conference started.": "Začala VoIP konferencia.",
"%(targetName)s joined the room.": "%(targetName)s vstúpil do miestnosti.",
"VoIP conference finished.": "Skončila VoIP konferencia.",
"%(targetName)s rejected the invitation.": "%(targetName)s odmietol pozvanie.",
"%(targetName)s left the room.": "%(targetName)s opustil miestnosť.",
"%(senderName)s unbanned %(targetName)s.": "%(senderName)s povolil vstup %(targetName)s.",
"%(senderName)s kicked %(targetName)s.": "%(senderName)s vykopol %(targetName)s.",
"%(senderName)s withdrew %(targetName)s's invitation.": "%(senderName)s stiahol pozvanie %(targetName)s.",
"%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s zmenil tému na \"%(topic)s\".",
"%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s odstránil názov miestnosti.",
"%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s zmenil názov miestnosti na %(roomName)s.",
"%(senderDisplayName)s sent an image.": "%(senderDisplayName)s poslal obrázok.",
"Someone": "Niekto",
"(not supported by this browser)": "(Nepodporované v tomto prehliadači)",
"%(senderName)s answered the call.": "%(senderName)s prijal hovor.",
"(could not connect media)": "(nie je možné spojiť médiá)",
"(no answer)": "(žiadna odpoveď)",
"(unknown failure: %(reason)s)": "(neznáma chyba: %(reason)s)",
"%(senderName)s ended the call.": "%(senderName)s ukončil hovor.",
"%(senderName)s placed a %(callType)s call.": "%(senderName)s uskutočnil %(callType)s hovor.",
"%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s pozval %(targetDisplayName)s vstúpiť do miestnosti.",
"%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s sprístupnil budúcu históriu miestnosti pre všetkých členov, od kedy boli pozvaní.",
"%(senderName)s made future room history visible to all room members, from the point they joined.": "%(senderName)s sprístupnil budúcu históriu miestnosti pre všetkých členov, od kedy vstúpili.",
"%(senderName)s made future room history visible to all room members.": "%(senderName)s sprístupnil budúcu históriu miestnosti pre všetkých členov.",
"%(senderName)s made future room history visible to anyone.": "%(senderName)s sprístupnil budúcu históriu miestnosti pre všetkých.",
"%(senderName)s made future room history visible to unknown (%(visibility)s).": "%(senderName)s sprístupnil budúcu históriu miestnosti neznámym (%(visibility)s).",
"%(senderName)s turned on end-to-end encryption (algorithm %(algorithm)s).": "%(senderName)s povolil E2E šifrovanie (algoritmus %(algorithm)s).",
"%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s z %(fromPowerLevel)s na %(toPowerLevel)s",
"%(senderName)s changed the power level of %(powerLevelDiffText)s.": "%(senderName)s zmenil úroveň moci pre %(powerLevelDiffText)s.",
"%(senderName)s changed the pinned messages for the room.": "%(senderName)s zmenil pripnuté správy pre túto miestnosť.",
"%(widgetName)s widget modified by %(senderName)s": "%(senderName)s zmenil widget %(widgetName)s",
"%(widgetName)s widget added by %(senderName)s": "%(senderName)s pridal widget %(widgetName)s",
"%(widgetName)s widget removed by %(senderName)s": "%(senderName)s odstránil widget %(widgetName)s",
"Communities": "Komunity",
"Message Pinning": "Pripnutie správ",
"%(displayName)s is typing": "%(displayName)s píše",
"%(names)s and %(count)s others are typing|other": "%(names)s a %(count)s ďalší píšu",
"%(names)s and %(count)s others are typing|one": "%(names)s a jeden ďalší píše",
"%(names)s and %(lastPerson)s are typing": "%(names)s a %(lastPerson)s píšu",
"Failure to create room": "Nepodarilo sa vytvoriť miestnosť",
"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",
"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)",
"unknown caller": "neznámeho volajúceho",
"Incoming voice call from %(name)s": "Prichádzajúci audio hovor od %(name)s",
"Incoming video call from %(name)s": "Prichádzajúci video hovor od %(name)s",
"Incoming call from %(name)s": "Prichádzajúci hovor od %(name)s",
"Decline": "Odmietnuť",
"Accept": "Prijať",
"Error": "Chyba",
"A text message has been sent to +%(msisdn)s. Please enter the verification code it contains": "Na číslo +%(msisdn)s bola odoslaná textová správa, ktorá obsahuje overovací kód. Prosím zadajte tento overovací kód",
"Incorrect verification code": "Nesprávny overovací kód",
"Enter Code": "Vložte kód",
"Submit": "Odoslať",
"Phone": "Telefón",
"Add phone number": "Pridať telefónne číslo",
"Add": "Pridať",
"Failed to upload profile picture!": "Do profilu sa nepodarilo nahrať obrázok!",
"Upload new:": "Nahrať nový:",
"No display name": "Žiadne zobrazované meno",
"New passwords don't match": "Nové heslá sa nezhodujú",
"Passwords can't be empty": "Heslá nemôžu byť prázdne",
"Changing password will currently reset any end-to-end encryption keys on all devices, making encrypted chat history unreadable, unless you first export your room keys and re-import them afterwards. In future this will be improved.": "Zmena hesla momentálne obnoví šifrovacie kľúče na všetkých vašich zariadeniach, čo spôsobí, že história vašich šifrovaných konverzácií sa stane nečitateľná, jedine že si pred zmenou hesla exportujete kľúče miestností do súboru a po zmene kľúče importujete naspäť. V budúcnosti bude táto funkcia vylepšená.",
"Continue": "Pokračovať",
"Export E2E room keys": "Exportovať E2E šifrovacie kľúče miestností",
"Do you want to set an email address?": "Želáte si nastaviť emailovú adresu?",
"Current password": "Súčasné heslo",
"Password": "Heslo",
"New Password": "Nové heslo",
"Confirm password": "Potvrdiť heslo",
"Change Password": "Zmeniť heslo",
"Your home server does not support device management.": "Zdá sa, že váš domovský server nepodporuje správu zariadení.",
"Unable to load device list": "Nie je možné načítať zoznam zariadení",
"Device ID": "ID zariadenia",
"Device Name": "Názov zariadenia",
"Last seen": "Naposledy aktívne",
"Failed to set display name": "Nepodarilo sa nastaviť zobrazované meno",
"Authentication": "Overenie",
"Failed to delete device": "Nepodarilo sa vymazať zariadenie",
"Delete": "Vymazať",
"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",
"Drop File Here": "Pretiahnite sem súbor",
"Drop file here to upload": "Pretiahnutím sem nahráte súbor",
" (unsupported)": " (nepodporované)",
"Join as <voiceText>voice</voiceText> or <videoText>video</videoText>.": "Pripojte sa ako <voiceText>audio</voiceText> alebo <videoText>video</videoText>.",
"Ongoing conference call%(supportedText)s.": "Prebiehajúci%(supportedText)s hovor.",
"%(senderName)s sent an image": "%(senderName)s poslal obrázok",
"%(senderName)s sent a video": "%(senderName)s poslal video",
"%(senderName)s uploaded a file": "%(senderName)s nahral súbor",
"Options": "Možnosti",
"Undecryptable": "Nedešifrovateľné",
"Encrypted by a verified device": "Zašifrované overeným zariadením",
"Encrypted by an unverified device": "Zašifrované neovereným zariadením",
"Unencrypted message": "Nešifrovaná správa",
"Please select the destination room for this message": "Prosím, vyberte cieľovú miestnosť pre túto správu",
"Blacklisted": "Na čiernej listine",
"Verified": "Overené",
"Unverified": "Neoverené",
"device id: ": "ID zariadenia: ",
"Disinvite": "Stiahnuť pozvanie",
"Kick": "Vykopnúť",
"Disinvite this user?": "Stiahnuť pozvanie tohoto používateľa?",
"Kick this user?": "Vykopnúť tohoto používateľa?",
"Failed to kick": "Nepodarilo sa vykopnúť",
"Unban": "Povoliť vstup",
"Ban": "Zakázať vstup",
"Unban this user?": "Povoliť vstúpiť tomuto používateľovi?",
"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í?",
"No devices with registered encryption keys": "Žiadne zariadenia so zaregistrovanými šifrovacími kľúčmi",
"Devices": "Zariadenia",
"Unignore": "Prestať ignorovať",
"Ignore": "Ignorovať",
"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",
"Level:": "Úroveň:",
"and %(count)s others...|other": "a ďalších %(count)s...",
"and %(count)s others...|one": "a jeden ďalší...",
"Invited": "Pozvaní",
"Filter room members": "Filtrovať členov v miestnosti",
"%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (moc %(powerLevelNumber)s)",
"Attachment": "Príloha",
"Upload Files": "Nahrať súbory",
"Are you sure you want to upload the following files?": "Ste si istí, že chcete nahrať nasledujúce súbory?",
"Encrypted room": "Šifrovaná miestnosť",
"Unencrypted room": "Nešifrovaná miestnosť",
"Hangup": "Zavesiť",
"Voice call": "Audio hovor",
"Video call": "Video hovor",
"Hide Apps": "Skriť aplikácie",
"Show Apps": "Zobraziť aplikácie",
"Upload file": "Nahrať súbor",
"Show Text Formatting Toolbar": "Zobraziť lištu formátovania textu",
"Send an encrypted message": "Odoslať šifrovanú správu",
"Send a message (unencrypted)": "Odoslať správu (nešifrovanú)",
"You do not have permission to post to this room": "Nemáte udelené právo posielať do tejto miestnosti",
"Turn Markdown on": "Povoliť Markdown",
"Turn Markdown off": "Zakázať Markdown",
"Hide Text Formatting Toolbar": "Skriť lištu formátovania textu",
"Server error": "Chyba servera",
"Server unavailable, overloaded, or something else went wrong.": "Server je nedostupný, preťažený, alebo sa pokazilo niečo iné.",
"Command error": "Chyba príkazu",
"bold": "tučné",
"italic": "kurzíva",
"strike": "preškrtnutie",
"underline": "podčiarknutie",
"code": "kód",
"quote": "citácia",
"bullet": "odrážky",
"numbullet": "číslované odrážky",
"Markdown is disabled": "Markdown je zakázaný",
"Markdown is enabled": "Markdown je povolený",
"Unpin Message": "Zrušiť pripnutie správy",
"Jump to message": "Preskočiť na správu",
"No pinned messages.": "Žiadne pripnuté správy.",
"Loading...": "Načítanie...",
"Pinned Messages": "Pripnuté správy",
"for %(amount)ss": "na %(amount)ss",
"for %(amount)sm": "na %(amount)sm",
"for %(amount)sh": "na %(amount)sh",
"for %(amount)sd": "na %(amount)sd",
"Online": "Prítomný",
"Idle": "Nečinný",
"Offline": "Nedostupný",
"Unknown": "Neznámy",
"Seen by %(userName)s at %(dateTime)s": "%(userName)s videl %(dateTime)s",
"Unnamed room": "Nepomenovaná miestnosť",
"World readable": "Viditeľné pre všetkých",
"Guests can join": "Aj hostia môžu vstúpiť",
"No rooms to show": "Žiadne miestnosti na zobrazenie",
"Failed to set avatar.": "Nepodarilo sa nastaviť avatara.",
"Save": "Uložiť",
"(~%(count)s results)|other": "(~%(count)s výsledkov)",
"(~%(count)s results)|one": "(~%(count)s výsledok)",
"Join Room": "Vstúpiť do miestnosti",
"Upload avatar": "Nahrať avatara",
"Remove avatar": "Odstrániť avatara",
"Settings": "Nastavenia",
"Forget room": "Zabudnúť miestnosť",
"Search": "Hľadať",
"Show panel": "Zobraziť panel",
"Drop here to favourite": "Pretiahnutím sem označíte ako obľúbené",
"Drop here to tag direct chat": "Pretiahnutím sem označíte ako priamu konverzáciu",
"Drop here to restore": "Pretiahnutím sem obnovíte z pozadia",
"Drop here to demote": "Pretiahnutím sem presuniete do pozadia",
"Drop here to tag %(section)s": "Pretiahnutím sem pridáte značku %(section)s",
"Press <StartChatButton> to start a chat with someone": "Stlačením tlačidla <StartChatButton> otvoríte diskusiu s kýmkoľvek",
"You're not in any rooms yet! Press <CreateRoomButton> to make a room or <RoomDirectoryButton> to browse the directory": "Zatiaľ ste nevstúpili do žiadnej miestnosti! Stlačením tlačidla <CreateRoomButton> môžete vytvoriť novú miestnosť alebo si po stlačení tlačidla <RoomDirectoryButton> môžete prezrieť adresár miestností",
"Community Invites": "Pozvánky do komunity",
"Invites": "Pozvánky",
"Favourites": "Obľúbené",
"People": "Ľudia",
"Rooms": "Miestnosti",
"Low priority": "Nízka priorita",
"Historical": "Historické",
"Unable to ascertain that the address this invite was sent to matches one associated with your account.": "Nie je možné si byť istý že toto pozvanie bola odoslaná na emailovú adresu priradenú k vašemu účtu.",
"This invitation was sent to an email address which is not associated with this account:": "Toto pozvanie bolo odoslané na emailovú adresu, ktorá nie je priradená k tomuto účtu:",
"You may wish to login with a different account, or add this email to this account.": "Môžete sa prihlásiť k inému účtu, alebo pridať emailovú adresu do práve prihláseného účtu.",
"You have been invited to join this room by %(inviterName)s": "Používateľ %(inviterName)s vás pozval vstúpiť do tejto miestnosti",
"Would you like to <acceptText>accept</acceptText> or <declineText>decline</declineText> this invitation?": "Chcete <acceptText>prijať</acceptText> alebo <declineText>odmietnuť</declineText> toto pozvanie?",
"Reason: %(reasonText)s": "Dôvod: %(reasonText)s",
"Rejoin": "Vstúpiť znovu",
"You have been kicked from %(roomName)s by %(userName)s.": "Používateľ %(userName)s vás vykopol z miestnosti %(roomName)s.",
"You have been kicked from this room by %(userName)s.": "Používateľ %(userName)s vás vykopol z tejto miestnosti.",
"You have been banned from %(roomName)s by %(userName)s.": "Používateľ %(userName)s vám zakázal vstúpiť do miestnosti %(roomName)s.",
"You have been banned from this room by %(userName)s.": "Používateľ %(userName)s vám zakázal vstúpiť do tejto miestnosti.",
"This room": "Táto miestnosť",
"%(roomName)s does not exist.": "%(roomName)s neexistuje.",
"%(roomName)s is not accessible at this time.": "%(roomName)s nie je momentálne prístupná.",
"You are trying to access %(roomName)s.": "Pristupujete k miestnosti %(roomName)s.",
"You are trying to access a room.": "Pristupujete k miestnosti.",
"<a>Click here</a> to join the discussion!": "<a>Kliknutím sem</a> vstúpite do diskusie!",
"This is a preview of this room. Room interactions have been disabled": "Toto je náhľad na miestnosť. Všetky akcie pre túto miestnosť sú zakázané",
"To change the room's avatar, you must be a": "Aby ste mohli meniť avatara miestnosti, musíte byť",
"To change the room's name, you must be a": "Aby ste mohli meniť názov miestnosti, musíte byť",
"To change the room's main address, you must be a": "Aby ste mohli meniť hlavnú adresu miestnosti, musíte byť",
"To change the room's history visibility, you must be a": "Aby ste mohli meniť viditeľnosť histórie miestnosti, musíte byť",
"To change the permissions in the room, you must be a": "Aby ste mohli meniť oprávnenia v miestnosti, musíte byť",
"To change the topic, you must be a": "Aby ste mohli meniť tému, musíte byť",
"To modify widgets in the room, you must be a": "Aby ste v miestnosti mohli meniť widgety, musíte byť",
"Failed to unban": "Nepodarilo sa povoliť vstup",
"Banned by %(displayName)s": "Vstup zakázal %(displayName)s",
"Privacy warning": "Upozornenie súkromia",
"Changes to who can read history will only apply to future messages in this room": "Zmeny určujúce kto môže čítať históriu sa uplatnia len na budúce správy v tejto miestnosti",
"The visibility of existing history will be unchanged": "Viditeľnosť existujúcej histórie ostane bez zmeny",
"unknown error code": "neznámy kód chyby",
"Failed to forget room %(errCode)s": "Nepodarilo sa zabudnúť miestnosť %(errCode)s",
"End-to-end encryption is in beta and may not be reliable": "E2E šifrovanie je v štádiu beta a nemusí byť úplne spoľahlivé",
"You should not yet trust it to secure data": "Nemali by ste zatiaľ spoliehať, že vám toto šifrovanie dokáže zabezpečiť vaše údaje",
"Devices will not yet be able to decrypt history from before they joined the room": "Zariadenia zatiaľ nedokážu dešifrovať správy poslané skôr, než ste na nich vstúpili do miestnosti",
"Once encryption is enabled for a room it cannot be turned off again (for now)": "Ak v miestnosti povolíte šifrovanie, šifrovanie nie je viac možné zakázať (aspoň zatiaľ nie)",
"Encrypted messages will not be visible on clients that do not yet implement encryption": "Šifrované správy nebudú vôbec zobrazené v klientoch, ktorí zatiaľ nepodporujú šifrovanie",
"Never send encrypted messages to unverified devices in this room from this device": "Z tohoto zariadenia nikdy v tejto miestnosti neposielať šifrované správy na neoverené zariadenia",
"Enable encryption": "Povoliť šifrovanie",
"(warning: cannot be disabled again!)": "(Pozor: Nie je viac možné zakázať!)",
"Encryption is enabled in this room": "V tejto miestnosti je povolené šifrovanie",
"Encryption is not enabled in this room": "V tejto miestnosti nie je povolené šifrovanie",
"Privileged Users": "Poverení používatelia",
"%(user)s is a": "%(user)s je",
"No users have specific privileges in this room": "Žiadny používatelia nemajú v tejto miestnosti pridelené konkrétne poverenia",
"Banned users": "Používatelia, ktorým bol zakázaný vstup",
"This room is not accessible by remote Matrix servers": "Táto miestnosť nie je prístupná cez vzdialené Matrix servery",
"Leave room": "Opustiť miestnosť",
"Favourite": "Obľúbená",
"Tagged as: ": "Označená ako: ",
"To link to a room it must have <a>an address</a>.": "Ak chcete vytvoriť odkaz do miestnosti, musíte najprv nastaviť <a>jej adresu</a>.",
"Guests cannot join this room even if explicitly invited.": "Hostia nemôžu vstúpiť do tejto miestnosti ani ak ich priamo pozvete.",
"Click here to fix": "Kliknutím sem to opravíte",
"Who can access this room?": "Kto môže vstúpiť do tejto miestnosti?",
"Only people who have been invited": "Len pozvaní ľudia",
"Anyone who knows the room's link, apart from guests": "Ktokoľvek, kto pozná odkaz do miestnosti (okrem hostí)",
"Anyone who knows the room's link, including guests": "Ktokoľvek, kto pozná odkaz do miestnosti (vrátane hostí)",
"Publish this room to the public in %(domain)s's room directory?": "Uverejniť túto miestnosť v adresáry miestností na servery %(domain)s?",
"Who can read history?": "Kto môže čítať históriu?",
"Anyone": "Ktokoľvek",
"Members only (since the point in time of selecting this option)": "Len členovia (odkedy je aktívna táto voľba)",
"Members only (since they were invited)": "Len členovia (odkedy boli pozvaní)",
"Members only (since they joined)": "Len členovia (odkedy vstúpili)",
"Room Colour": "Farba miestnosti",
"Permissions": "Oprávnenia",
"The default role for new room members is": "Predvolený status pre nových členov je",
"To send messages, you must be a": "Aby ste mohli posielať správy, musíte byť",
"To invite users into the room, you must be a": "Aby ste mohli pozývať používateľov do miestnosti, musíte byť",
"To configure the room, you must be a": "Aby ste mohli nastavovať miestnosť, musíte byť",
"To kick users, you must be a": "Aby ste mohli vykopávať používateľov, musíte byť",
"To ban users, you must be a": "Aby ste používateľom mohli zakazovať vstup, musíte byť",
"To remove other users' messages, you must be a": "Aby ste mohli odstraňovať správy, ktoré poslali iní používatelia, musíte byť",
"To send events of type <eventType/>, you must be a": "Aby ste mohli posielať udalosti typu <eventType/>, musíte byť",
"Advanced": "Pokročilé",
"This room's internal ID is": "Interné ID tejto miestnosti je",
"Add a topic": "Pridať tému",
"Cancel": "Zrušiť",
"Scroll to unread messages": "Posunúť na neprečítané správy",
"Jump to first unread message.": "Preskočiť na prvú neprečítanú správu.",
"Close": "Zatvoriť",
"Invalid alias format": "Nesprávny formát aliasu",
"'%(alias)s' is not a valid format for an alias": "'%(alias)s' nie je platný formát pre alias",
"Invalid address format": "Nesprávny formát adresy",
"'%(alias)s' is not a valid format for an address": "'%(alias)s' nie je platný formát adresy",
"not specified": "nezadané",
"not set": "nenastavené",
"Remote addresses for this room:": "Vzdialené adresy do tejto miestnosti:",
"The main address for this room is": "Hlavná adresa tejto miestnosti je",
"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",
"Related Communities": "Súvisiace komunity",
"Related communities for this room:": "Komunity spojené s touto miestnosťou:",
"This room has no related communities": "Pre túto miestnosť nie sú žiadne súvisiace komunity",
"New community ID (e.g. +foo:%(localDomain)s)": "Nové ID komunity (napr. +foo:%(localDomain)s)",
"Disable URL previews by default for participants in this room": "Predvolene zakázať náhľady URL adries pre členov tejto miestnosti",
"URL previews are %(globalDisableUrlPreview)s by default for participants in this room.": "Náhľady URL adries sú predvolene %(globalDisableUrlPreview)s pre členov tejto miestnosti.",
"disabled": "zakázané",
"enabled": "povolené",
"You have <a>disabled</a> URL previews by default.": "Predvolene máte <a>zakázané</a> náhľady URL adries.",
"You have <a>enabled</a> URL previews by default.": "Predvolene máte <a>povolené</a> náhľady URL adries.",
"URL Previews": "Náhľady URL adries",
"Enable URL previews for this room (affects only you)": "Povoliť náhľady URL adries pre túto miestnosť (ovplyvňuje len vás)",
"Disable URL previews for this room (affects only you)": "Zakázať náhľady URL adries pre túto miestnosť (ovplyvňuje len vás)",
"Error decrypting audio": "Chyba pri dešifrovaní zvuku",
"Error decrypting attachment": "Chyba pri dešifrovaní prílohy",
"Decrypt %(text)s": "Dešifrovať %(text)s",
"Download %(text)s": "Stiahnuť %(text)s",
"Invalid file%(extra)s": "Neplatný súbor%(extra)s",
"Error decrypting image": "Chyba pri dešifrovaní obrázka",
"Image '%(Body)s' cannot be displayed.": "Nie je možné zobraziť obrázok '%(Body)s'.",
"This image cannot be displayed.": "Tento obrázok nie je možné zobraziť.",
"Error decrypting video": "Chyba pri dešifrovaní videa",
"%(senderDisplayName)s changed the avatar for %(roomName)s": "%(senderDisplayName)s zmenil avatara pre %(roomName)s",
"%(senderDisplayName)s removed the room avatar.": "%(senderDisplayName)s z miestnosti odstránil avatara.",
"%(senderDisplayName)s changed the room avatar to <img/>": "%(senderDisplayName)s zmenil avatara miestnosti na <img/>",
"Copied!": "Skopírované!",
"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 udalosti",
"Message removed by %(userId)s": "Správu odstránil %(userId)s",
"Message removed": "správa odstránená",
"Robot check is currently unavailable on desktop - please use a <a>web browser</a>": "Overenie, že nieste robot nie je možné cez aplikáciu na pracovnej ploche - prosím prejdite do <a>prehliadača webu</a>",
"This Home Server would like to make sure you are not a robot": "Tento domovský server by sa rád uistil, že nieste robot",
"Sign in with CAS": "Prihlásiť sa s použitím CAS",
"Custom Server Options": "Vlastné možnosti servera",
"You can use the custom server options to sign into other Matrix servers by specifying a different Home server URL.": "Vlastné nastavenia servera môžete použiť na pripojenie k iným serverom Matrix a to zadaním URL adresy domovského servera.",
"This allows you to use this app with an existing Matrix account on a different home server.": "Umožní vám to použiť túto aplikáciu s už existujúcim Matrix účtom na akomkoľvek domovskom servery.",
"You can also set a custom identity server but this will typically prevent interaction with users based on email address.": "Môžete tiež zadať vlastnú adresu servera totožností, čo však za štandardných okolností znemožní interakcie medzi používateľmi založené emailovou adresou.",
"Dismiss": "Zamietnuť",
"To continue, please enter your password.": "Aby ste mohli pokračovať, prosím zadajte svoje heslo.",
"Password:": "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": "Nesprávny token",
"A text message has been sent to %(msisdn)s": "Na číslo %(msisdn)s bola odoslaná textová správa",
"Please enter the code it contains:": "Prosím, zadajte kód z tejto správy:",
"Start authentication": "Spustiť overenie",
"powered by Matrix": "Poháňa Matrix",
"User name": "Meno používateľa",
"Mobile phone number": "Číslo mobilného telefónu",
"Forgot your password?": "Zabudli ste heslo?",
"%(serverName)s Matrix ID": "Matrix ID na servery %(serverName)s",
"Sign in with": "Na prihlásenie sa použije",
"Email address": "Emailová adresa",
"Sign in": "Prihlásiť sa",
"If you don't specify an email address, you won't be able to reset your password. Are you sure?": "Ak nezadáte vašu emailovú adresu, nebudete si môcť obnoviť heslo. Ste si istí?",
"Email address (optional)": "Emailová adresa (nepovinné)",
"You are registering with %(SelectedTeamName)s": "Registrujete sa s %(SelectedTeamName)s",
"Mobile phone number (optional)": "Číslo mobilného telefónu (nepovinné)",
"Register": "Zaregistrovať",
"Default server": "Predvolený server",
"Custom server": "Vlastný server",
"Home server URL": "Adresa domovského servera",
"Identity server URL": "Adresa servera totožností",
"What does this mean?": "Čo je toto?",
"Remove from community": "Odstrániť z komunity",
"Disinvite this user from community?": "Zrušiť pozvanie tohoto používateľa z komunity?",
"Remove this user from community?": "Odstrániť tohoto používateľa z komunity?",
"Failed to withdraw invitation": "Nepodarilo sa stiahnuť pozvanie",
"Failed to remove user from community": "Nepodarilo sa odstrániť používateľa z komunity",
"Filter community members": "Filtrovať členov komunity",
"Are you sure you want to remove '%(roomName)s' from %(groupId)s?": "Ste si istí, že chcete odstrániť miestnosť '%(roomName)s' z komunity %(groupId)s?",
"Removing a room from the community will also remove it from the community page.": "Keď odstránite miestnosť z komunity, odstráni sa aj odkaz do miestnosti zo stránky komunity.",
"Remove": "Odstrániť",
"Failed to remove room from community": "Nepodarilo sa odstrániť miestnosť z komunity",
"Failed to remove '%(roomName)s' from %(groupId)s": "Nepodarilo sa odstrániť miestnosť '%(roomName)s' z komunity %(groupId)s",
"Something went wrong!": "Niečo sa pokazilo!",
"The visibility of '%(roomName)s' in %(groupId)s could not be updated.": "Nie je možné aktualizovať viditeľnosť miestnosti '%(roomName)s' v komunite %(groupId)s.",
"Visibility in Room List": "Viditeľnosť v zozname miestností",
"Visible to everyone": "Viditeľná pre všetkých",
"Only visible to community members": "Viditeľná len pre členov komunity",
"Filter community rooms": "Filtrovať miestnosti v komunite",
"Unknown Address": "Neznáma adresa",
"NOTE: Apps are not end-to-end encrypted": "POZOR: Aplikácie nie sú šifrované",
"Do you want to load widget from URL:": "Chcete načítať widget z URL adresy:",
"Allow": "Povoliť",
"Delete Widget": "Vymazať widget",
"Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Týmto vymažete widget pre všetkých používateľov v tejto miestnosti. Ste si istí, že chcete vymazať tento widget?",
"Delete widget": "Vymazať widget",
"Revoke widget access": "Odmietnuť prístup k widgetu",
"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",
"Integrations Error": "Chyba integrácií",
"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",
"%(severalUsers)sjoined %(count)s times|one": "%(severalUsers)svstúpili",
"%(oneUser)sjoined %(count)s times|other": "%(oneUser)s%(count)s krát vstúpil",
"%(oneUser)sjoined %(count)s times|one": "%(oneUser)svstúpil",
"%(severalUsers)sleft %(count)s times|other": "%(severalUsers)s%(count)s krát opustili",
"%(severalUsers)sleft %(count)s times|one": "%(severalUsers)sopustili",
"%(oneUser)sleft %(count)s times|other": "%(oneUser)s%(count)s krát opustil",
"%(oneUser)sleft %(count)s times|one": "%(oneUser)sopustil",
"%(severalUsers)sjoined and left %(count)s times|other": "%(severalUsers)s%(count)s krát vstúpili a opustili",
"%(severalUsers)sjoined and left %(count)s times|one": "%(severalUsers)svstúpili a opustili",
"%(oneUser)sjoined and left %(count)s times|other": "%(oneUser)s%(count)s krát vstúpil a opustil",
"%(oneUser)sjoined and left %(count)s times|one": "%(oneUser)svstúpil a opustil",
"%(severalUsers)sleft and rejoined %(count)s times|other": "%(severalUsers)s%(count)s krát opustili a znovu vstúpili",
"%(severalUsers)sleft and rejoined %(count)s times|one": "%(severalUsers)sopustili a znovu vstúpili",
"%(oneUser)sleft and rejoined %(count)s times|other": "%(oneUser)s%(count)s krát opustil a znovu vstúpil",
"%(oneUser)sleft and rejoined %(count)s times|one": "%(oneUser)sopustil a znovu vstúpil",
"%(severalUsers)srejected their invitations %(count)s times|other": "%(severalUsers)s%(count)s krát odmietli pozvanie",
"%(severalUsers)srejected their invitations %(count)s times|one": "%(severalUsers)sodmietly pozvanie",
"%(oneUser)srejected their invitation %(count)s times|other": "%(oneUser)s%(count)s krát odmietol pozvanie",
"%(oneUser)srejected their invitation %(count)s times|one": "%(oneUser)sodmietol pozvanie",
"%(severalUsers)shad their invitations withdrawn %(count)s times|other": "%(severalUsers)smali %(count)s krát stiahnuté pozvanie",
"%(severalUsers)shad their invitations withdrawn %(count)s times|one": "%(severalUsers)smali stiahnuté pozvanie",
"%(oneUser)shad their invitation withdrawn %(count)s times|other": "%(oneUser)smal %(count)s krát stiahnuté pozvanie",
"%(oneUser)shad their invitation withdrawn %(count)s times|one": "%(oneUser)smal stiahnuté pozvanie",
"were invited %(count)s times|other": "boli %(count)s krát pozvaní",
"were invited %(count)s times|one": "boli pozvaní",
"was invited %(count)s times|other": "bol %(count)s krát pozvaný",
"was invited %(count)s times|one": "bol pozvaný",
"were banned %(count)s times|other": "mali %(count)s krát zakázaný vstup",
"were banned %(count)s times|one": "mali zakázaný vstup",
"was banned %(count)s times|other": "mal %(count)s krát zakázaný vstup",
"was banned %(count)s times|one": "mal zakázaný vstup",
"were unbanned %(count)s times|other": "mali %(count)s krát povolený vstup",
"were unbanned %(count)s times|one": "mali povolený vstup",
"was unbanned %(count)s times|other": "mal %(count)s krát povolený vstup",
"was unbanned %(count)s times|one": "mal povolený vstup",
"were kicked %(count)s times|other": "boli %(count)s krát vykopnutí",
"were kicked %(count)s times|one": "boli vykopnutí",
"was kicked %(count)s times|other": "bol %(count)s krát vykopnutý",
"was kicked %(count)s times|one": "bol vykopnutý",
"%(severalUsers)schanged their name %(count)s times|other": "%(severalUsers)ssi %(count)s krát zmenili meno",
"%(severalUsers)schanged their name %(count)s times|one": "%(severalUsers)ssi zmenili meno",
"%(oneUser)schanged their name %(count)s times|other": "%(oneUser)ssi %(count)s krát zmenil meno",
"%(oneUser)schanged their name %(count)s times|one": "%(oneUser)ssi zmenil meno",
"%(severalUsers)schanged their avatar %(count)s times|other": "%(severalUsers)ssi %(count)s krát zmenili avatara",
"%(severalUsers)schanged their avatar %(count)s times|one": "%(severalUsers)ssi zmenili avatara",
"%(oneUser)schanged their avatar %(count)s times|other": "%(oneUser)ssi %(count)s krát zmenil avatara",
"%(oneUser)schanged their avatar %(count)s times|one": "%(oneUser)ssi zmenil avatara",
"%(items)s and %(count)s others|other": "%(items)s a %(count)s ďalší",
"%(items)s and %(count)s others|one": "%(items)s a jeden ďalší",
"%(items)s and %(lastItem)s": "%(items)s a tiež %(lastItem)s",
"Custom level": "Vlastná úroveň",
"Room directory": "Adresár miestností",
"Start chat": "Začať konverzáciu",
"And %(count)s more...|other": "A %(count)s ďalších...",
"ex. @bob:example.com": "pr. @jan:priklad.sk",
"Add User": "Pridať používateľa",
"Matrix ID": "Matrix ID",
"Matrix Room ID": "ID Matrix miestnosti",
"email address": "emailová adresa",
"Try using one of the following valid address types: %(validTypesList)s.": "Skúste použiť niektorý z nasledujúcich správnych typov adresy: %(validTypesList)s.",
"You have entered an invalid address.": "Zadali ste neplatnú adresu.",
"Create a new chat or reuse an existing one": "Vytvorte novú konverzáciu alebo sa pripojte už k existujúcej",
"Start new chat": "Začať novú konverzáciu",
"You already have existing direct chats with this user:": "S týmto používateľom už máte spoločné priame konverzácie:",
"Start chatting": "Začať konverzovať",
"Click on the button below to start chatting!": "Konverzovať môžete začať kliknutím na tlačidlo nižšie!",
"Start Chatting": "Začať konverzovať",
"Confirm Removal": "Potvrdiť odstránenie",
"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.": "Ste si istí, že chcete odstrániť (vymazať) túto udalosť? Všimnite si: ak vymažete zmenu názvu miestnosti alebo zmenu témy, môžete tak vrátiť zodpovedajúcu zmenu.",
"Community IDs may only contain characters a-z, 0-9, or '=_-./'": "ID komunity môže obsahovať len znaky a-z, 0-9, alebo '=_-./'",
"Something went wrong whilst creating your community": "Niečo sa pokazilo počas vytvárania požadovanej komunity",
"Create Community": "Vytvoriť komunitu",
"Community Name": "Názov komunity",
"Example": "Príklad",
"Community ID": "ID komunity",
"example": "príklad",
"Create": "Vytvoriť",
"Create Room": "Vytvoriť miestnosť",
"Room name (optional)": "Názov miestnosti (nepovinné)",
"Advanced options": "Pokročilé voľby",
"Block users on other matrix homeservers from joining this room": "Blokovať vstup do tejto miestnosti používateľom z ostatných domovských serverov Matrix",
"This setting cannot be changed later!": "Toto nastavenie už viac nie je možné meniť!",
"Unknown error": "Neznáma chyba",
"Incorrect password": "Nesprávne heslo",
"Deactivate Account": "Deaktivovať účet",
"This will make your account permanently unusable. You will not be able to re-register the same user ID.": "Toto spôsobí, že váš účet nebude viac použiteľný. Tak tiež si nebudete môcť znovu zaregistrovať rovnaké používateľské ID.",
"This action is irreversible.": "Túto akciu nie je možné vrátiť späť.",
"To verify that this device 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 device matches the key below:": "Ak chcete overiť, či toto zariadenie je skutočne dôverihodné, kontaktujte jeho vlastníka iným spôsobom (napr. osobne alebo cez telefón) a opýtajte sa ho, či kľúč, ktorý má pre toto zariadenie zobrazený v nastaveniach sa zhoduje s kľúčom zobrazeným nižšie:",
"Device name": "Názov zariadenia",
"Device key": "Kľúč zariadenia",
"If it matches, press the verify button below. If it doesn't, then someone else is intercepting this device and you probably want to press the blacklist button instead.": "Ak sa kľúče zhodujú, stlačte tlačidlo Overiť nižšie. Ak sa nezhodujú, niekto ďalší odpočúva toto zariadenie a v takomto prípade by ste asi mali namiesto toho stlačiť tlačidlo Pridať na čiernu listinu.",
"In future this verification process will be more sophisticated.": "V budúcnosti plánujeme tento proces overovania zariadení zjednodušiť.",
"Verify device": "Overiť zariadenie",
"I verify that the keys match": "Overil som, kľúče sa zhodujú",
"An error has occurred.": "Vyskytla sa chyba.",
"OK": "OK",
"You added a new device '%(displayName)s', which is requesting encryption keys.": "Pridali ste nové zariadenie nazvané '%(displayName)s', ktoré žiada o šifrovacie kľúče.",
"Your unverified device '%(displayName)s' is requesting encryption keys.": "Vaše neoverené zariadenie nazvané '%(displayName)s' žiada o šifrovacie kľúče.",
"Start verification": "Spustiť overenie",
"Share without verifying": "Zdieľať bez overenia",
"Ignore request": "Ignorovať žiadosť",
"Loading device info...": "Načítanie informácií o zariadení...",
"Encryption key request": "Žiadosť o šifrovacie kľúče",
"Otherwise, <a>click here</a> to send a bug report.": "inak <a>kliknutím sem</a> nahláste chybu.",
"Unable to restore session": "Nie je možné obnoviť reláciu",
"We encountered an error trying to restore your previous session. If you continue, you will need to log in again, and encrypted chat history will be unreadable.": "Pri pokuse o obnovenie vašej predchádzajúcej relácie sa vyskytla chyba. Ak budete pokračovať, musíte sa znovu prihlásiť, a história šifrovaných konverzácii nebude viac čitateľ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.": "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.",
"Continue anyway": "Napriek tomu pokračovať",
"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",
"Please check your email and click on the link it contains. Once this is done, click continue.": "Prosím, skontrolujte si email a kliknite na odkaz v správe, ktorú sme vám poslali. Keď budete mať toto za sebou, kliknite na tlačidlo Pokračovať.",
"Unable to add email address": "Nie je možné pridať emailovú adresu",
"Unable to verify email address.": "Nie je možné overiť emailovú adresu.",
"This will allow you to reset your password and receive notifications.": "Toto vám umožní obnoviť si heslo a prijímať oznámenia emailom.",
"Skip": "Preskočiť",
"User names may only contain letters, numbers, dots, hyphens and underscores.": "Používateľské meno môže obsahovať len písmená, číslice, bodky, pomlčky a podčiarkovníky.",
"Username not available": "Používateľské meno nie je k dispozícii",
"Username invalid: %(errMessage)s": "Neplatné používateľské meno: %(errMessage)s",
"An error occurred: %(error_string)s": "Vyskytla sa chyba: %(error_string)s",
"Username available": "Používateľské meno je k dispozícii",
"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 servery <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>.",
"You are currently blacklisting unverified devices; to send messages to these devices you must verify them.": "Momentálne sa ku všetkym neovereným zariadeniam správate ako by boli na čiernej listine; aby ste na tieto zariadenia mohli posielať správy, mali by ste ich overiť.",
"We recommend you go through the verification process for each device to confirm they belong to their legitimate owner, but you can resend the message without verifying if you prefer.": "Odporúčame vám prejsť procesom overenia pre všetky tieto zariadenia aby ste si potvrdili, že skutočne patria ich pravým vlastníkom, ak si to však želáte, môžete tiež znovu poslať správu bez overovania.",
"Room contains unknown devices": "V miestnosti sú neznáme zariadenia",
"\"%(RoomName)s\" contains devices that you haven't seen before.": "V miestnosti \"%(RoomName)s\" sa našli zariadenia, s ktorými ste doposiaľ nikdy nekomunikovali.",
"Unknown devices": "Neznáme zariadenia",
"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",
"Topic": "Téma",
"Make this room private": "Urobiť z tejto miestnosti súkromnú miestnosť",
"Share message history with new users": "Zdieľať históriu s novými používateľmi",
"Encrypt room": "Zašifrovať miestnosť",
"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",
"There are no visible files in this room": "V tejto miestnosti nie sú žiadne viditeľné súbory",
"<h1>HTML for your community's page</h1>\n<p>\n Use the long description to introduce new members to the community, or distribute\n some important <a href=\"foo\">links</a>\n</p>\n<p>\n You can even use 'img' tags\n</p>\n": "<h1>HTML kód hlavnej stránky komunity</h1>\n<p>\n Dlhý popis môžete použiť na predstavenie komunity novým členom, alebo uvedenie \n dôležitých <a href=\"foo\">odkazov</a>\n</p>\n<p>\n Môžete tiež používať HTML značku 'img'\n</p>\n",
"Add rooms to the community summary": "Pridať miestnosti do prehľadu komunity",
"Which rooms would you like to add to this summary?": "Ktoré miestnosti si želáte pridať do tohoto prehľadu?",
"Add to summary": "Pridať do prehľadu",
"Failed to add the following rooms to the summary of %(groupId)s:": "Do prehľadu komunity %(groupId)s sa nepodarilo pridať nasledujúce miestnosti:",
"Add a Room": "Pridať miestnosť",
"Failed to remove the room from the summary of %(groupId)s": "Z prehľadu komunity %(groupId)s sa nepodarilo odstrániť miestnosť",
"The room '%(roomName)s' could not be removed from the summary.": "Nie je možné odstrániť miestnosť '%(roomName)s' z prehľadu.",
"Add users to the community summary": "Pridať používateľov do prehľadu komunity",
"Who would you like to add to this summary?": "Koho si želáte pridať do tohoto prehľadu?",
"Failed to add the following users to the summary of %(groupId)s:": "Do prehľadu komunity %(groupId)s sa nepodarilo pridať nasledujúcich používateľov:",
"Add a User": "Pridať používateľa",
"Failed to remove a user from the summary of %(groupId)s": "Z prehľadu komunity %(groupId)s sa nepodarilo odstrániť používateľa",
"The user '%(displayName)s' could not be removed from the summary.": "Nie je možné odstrániť používateľa '%(displayName)s' z prehľadu.",
"Failed to upload image": "Nepodarilo sa nahrať obrázok",
"Failed to update community": "Nepodarilo sa aktualizovať komunitu",
"Unable to accept invite": "Nie je možné prijať pozvanie",
"Unable to reject invite": "Nie je možné odmietnuť pozvanie",
"Leave Community": "Opustiť komunitu",
"Leave %(groupName)s?": "Opustiť komunitu %(groupName)s?",
"Leave": "Opustiť",
"Unable to leave room": "Nie je možné opustiť miestnosť",
"Community Settings": "Nastavenia komunity",
"These rooms are displayed to community members on the community page. Community members can join the rooms by clicking on them.": "Tieto miestnosti sú zobrazené všetkým členom na stránke komunity. Členovia komunity môžu vstúpiť do miestnosti kliknutím.",
"Add rooms to this community": "Pridať miestnosti do tejto komunity",
"Featured Rooms:": "Hlavné miestnosti:",
"Featured Users:": "Významní používatelia:",
"%(inviter)s has invited you to join this community": "%(inviter)s vás pozval vstúpiť do tejto komunity",
"You are an administrator of this community": "Ste správcom tejto komunity",
"You are a member of this community": "Ste členom tejto komunity",
"Community Member Settings": "Nastavenia členstva v komunite",
"Publish this community on your profile": "Uverejniť túto komunitu vo vašom profile",
"Your community hasn't got a Long Description, a HTML page to show to community members.<br />Click here to open settings and give it one!": "Vaša komunita nemá vyplnený dlhý popis, ktorý tvorí stránku komunity viditeľnú jej členom.<br />Kliknutím sem otvoríte nastavenia, kde ho môžete vyplniť!",
"Long Description (HTML)": "Dlhý popis (HTML)",
"Description": "Popis",
"Community %(groupId)s not found": "Komunita %(groupId)s nebola nájdená",
"This Home server does not support communities": "Tento domovský server nepodporuje komunity",
"Failed to load %(groupId)s": "Nepodarilo sa načítať komunitu %(groupId)s",
"Reject invitation": "Odmietnuť pozvanie",
"Are you sure you want to reject the invitation?": "Ste si istí, že chcete odmietnuť toto pozvanie?",
"Failed to reject invitation": "Nepodarilo sa odmietnuť pozvanie",
"Are you sure you want to leave the room '%(roomName)s'?": "Ste si istí, že chcete opustiť miestnosť '%(roomName)s'?",
"Failed to leave room": "Nepodarilo sa opustiť miestnosť",
"Signed Out": "Ste odhlásení",
"For security, this session has been signed out. Please sign in again.": "Kôli bezpečnosti ste boli odhlásení z tejto relácie. Prosím, prihláste sa znovu.",
"Logout": "Odhlásiť sa",
"Your Communities": "Vaše komunity",
"You're not currently a member of any communities.": "V súčasnosti nie ste členom žiadnej komunity.",
"Error whilst fetching joined communities": "Pri získavaní vašich komunít sa vyskytla chyba",
"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.",
"Join an existing community": "Vstúpiť do existujúcej komunity",
"To join an existing community you'll have to know its community identifier; this will look something like <i>+example:matrix.org</i>.": "Aby ste mohli vstúpiť do existujúcej komunity, musíte poznať jej identifikátor; Mal by vizerať nejako takto <i>+priklad:matrix.org</i>.",
"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.",
"<a>Resend all</a> or <a>cancel all</a> now. You can also select individual messages to resend or cancel.": "<a>Znovu odoslať všetky</a> alebo <a>zrušiť všetky</a> teraz. Môžete tiež znovu poslať alebo zrušiť odosielanie jednotlivých správ zvlášť.",
"%(count)s new messages|other": "%(count)s nových správ",
"%(count)s new messages|one": "%(count)s nová správa",
"Active call": "Aktívny hovor",
"There's no one else here! Would you like to <a>invite others</a> or <a>stop warning about the empty room</a>?": "Okrem vás v tejto miestnosti nie je nik iný! Želáte si <a>pozvať ďalších</a> alebo <a>prestať upozorňovať na prázdnu miestnosť</a>?",
"You seem to be uploading files, are you sure you want to quit?": "Zdá sa, že práve nahrávate súbory, ste si istí, že chcete skončiť?",
"You seem to be in a call, are you sure you want to quit?": "Zdá sa, že máte prebiehajúci hovor, ste si istí, že chcete skončiť?",
"Some of your messages have not been sent.": "Niektoré vaše správy ešte neboli odoslané.",
"Message not sent due to unknown devices being present": "Neodoslaná správa kvôli nájdeným neznámym zariadeniam",
"Failed to upload file": "Nepodarilo sa nahrať súbor",
"Server may be unavailable, overloaded, or the file too big": "Server môže byť nedostupný, preťažený, alebo je súbor príliš veľký",
"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 save settings": "Nepodarilo sa uložiť nastavenia",
"Failed to reject invite": "Nepodarilo sa odmietnuť pozvanie",
"Fill screen": "Vyplniť obrazovku",
"Click to unmute video": "Kliknutím zrušíte stlmenie videa",
"Click to mute video": "Kliknutím stlmíte video",
"Click to unmute audio": "Kliknutím zrušíte stlmenie zvuku",
"Click to mute audio": "Kliknutím stlmíte zvuk",
"Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Pri pokuse načítať konkrétny bod v histórii tejto miestnosti sa vyskytla chyba, nemáte oprávnenie na zobrazenie zodpovedajúcej správy.",
"Tried to load a specific point in this room's timeline, but was unable to find it.": "Pri pokuse načítať konkrétny bod v histórii tejto miestnosti sa vyskytla chyba, Správu nie je možné nájsť.",
"Failed to load timeline position": "Nepodarilo sa načítať pozíciu na časovej osi",
"Uploading %(filename)s and %(count)s others|other": "Nahrávanie %(filename)s a %(count)s ďalších súborov",
"Uploading %(filename)s and %(count)s others|zero": "Nahrávanie %(filename)s",
"Uploading %(filename)s and %(count)s others|one": "Nahrávanie %(filename)s a %(count)s ďalší súbor",
"Autoplay GIFs and videos": "Automaticky prehrávať animované GIF obrázky a videá",
"Hide read receipts": "Skriť potvrdenia o prečítaní",
"Don't send typing notifications": "Neposielať oznámenia keď píšete",
"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)",
"Hide join/leave messages (invites/kicks/bans unaffected)": "Skriť správy o vstupe a opustení miestnosti (netýka sa pozvaní/vykopnutí/zákazov vstupu)",
"Hide avatar and display name changes": "Skriť zmeny zobrazovaného mena a avatara",
"Use compact timeline layout": "Použiť kompaktné rozloženie časovej osy",
"Hide removed messages": "Skriť odstránené správy",
"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é Emoji",
"Disable Emoji suggestions while typing": "Zakázať návrhy Emoji počas písania",
"Hide avatars in user and room mentions": "Skriť avatarov pri zmienkach miestností a používateľov",
"Disable big emoji in chat": "Zakázať veľké Emoji v konverzácii",
"Mirror local video feed": "Zrkadliť lokálne video",
"Opt out of analytics": "Odhlásiť sa zo zberu analytických údajov",
"Disable Peer-to-Peer for 1:1 calls": "Zakázať P2P počas priamych volaní",
"Never send encrypted messages to unverified devices from this device": "Z tohoto zariadenia nikdy neposielať šifrované správy neovereným zariadeniam",
"Light theme": "Svetlá téma",
"Dark theme": "Tmavá téma",
"Can't load user settings": "Nie je možné načítať používateľské nastavenia",
"Server may be unavailable or overloaded": "Server môže byť nedostupný alebo preťažený",
"Sign out": "Odhlásiť sa",
"For security, logging out will delete any end-to-end encryption keys from this browser. If you want to be able to decrypt your conversation history from future Riot sessions, please export your room keys for safe-keeping.": "S cieľom posilniť bezpečnosť sa všetky E2E šifrovacie kľúče pri odhlásení odstránia z tohoto prehliadača. Ak chcete, aby ste mohli čítať históriu šifrovaných konverzácií aj po opätovnom prihlásení, prosím exportujte a bezpečne si uchovajte kľúče miestností.",
"Failed to change password. Is your password correct?": "Nepodarilo sa zmeniť heslo. Zadali ste správne heslo?",
"Success": "Úspech",
"Your password was successfully changed. You will not receive push notifications on other devices until you log back in to them": "Úspešne ste si zmenili heslo. Na ostatných zariadeniach sa vám nebudú zobrazovať okamžité oznámenia, kým sa aj na nich opätovne neprihlásite",
"Remove Contact Information?": "Odstrániť kontaktné informácie?",
"Remove %(threePid)s?": "Odstrániť %(threePid)s?",
"Unable to remove contact information": "Nie je možné odstrániť kontaktné informácie",
"Refer a friend to Riot:": "Odporučte Riot známemu:",
"Interface Language": "Jazyk rozhrania",
"User Interface": "Používateľské rozhranie",
"Autocomplete Delay (ms):": "Oneskorenie automatického dokončovania (ms):",
"Disable inline URL previews by default": "Predvolene zakázať náhľady URL adries",
"<not supported>": "<nepodporované>",
"Import E2E room keys": "Importovať E2E kľúče miestností",
"Cryptography": "Kryptografia",
"Device ID:": "ID zariadenia:",
"Device key:": "Kľúč zariadenia:",
"Ignored Users": "Ignorovaní používatelia",
"Bug Report": "Hlásenie chyby",
"Found a bug?": "Našli ste chybu?",
"Report it": "Ohláste ju",
"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ť.",
"Labs": "Experimenty",
"These are experimental features that may break in unexpected ways": "Tieto funkcie sú experimentálne a môžu sa nečakane pokaziť",
"Use with caution": "Pri používaní buďte opatrní",
"Deactivate my account": "Deaktivovať môj účet",
"Clear Cache": "Vyprázdniť vyrovnávaciu pamäť",
"Clear Cache and Reload": "Vyprázdniť vyrovnávaciu pamäť a načítať znovu",
"Updates": "Aktualizácie",
"Check for update": "Skontrolovať dostupnosť aktualizácie",
"Reject all %(invitedRooms)s invites": "Odmietnuť všetky %(invitedRooms)s pozvania",
"Bulk Options": "Hromadné možnosti",
"Desktop specific": "Špecifické pre pracovnú plochu",
"Start automatically after system login": "Spustiť automaticky po prihlásení do systému",
"No media permissions": "Žiadne oprávnenia 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",
"Missing Media Permissions, click here to request.": "Kliknutím sem vyžiadate chýbajúce oprávnenia na prístup k mediálnym zariadeniam.",
"No Microphones detected": "Neboli nájdené žiadne mikrofóny",
"No Webcams detected": "Neboli nájdené žiadne kamery",
"Default Device": "Predvolené zariadenie",
"Microphone": "Mikrofón",
"Camera": "Kamera",
"VoIP": "VoIP",
"Email": "Email",
"Add email address": "Pridať emailovú adresu",
"Notifications": "Oznámenia",
"Profile": "Profil",
"Display name": "Zobrazované meno",
"Account": "Účet",
"To return to your account in future you need to set a password": "Aby ste sa v budúcnosti mohli vrátiť k vašemu účtu mali by ste si teraz nastaviť heslo",
"Logged in as:": "Prihlásený ako:",
"Access Token:": "Prístupový token:",
"click to reveal": "Odkryjete kliknutím",
"Homeserver is": "Domovský server je",
"Identity Server is": "Server totožností je",
"matrix-react-sdk version:": "Verzia matrix-react-sdk:",
"riot-web version:": "Verzia riot-web:",
"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.",
"A new password must be entered.": "Musíte zadať nové heslo.",
"New passwords must match each other.": "Obe nové heslá musia byť zhodné.",
"Resetting password will currently reset any end-to-end encryption keys on all devices, making encrypted chat history unreadable, unless you first export your room keys and re-import them afterwards. In future this will be improved.": "Zmena hesla momentálne obnoví šifrovacie kľúče na všetkých vašich zariadeniach, čo spôsobí, že história vašich šifrovaných konverzácií sa stane nečitateľná, jedine že si pred zmenou hesla exportujete kľúče miestností do súboru a po zmene kľúče importujete naspäť. V budúcnosti bude táto funkcia vylepšená.",
"An email has been sent to %(emailAddress)s. Once you've followed the link it contains, click below.": "Na adresu %(emailAddress)s bola odoslaná správa. Potom, čo prejdete na odkaz z tejto správy, kliknite nižšie.",
"I have verified my email address": "Overil som si emailovú adresu",
"Your password has been reset": "Vaše heslo bolo obnovené",
"You have been logged out of all devices and will no longer receive push notifications. To re-enable notifications, sign in again on each device": "Boli ste odhlásení na všetkych zariadeniach a nebudete viac dostávať okamžité oznámenia. Oznámenia znovu povolíte tak, že sa opätovne prihlásite na každom zariadení",
"Return to login screen": "Vrátiť sa na prihlasovaciu obrazovku",
"To reset your password, enter the email address linked to your account": "Ak chcete obnoviť vaše heslo, zadajte emailovú adresu prepojenú s vašim účtom",
"New password": "Nové heslo",
"Confirm your new password": "Potvrďte vaše nové heslo",
"Send Reset Email": "Poslať obnovovací email",
"Create an account": "Vytvoriť účet",
"This Home Server does not support login using email address.": "Tento domovský server nepodporuje prihlasovanie sa emailom.",
"Incorrect username and/or password.": "Nesprávne meno používateľa a / alebo heslo.",
"Guest access is disabled on this Home Server.": "Na tomto domovskom servery je zakázaný prístup pre hostí.",
"The phone number entered looks invalid": "Zdá sa, že zadané telefónne číslo je neplatné",
"Error: Problem communicating with the given homeserver.": "Chyba: Nie je možné komunikovať so zadaným domovským serverom.",
"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>.": "K domovskému serveru nie je možné pripojiť sa použitím protokolu HTTP keďže v adresnom riadku prehliadača máte HTTPS adresu. Použite protokol HTTPS alebo <a>povolte nezabezpečené skripty</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.": "Nie je možné pripojiť sa k domovskému serveru - skontrolujte prosím funkčnosť vašeho pripojenia na internet, uistite sa že <a>certifikát domovského servera</a> je dôverihodný, a že žiaden doplnok nainštalovaný v prehliadači nemôže blokovať požiadavky.",
"Sorry, this homeserver is using a login which is not recognised ": "Prepáčte, tento domovský server používa neznámy spôsob prihlasovania ",
"Login as guest": "Prihlásiť sa ako hosť",
"Return to app": "Vrátiť sa do aplikácie",
"Failed to fetch avatar URL": "Nepodarilo sa získať URL adresu avatara",
"Set a display name:": "Nastaviť zobrazované meno:",
"Upload an avatar:": "Nahrať avatara:",
"This server does not support authentication with a phone number.": "Tento server nepodporuje overenie telefónnym číslom.",
"Missing password.": "Chýba heslo.",
"Passwords don't match.": "Heslá sa nezhodujú.",
"Password too short (min %(MIN_PASSWORD_LENGTH)s).": "Heslo je veľmi krátke (minimálne %(MIN_PASSWORD_LENGTH)s).",
"This doesn't look like a valid email address.": "Zdá sa, že toto nie je platná emailová adresa.",
"This doesn't look like a valid phone number.": "Zdá sa, že toto nie je platné telefónne číslo.",
"You need to enter a user name.": "Musíte zadať používateľské meno.",
"An unknown error occurred.": "Vyskytla sa neznáma chyba.",
"I already have an account": "Už mám účet",
"Displays action": "Zobrazí akciu",
"Bans user with given id": "Zakáže vstup používateľovi so zadaným ID",
"Unbans user with given id": "Povolí vstup používateľovi so zadaným ID",
"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",
"Sets the room topic": "Nastaví tému miestnosti",
"Kicks user with given id": "Vykopne 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",
"Changes colour scheme of current room": "Zmení farebnú schému aktuálnej miestnosti",
"Verifies a user, device, and pubkey tuple": "Overí zadané údaje používateľa, zariadenie a verejný kľúč",
"Ignores a user, hiding their messages from you": "Ignoruje používateľa a skrije všetky jeho správy",
"Stops ignoring a user, showing their messages going forward": "Prestane ignorovať používateľa a začne zobrazovať jeho správy",
"Commands": "Príkazy",
"Results from DuckDuckGo": "Výsledky z DuckDuckGo",
"Emoji": "Emoji",
"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",
"Sender device information": "Informácie o zariadení odosielateľa",
"Passphrases must match": "Heslá sa musia zhodovať",
"Passphrase must not be empty": "Heslo nesmie byť prázdne",
"Export room keys": "Exportovať kľúče miestností",
"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.": "Tento proces vás prevedie exportom kľúčov určených na dešifrovanie správ, ktoré ste dostali v šifrovaných miestnostiach do lokálneho súboru. Tieto kľúče zo súboru môžete neskôr importovať do iného Matrix klienta, aby ste v ňom mohli dešifrovať vaše šifrované správy.",
"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.": "Tento súbor umožní komukoľvek, k to má ku nemu prístup dešifrovať všetky vami viditeľné šifrované správy, mali by ste teda byť opatrní a tento súbor si bezpečne uchovať. Aby bolo toto pre vás jednoduchšie, nižšie zadajte heslo, ktorým budú údaje v súbore zašifrované. Importovať údaje zo súboru bude možné len po zadaní tohoto istého hesla.",
"Enter passphrase": "Zadajte heslo",
"Confirm passphrase": "Potvrďte heslo",
"Export": "Exportovať",
"Import room keys": "Importovať kľúče miestností",
"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 prevedie importom šifrovacích kľúčov, ktoré ste si v minulosti exportovali v inom Matrix klientovi. Po úspešnom importe budete v tomto klientovi môcť dešifrovať všetky správy, ktoré ste mohli dešifrovať v spomínanom klientovi.",
"The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Exportovaný súbor je chránený heslom. Súbor môžete importovať len ak zadáte zodpovedajúce heslo.",
"File to import": "Importovať zo súboru",
"Import": "Importovať",
"Show these rooms to non-members on the community page and room list?": "Zobrazovať tieto miestnosti na domovskej stránke komunity a v zozname miestností aj pre nečlenov?"
}

View file

@ -6,7 +6,7 @@
"Dismiss": "Відхилити",
"Drop here %(toAction)s": "Кидайте сюди %(toAction)s",
"Error": "Помилка",
"Failed to forget room %(errCode)s": "Не вдалось забути кімнату %(errCode)s",
"Failed to forget room %(errCode)s": "Не вдалось видалити кімнату %(errCode)s",
"Favourite": "Вибране",
"Mute": "Стишити",
"Notifications": "Сповіщення",
@ -96,5 +96,12 @@
"Email address": "Адреса е-почти",
"Email address (optional)": "Адреса е-почти (не обов'язково)",
"Email, name or matrix ID": "Е-почта, ім'я або matrix ID",
"Failed to send email": "Помилка відправки е-почти"
"Failed to send email": "Помилка відправки е-почти",
"Edit": "Редактувати",
"Unpin Message": "Відкріпити повідомлення",
"Register": "Зарегіструватись",
"Rooms": "Кімнати",
"Add rooms to this community": "Добавити кімнати в це суспільство",
"This email address is already in use": "Ця адреса елект. почти вже використовується",
"This phone number is already in use": "Цей телефонний номер вже використовується"
}

View file

@ -239,7 +239,7 @@
"Device ID:": "裝置 ID:",
"device id: ": "裝置 ID ",
"Reason": "原因",
"Register": "冊",
"Register": "冊",
"Default server": "預設伺服器",
"Custom server": "自定的伺服器",
"Home server URL": "自家伺服器網址",
@ -774,5 +774,6 @@
"Robot check is currently unavailable on desktop - please use a <a>web browser</a>": "機器人檢查目前在桌面端不可用 ── 請使用<a>網路瀏覽器</a>",
"%(widgetName)s widget modified by %(senderName)s": "%(widgetName)s 小工具已被 %(senderName)s 修改",
"Copied!": "已複製!",
"Failed to copy": "複製失敗"
"Failed to copy": "複製失敗",
"Add rooms to this community": "新增聊天室到此社群"
}

View file

@ -150,9 +150,9 @@ export default class GroupStore extends EventEmitter {
.then(this._fetchRooms.bind(this));
}
updateGroupRoomAssociation(roomId, isPublic) {
updateGroupRoomVisibility(roomId, isPublic) {
return this._matrixClient
.updateGroupRoomAssociation(this.groupId, roomId, isPublic)
.updateGroupRoomVisibility(this.groupId, roomId, isPublic)
.then(this._fetchRooms.bind(this));
}
@ -172,7 +172,9 @@ export default class GroupStore extends EventEmitter {
acceptGroupInvite() {
return this._matrixClient.acceptGroupInvite(this.groupId)
// The user might be able to see more rooms now
.then(this._fetchRooms.bind(this));
.then(this._fetchRooms.bind(this))
// The user should now appear as a member
.then(this._fetchMembers.bind(this));
}
addRoomToGroupSummary(roomId, categoryId) {