so that the copy button can be correctly positioned
+ // when the overflows and is scrolled horizontally.
+ const div = document.createElement("div");
+ div.className = "mx_EventTile_pre_container";
+
+ // Insert containing div in place of block
+ p.parentNode.replaceChild(div, p);
+
+ // Append block and copy button to container
+ div.appendChild(p);
+ div.appendChild(button);
});
},
@@ -422,8 +434,7 @@ module.exports = React.createClass({
const mxEvent = this.props.mxEvent;
const content = mxEvent.getContent();
- const stripReply = SettingsStore.isFeatureEnabled("feature_rich_quoting") &&
- ReplyThread.getParentEventId(mxEvent);
+ const stripReply = ReplyThread.getParentEventId(mxEvent);
let body = HtmlUtils.bodyToHtml(content, this.props.highlights, {
disableBigEmoji: SettingsStore.getValue('TextualBody.disableBigEmoji'),
// Part of Replies fallback support
diff --git a/src/components/views/room_settings/AliasSettings.js b/src/components/views/room_settings/AliasSettings.js
index bd92d75dd9..f9bf52cd24 100644
--- a/src/components/views/room_settings/AliasSettings.js
+++ b/src/components/views/room_settings/AliasSettings.js
@@ -1,5 +1,6 @@
/*
Copyright 2016 OpenMarket Ltd
+Copyright 2018 New Vector Ltd
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
@@ -97,18 +98,19 @@ module.exports = React.createClass({
}
}
-
- // save new canonical alias
let oldCanonicalAlias = null;
if (this.props.canonicalAliasEvent) {
oldCanonicalAlias = this.props.canonicalAliasEvent.getContent().alias;
}
- if (oldCanonicalAlias !== this.state.canonicalAlias) {
+
+ let newCanonicalAlias = this.state.canonicalAlias;
+
+ if (this.props.canSetCanonicalAlias && oldCanonicalAlias !== newCanonicalAlias) {
console.log("AliasSettings: Updating canonical alias");
promises = [Promise.all(promises).then(
MatrixClientPeg.get().sendStateEvent(
this.props.roomId, "m.room.canonical_alias", {
- alias: this.state.canonicalAlias,
+ alias: newCanonicalAlias,
}, "",
),
)];
@@ -145,6 +147,7 @@ module.exports = React.createClass({
if (!alias || alias.length === 0) return; // ignore attempts to create blank aliases
const localDomain = MatrixClientPeg.get().getDomain();
+ if (!alias.includes(':')) alias += ':' + localDomain;
if (this.isAliasValid(alias) && alias.endsWith(localDomain)) {
this.state.domainToAliases[localDomain] = this.state.domainToAliases[localDomain] || [];
this.state.domainToAliases[localDomain].push(alias);
@@ -161,11 +164,18 @@ module.exports = React.createClass({
description: _t('\'%(alias)s\' is not a valid format for an alias', { alias: alias }),
});
}
+
+ if (!this.props.canonicalAlias) {
+ this.setState({
+ canonicalAlias: alias
+ });
+ }
},
onLocalAliasChanged: function(alias, index) {
if (alias === "") return; // hit the delete button to delete please
const localDomain = MatrixClientPeg.get().getDomain();
+ if (!alias.includes(':')) alias += ':' + localDomain;
if (this.isAliasValid(alias) && alias.endsWith(localDomain)) {
this.state.domainToAliases[localDomain][index] = alias;
} else {
@@ -184,10 +194,15 @@ module.exports = React.createClass({
// promptly setState anyway, it's just about acceptable. The alternative
// would be to arbitrarily deepcopy to a temp variable and then setState
// that, but why bother when we can cut this corner.
- this.state.domainToAliases[localDomain].splice(index, 1);
+ const alias = this.state.domainToAliases[localDomain].splice(index, 1);
this.setState({
domainToAliases: this.state.domainToAliases,
});
+ if (this.props.canonicalAlias === alias) {
+ this.setState({
+ canonicalAlias: null,
+ });
+ }
},
onCanonicalAliasChange: function(event) {
@@ -204,12 +219,14 @@ module.exports = React.createClass({
let canonical_alias_section;
if (this.props.canSetCanonicalAlias) {
+ let found = false;
canonical_alias_section = (
-
+
{ _t('not specified') }
{
- Object.keys(self.state.domainToAliases).map(function(domain, i) {
- return self.state.domainToAliases[domain].map(function(alias, j) {
+ Object.keys(self.state.domainToAliases).map((domain, i) => {
+ return self.state.domainToAliases[domain].map((alias, j) => {
+ if (alias === this.state.canonicalAlias) found = true;
return (
{ alias }
@@ -218,6 +235,12 @@ module.exports = React.createClass({
});
})
}
+ {
+ found || !this.stateCanonicalAlias ? '' :
+
+ { this.state.canonicalAlias }
+
+ }
);
} else {
diff --git a/src/components/views/room_settings/ColorSettings.js b/src/components/views/room_settings/ColorSettings.js
index e82d3ffb0a..30621f9c15 100644
--- a/src/components/views/room_settings/ColorSettings.js
+++ b/src/components/views/room_settings/ColorSettings.js
@@ -90,7 +90,7 @@ module.exports = React.createClass({
secondary_color: this.state.secondary_color,
}).catch(function(err) {
if (err.errcode === 'M_GUEST_ACCESS_FORBIDDEN') {
- dis.dispatch({action: 'view_set_mxid'});
+ dis.dispatch({action: 'require_registration'});
}
});
}
diff --git a/src/components/views/room_settings/UrlPreviewSettings.js b/src/components/views/room_settings/UrlPreviewSettings.js
index ed58d610aa..fe2a2bacf4 100644
--- a/src/components/views/room_settings/UrlPreviewSettings.js
+++ b/src/components/views/room_settings/UrlPreviewSettings.js
@@ -1,6 +1,7 @@
/*
Copyright 2016 OpenMarket Ltd
Copyright 2017 Travis Ralston
+Copyright 2018 New Vector Ltd
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
@@ -15,6 +16,7 @@ See the License for the specific language governing permissions and
limitations under the License.
*/
+import {MatrixClient} from "matrix-js-sdk";
const React = require('react');
import PropTypes from 'prop-types';
const sdk = require("../../../index");
@@ -29,6 +31,10 @@ module.exports = React.createClass({
room: PropTypes.object,
},
+ contextTypes: {
+ matrixClient: PropTypes.instanceOf(MatrixClient).isRequired,
+ },
+
saveSettings: function() {
const promises = [];
if (this.refs.urlPreviewsRoom) promises.push(this.refs.urlPreviewsRoom.save());
@@ -39,42 +45,58 @@ module.exports = React.createClass({
render: function() {
const SettingsFlag = sdk.getComponent("elements.SettingsFlag");
const roomId = this.props.room.roomId;
+ const isEncrypted = this.context.matrixClient.isRoomEncrypted(roomId);
let previewsForAccount = null;
- if (SettingsStore.getValueAt(SettingLevel.ACCOUNT, "urlPreviewsEnabled")) {
- previewsForAccount = (
- _t("You have enabled URL previews by default.", {}, { 'a': (sub)=>{ sub } })
- );
- } else {
- previewsForAccount = (
- _t("You have disabled URL previews by default.", {}, { 'a': (sub)=>{ sub } })
- );
- }
-
let previewsForRoom = null;
- if (SettingsStore.canSetValue("urlPreviewsEnabled", roomId, "room")) {
- previewsForRoom = (
-
-
-
- );
- } else {
- let str = _td("URL previews are enabled by default for participants in this room.");
- if (!SettingsStore.getValueAt(SettingLevel.ROOM, "urlPreviewsEnabled", roomId, /*explicit=*/true)) {
- str = _td("URL previews are disabled by default for participants in this room.");
+
+ if (!isEncrypted) {
+ // Only show account setting state and room state setting state in non-e2ee rooms where they apply
+ const accountEnabled = SettingsStore.getValueAt(SettingLevel.ACCOUNT, "urlPreviewsEnabled");
+ if (accountEnabled) {
+ previewsForAccount = (
+ _t("You have enabled URL previews by default.", {}, {
+ 'a': (sub)=>{ sub } ,
+ })
+ );
+ } else if (accountEnabled) {
+ previewsForAccount = (
+ _t("You have disabled URL previews by default.", {}, {
+ 'a': (sub)=>{ sub } ,
+ })
+ );
}
- previewsForRoom = ({ _t(str) } );
+
+ if (SettingsStore.canSetValue("urlPreviewsEnabled", roomId, "room")) {
+ previewsForRoom = (
+
+
+
+ );
+ } else {
+ let str = _td("URL previews are enabled by default for participants in this room.");
+ if (!SettingsStore.getValueAt(SettingLevel.ROOM, "urlPreviewsEnabled", roomId, /*explicit=*/true)) {
+ str = _td("URL previews are disabled by default for participants in this room.");
+ }
+ previewsForRoom = ({ _t(str) } );
+ }
+ } else {
+ previewsForAccount = (
+ _t("In encrypted rooms, like this one, URL previews are disabled by default to ensure that your " +
+ "homeserver (where the previews are generated) cannot gather information about links you see in " +
+ "this room.")
+ );
}
- const previewsForRoomAccount = (
-
@@ -83,8 +105,13 @@ module.exports = React.createClass({
return (
{ _t("URL Previews") }
-
-
{ previewsForAccount }
+
+ { _t('When someone puts a URL in their message, a URL preview can be shown to give more ' +
+ 'information about that link such as the title, description, and an image from the website.') }
+
+
+ { previewsForAccount }
+
{ previewsForRoom }
{ previewsForRoomAccount }
diff --git a/src/components/views/rooms/AppsDrawer.js b/src/components/views/rooms/AppsDrawer.js
index 8763ea3d7f..77d912ef2a 100644
--- a/src/components/views/rooms/AppsDrawer.js
+++ b/src/components/views/rooms/AppsDrawer.js
@@ -1,5 +1,6 @@
/*
Copyright 2017 Vector Creations Ltd
+Copyright 2018 New Vector Ltd
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
@@ -27,8 +28,9 @@ import SdkConfig from '../../../SdkConfig';
import ScalarAuthClient from '../../../ScalarAuthClient';
import ScalarMessaging from '../../../ScalarMessaging';
import { _t } from '../../../languageHandler';
-import WidgetUtils from '../../../WidgetUtils';
-import SettingsStore from "../../../settings/SettingsStore";
+import WidgetUtils from '../../../utils/WidgetUtils';
+import WidgetEchoStore from "../../../stores/WidgetEchoStore";
+import AccessibleButton from '../elements/AccessibleButton';
// The maximum number of widgets that can be added in a room
const MAX_WIDGETS = 2;
@@ -57,6 +59,7 @@ module.exports = React.createClass({
componentWillMount: function() {
ScalarMessaging.startListening();
MatrixClientPeg.get().on('RoomState.events', this.onRoomStateEvents);
+ WidgetEchoStore.on('update', this._updateApps);
},
componentDidMount: function() {
@@ -82,6 +85,7 @@ module.exports = React.createClass({
if (MatrixClientPeg.get()) {
MatrixClientPeg.get().removeListener('RoomState.events', this.onRoomStateEvents);
}
+ WidgetEchoStore.removeListener('update', this._updateApps);
dis.unregister(this.dispatcherRef);
},
@@ -94,15 +98,7 @@ module.exports = React.createClass({
const hideWidgetKey = this.props.room.roomId + '_hide_widget_drawer';
switch (action.action) {
case 'appsDrawer':
- // When opening the app drawer when there aren't any apps,
- // auto-launch the integrations manager to skip the awkward
- // click on "Add widget"
if (action.show) {
- const apps = this._getApps();
- if (apps.length === 0) {
- this._launchManageIntegrations();
- }
-
localStorage.removeItem(hideWidgetKey);
} else {
// Store hidden state of widget
@@ -114,55 +110,6 @@ module.exports = React.createClass({
}
},
- /**
- * Encodes a URI according to a set of template variables. Variables will be
- * passed through encodeURIComponent.
- * @param {string} pathTemplate The path with template variables e.g. '/foo/$bar'.
- * @param {Object} variables The key/value pairs to replace the template
- * variables with. E.g. { '$bar': 'baz' }.
- * @return {string} The result of replacing all template variables e.g. '/foo/baz'.
- */
- encodeUri: function(pathTemplate, variables) {
- for (const key in variables) {
- if (!variables.hasOwnProperty(key)) {
- continue;
- }
- pathTemplate = pathTemplate.replace(
- key, encodeURIComponent(variables[key]),
- );
- }
- return pathTemplate;
- },
-
- _initAppConfig: function(appId, app, sender) {
- const user = MatrixClientPeg.get().getUser(this.props.userId);
- const params = {
- '$matrix_user_id': this.props.userId,
- '$matrix_room_id': this.props.room.roomId,
- '$matrix_display_name': user ? user.displayName : this.props.userId,
- '$matrix_avatar_url': user ? MatrixClientPeg.get().mxcUrlToHttp(user.avatarUrl) : '',
-
- // TODO: Namespace themes through some standard
- '$theme': SettingsStore.getValue("theme"),
- };
-
- app.id = appId;
- app.name = app.name || app.type;
-
- if (app.data) {
- Object.keys(app.data).forEach((key) => {
- params['$' + key] = app.data[key];
- });
-
- app.waitForIframeLoad = (app.data.waitForIframeLoad === 'false' ? false : true);
- }
-
- app.url = this.encodeUri(app.url, params);
- app.creatorUserId = (sender && sender.userId) ? sender.userId : null;
-
- return app;
- },
-
onRoomStateEvents: function(ev, state) {
if (ev.getRoomId() !== this.props.room.roomId || ev.getType() !== 'im.vector.modular.widgets') {
return;
@@ -171,15 +118,11 @@ module.exports = React.createClass({
},
_getApps: function() {
- const appsStateEvents = this.props.room.currentState.getStateEvents('im.vector.modular.widgets');
- if (!appsStateEvents) {
- return [];
- }
-
- return appsStateEvents.filter((ev) => {
- return ev.getContent().type && ev.getContent().url;
- }).map((ev) => {
- return this._initAppConfig(ev.getStateKey(), ev.getContent(), ev.sender);
+ const widgets = WidgetEchoStore.getEchoedRoomWidgets(
+ this.props.room.roomId, WidgetUtils.getRoomWidgets(this.props.room),
+ );
+ return widgets.map((ev) => {
+ return WidgetUtils.makeAppConfig(ev.getStateKey(), ev.getContent(), ev.sender);
});
},
@@ -227,48 +170,57 @@ module.exports = React.createClass({
},
render: function() {
- const enableScreenshots = SettingsStore.getValue("enableWidgetScreenshots", this.props.room.room_id);
+ const apps = this.state.apps.map((app, index, arr) => {
+ const capWhitelist = WidgetUtils.getCapWhitelistForAppTypeInRoomId(app.type, this.props.room.roomId);
- const apps = this.state.apps.map(
- (app, index, arr) => {
- return ( );
- });
+ return ( );
+ });
let addWidget;
if (this.props.showApps &&
this._canUserModify()
) {
- addWidget =
[+] { _t('Add a widget') }
-
;
+ ;
+ }
+
+ let spinner;
+ if (
+ apps.length === 0 && WidgetEchoStore.roomHasPendingWidgets(
+ this.props.room.roomId,
+ WidgetUtils.getRoomWidgets(this.props.room),
+ )
+ ) {
+ const Loader = sdk.getComponent("elements.Spinner");
+ spinner = ;
}
return (
{ apps }
+ { spinner }
{ this._canUserModify() && addWidget }
diff --git a/src/components/views/rooms/Autocomplete.js b/src/components/views/rooms/Autocomplete.js
index 4fb2a29381..757204f0c8 100644
--- a/src/components/views/rooms/Autocomplete.js
+++ b/src/components/views/rooms/Autocomplete.js
@@ -216,12 +216,12 @@ export default class Autocomplete extends React.Component {
return done.promise;
}
- onCompletionClicked(): boolean {
- if (this.countCompletions() === 0 || this.state.selectionOffset === COMPOSER_SELECTED) {
+ onCompletionClicked(selectionOffset: number): boolean {
+ if (this.countCompletions() === 0 || selectionOffset === COMPOSER_SELECTED) {
return false;
}
- this.props.onConfirm(this.state.completionList[this.state.selectionOffset - 1]);
+ this.props.onConfirm(this.state.completionList[selectionOffset - 1]);
this.hide();
return true;
@@ -263,17 +263,14 @@ export default class Autocomplete extends React.Component {
const componentPosition = position;
position++;
- const onMouseMove = () => this.setSelection(componentPosition);
const onClick = () => {
- this.setSelection(componentPosition);
- this.onCompletionClicked();
+ this.onCompletionClicked(componentPosition);
};
return React.cloneElement(completion.component, {
key: i,
ref: `completion${position - 1}`,
className,
- onMouseMove,
onClick,
});
});
diff --git a/src/components/views/rooms/EventTile.js b/src/components/views/rooms/EventTile.js
index 589524bb9e..53c73c8f84 100644
--- a/src/components/views/rooms/EventTile.js
+++ b/src/components/views/rooms/EventTile.js
@@ -34,6 +34,7 @@ const ContextualMenu = require('../../structures/ContextualMenu');
import dis from '../../../dispatcher';
import {makeEventPermalink} from "../../../matrix-to";
import SettingsStore from "../../../settings/SettingsStore";
+import {EventStatus} from 'matrix-js-sdk';
const ObjectUtils = require('../../../ObjectUtils');
@@ -46,6 +47,10 @@ const eventTileTypes = {
};
const stateEventTileTypes = {
+ 'm.room.aliases': 'messages.TextualEvent',
+ // 'm.room.aliases': 'messages.RoomAliasesEvent', // too complex
+ 'm.room.canonical_alias': 'messages.TextualEvent',
+ 'm.room.create': 'messages.RoomCreate',
'm.room.member': 'messages.TextualEvent',
'm.room.name': 'messages.TextualEvent',
'm.room.avatar': 'messages.RoomAvatarEvent',
@@ -55,7 +60,7 @@ const stateEventTileTypes = {
'm.room.topic': 'messages.TextualEvent',
'm.room.power_levels': 'messages.TextualEvent',
'm.room.pinned_events': 'messages.TextualEvent',
-
+ 'm.room.server_acl': 'messages.TextualEvent',
'im.vector.modular.widgets': 'messages.TextualEvent',
};
@@ -272,7 +277,11 @@ module.exports = withMatrixClient(React.createClass({
return false;
}
for (let j = 0; j < rA.length; j++) {
- if (rA[j].roomMember.userId !== rB[j].roomMember.userId) {
+ if (rA[j].userId !== rB[j].userId) {
+ return false;
+ }
+ // one has a member set and the other doesn't?
+ if (rA[j].roomMember !== rB[j].roomMember) {
return false;
}
}
@@ -354,7 +363,7 @@ module.exports = withMatrixClient(React.createClass({
// else set it proportional to index
left = (hidden ? MAX_READ_AVATARS - 1 : i) * -receiptOffset;
- const userId = receipt.roomMember.userId;
+ const userId = receipt.userId;
let readReceiptInfo;
if (this.props.readReceiptMap) {
@@ -368,6 +377,7 @@ module.exports = withMatrixClient(React.createClass({
// add to the start so the most recent is on the end (ie. ends up rightmost)
avatars.unshift(
;
- } else if (ev.isEncrypted()) {
- if (this.state.verified) {
- return ;
- } else {
- return ;
- }
- } else {
- // XXX: if the event is being encrypted (ie eventSendStatus ===
- // encrypting), it might be nice to show something other than the
- // open padlock?
+ }
- // if the event is not encrypted, but it's an e2e room, show the
- // open padlock
- const e2eEnabled = this.props.matrixClient.isRoomEncrypted(ev.getRoomId());
- if (e2eEnabled) {
- return ;
+ // event is encrypted, display padlock corresponding to whether or not it is verified
+ if (ev.isEncrypted()) {
+ return this.state.verified ? : ;
+ }
+
+ if (this.props.matrixClient.isRoomEncrypted(ev.getRoomId())) {
+ // else if room is encrypted
+ // and event is being encrypted or is not_sent (Unknown Devices/Network Error)
+ if (ev.status === EventStatus.ENCRYPTING) {
+ return ;
}
+ if (ev.status === EventStatus.NOT_SENT) {
+ return ;
+ }
+ // if the event is not encrypted, but it's an e2e room, show the open padlock
+ return ;
}
// no padlock needed
@@ -480,17 +491,26 @@ module.exports = withMatrixClient(React.createClass({
const eventType = this.props.mxEvent.getType();
// Info messages are basically information about commands processed on a room
- const isInfoMessage = (eventType !== 'm.room.message' && eventType !== 'm.sticker');
+ const isInfoMessage = (
+ eventType !== 'm.room.message' && eventType !== 'm.sticker' && eventType != 'm.room.create'
+ );
- const EventTileType = sdk.getComponent(getHandlerTile(this.props.mxEvent));
+ const tileHandler = getHandlerTile(this.props.mxEvent);
// This shouldn't happen: the caller should check we support this type
// before trying to instantiate us
- if (!EventTileType) {
- throw new Error("Event type not supported");
+ if (!tileHandler) {
+ const {mxEvent} = this.props;
+ console.warn(`Event type not supported: type:${mxEvent.getType()} isState:${mxEvent.isState()}`);
+ return
+
+ { _t('This event could not be displayed') }
+
+
;
}
+ const EventTileType = sdk.getComponent(tileHandler);
const isSending = (['sending', 'queued', 'encrypting'].indexOf(this.props.eventSendStatus) !== -1);
- const isRedacted = (eventType === 'm.room.message') && this.props.isRedacted;
+ const isRedacted = isMessageEvent(this.props.mxEvent) && this.props.isRedacted;
const isEncryptionFailure = this.props.mxEvent.isDecryptionFailure();
const classes = classNames({
@@ -525,6 +545,9 @@ module.exports = withMatrixClient(React.createClass({
if (this.props.tileShape === "notif") {
avatarSize = 24;
needsSenderProfile = true;
+ } else if (tileHandler === 'messages.RoomCreate') {
+ avatarSize = 0;
+ needsSenderProfile = false;
} else if (isInfoMessage) {
// a small avatar, with no sender profile, for
// joins/parts/etc
@@ -608,13 +631,14 @@ module.exports = withMatrixClient(React.createClass({
switch (this.props.tileShape) {
case 'notif': {
+ const EmojiText = sdk.getComponent('elements.EmojiText');
const room = this.props.matrixClient.getRoom(this.props.mxEvent.getRoomId());
return (
{ avatar }
@@ -691,7 +715,6 @@ module.exports = withMatrixClient(React.createClass({
{ readAvatars }
- { avatar }
{ sender }
+ {
+ // The avatar goes after the event tile as it's absolutly positioned to be over the
+ // event tile line, so needs to be later in the DOM so it appears on top (this avoids
+ // the need for further z-indexing chaos)
+ }
+ { avatar }
);
}
@@ -715,14 +744,22 @@ module.exports = withMatrixClient(React.createClass({
},
}));
+// XXX this'll eventually be dynamic based on the fields once we have extensible event types
+const messageTypes = ['m.room.message', 'm.sticker'];
+function isMessageEvent(ev) {
+ return (messageTypes.includes(ev.getType()));
+}
+
module.exports.haveTileForEvent = function(e) {
// Only messages have a tile (black-rectangle) if redacted
- if (e.isRedacted() && e.getType() !== 'm.room.message') return false;
+ if (e.isRedacted() && !isMessageEvent(e)) return false;
const handler = getHandlerTile(e);
if (handler === undefined) return false;
if (handler === 'messages.TextualEvent') {
return TextForEvent.textForEvent(e) !== '';
+ } else if (handler === 'messages.RoomCreate') {
+ return Boolean(e.getContent()['predecessor']);
} else {
return true;
}
@@ -736,6 +773,14 @@ function E2ePadlockUndecryptable(props) {
);
}
+function E2ePadlockEncrypting(props) {
+ return
;
+}
+
+function E2ePadlockNotSent(props) {
+ return
;
+}
+
function E2ePadlockVerified(props) {
return (
{
+ Modal.createTrackedDialog('Demoting Self', '', QuestionDialog, {
+ title: _t("Demote yourself?"),
+ description:
+
+ { _t("You will not be able to undo this change as you are demoting yourself, " +
+ "if you are the last privileged user in the room it will be impossible " +
+ "to regain privileges.") }
+
,
+ button: _t("Demote"),
+ onFinished: resolve,
+ });
+ });
+ },
+
+ onMuteToggle: async function() {
const ErrorDialog = sdk.getComponent("dialogs.ErrorDialog");
const roomId = this.props.member.roomId;
const target = this.props.member.userId;
const room = this.props.matrixClient.getRoom(roomId);
if (!room) return;
+ // if muting self, warn as it may be irreversible
+ if (target === this.props.matrixClient.getUserId()) {
+ try {
+ if (!(await this._warnSelfDemote())) return;
+ } catch (e) {
+ console.error("Failed to warn about self demotion: ", e);
+ return;
+ }
+ }
+
const powerLevelEvent = room.currentState.getStateEvents("m.room.power_levels", "");
if (!powerLevelEvent) return;
@@ -402,7 +429,7 @@ module.exports = withMatrixClient(React.createClass({
console.log("Mod toggle success");
}, function(err) {
if (err.errcode === 'M_GUEST_ACCESS_FORBIDDEN') {
- dis.dispatch({action: 'view_set_mxid'});
+ dis.dispatch({action: 'require_registration'});
} else {
console.error("Toggle moderator error:" + err);
Modal.createTrackedDialog('Failed to toggle moderator status', '', ErrorDialog, {
@@ -436,7 +463,7 @@ module.exports = withMatrixClient(React.createClass({
}).done();
},
- onPowerChange: function(powerLevel) {
+ onPowerChange: async function(powerLevel) {
const roomId = this.props.member.roomId;
const target = this.props.member.userId;
const room = this.props.matrixClient.getRoom(roomId);
@@ -455,20 +482,12 @@ module.exports = withMatrixClient(React.createClass({
// If we are changing our own PL it can only ever be decreasing, which we cannot reverse.
if (myUserId === target) {
- Modal.createTrackedDialog('Demoting Self', '', QuestionDialog, {
- title: _t("Warning!"),
- description:
-
- { _t("You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.") }
- { _t("Are you sure?") }
-
,
- button: _t("Continue"),
- onFinished: (confirmed) => {
- if (confirmed) {
- this._applyPowerChange(roomId, target, powerLevel, powerLevelEvent);
- }
- },
- });
+ try {
+ if (!(await this._warnSelfDemote())) return;
+ this._applyPowerChange(roomId, target, powerLevel, powerLevelEvent);
+ } catch (e) {
+ console.error("Failed to warn about self demotion: ", e);
+ }
return;
}
@@ -478,7 +497,8 @@ module.exports = withMatrixClient(React.createClass({
title: _t("Warning!"),
description:
- { _t("You will not be able to undo this change as you are promoting the user to have the same power level as yourself.") }
+ { _t("You will not be able to undo this change as you are promoting the user " +
+ "to have the same power level as yourself.") }
{ _t("Are you sure?") }
,
button: _t("Continue"),
@@ -578,7 +598,7 @@ module.exports = withMatrixClient(React.createClass({
onMemberAvatarClick: function() {
const member = this.props.member;
- const avatarUrl = member.user ? member.user.avatarUrl : member.events.member.getContent().avatar_url;
+ const avatarUrl = member.getMxcAvatarUrl();
if (!avatarUrl) return;
const httpUrl = this.props.matrixClient.mxcUrlToHttp(avatarUrl);
@@ -632,6 +652,13 @@ module.exports = withMatrixClient(React.createClass({
);
},
+ onShareUserClick: function() {
+ const ShareDialog = sdk.getComponent("dialogs.ShareDialog");
+ Modal.createTrackedDialog('share room member dialog', '', ShareDialog, {
+ target: this.props.member,
+ });
+ },
+
_renderUserOptions: function() {
const cli = this.props.matrixClient;
const member = this.props.member;
@@ -705,13 +732,18 @@ module.exports = withMatrixClient(React.createClass({
}
}
- if (!ignoreButton && !readReceiptButton && !insertPillButton && !inviteUserButton) return null;
+ const shareUserButton = (
+
+ { _t('Share Link to User') }
+
+ );
return (
{ _t("User Options") }
{ readReceiptButton }
+ { shareUserButton }
{ insertPillButton }
{ ignoreButton }
{ inviteUserButton }
@@ -742,15 +774,15 @@ module.exports = withMatrixClient(React.createClass({
for (const roomId of dmRooms) {
const room = this.props.matrixClient.getRoom(roomId);
if (room) {
- const me = room.getMember(this.props.matrixClient.credentials.userId);
-
+ const myMembership = room.getMyMembership();
// not a DM room if we have are not joined
- if (!me.membership || me.membership !== 'join') continue;
- // not a DM room if they are not joined
+ if (myMembership !== 'join') continue;
+
const them = this.props.member;
+ // not a DM room if they are not joined
if (!them.membership || them.membership !== 'join') continue;
- const highlight = room.getUnreadNotificationCount('highlight') > 0 || me.membership === 'invite';
+ const highlight = room.getUnreadNotificationCount('highlight') > 0;
tiles.push(
,
);
@@ -902,7 +934,9 @@ module.exports = withMatrixClient(React.createClass({
return (
-
+
+
+
diff --git a/src/components/views/rooms/MemberList.js b/src/components/views/rooms/MemberList.js
index 6f6188e0b5..67a6effc81 100644
--- a/src/components/views/rooms/MemberList.js
+++ b/src/components/views/rooms/MemberList.js
@@ -32,10 +32,93 @@ module.exports = React.createClass({
displayName: 'MemberList',
getInitialState: function() {
- this.memberDict = this.getMemberDict();
- const members = this.roomMembers();
+ const cli = MatrixClientPeg.get();
+ if (cli.hasLazyLoadMembersEnabled()) {
+ // show an empty list
+ return this._getMembersState([]);
+ } else {
+ return this._getMembersState(this.roomMembers());
+ }
+ },
+ componentWillMount: function() {
+ this._mounted = true;
+ const cli = MatrixClientPeg.get();
+ if (cli.hasLazyLoadMembersEnabled()) {
+ this._showMembersAccordingToMembershipWithLL();
+ cli.on("Room.myMembership", this.onMyMembership);
+ } else {
+ this._listenForMembersChanges();
+ }
+ cli.on("Room", this.onRoom); // invites & joining after peek
+ const enablePresenceByHsUrl = SdkConfig.get()["enable_presence_by_hs_url"];
+ const hsUrl = MatrixClientPeg.get().baseUrl;
+ this._showPresence = true;
+ if (enablePresenceByHsUrl && enablePresenceByHsUrl[hsUrl] !== undefined) {
+ this._showPresence = enablePresenceByHsUrl[hsUrl];
+ }
+ },
+
+ _listenForMembersChanges: function() {
+ const cli = MatrixClientPeg.get();
+ cli.on("RoomState.members", this.onRoomStateMember);
+ cli.on("RoomMember.name", this.onRoomMemberName);
+ cli.on("RoomState.events", this.onRoomStateEvent);
+ // We listen for changes to the lastPresenceTs which is essentially
+ // listening for all presence events (we display most of not all of
+ // the information contained in presence events).
+ cli.on("User.lastPresenceTs", this.onUserLastPresenceTs);
+ // cli.on("Room.timeline", this.onRoomTimeline);
+ },
+
+ componentWillUnmount: function() {
+ this._mounted = false;
+ const cli = MatrixClientPeg.get();
+ if (cli) {
+ cli.removeListener("RoomState.members", this.onRoomStateMember);
+ cli.removeListener("RoomMember.name", this.onRoomMemberName);
+ cli.removeListener("Room.myMembership", this.onMyMembership);
+ cli.removeListener("RoomState.events", this.onRoomStateEvent);
+ cli.removeListener("Room", this.onRoom);
+ cli.removeListener("User.lastPresenceTs", this.onUserLastPresenceTs);
+ }
+
+ // cancel any pending calls to the rate_limited_funcs
+ this._updateList.cancelPendingCall();
+ },
+
+ /**
+ * If lazy loading is enabled, either:
+ * show a spinner and load the members if the user is joined,
+ * or show the members available so far if the user is invited
+ */
+ _showMembersAccordingToMembershipWithLL: async function() {
+ const cli = MatrixClientPeg.get();
+ if (cli.hasLazyLoadMembersEnabled()) {
+ const cli = MatrixClientPeg.get();
+ const room = cli.getRoom(this.props.roomId);
+ const membership = room && room.getMyMembership();
+ if (membership === "join") {
+ this.setState({loading: true});
+ try {
+ await room.loadMembersIfNeeded();
+ } catch (ex) {/* already logged in RoomView */}
+ if (this._mounted) {
+ this.setState(this._getMembersState(this.roomMembers()));
+ this._listenForMembersChanges();
+ }
+ } else if (membership === "invite") {
+ // show the members we've got when invited
+ this.setState(this._getMembersState(this.roomMembers()));
+ }
+ }
+ },
+
+ _getMembersState: function(members) {
+ // set the state after determining _showPresence to make sure it's
+ // taken into account while rerendering
return {
+ loading: false,
members: members,
filteredJoinedMembers: this._filterMembers(members, 'join'),
filteredInvitedMembers: this._filterMembers(members, 'invite'),
@@ -48,70 +131,6 @@ module.exports = React.createClass({
};
},
- componentWillMount: function() {
- const cli = MatrixClientPeg.get();
- cli.on("RoomState.members", this.onRoomStateMember);
- cli.on("RoomMember.name", this.onRoomMemberName);
- cli.on("RoomState.events", this.onRoomStateEvent);
- cli.on("Room", this.onRoom); // invites
- // We listen for changes to the lastPresenceTs which is essentially
- // listening for all presence events (we display most of not all of
- // the information contained in presence events).
- cli.on("User.lastPresenceTs", this.onUserLastPresenceTs);
- // cli.on("Room.timeline", this.onRoomTimeline);
-
- const enablePresenceByHsUrl = SdkConfig.get()["enable_presence_by_hs_url"];
- const hsUrl = MatrixClientPeg.get().baseUrl;
-
- this._showPresence = true;
- if (enablePresenceByHsUrl && enablePresenceByHsUrl[hsUrl] !== undefined) {
- this._showPresence = enablePresenceByHsUrl[hsUrl];
- }
- },
-
- componentWillUnmount: function() {
- const cli = MatrixClientPeg.get();
- if (cli) {
- cli.removeListener("RoomState.members", this.onRoomStateMember);
- cli.removeListener("RoomMember.name", this.onRoomMemberName);
- cli.removeListener("RoomState.events", this.onRoomStateEvent);
- cli.removeListener("Room", this.onRoom);
- cli.removeListener("User.lastPresenceTs", this.onUserLastPresenceTs);
- // cli.removeListener("Room.timeline", this.onRoomTimeline);
- }
-
- // cancel any pending calls to the rate_limited_funcs
- this._updateList.cancelPendingCall();
- },
-
-/*
- onRoomTimeline: function(ev, room, toStartOfTimeline, removed, data) {
- // ignore anything but real-time updates at the end of the room:
- // updates from pagination will happen when the paginate completes.
- if (toStartOfTimeline || !data || !data.liveEvent) return;
-
- // treat any activity from a user as implicit presence to update the
- // ordering of the list whenever someone says something.
- // Except right now we're not tiebreaking "active now" users in this way
- // so don't bother for now.
- if (ev.getSender()) {
- // console.log("implicit presence from " + ev.getSender());
-
- var tile = this.refs[ev.getSender()];
- if (tile) {
- // work around a race where you might have a room member object
- // before the user object exists. XXX: why does this ever happen?
- var all_members = room.currentState.members;
- var userId = ev.getSender();
- if (all_members[userId].user === null) {
- all_members[userId].user = MatrixClientPeg.get().getUser(userId);
- }
- this._updateList(); // reorder the membership list
- }
- }
- },
-*/
-
onUserLastPresenceTs(event, user) {
// Attach a SINGLE listener for global presence changes then locate the
// member tile and re-render it. This is more efficient than every tile
@@ -130,28 +149,40 @@ module.exports = React.createClass({
// We listen for room events because when we accept an invite
// we need to wait till the room is fully populated with state
// before refreshing the member list else we get a stale list.
- this._updateList();
+ this._showMembersAccordingToMembershipWithLL();
+ },
+
+ onMyMembership: function(room, membership, oldMembership) {
+ if (room.roomId === this.props.roomId && membership === "join") {
+ this._showMembersAccordingToMembershipWithLL();
+ }
},
onRoomStateMember: function(ev, state, member) {
+ if (member.roomId !== this.props.roomId) {
+ return;
+ }
this._updateList();
},
onRoomMemberName: function(ev, member) {
+ if (member.roomId !== this.props.roomId) {
+ return;
+ }
this._updateList();
},
onRoomStateEvent: function(event, state) {
- if (event.getType() === "m.room.third_party_invite") {
+ if (event.getRoomId() === this.props.roomId &&
+ event.getType() === "m.room.third_party_invite") {
this._updateList();
}
},
_updateList: new rate_limited_func(function() {
// console.log("Updating memberlist");
- this.memberDict = this.getMemberDict();
-
const newState = {
+ loading: false,
members: this.roomMembers(),
};
newState.filteredJoinedMembers = this._filterMembers(newState.members, 'join', this.state.searchQuery);
@@ -159,50 +190,43 @@ module.exports = React.createClass({
this.setState(newState);
}, 500),
- getMemberDict: function() {
- if (!this.props.roomId) return {};
+ getMembersWithUser: function() {
+ if (!this.props.roomId) return [];
const cli = MatrixClientPeg.get();
const room = cli.getRoom(this.props.roomId);
- if (!room) return {};
+ if (!room) return [];
- const all_members = room.currentState.members;
+ const allMembers = Object.values(room.currentState.members);
- Object.keys(all_members).map(function(userId) {
+ allMembers.forEach(function(member) {
// work around a race where you might have a room member object
// before the user object exists. This may or may not cause
// https://github.com/vector-im/vector-web/issues/186
- if (all_members[userId].user === null) {
- all_members[userId].user = MatrixClientPeg.get().getUser(userId);
+ if (member.user === null) {
+ member.user = cli.getUser(member.userId);
}
// XXX: this user may have no lastPresenceTs value!
// the right solution here is to fix the race rather than leave it as 0
});
- return all_members;
+ return allMembers;
},
roomMembers: function() {
- const all_members = this.memberDict || {};
- const all_user_ids = Object.keys(all_members);
const ConferenceHandler = CallHandler.getConferenceHandler();
- all_user_ids.sort(this.memberSort);
-
- const to_display = [];
- let count = 0;
- for (let i = 0; i < all_user_ids.length; ++i) {
- const user_id = all_user_ids[i];
- const m = all_members[user_id];
-
- if (m.membership === 'join' || m.membership === 'invite') {
- if ((ConferenceHandler && !ConferenceHandler.isConferenceUser(user_id)) || !ConferenceHandler) {
- to_display.push(user_id);
- ++count;
- }
- }
- }
- return to_display;
+ const allMembers = this.getMembersWithUser();
+ const filteredAndSortedMembers = allMembers.filter((m) => {
+ return (
+ m.membership === 'join' || m.membership === 'invite'
+ ) && (
+ !ConferenceHandler ||
+ (ConferenceHandler && !ConferenceHandler.isConferenceUser(m.userId))
+ );
+ });
+ filteredAndSortedMembers.sort(this.memberSort);
+ return filteredAndSortedMembers;
},
_createOverflowTileJoined: function(overflowCount, totalCount) {
@@ -249,14 +273,12 @@ module.exports = React.createClass({
// returns negative if a comes before b,
// returns 0 if a and b are equivalent in ordering
// returns positive if a comes after b.
- memberSort: function(userIdA, userIdB) {
+ memberSort: function(memberA, memberB) {
// order by last active, with "active now" first.
// ...and then by power
// ...and then alphabetically.
// We could tiebreak instead by "last recently spoken in this room" if we wanted to.
- const memberA = this.memberDict[userIdA];
- const memberB = this.memberDict[userIdB];
const userA = memberA.user;
const userB = memberB.user;
@@ -306,9 +328,7 @@ module.exports = React.createClass({
},
_filterMembers: function(members, membership, query) {
- return members.filter((userId) => {
- const m = this.memberDict[userId];
-
+ return members.filter((m) => {
if (query) {
query = query.toLowerCase();
const matchesName = m.name.toLowerCase().indexOf(query) !== -1;
@@ -350,10 +370,9 @@ module.exports = React.createClass({
_makeMemberTiles: function(members, membership) {
const MemberTile = sdk.getComponent("rooms.MemberTile");
- const memberList = members.map((userId) => {
- const m = this.memberDict[userId];
+ const memberList = members.map((m) => {
return (
-
+
);
});
@@ -393,6 +412,11 @@ module.exports = React.createClass({
},
render: function() {
+ if (this.state.loading) {
+ const Spinner = sdk.getComponent("elements.Spinner");
+ return
;
+ }
+
const TruncatedList = sdk.getComponent("elements.TruncatedList");
const GeminiScrollbarWrapper = sdk.getComponent("elements.GeminiScrollbarWrapper");
diff --git a/src/components/views/rooms/MessageComposer.js b/src/components/views/rooms/MessageComposer.js
index 28a90b375a..66f3fdaa97 100644
--- a/src/components/views/rooms/MessageComposer.js
+++ b/src/components/views/rooms/MessageComposer.js
@@ -1,6 +1,6 @@
/*
Copyright 2015, 2016 OpenMarket Ltd
-Copyright 2017 New Vector Ltd
+Copyright 2017, 2018 New Vector Ltd
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
@@ -16,7 +16,7 @@ limitations under the License.
*/
import React from 'react';
import PropTypes from 'prop-types';
-import { _t } from '../../../languageHandler';
+import { _t, _td } from '../../../languageHandler';
import CallHandler from '../../../CallHandler';
import MatrixClientPeg from '../../../MatrixClientPeg';
import Modal from '../../../Modal';
@@ -25,6 +25,18 @@ import dis from '../../../dispatcher';
import RoomViewStore from '../../../stores/RoomViewStore';
import SettingsStore, {SettingLevel} from "../../../settings/SettingsStore";
import Stickerpicker from './Stickerpicker';
+import { makeRoomPermalink } from '../../../matrix-to';
+
+const formatButtonList = [
+ _td("bold"),
+ _td("italic"),
+ _td("deleted"),
+ _td("underlined"),
+ _td("inline-code"),
+ _td("block-quote"),
+ _td("bulleted-list"),
+ _td("numbered-list"),
+];
export default class MessageComposer extends React.Component {
constructor(props, context) {
@@ -35,25 +47,24 @@ export default class MessageComposer extends React.Component {
this.onUploadFileSelected = this.onUploadFileSelected.bind(this);
this.uploadFiles = this.uploadFiles.bind(this);
this.onVoiceCallClick = this.onVoiceCallClick.bind(this);
- this.onInputContentChanged = this.onInputContentChanged.bind(this);
this._onAutocompleteConfirm = this._onAutocompleteConfirm.bind(this);
this.onToggleFormattingClicked = this.onToggleFormattingClicked.bind(this);
this.onToggleMarkdownClicked = this.onToggleMarkdownClicked.bind(this);
this.onInputStateChanged = this.onInputStateChanged.bind(this);
this.onEvent = this.onEvent.bind(this);
+ this._onRoomStateEvents = this._onRoomStateEvents.bind(this);
this._onRoomViewStoreUpdate = this._onRoomViewStoreUpdate.bind(this);
+ this._onTombstoneClick = this._onTombstoneClick.bind(this);
this.state = {
- autocompleteQuery: '',
- selection: null,
inputState: {
- style: [],
+ marks: [],
blockType: null,
- isRichtextEnabled: SettingsStore.getValue('MessageComposerInput.isRichTextEnabled'),
- wordCount: 0,
+ isRichTextEnabled: SettingsStore.getValue('MessageComposerInput.isRichTextEnabled'),
},
showFormatting: SettingsStore.getValue('MessageComposer.showFormatting'),
isQuoting: Boolean(RoomViewStore.getQuotingEvent()),
+ tombstone: this._getRoomTombstone(),
};
}
@@ -63,12 +74,31 @@ export default class MessageComposer extends React.Component {
// marked as encrypted.
// XXX: fragile as all hell - fixme somehow, perhaps with a dedicated Room.encryption event or something.
MatrixClientPeg.get().on("event", this.onEvent);
+ MatrixClientPeg.get().on("RoomState.events", this._onRoomStateEvents);
this._roomStoreToken = RoomViewStore.addListener(this._onRoomViewStoreUpdate);
+ this._waitForOwnMember();
+ }
+
+ _waitForOwnMember() {
+ // if we have the member already, do that
+ const me = this.props.room.getMember(MatrixClientPeg.get().getUserId());
+ if (me) {
+ this.setState({me});
+ return;
+ }
+ // Otherwise, wait for member loading to finish and then update the member for the avatar.
+ // The members should already be loading, and loadMembersIfNeeded
+ // will return the promise for the existing operation
+ this.props.room.loadMembersIfNeeded().then(() => {
+ const me = this.props.room.getMember(MatrixClientPeg.get().getUserId());
+ this.setState({me});
+ });
}
componentWillUnmount() {
if (MatrixClientPeg.get()) {
MatrixClientPeg.get().removeListener("event", this.onEvent);
+ MatrixClientPeg.get().removeListener("RoomState.events", this._onRoomStateEvents);
}
if (this._roomStoreToken) {
this._roomStoreToken.remove();
@@ -81,6 +111,18 @@ export default class MessageComposer extends React.Component {
this.forceUpdate();
}
+ _onRoomStateEvents(ev, state) {
+ if (ev.getRoomId() !== this.props.room.roomId) return;
+
+ if (ev.getType() === 'm.room.tombstone') {
+ this.setState({tombstone: this._getRoomTombstone()});
+ }
+ }
+
+ _getRoomTombstone() {
+ return this.props.room.currentState.getStateEvents('m.room.tombstone', '');
+ }
+
_onRoomViewStoreUpdate() {
const isQuoting = Boolean(RoomViewStore.getQuotingEvent());
if (this.state.isQuoting === isQuoting) return;
@@ -89,7 +131,7 @@ export default class MessageComposer extends React.Component {
onUploadClick(ev) {
if (MatrixClientPeg.get().isGuest()) {
- dis.dispatch({action: 'view_set_mxid'});
+ dis.dispatch({action: 'require_registration'});
return;
}
@@ -159,61 +201,20 @@ export default class MessageComposer extends React.Component {
});
}
- // _startCallApp(isAudioConf) {
- // dis.dispatch({
- // action: 'appsDrawer',
- // show: true,
- // });
-
- // const appsStateEvents = this.props.room.currentState.getStateEvents('im.vector.modular.widgets', '');
- // let appsStateEvent = {};
- // if (appsStateEvents) {
- // appsStateEvent = appsStateEvents.getContent();
- // }
- // if (!appsStateEvent.videoConf) {
- // appsStateEvent.videoConf = {
- // type: 'jitsi',
- // // FIXME -- This should not be localhost
- // url: 'http://localhost:8000/jitsi.html',
- // data: {
- // confId: this.props.room.roomId.replace(/[^A-Za-z0-9]/g, '_') + Date.now(),
- // isAudioConf: isAudioConf,
- // },
- // };
- // MatrixClientPeg.get().sendStateEvent(
- // this.props.room.roomId,
- // 'im.vector.modular.widgets',
- // appsStateEvent,
- // '',
- // ).then(() => console.log('Sent state'), (e) => console.error(e));
- // }
- // }
-
onCallClick(ev) {
- // NOTE -- Will be replaced by Jitsi code (currently commented)
dis.dispatch({
action: 'place_call',
type: ev.shiftKey ? "screensharing" : "video",
room_id: this.props.room.roomId,
});
- // this._startCallApp(false);
}
onVoiceCallClick(ev) {
- // NOTE -- Will be replaced by Jitsi code (currently commented)
dis.dispatch({
action: 'place_call',
type: "voice",
room_id: this.props.room.roomId,
});
- // this._startCallApp(true);
- }
-
- onInputContentChanged(content: string, selection: {start: number, end: number}) {
- this.setState({
- autocompleteQuery: content,
- selection,
- });
}
onInputStateChanged(inputState) {
@@ -226,7 +227,7 @@ export default class MessageComposer extends React.Component {
}
}
- onFormatButtonClicked(name: "bold" | "italic" | "strike" | "code" | "underline" | "quote" | "bullet" | "numbullet", event) {
+ onFormatButtonClicked(name, event) {
event.preventDefault();
this.messageComposerInput.onFormatButtonClicked(name, event);
}
@@ -238,11 +239,21 @@ export default class MessageComposer extends React.Component {
onToggleMarkdownClicked(e) {
e.preventDefault(); // don't steal focus from the editor!
- this.messageComposerInput.enableRichtext(!this.state.inputState.isRichtextEnabled);
+ this.messageComposerInput.enableRichtext(!this.state.inputState.isRichTextEnabled);
+ }
+
+ _onTombstoneClick(ev) {
+ ev.preventDefault();
+
+ const replacementRoomId = this.state.tombstone.getContent()['replacement_room'];
+ dis.dispatch({
+ action: 'view_room',
+ highlighted: true,
+ room_id: replacementRoomId,
+ });
}
render() {
- const me = this.props.room.getMember(MatrixClientPeg.get().credentials.userId);
const uploadInputStyle = {display: 'none'};
const MemberAvatar = sdk.getComponent('avatars.MemberAvatar');
const TintableSvg = sdk.getComponent("elements.TintableSvg");
@@ -250,11 +261,13 @@ export default class MessageComposer extends React.Component {
const controls = [];
- controls.push(
-
-
-
,
- );
+ if (this.state.me) {
+ controls.push(
+
+
+
,
+ );
+ }
let e2eImg, e2eTitle, e2eClass;
const roomIsEncrypted = MatrixClientPeg.get().isRoomEncrypted(this.props.room.roomId);
@@ -279,49 +292,51 @@ export default class MessageComposer extends React.Component {
let videoCallButton;
let hangupButton;
+ const AccessibleButton = sdk.getComponent('elements.AccessibleButton');
// Call buttons
if (this.props.callState && this.props.callState !== 'ended') {
hangupButton =
-
+
- ;
+ ;
} else {
callButton =
- ;
+ ;
videoCallButton =
- ;
+ ;
}
- const canSendMessages = this.props.room.currentState.maySendMessage(
- MatrixClientPeg.get().credentials.userId);
+ const canSendMessages = !this.state.tombstone &&
+ this.props.room.maySendMessage();
if (canSendMessages) {
// This also currently includes the call buttons. Really we should
// check separately for whether we can call, but this is slightly
// complex because of conference calls.
const uploadButton = (
-
-
+
);
- const formattingButton = (
-
- );
+ ) : null;
let placeholderText;
if (this.state.isQuoting) {
@@ -348,7 +363,6 @@ export default class MessageComposer extends React.Component {
room={this.props.room}
placeholder={placeholderText}
onFilesPasted={this.uploadFiles}
- onContentChanged={this.onInputContentChanged}
onInputStateChanged={this.onInputStateChanged} />,
formattingButton,
stickerpickerButton,
@@ -357,6 +371,23 @@ export default class MessageComposer extends React.Component {
callButton,
videoCallButton,
);
+ } else if (this.state.tombstone) {
+ const replacementRoomId = this.state.tombstone.getContent()['replacement_room'];
+
+ controls.push();
} else {
controls.push(
@@ -365,11 +396,14 @@ export default class MessageComposer extends React.Component {
);
}
- const {style, blockType} = this.state.inputState;
- const formatButtons = ["bold", "italic", "strike", "underline", "code", "quote", "bullet", "numbullet"].map(
- (name) => {
- const active = style.includes(name) || blockType === name;
- const suffix = active ? '-o-n' : '';
+ let formatBar;
+ if (this.state.showFormatting && this.state.inputState.isRichTextEnabled) {
+ const {marks, blockType} = this.state.inputState;
+ const formatButtons = formatButtonList.map((name) => {
+ // special-case to match the md serializer and the special-case in MessageComposerInput.js
+ const markName = name === 'inline-code' ? 'code' : name;
+ const active = marks.some(mark => mark.type === markName) || blockType === name;
+ const suffix = active ? '-on' : '';
const onFormatButtonClicked = this.onFormatButtonClicked.bind(this, name);
const className = 'mx_MessageComposer_format_button mx_filterFlipColor';
return
;
- },
- );
+ },
+ );
+
+ formatBar =
+
+
+ { formatButtons }
+
+
+
+
+
+ }
return (
@@ -388,20 +439,7 @@ export default class MessageComposer extends React.Component {
{ controls }
-
-
- { formatButtons }
-
-
-
-
-
+ { formatBar }
);
}
diff --git a/src/components/views/rooms/MessageComposerInput.js b/src/components/views/rooms/MessageComposerInput.js
index 97e8780f0f..04f9299825 100644
--- a/src/components/views/rooms/MessageComposerInput.js
+++ b/src/components/views/rooms/MessageComposerInput.js
@@ -1,6 +1,6 @@
/*
Copyright 2015, 2016 OpenMarket Ltd
-Copyright 2017 New Vector Ltd
+Copyright 2017, 2018 New Vector Ltd
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
@@ -15,20 +15,26 @@ See the License for the specific language governing permissions and
limitations under the License.
*/
import React from 'react';
+import ReactDOM from 'react-dom';
import PropTypes from 'prop-types';
import type SyntheticKeyboardEvent from 'react/lib/SyntheticKeyboardEvent';
-import {Editor, EditorState, RichUtils, CompositeDecorator, Modifier,
- getDefaultKeyBinding, KeyBindingUtil, ContentState, ContentBlock, SelectionState,
- Entity} from 'draft-js';
+import { Editor } from 'slate-react';
+import { getEventTransfer } from 'slate-react';
+import { Value, Document, Block, Inline, Text, Range, Node } from 'slate';
+import type { Change } from 'slate';
+
+import Html from 'slate-html-serializer';
+import Md from 'slate-md-serializer';
+import Plain from 'slate-plain-serializer';
+import PlainWithPillsSerializer from "../../../autocomplete/PlainWithPillsSerializer";
import classNames from 'classnames';
-import escape from 'lodash/escape';
import Promise from 'bluebird';
import MatrixClientPeg from '../../../MatrixClientPeg';
import type {MatrixClient} from 'matrix-js-sdk/lib/matrix';
-import SlashCommands from '../../../SlashCommands';
+import {processCommandInput} from '../../../SlashCommands';
import { KeyCode, isOnlyCtrlOrCmdKeyEvent } from '../../../Keyboard';
import Modal from '../../../Modal';
import sdk from '../../../index';
@@ -45,11 +51,10 @@ import Markdown from '../../../Markdown';
import ComposerHistoryManager from '../../../ComposerHistoryManager';
import MessageComposerStore from '../../../stores/MessageComposerStore';
-import {MATRIXTO_URL_PATTERN, MATRIXTO_MD_LINK_PATTERN} from '../../../linkify-matrix';
-const REGEX_MATRIXTO = new RegExp(MATRIXTO_URL_PATTERN);
+import {MATRIXTO_MD_LINK_PATTERN, MATRIXTO_URL_PATTERN} from '../../../linkify-matrix';
const REGEX_MATRIXTO_MARKDOWN_GLOBAL = new RegExp(MATRIXTO_MD_LINK_PATTERN, 'g');
-import {asciiRegexp, shortnameToUnicode, emojioneList, asciiList, mapUnicodeToShort} from 'emojione';
+import {asciiRegexp, unicodeRegexp, shortnameToUnicode, emojioneList, asciiList, mapUnicodeToShort, toShort} from 'emojione';
import SettingsStore, {SettingLevel} from "../../../settings/SettingsStore";
import {makeUserPermalink} from "../../../matrix-to";
import ReplyPreview from "./ReplyPreview";
@@ -60,22 +65,57 @@ import {ContentHelpers} from 'matrix-js-sdk';
const EMOJI_SHORTNAMES = Object.keys(emojioneList);
const EMOJI_UNICODE_TO_SHORTNAME = mapUnicodeToShort();
const REGEX_EMOJI_WHITESPACE = new RegExp('(?:^|\\s)(' + asciiRegexp + ')\\s$');
+const EMOJI_REGEX = new RegExp(unicodeRegexp, 'g');
const TYPING_USER_TIMEOUT = 10000, TYPING_SERVER_TIMEOUT = 30000;
-const ZWS_CODE = 8203;
-const ZWS = String.fromCharCode(ZWS_CODE); // zero width space
-
const ENTITY_TYPES = {
AT_ROOM_PILL: 'ATROOMPILL',
};
-function stateToMarkdown(state) {
- return __stateToMarkdown(state)
- .replace(
- ZWS, // draft-js-export-markdown adds these
- ''); // this is *not* a zero width space, trust me :)
-}
+// the Slate node type to default to for unstyled text
+const DEFAULT_NODE = 'paragraph';
+
+// map HTML elements through to our Slate schema node types
+// used for the HTML deserializer.
+// (The names here are chosen to match the MD serializer's schema for convenience)
+const BLOCK_TAGS = {
+ p: 'paragraph',
+ blockquote: 'block-quote',
+ ul: 'bulleted-list',
+ h1: 'heading1',
+ h2: 'heading2',
+ h3: 'heading3',
+ h4: 'heading4',
+ h5: 'heading5',
+ h6: 'heading6',
+ li: 'list-item',
+ ol: 'numbered-list',
+ pre: 'code',
+};
+
+const MARK_TAGS = {
+ strong: 'bold',
+ b: 'bold', // deprecated
+ em: 'italic',
+ i: 'italic', // deprecated
+ code: 'code',
+ u: 'underlined',
+ del: 'deleted',
+ strike: 'deleted', // deprecated
+ s: 'deleted', // deprecated
+};
+
+const SLATE_SCHEMA = {
+ inlines: {
+ pill: {
+ isVoid: true,
+ },
+ emoji: {
+ isVoid: true,
+ },
+ },
+};
function onSendMessageFailed(err, room) {
// XXX: temporary logging to try to diagnose
@@ -86,6 +126,15 @@ function onSendMessageFailed(err, room) {
});
}
+function rangeEquals(a: Range, b: Range): boolean {
+ return (a.anchor.key === b.anchor.key
+ && a.anchor.offset === b.anchorOffset
+ && a.focus.key === b.focusKey
+ && a.focus.offset === b.focusOffset
+ && a.isFocused === b.isFocused
+ && a.isBackward === b.isBackward);
+}
+
/*
* The textInput part of the MessageComposer
*/
@@ -98,79 +147,166 @@ export default class MessageComposerInput extends React.Component {
// js-sdk Room object
room: PropTypes.object.isRequired,
- // called with current plaintext content (as a string) whenever it changes
- onContentChanged: PropTypes.func,
+ onFilesPasted: PropTypes.func,
onInputStateChanged: PropTypes.func,
};
- static getKeyBinding(ev: SyntheticKeyboardEvent): string {
- const ctrlCmdOnly = isOnlyCtrlOrCmdKeyEvent(ev);
-
- // Restrict a subset of key bindings to ONLY having ctrl/meta* pressed and
- // importantly NOT having alt, shift, meta/ctrl* pressed. draft-js does not
- // handle this in `getDefaultKeyBinding` so we do it ourselves here.
- //
- // * if macOS, read second option
- const ctrlCmdCommand = {
- // C-m => Toggles between rich text and markdown modes
- [KeyCode.KEY_M]: 'toggle-mode',
- [KeyCode.KEY_B]: 'bold',
- [KeyCode.KEY_I]: 'italic',
- [KeyCode.KEY_U]: 'underline',
- [KeyCode.KEY_J]: 'code',
- [KeyCode.KEY_O]: 'split-block',
- }[ev.keyCode];
-
- if (ctrlCmdCommand) {
- if (!ctrlCmdOnly) {
- return null;
- }
- return ctrlCmdCommand;
- }
-
- // Handle keys such as return, left and right arrows etc.
- return getDefaultKeyBinding(ev);
- }
-
- static getBlockStyle(block: ContentBlock): ?string {
- if (block.getType() === 'strikethrough') {
- return 'mx_Markdown_STRIKETHROUGH';
- }
-
- return null;
- }
-
client: MatrixClient;
autocomplete: Autocomplete;
historyManager: ComposerHistoryManager;
constructor(props, context) {
super(props, context);
- this.onAction = this.onAction.bind(this);
- this.handleReturn = this.handleReturn.bind(this);
- this.handleKeyCommand = this.handleKeyCommand.bind(this);
- this.onEditorContentChanged = this.onEditorContentChanged.bind(this);
- this.onUpArrow = this.onUpArrow.bind(this);
- this.onDownArrow = this.onDownArrow.bind(this);
- this.onTab = this.onTab.bind(this);
- this.onEscape = this.onEscape.bind(this);
- this.setDisplayedCompletion = this.setDisplayedCompletion.bind(this);
- this.onMarkdownToggleClicked = this.onMarkdownToggleClicked.bind(this);
- this.onTextPasted = this.onTextPasted.bind(this);
- const isRichtextEnabled = SettingsStore.getValue('MessageComposerInput.isRichTextEnabled');
+ const isRichTextEnabled = SettingsStore.getValue('MessageComposerInput.isRichTextEnabled');
- Analytics.setRichtextMode(isRichtextEnabled);
+ Analytics.setRichtextMode(isRichTextEnabled);
+ this.client = MatrixClientPeg.get();
+
+ // track whether we should be trying to show autocomplete suggestions on the current editor
+ // contents. currently it's only suppressed when navigating history to avoid ugly flashes
+ // of unexpected corrections as you navigate.
+ // XXX: should this be in state?
+ this.suppressAutoComplete = false;
+
+ // track whether we've just pressed an arrowkey left or right in order to skip void nodes.
+ // see https://github.com/ianstormtaylor/slate/issues/762#issuecomment-304855095
+ this.direction = '';
+
+ this.plainWithMdPills = new PlainWithPillsSerializer({ pillFormat: 'md' });
+ this.plainWithIdPills = new PlainWithPillsSerializer({ pillFormat: 'id' });
+ this.plainWithPlainPills = new PlainWithPillsSerializer({ pillFormat: 'plain' });
+
+ this.md = new Md({
+ rules: [
+ {
+ // if serialize returns undefined it falls through to the default hardcoded
+ // serialization rules
+ serialize: (obj, children) => {
+ if (obj.object !== 'inline') return;
+ switch (obj.type) {
+ case 'pill':
+ return `[${ obj.data.get('completion') }](${ obj.data.get('href') })`;
+ case 'emoji':
+ return obj.data.get('emojiUnicode');
+ }
+ },
+ }, {
+ serialize: (obj, children) => {
+ if (obj.object !== 'mark') return;
+ // XXX: slate-md-serializer consumes marks other than bold, italic, code, inserted, deleted
+ switch (obj.type) {
+ case 'underlined':
+ return `
${ children } `;
+ case 'deleted':
+ return `
${ children }`;
+ case 'code':
+ // XXX: we only ever get given `code` regardless of whether it was inline or block
+ // XXX: workaround for https://github.com/tommoor/slate-md-serializer/issues/14
+ // strip single backslashes from children, as they would have been escaped here
+ return `\`${ children.split('\\').map((v) => v ? v : '\\').join('') }\``;
+ }
+ },
+ },
+ ],
+ });
+
+ this.html = new Html({
+ rules: [
+ {
+ deserialize: (el, next) => {
+ const tag = el.tagName.toLowerCase();
+ let type = BLOCK_TAGS[tag];
+ if (type) {
+ return {
+ object: 'block',
+ type: type,
+ nodes: next(el.childNodes),
+ };
+ }
+ type = MARK_TAGS[tag];
+ if (type) {
+ return {
+ object: 'mark',
+ type: type,
+ nodes: next(el.childNodes),
+ };
+ }
+ // special case links
+ if (tag === 'a') {
+ const href = el.getAttribute('href');
+ let m;
+ if (href) {
+ m = href.match(MATRIXTO_URL_PATTERN);
+ }
+ if (m) {
+ return {
+ object: 'inline',
+ type: 'pill',
+ data: {
+ href,
+ completion: el.innerText,
+ completionId: m[1],
+ },
+ };
+ } else {
+ return {
+ object: 'inline',
+ type: 'link',
+ data: { href },
+ nodes: next(el.childNodes),
+ };
+ }
+ }
+ },
+ serialize: (obj, children) => {
+ if (obj.object === 'block') {
+ return this.renderNode({
+ node: obj,
+ children: children,
+ });
+ } else if (obj.object === 'mark') {
+ return this.renderMark({
+ mark: obj,
+ children: children,
+ });
+ } else if (obj.object === 'inline') {
+ // special case links, pills and emoji otherwise we
+ // end up with React components getting rendered out(!)
+ switch (obj.type) {
+ case 'pill':
+ return
{ obj.data.get('completion') } ;
+ case 'link':
+ return
{ children } ;
+ case 'emoji':
+ // XXX: apparently you can't return plain strings from serializer rules
+ // until https://github.com/ianstormtaylor/slate/pull/1854 is merged.
+ // So instead we temporarily wrap emoji from RTE in an arbitrary tag
+ // (
).
would be nicer, but in practice it causes CSS issues.
+ return
{ obj.data.get('emojiUnicode') } ;
+ }
+ return this.renderNode({
+ node: obj,
+ children: children,
+ });
+ }
+ },
+ },
+ ],
+ });
+
+ const savedState = MessageComposerStore.getEditorState(this.props.room.roomId);
this.state = {
// whether we're in rich text or markdown mode
- isRichtextEnabled,
+ isRichTextEnabled,
// the currently displayed editor state (note: this is always what is modified on input)
editorState: this.createEditorState(
- isRichtextEnabled,
- MessageComposerStore.getContentState(this.props.room.roomId),
+ isRichTextEnabled,
+ savedState ? savedState.editor_state : undefined,
+ savedState ? savedState.rich_text : undefined,
),
// the original editor state, before we started tabbing through completions
@@ -183,144 +319,121 @@ export default class MessageComposerInput extends React.Component {
// whether there were any completions
someCompletions: null,
};
-
- this.client = MatrixClientPeg.get();
- }
-
- findPillEntities(contentState: ContentState, contentBlock: ContentBlock, callback) {
- contentBlock.findEntityRanges(
- (character) => {
- const entityKey = character.getEntity();
- return (
- entityKey !== null &&
- (
- contentState.getEntity(entityKey).getType() === 'LINK' ||
- contentState.getEntity(entityKey).getType() === ENTITY_TYPES.AT_ROOM_PILL
- )
- );
- }, callback,
- );
}
/*
- * "Does the right thing" to create an EditorState, based on:
+ * "Does the right thing" to create an Editor value, based on:
* - whether we've got rich text mode enabled
* - contentState was passed in
+ * - whether the contentState that was passed in was rich text
*/
- createEditorState(richText: boolean, contentState: ?ContentState): EditorState {
- const decorators = richText ? RichText.getScopedRTDecorators(this.props) :
- RichText.getScopedMDDecorators(this.props);
- const shouldShowPillAvatar = !SettingsStore.getValue("Pill.shouldHidePillAvatar");
- decorators.push({
- strategy: this.findPillEntities.bind(this),
- component: (entityProps) => {
- const Pill = sdk.getComponent('elements.Pill');
- const type = entityProps.contentState.getEntity(entityProps.entityKey).getType();
- const {url} = entityProps.contentState.getEntity(entityProps.entityKey).getData();
- if (type === ENTITY_TYPES.AT_ROOM_PILL) {
- return
;
- } else if (Pill.isPillUrl(url)) {
- return
;
- }
-
- return (
-
- { entityProps.children }
-
- );
- },
- });
- const compositeDecorator = new CompositeDecorator(decorators);
-
- let editorState = null;
- if (contentState) {
- editorState = EditorState.createWithContent(contentState, compositeDecorator);
+ createEditorState(wantRichText: boolean, editorState: ?Value, wasRichText: ?boolean): Value {
+ if (editorState instanceof Value) {
+ if (wantRichText && !wasRichText) {
+ return this.mdToRichEditorState(editorState);
+ }
+ if (wasRichText && !wantRichText) {
+ return this.richToMdEditorState(editorState);
+ }
+ return editorState;
} else {
- editorState = EditorState.createEmpty(compositeDecorator);
+ // ...or create a new one. and explicitly focus it otherwise tab in-out issues
+ const base = Plain.deserialize('', { defaultBlock: DEFAULT_NODE });
+ return base.change().focus().value;
}
-
- return EditorState.moveFocusToEnd(editorState);
}
- componentDidMount() {
+ componentWillMount() {
this.dispatcherRef = dis.register(this.onAction);
- this.historyManager = new ComposerHistoryManager(this.props.room.roomId);
+ this.historyManager = new ComposerHistoryManager(this.props.room.roomId, 'mx_slate_composer_history_');
}
componentWillUnmount() {
dis.unregister(this.dispatcherRef);
}
- componentWillUpdate(nextProps, nextState) {
- // this is dirty, but moving all this state to MessageComposer is dirtier
- if (this.props.onInputStateChanged && nextState !== this.state) {
- const state = this.getSelectionInfo(nextState.editorState);
- state.isRichtextEnabled = nextState.isRichtextEnabled;
- this.props.onInputStateChanged(state);
- }
+ _collectEditor = (e) => {
+ this._editor = e;
}
onAction = (payload) => {
- const editor = this.refs.editor;
- let contentState = this.state.editorState.getCurrentContent();
+ const editor = this._editor;
+ const editorState = this.state.editorState;
switch (payload.action) {
case 'reply_to_event':
case 'focus_composer':
- editor.focus();
+ this.focusComposer();
break;
- case 'insert_mention': {
- // Pretend that we've autocompleted this user because keeping two code
- // paths for inserting a user pill is not fun
- const selection = this.state.editorState.getSelection();
- const member = this.props.room.getMember(payload.user_id);
- const completion = member ?
- member.rawDisplayName.replace(' (IRC)', '') : payload.user_id;
- this.setDisplayedCompletion({
- completion,
- selection,
- href: makeUserPermalink(payload.user_id),
- suffix: selection.getStartOffset() === 0 ? ': ' : ' ',
+ case 'insert_mention':
+ {
+ // Pretend that we've autocompleted this user because keeping two code
+ // paths for inserting a user pill is not fun
+ const selection = this.getSelectionRange(this.state.editorState);
+ const member = this.props.room.getMember(payload.user_id);
+ const completion = member ?
+ member.rawDisplayName : payload.user_id;
+ this.setDisplayedCompletion({
+ completion,
+ completionId: payload.user_id,
+ selection,
+ href: makeUserPermalink(payload.user_id),
+ suffix: (selection.beginning && selection.start === 0) ? ': ' : ' ',
+ });
+ }
+ break;
+ case 'quote': {
+ const html = HtmlUtils.bodyToHtml(payload.event.getContent(), null, {
+ forComposerQuote: true,
+ returnString: true,
+ emojiOne: false,
});
- }
- break;
+ const fragment = this.html.deserialize(html);
+ // FIXME: do we want to put in a permalink to the original quote here?
+ // If so, what should be the format, and how do we differentiate it from replies?
- case 'quote': { // old quoting, whilst rich quoting is in labs
- /// XXX: Not doing rich-text quoting from formatted-body because draft-js
- /// has regressed such that when links are quoted, errors are thrown. See
- /// https://github.com/vector-im/riot-web/issues/4756.
- const body = escape(payload.text);
- if (body) {
- let content = RichText.htmlToContentState(`
${body} `);
- if (!this.state.isRichtextEnabled) {
- content = ContentState.createFromText(RichText.stateToMarkdown(content));
+ const quote = Block.create('block-quote');
+ if (this.state.isRichTextEnabled) {
+ let change = editorState.change();
+ const anchorText = editorState.anchorText;
+ if ((!anchorText || anchorText.text === '') && editorState.anchorBlock.nodes.size === 1) {
+ // replace the current block rather than split the block
+ // XXX: this destroys our focus by deleting the thing we are anchored/focused on
+ change = change.replaceNodeByKey(editorState.anchorBlock.key, quote);
+ } else {
+ // insert it into the middle of the block (splitting it)
+ change = change.insertBlock(quote);
}
- const blockMap = content.getBlockMap();
- let startSelection = SelectionState.createEmpty(contentState.getFirstBlock().getKey());
- contentState = Modifier.splitBlock(contentState, startSelection);
- startSelection = SelectionState.createEmpty(contentState.getFirstBlock().getKey());
- contentState = Modifier.replaceWithFragment(contentState,
- startSelection,
- blockMap);
- startSelection = SelectionState.createEmpty(contentState.getFirstBlock().getKey());
- if (this.state.isRichtextEnabled) {
- contentState = Modifier.setBlockType(contentState, startSelection, 'blockquote');
+ // XXX: heuristic to strip out wrapping
which breaks quoting in RT mode
+ if (fragment.document.nodes.size && fragment.document.nodes.get(0).type === DEFAULT_NODE) {
+ change = change.insertFragmentByKey(quote.key, 0, fragment.document.nodes.get(0));
+ } else {
+ change = change.insertFragmentByKey(quote.key, 0, fragment.document);
}
- let editorState = EditorState.push(this.state.editorState, contentState, 'insert-characters');
- editorState = EditorState.moveSelectionToEnd(editorState);
- this.onEditorContentChanged(editorState);
- editor.focus();
+
+ // XXX: this is to bring back the focus in a sane place and add a paragraph after it
+ change = change.select(Range.create({
+ anchor: {
+ key: quote.key,
+ },
+ focus: {
+ key: quote.key,
+ },
+ })).moveToEndOfBlock().insertBlock(Block.create(DEFAULT_NODE)).focus();
+
+ this.onChange(change);
+ } else {
+ const fragmentChange = fragment.change();
+ fragmentChange.moveToRangeOfNode(fragment.document)
+ .wrapBlock(quote);
+
+ // FIXME: handle pills and use commonmark rather than md-serialize
+ const md = this.md.serialize(fragmentChange.value);
+ const change = editorState.change()
+ .insertText(md + '\n\n')
+ .focus();
+ this.onChange(change);
}
}
break;
@@ -374,7 +487,7 @@ export default class MessageComposerInput extends React.Component {
stopServerTypingTimer() {
if (this.serverTypingTimer) {
- clearTimeout(this.servrTypingTimer);
+ clearTimeout(this.serverTypingTimer);
this.serverTypingTimer = null;
}
}
@@ -394,195 +507,420 @@ export default class MessageComposerInput extends React.Component {
}
}
- // Called by Draft to change editor contents
- onEditorContentChanged = (editorState: EditorState) => {
- editorState = RichText.attachImmutableEntitiesToEmoji(editorState);
+ onChange = (change: Change, originalEditorState?: Value) => {
+ let editorState = change.value;
- const currentBlock = editorState.getSelection().getStartKey();
- const currentSelection = editorState.getSelection();
- const currentStartOffset = editorState.getSelection().getStartOffset();
-
- const block = editorState.getCurrentContent().getBlockForKey(currentBlock);
- const text = block.getText();
-
- const entityBeforeCurrentOffset = block.getEntityAt(currentStartOffset - 1);
- const entityAtCurrentOffset = block.getEntityAt(currentStartOffset);
-
- // If the cursor is on the boundary between an entity and a non-entity and the
- // text before the cursor has whitespace at the end, set the entity state of the
- // character before the cursor (the whitespace) to null. This allows the user to
- // stop editing the link.
- if (entityBeforeCurrentOffset && !entityAtCurrentOffset &&
- /\s$/.test(text.slice(0, currentStartOffset))) {
- editorState = RichUtils.toggleLink(
- editorState,
- currentSelection.merge({
- anchorOffset: currentStartOffset - 1,
- focusOffset: currentStartOffset,
- }),
- null,
- );
- // Reset selection
- editorState = EditorState.forceSelection(editorState, currentSelection);
- }
-
- // Automatic replacement of plaintext emoji to Unicode emoji
- if (SettingsStore.getValue('MessageComposerInput.autoReplaceEmoji')) {
- // The first matched group includes just the matched plaintext emoji
- const emojiMatch = REGEX_EMOJI_WHITESPACE.exec(text.slice(0, currentStartOffset));
- if (emojiMatch) {
- // plaintext -> hex unicode
- const emojiUc = asciiList[emojiMatch[1]];
- // hex unicode -> shortname -> actual unicode
- const unicodeEmoji = shortnameToUnicode(EMOJI_UNICODE_TO_SHORTNAME[emojiUc]);
- const newContentState = Modifier.replaceText(
- editorState.getCurrentContent(),
- currentSelection.merge({
- anchorOffset: currentStartOffset - emojiMatch[1].length - 1,
- focusOffset: currentStartOffset,
- }),
- unicodeEmoji,
- );
- editorState = EditorState.push(
- editorState,
- newContentState,
- 'insert-characters',
- );
- editorState = EditorState.forceSelection(editorState, newContentState.getSelectionAfter());
+ if (this.direction !== '') {
+ const focusedNode = editorState.focusInline || editorState.focusText;
+ if (editorState.schema.isVoid(focusedNode)) {
+ // XXX: does this work in RTL?
+ const edge = this.direction === 'Previous' ? 'End' : 'Start';
+ if (editorState.selection.isCollapsed) {
+ change = change[`moveTo${ edge }Of${ this.direction }Text`]();
+ } else {
+ const block = this.direction === 'Previous' ? editorState.previousText : editorState.nextText;
+ if (block) {
+ change = change[`moveFocusTo${ edge }OfNode`](block);
+ }
+ }
+ editorState = change.value;
}
}
- /* Since a modification was made, set originalEditorState to null, since newState is now our original */
+ // when in autocomplete mode and selection changes hide the autocomplete.
+ // Selection changes when we enter text so use a heuristic to compare documents without doing it recursively
+ if (this.autocomplete.state.completionList.length > 0 && !this.autocomplete.state.hide &&
+ !rangeEquals(this.state.editorState.selection, editorState.selection) &&
+ // XXX: the heuristic failed when inlines like pills weren't taken into account. This is inideal
+ this.state.editorState.document.toJSON() === editorState.document.toJSON()) {
+ this.autocomplete.hide();
+ }
+
+ if (Plain.serialize(editorState) !== '') {
+ this.onTypingActivity();
+ } else {
+ this.onFinishedTyping();
+ }
+
+ if (editorState.startText !== null) {
+ const text = editorState.startText.text;
+ const currentStartOffset = editorState.startOffset;
+
+ // Automatic replacement of plaintext emoji to Unicode emoji
+ if (SettingsStore.getValue('MessageComposerInput.autoReplaceEmoji')) {
+ // The first matched group includes just the matched plaintext emoji
+ const emojiMatch = REGEX_EMOJI_WHITESPACE.exec(text.slice(0, currentStartOffset));
+ if (emojiMatch) {
+ // plaintext -> hex unicode
+ const emojiUc = asciiList[emojiMatch[1]];
+ // hex unicode -> shortname -> actual unicode
+ const unicodeEmoji = shortnameToUnicode(EMOJI_UNICODE_TO_SHORTNAME[emojiUc]);
+
+ const range = Range.create({
+ anchor: {
+ key: editorState.selection.startKey,
+ offset: currentStartOffset - emojiMatch[1].length - 1,
+ },
+ focus: {
+ key: editorState.selection.startKey,
+ offset: currentStartOffset - 1,
+ },
+ });
+ change = change.insertTextAtRange(range, unicodeEmoji);
+ editorState = change.value;
+ }
+ }
+ }
+
+ // emojioneify any emoji
+ editorState.document.getTexts().forEach(node => {
+ if (node.text !== '' && HtmlUtils.containsEmoji(node.text)) {
+ let match;
+ while ((match = EMOJI_REGEX.exec(node.text)) !== null) {
+ const range = Range.create({
+ anchor: {
+ key: node.key,
+ offset: match.index,
+ },
+ focus: {
+ key: node.key,
+ offset: match.index + match[0].length,
+ },
+ });
+ const inline = Inline.create({
+ type: 'emoji',
+ data: { emojiUnicode: match[0] },
+ });
+ change = change.insertInlineAtRange(range, inline);
+ editorState = change.value;
+ }
+ }
+ });
+
+ // work around weird bug where inserting emoji via the macOS
+ // emoji picker can leave the selection stuck in the emoji's
+ // child text. This seems to happen due to selection getting
+ // moved in the normalisation phase after calculating these changes
+ if (editorState.selection.anchor.key &&
+ editorState.document.getParent(editorState.selection.anchor.key).type === 'emoji') {
+ change = change.moveToStartOfNextText();
+ editorState = change.value;
+ }
+
+ if (this.props.onInputStateChanged && editorState.blocks.size > 0) {
+ let blockType = editorState.blocks.first().type;
+ // console.log("onInputStateChanged; current block type is " + blockType + " and marks are " + editorState.activeMarks);
+
+ if (blockType === 'list-item') {
+ const parent = editorState.document.getParent(editorState.blocks.first().key);
+ if (parent.type === 'numbered-list') {
+ blockType = 'numbered-list';
+ } else if (parent.type === 'bulleted-list') {
+ blockType = 'bulleted-list';
+ }
+ }
+ const inputState = {
+ marks: editorState.activeMarks,
+ isRichTextEnabled: this.state.isRichTextEnabled,
+ blockType,
+ };
+ this.props.onInputStateChanged(inputState);
+ }
+
+ // Record the editor state for this room so that it can be retrieved after switching to another room and back
+ MessageComposerStore.setEditorState(this.props.room.roomId, editorState, this.state.isRichTextEnabled);
+
this.setState({
editorState,
- originalEditorState: null,
+ originalEditorState: originalEditorState || null,
});
};
- /**
- * We're overriding setState here because it's the most convenient way to monitor changes to the editorState.
- * Doing it using a separate function that calls setState is a possibility (and was the old approach), but that
- * approach requires a callback and an extra setState whenever trying to set multiple state properties.
- *
- * @param state
- * @param callback
- */
- setState(state, callback) {
- if (state.editorState != null) {
- state.editorState = RichText.attachImmutableEntitiesToEmoji(
- state.editorState);
+ mdToRichEditorState(editorState: Value): Value {
+ // for consistency when roundtripping, we could use slate-md-serializer rather than
+ // commonmark, but then we would lose pills as the MD deserialiser doesn't know about
+ // them and doesn't have any extensibility hooks.
+ //
+ // The code looks like this:
+ //
+ // const markdown = this.plainWithMdPills.serialize(editorState);
+ //
+ // // weirdly, the Md serializer can't deserialize '' to a valid Value...
+ // if (markdown !== '') {
+ // editorState = this.md.deserialize(markdown);
+ // }
+ // else {
+ // editorState = Plain.deserialize('', { defaultBlock: DEFAULT_NODE });
+ // }
- // Hide the autocomplete if the cursor location changes but the plaintext
- // content stays the same. We don't hide if the pt has changed because the
- // autocomplete will probably have different completions to show.
- if (
- !state.editorState.getSelection().equals(
- this.state.editorState.getSelection(),
- )
- && state.editorState.getCurrentContent().getPlainText() ===
- this.state.editorState.getCurrentContent().getPlainText()
- ) {
- this.autocomplete.hide();
- }
+ // so, instead, we use commonmark proper (which is arguably more logical to the user
+ // anyway, as they'll expect the RTE view to match what they'll see in the timeline,
+ // but the HTML->MD conversion is anyone's guess).
- if (state.editorState.getCurrentContent().hasText()) {
- this.onTypingActivity();
- } else {
- this.onFinishedTyping();
- }
+ const textWithMdPills = this.plainWithMdPills.serialize(editorState);
+ const markdown = new Markdown(textWithMdPills);
+ // HTML deserialize has custom rules to turn matrix.to links into pill objects.
+ return this.html.deserialize(markdown.toHTML());
+ }
- // Record the editor state for this room so that it can be retrieved after
- // switching to another room and back
- dis.dispatch({
- action: 'content_state',
- room_id: this.props.room.roomId,
- content_state: state.editorState.getCurrentContent(),
- });
-
- if (!state.hasOwnProperty('originalEditorState')) {
- state.originalEditorState = null;
- }
- }
-
- super.setState(state, () => {
- if (callback != null) {
- callback();
- }
-
- const textContent = this.state.editorState.getCurrentContent().getPlainText();
- const selection = RichText.selectionStateToTextOffsets(
- this.state.editorState.getSelection(),
- this.state.editorState.getCurrentContent().getBlocksAsArray());
- if (this.props.onContentChanged) {
- this.props.onContentChanged(textContent, selection);
- }
-
- // Scroll to the bottom of the editor if the cursor is on the last line of the
- // composer. For some reason the editor won't scroll automatically if we paste
- // blocks of text in or insert newlines.
- if (textContent.slice(selection.start).indexOf("\n") === -1) {
- let editorRoot = this.refs.editor.refs.editor.parentNode.parentNode;
- editorRoot.scrollTop = editorRoot.scrollHeight;
- }
- });
+ richToMdEditorState(editorState: Value): Value {
+ // FIXME: this conversion loses pills (turning them into pure MD links).
+ // We need to add a pill-aware deserialize method
+ // to PlainWithPillsSerializer which recognises pills in raw MD and turns them into pills.
+ return Plain.deserialize(
+ // FIXME: we compile the MD out of the RTE state using slate-md-serializer
+ // which doesn't roundtrip symmetrically with commonmark, which we use for
+ // compiling MD out of the MD editor state above.
+ this.md.serialize(editorState),
+ { defaultBlock: DEFAULT_NODE },
+ );
}
enableRichtext(enabled: boolean) {
- if (enabled === this.state.isRichtextEnabled) return;
+ if (enabled === this.state.isRichTextEnabled) return;
- let contentState = null;
+ let editorState = null;
if (enabled) {
- const md = new Markdown(this.state.editorState.getCurrentContent().getPlainText());
- contentState = RichText.htmlToContentState(md.toHTML());
+ editorState = this.mdToRichEditorState(this.state.editorState);
} else {
- let markdown = RichText.stateToMarkdown(this.state.editorState.getCurrentContent());
- if (markdown[markdown.length - 1] === '\n') {
- markdown = markdown.substring(0, markdown.length - 1); // stateToMarkdown tacks on an extra newline (?!?)
- }
- contentState = ContentState.createFromText(markdown);
+ editorState = this.richToMdEditorState(this.state.editorState);
}
Analytics.setRichtextMode(enabled);
this.setState({
- editorState: this.createEditorState(enabled, contentState),
- isRichtextEnabled: enabled,
+ editorState: this.createEditorState(enabled, editorState),
+ isRichTextEnabled: enabled,
+ }, ()=>{
+ this._editor.focus();
});
+
SettingsStore.setValue("MessageComposerInput.isRichTextEnabled", null, SettingLevel.ACCOUNT, enabled);
}
- handleKeyCommand = (command: string): boolean => {
- if (command === 'toggle-mode') {
- this.enableRichtext(!this.state.isRichtextEnabled);
- return true;
+ /**
+ * Check if the current selection has a mark with `type` in it.
+ *
+ * @param {String} type
+ * @return {Boolean}
+ */
+
+ hasMark = type => {
+ const { editorState } = this.state;
+ return editorState.activeMarks.some(mark => mark.type === type);
+ };
+
+ /**
+ * Check if the any of the currently selected blocks are of `type`.
+ *
+ * @param {String} type
+ * @return {Boolean}
+ */
+
+ hasBlock = type => {
+ const { editorState } = this.state;
+ return editorState.blocks.some(node => node.type === type);
+ };
+
+ onKeyDown = (ev: KeyboardEvent, change: Change, editor: Editor) => {
+ this.suppressAutoComplete = false;
+
+ // skip void nodes - see
+ // https://github.com/ianstormtaylor/slate/issues/762#issuecomment-304855095
+ if (ev.keyCode === KeyCode.LEFT) {
+ this.direction = 'Previous';
+ } else if (ev.keyCode === KeyCode.RIGHT) {
+ this.direction = 'Next';
+ } else {
+ this.direction = '';
}
- let newState: ?EditorState = null;
- // Draft handles rich text mode commands by default but we need to do it ourselves for Markdown.
- if (this.state.isRichtextEnabled) {
- // These are block types, not handled by RichUtils by default.
- const blockCommands = ['code-block', 'blockquote', 'unordered-list-item', 'ordered-list-item'];
- const currentBlockType = RichUtils.getCurrentBlockType(this.state.editorState);
+ switch (ev.keyCode) {
+ case KeyCode.ENTER:
+ return this.handleReturn(ev, change);
+ case KeyCode.BACKSPACE:
+ return this.onBackspace(ev, change);
+ case KeyCode.UP:
+ return this.onVerticalArrow(ev, true);
+ case KeyCode.DOWN:
+ return this.onVerticalArrow(ev, false);
+ case KeyCode.TAB:
+ return this.onTab(ev);
+ case KeyCode.ESCAPE:
+ return this.onEscape(ev);
+ case KeyCode.SPACE:
+ return this.onSpace(ev, change);
+ }
- const shouldToggleBlockFormat = (
- command === 'backspace' ||
- command === 'split-block'
- ) && currentBlockType !== 'unstyled';
+ if (isOnlyCtrlOrCmdKeyEvent(ev)) {
+ const ctrlCmdCommand = {
+ // C-m => Toggles between rich text and markdown modes
+ [KeyCode.KEY_M]: 'toggle-mode',
+ [KeyCode.KEY_B]: 'bold',
+ [KeyCode.KEY_I]: 'italic',
+ [KeyCode.KEY_U]: 'underlined',
+ [KeyCode.KEY_J]: 'inline-code',
+ }[ev.keyCode];
- if (blockCommands.includes(command)) {
- newState = RichUtils.toggleBlockType(this.state.editorState, command);
- } else if (command === 'strike') {
- // this is the only inline style not handled by Draft by default
- newState = RichUtils.toggleInlineStyle(this.state.editorState, 'STRIKETHROUGH');
- } else if (shouldToggleBlockFormat) {
- const currentStartOffset = this.state.editorState.getSelection().getStartOffset();
- const currentEndOffset = this.state.editorState.getSelection().getEndOffset();
- if (currentStartOffset === 0 && currentEndOffset === 0) {
- // Toggle current block type (setting it to 'unstyled')
- newState = RichUtils.toggleBlockType(this.state.editorState, currentBlockType);
+ if (ctrlCmdCommand) {
+ ev.preventDefault(); // to prevent clashing with Mac's minimize window
+ return this.handleKeyCommand(ctrlCmdCommand);
+ }
+ }
+ };
+
+ onSpace = (ev: KeyboardEvent, change: Change): Change => {
+ if (ev.metaKey || ev.altKey || ev.shiftKey || ev.ctrlKey) {
+ return;
+ }
+
+ // drop a point in history so the user can undo a word
+ // XXX: this seems nasty but adding to history manually seems a no-go
+ ev.preventDefault();
+ return change.withoutMerging(() => {
+ change.insertText(ev.key);
+ });
+ };
+
+ onBackspace = (ev: KeyboardEvent, change: Change): Change => {
+ if (ev.metaKey || ev.altKey || ev.shiftKey) {
+ return;
+ }
+
+ const { editorState } = this.state;
+
+ // Allow Ctrl/Cmd-Backspace when focus starts at the start of the composer (e.g select-all)
+ // for some reason if slate sees you Ctrl-backspace and your anchor.offset=0 it just resets your focus
+ // XXX: Doing this now seems to put slate into a broken state, and it didn't appear to be doing
+ // what it claims to do on the old version of slate anyway...
+ /*if (!editorState.isCollapsed && editorState.selection.anchor.offset === 0) {
+ return change.delete();
+ }*/
+
+ if (this.state.isRichTextEnabled) {
+ // let backspace exit lists
+ const isList = this.hasBlock('list-item');
+
+ if (isList && editorState.selection.anchor.offset == 0) {
+ change
+ .setBlocks(DEFAULT_NODE)
+ .unwrapBlock('bulleted-list')
+ .unwrapBlock('numbered-list');
+ return change;
+ } else if (editorState.selection.anchor.offset == 0 && editorState.isCollapsed) {
+ // turn blocks back into paragraphs
+ if ((this.hasBlock('block-quote') ||
+ this.hasBlock('heading1') ||
+ this.hasBlock('heading2') ||
+ this.hasBlock('heading3') ||
+ this.hasBlock('heading4') ||
+ this.hasBlock('heading5') ||
+ this.hasBlock('heading6') ||
+ this.hasBlock('code'))) {
+ return change.setBlocks(DEFAULT_NODE);
+ }
+
+ // remove paragraphs entirely if they're nested
+ const parent = editorState.document.getParent(editorState.anchorBlock.key);
+ if (editorState.selection.anchor.offset == 0 &&
+ this.hasBlock('paragraph') &&
+ parent.nodes.size == 1 &&
+ parent.object !== 'document') {
+ return change.replaceNodeByKey(editorState.anchorBlock.key, editorState.anchorText)
+ .moveToEndOfNode(parent)
+ .focus();
}
}
+ }
+ return;
+ };
+
+ handleKeyCommand = (command: string): boolean => {
+ if (command === 'toggle-mode') {
+ this.enableRichtext(!this.state.isRichTextEnabled);
+ return true;
+ }
+
+ const newState: ?Value = null;
+
+ // Draft handles rich text mode commands by default but we need to do it ourselves for Markdown.
+ if (this.state.isRichTextEnabled) {
+ const type = command;
+ const { editorState } = this.state;
+ const change = editorState.change();
+ const { document } = editorState;
+ switch (type) {
+ // list-blocks:
+ case 'bulleted-list':
+ case 'numbered-list': {
+ // Handle the extra wrapping required for list buttons.
+ const isList = this.hasBlock('list-item');
+ const isType = editorState.blocks.some(block => {
+ return !!document.getClosest(block.key, parent => parent.type === type);
+ });
+
+ if (isList && isType) {
+ change
+ .setBlocks(DEFAULT_NODE)
+ .unwrapBlock('bulleted-list')
+ .unwrapBlock('numbered-list');
+ } else if (isList) {
+ change
+ .unwrapBlock(
+ type === 'bulleted-list' ? 'numbered-list' : 'bulleted-list',
+ )
+ .wrapBlock(type);
+ } else {
+ change.setBlocks('list-item').wrapBlock(type);
+ }
+ }
+ break;
+
+ // simple blocks
+ case 'paragraph':
+ case 'block-quote':
+ case 'heading1':
+ case 'heading2':
+ case 'heading3':
+ case 'heading4':
+ case 'heading5':
+ case 'heading6':
+ case 'list-item':
+ case 'code': {
+ const isActive = this.hasBlock(type);
+ const isList = this.hasBlock('list-item');
+
+ if (isList) {
+ change
+ .setBlocks(isActive ? DEFAULT_NODE : type)
+ .unwrapBlock('bulleted-list')
+ .unwrapBlock('numbered-list');
+ } else {
+ change.setBlocks(isActive ? DEFAULT_NODE : type);
+ }
+ }
+ break;
+
+ // marks:
+ case 'bold':
+ case 'italic':
+ case 'inline-code':
+ case 'underlined':
+ case 'deleted': {
+ change.toggleMark(type === 'inline-code' ? 'code' : type);
+ }
+ break;
+
+ default:
+ console.warn(`ignoring unrecognised RTE command ${type}`);
+ return false;
+ }
+
+ this.onChange(change);
+
+ return true;
} else {
+/*
const contentState = this.state.editorState.getCurrentContent();
const multipleLinesSelected = RichText.hasMultiLineSelection(this.state.editorState);
@@ -602,7 +940,7 @@ export default class MessageComposerInput extends React.Component {
'strike': (text) => `${text}`,
// ("code" is triggered by ctrl+j by draft-js by default)
'code': (text) => treatInlineCodeAsBlock ? textMdCodeBlock(text) : `\`${text}\``,
- 'code-block': textMdCodeBlock,
+ 'code': textMdCodeBlock,
'blockquote': (text) => text.split('\n').map((line) => `> ${line}\n`).join('') + '\n',
'unordered-list-item': (text) => text.split('\n').map((line) => `\n- ${line}`).join(''),
'ordered-list-item': (text) => text.split('\n').map((line, i) => `\n${i + 1}. ${line}`).join(''),
@@ -614,20 +952,21 @@ export default class MessageComposerInput extends React.Component {
'underline': -4,
'strike': -6,
'code': treatInlineCodeAsBlock ? -5 : -1,
- 'code-block': -5,
+ 'code': -5,
'blockquote': -2,
}[command];
- // Returns a function that collapses a selectionState to its end and moves it by offset
- const collapseAndOffsetSelection = (selectionState, offset) => {
- const key = selectionState.getEndKey();
- return new SelectionState({
- anchorKey: key, anchorOffset: offset,
- focusKey: key, focusOffset: offset,
+ // Returns a function that collapses a selection to its end and moves it by offset
+ const collapseAndOffsetSelection = (selection, offset) => {
+ const key = selection.endKey();
+ return new Range({
+ anchorKey: key, anchor.offset: offset,
+ focus.key: key, focus.offset: offset,
});
};
if (modifyFn) {
+
const previousSelection = this.state.editorState.getSelection();
const newContentState = RichText.modifyText(contentState, previousSelection, modifyFn);
newState = EditorState.push(
@@ -652,88 +991,103 @@ export default class MessageComposerInput extends React.Component {
}
}
- if (newState == null) {
- newState = RichUtils.handleKeyCommand(this.state.editorState, command);
- }
-
if (newState != null) {
this.setState({editorState: newState});
return true;
}
-
+*/
+ }
return false;
};
- onTextPasted(text: string, html?: string) {
- const currentSelection = this.state.editorState.getSelection();
- const currentContent = this.state.editorState.getCurrentContent();
+ onPaste = (event: Event, change: Change, editor: Editor): Change => {
+ const transfer = getEventTransfer(event);
- let contentState = null;
- if (html && this.state.isRichtextEnabled) {
- contentState = Modifier.replaceWithFragment(
- currentContent,
- currentSelection,
- RichText.htmlToContentState(html).getBlockMap(),
- );
- } else {
- contentState = Modifier.replaceText(currentContent, currentSelection, text);
+ switch (transfer.type) {
+ case 'files':
+ return this.props.onFilesPasted(transfer.files);
+ case 'html': {
+ if (this.state.isRichTextEnabled) {
+ // FIXME: https://github.com/ianstormtaylor/slate/issues/1497 means
+ // that we will silently discard nested blocks (e.g. nested lists) :(
+ const fragment = this.html.deserialize(transfer.html);
+ return change
+ // XXX: this somehow makes Slate barf on undo and get too empty and break entirely
+ // .setOperationFlag("skip", false)
+ // .setOperationFlag("merge", false)
+ .insertFragment(fragment.document);
+ } else {
+ // in MD mode we don't want the rich content pasted as the magic was annoying people so paste plain
+ return change.withoutMerging(() => {
+ change.insertText(transfer.text);
+ });
+ }
+ }
+ case 'text':
+ // don't skip/merge so that multiple consecutive pastes can be undone individually
+ return change.withoutMerging(() => {
+ change.insertText(transfer.text);
+ });
}
+ };
- let newEditorState = EditorState.push(this.state.editorState, contentState, 'insert-characters');
-
- newEditorState = EditorState.forceSelection(newEditorState, contentState.getSelectionAfter());
- this.onEditorContentChanged(newEditorState);
- return true;
- }
-
- handleReturn(ev) {
+ handleReturn = (ev, change) => {
if (ev.shiftKey) {
- this.onEditorContentChanged(RichUtils.insertSoftNewline(this.state.editorState));
- return true;
+ return change.insertText('\n');
}
- const currentBlockType = RichUtils.getCurrentBlockType(this.state.editorState);
- if (
- ['code-block', 'blockquote', 'unordered-list-item', 'ordered-list-item']
- .includes(currentBlockType)
- ) {
- // By returning false, we allow the default draft-js key binding to occur,
- // which in this case invokes "split-block". This creates a new block of the
- // same type, allowing the user to delete it with backspace.
- // See handleKeyCommand (when command === 'backspace')
- return false;
+ const editorState = this.state.editorState;
+
+ const lastBlock = editorState.blocks.last();
+ if (['code', 'block-quote', 'list-item'].includes(lastBlock.type)) {
+ const text = lastBlock.text;
+ if (text === '') {
+ // allow the user to cancel empty block by hitting return, useful in conjunction with below `inBlock`
+ return change
+ .setBlocks(DEFAULT_NODE)
+ .unwrapBlock('bulleted-list')
+ .unwrapBlock('numbered-list');
+ }
+
+ // TODO strip trailing lines from blockquotes/list entries
+ // the below code seemingly works but doesn't account for edge cases like return with caret not at end
+ /* const trailingNewlines = text.match(/\n*$/);
+ if (trailingNewlines && trailingNewlines[0]) {
+ remove trailing newlines at the end of this block before making a new one
+ return change.deleteBackward(trailingNewlines[0].length);
+ }*/
+
+ return;
}
- const contentState = this.state.editorState.getCurrentContent();
- if (!contentState.hasText()) {
- return true;
+ let contentText;
+ let contentHTML;
+
+ // only look for commands if the first block contains simple unformatted text
+ // i.e. no pills or rich-text formatting and begins with a /.
+ let cmd, commandText;
+ const firstChild = editorState.document.nodes.get(0);
+ const firstGrandChild = firstChild && firstChild.nodes.get(0);
+ if (firstChild && firstGrandChild &&
+ firstChild.object === 'block' && firstGrandChild.object === 'text' &&
+ firstGrandChild.text[0] === '/') {
+ commandText = this.plainWithIdPills.serialize(editorState);
+ cmd = processCommandInput(this.props.room.roomId, commandText);
}
-
- let contentText = contentState.getPlainText(), contentHTML;
-
- // Strip MD user (tab-completed) mentions to preserve plaintext mention behaviour.
- // We have to do this now as opposed to after calculating the contentText for MD
- // mode because entity positions may not be maintained when using
- // md.toPlaintext().
- // Unfortunately this means we lose mentions in history when in MD mode. This
- // would be fixed if history was stored as contentState.
- contentText = this.removeMDLinks(contentState, ['@']);
-
- // Some commands (/join) require pills to be replaced with their text content
- const commandText = this.removeMDLinks(contentState, ['#']);
- const cmd = SlashCommands.processInput(this.props.room.roomId, commandText);
if (cmd) {
if (!cmd.error) {
- this.historyManager.save(contentState, this.state.isRichtextEnabled ? 'html' : 'markdown');
+ this.historyManager.save(editorState, this.state.isRichTextEnabled ? 'rich' : 'markdown');
this.setState({
editorState: this.createEditorState(),
+ }, ()=>{
+ this._editor.focus();
});
}
if (cmd.promise) {
- cmd.promise.then(function() {
+ cmd.promise.then(()=>{
console.log("Command success.");
- }, function(err) {
+ }, (err)=>{
console.error("Command failure: %s", err);
const ErrorDialog = sdk.getComponent("dialogs.ErrorDialog");
Modal.createTrackedDialog('Server error', '', ErrorDialog, {
@@ -756,74 +1110,43 @@ export default class MessageComposerInput extends React.Component {
const replyingToEv = RoomViewStore.getQuotingEvent();
const mustSendHTML = Boolean(replyingToEv);
- if (this.state.isRichtextEnabled) {
+ if (this.state.isRichTextEnabled) {
// We should only send HTML if any block is styled or contains inline style
let shouldSendHTML = false;
if (mustSendHTML) shouldSendHTML = true;
- const blocks = contentState.getBlocksAsArray();
- if (blocks.some((block) => block.getType() !== 'unstyled')) {
- shouldSendHTML = true;
- } else {
- const characterLists = blocks.map((block) => block.getCharacterList());
- // For each block of characters, determine if any inline styles are applied
- // and if yes, send HTML
- characterLists.forEach((characters) => {
- const numberOfStylesForCharacters = characters.map(
- (character) => character.getStyle().toArray().length,
- ).toArray();
- // If any character has more than 0 inline styles applied, send HTML
- if (numberOfStylesForCharacters.some((styles) => styles > 0)) {
- shouldSendHTML = true;
- }
- });
- }
if (!shouldSendHTML) {
- const hasLink = blocks.some((block) => {
- return block.getCharacterList().filter((c) => {
- const entityKey = c.getEntity();
- return entityKey && contentState.getEntity(entityKey).getType() === 'LINK';
- }).size > 0;
+ shouldSendHTML = !!editorState.document.findDescendant(node => {
+ // N.B. node.getMarks() might be private?
+ return ((node.object === 'block' && node.type !== 'paragraph') ||
+ (node.object === 'inline') ||
+ (node.object === 'text' && node.getMarks().size > 0));
});
- shouldSendHTML = hasLink;
}
+
+ contentText = this.plainWithPlainPills.serialize(editorState);
+ if (contentText === '') return true;
+
if (shouldSendHTML) {
- contentHTML = HtmlUtils.processHtmlForSending(
- RichText.contentStateToHTML(contentState),
- );
+ contentHTML = HtmlUtils.processHtmlForSending(this.html.serialize(editorState));
}
} else {
- // Use the original contentState because `contentText` has had mentions
- // stripped and these need to end up in contentHTML.
+ const sourceWithPills = this.plainWithMdPills.serialize(editorState);
+ if (sourceWithPills === '') return true;
- // Replace all Entities of type `LINK` with markdown link equivalents.
- // TODO: move this into `Markdown` and do the same conversion in the other
- // two places (toggling from MD->RT mode and loading MD history into RT mode)
- // but this can only be done when history includes Entities.
- const pt = contentState.getBlocksAsArray().map((block) => {
- let blockText = block.getText();
- let offset = 0;
- this.findPillEntities(contentState, block, (start, end) => {
- const entity = contentState.getEntity(block.getEntityAt(start));
- if (entity.getType() !== 'LINK') {
- return;
- }
- const text = blockText.slice(offset + start, offset + end);
- const url = entity.getData().url;
- const mdLink = `[${text}](${url})`;
- blockText = blockText.slice(0, offset + start) + mdLink + blockText.slice(offset + end);
- offset += mdLink.length - text.length;
- });
- return blockText;
- }).join('\n');
+ const mdWithPills = new Markdown(sourceWithPills);
- const md = new Markdown(pt);
// if contains no HTML and we're not quoting (needing HTML)
- if (md.isPlainText() && !mustSendHTML) {
- contentText = md.toPlaintext();
+ if (mdWithPills.isPlainText() && !mustSendHTML) {
+ // N.B. toPlainText is only usable here because we know that the MD
+ // didn't contain any formatting in the first place...
+ contentText = mdWithPills.toPlaintext();
} else {
- contentHTML = md.toHTML();
+ // to avoid ugliness on clients which ignore the HTML body we don't
+ // send pills in the plaintext body.
+ contentText = this.plainWithPlainPills.serialize(editorState);
+ contentHTML = mdWithPills.toHTML();
}
}
@@ -831,11 +1154,11 @@ export default class MessageComposerInput extends React.Component {
let sendTextFn = ContentHelpers.makeTextMessage;
this.historyManager.save(
- contentState,
- this.state.isRichtextEnabled ? 'html' : 'markdown',
+ editorState,
+ this.state.isRichTextEnabled ? 'rich' : 'markdown',
);
- if (contentText.startsWith('/me')) {
+ if (commandText && commandText.startsWith('/me')) {
if (replyingToEv) {
const ErrorDialog = sdk.getComponent("dialogs.ErrorDialog");
Modal.createTrackedDialog('Emote Reply Fail', '', ErrorDialog, {
@@ -852,14 +1175,16 @@ export default class MessageComposerInput extends React.Component {
sendTextFn = ContentHelpers.makeEmoteMessage;
}
-
- let content = contentHTML ? sendHtmlFn(contentText, contentHTML) : sendTextFn(contentText);
+ let content = contentHTML ?
+ sendHtmlFn(contentText, contentHTML) :
+ sendTextFn(contentText);
if (replyingToEv) {
const replyContent = ReplyThread.makeReplyMixIn(replyingToEv);
content = Object.assign(replyContent, content);
- // Part of Replies fallback support - prepend the text we're sending with the text we're replying to
+ // Part of Replies fallback support - prepend the text we're sending
+ // with the text we're replying to
const nestedReply = ReplyThread.getNestedReplyText(replyingToEv);
if (nestedReply) {
if (content.formatted_body) {
@@ -876,7 +1201,6 @@ export default class MessageComposerInput extends React.Component {
});
}
-
this.client.sendMessage(this.props.room.roomId, content).then((res) => {
dis.dispatch({
action: 'message_sent',
@@ -887,17 +1211,9 @@ export default class MessageComposerInput extends React.Component {
this.setState({
editorState: this.createEditorState(),
- });
+ }, ()=>{ this._editor.focus(); });
return true;
- }
-
- onUpArrow = (e) => {
- this.onVerticalArrow(e, true);
- };
-
- onDownArrow = (e) => {
- this.onVerticalArrow(e, false);
};
onVerticalArrow = (e, up) => {
@@ -907,26 +1223,19 @@ export default class MessageComposerInput extends React.Component {
// Select history only if we are not currently auto-completing
if (this.autocomplete.state.completionList.length === 0) {
- // Don't go back in history if we're in the middle of a multi-line message
- const selection = this.state.editorState.getSelection();
- const blockKey = selection.getStartKey();
- const firstBlock = this.state.editorState.getCurrentContent().getFirstBlock();
- const lastBlock = this.state.editorState.getCurrentContent().getLastBlock();
+ const selection = this.state.editorState.selection;
- let canMoveUp = false;
- let canMoveDown = false;
- if (blockKey === firstBlock.getKey()) {
- canMoveUp = selection.getStartOffset() === selection.getEndOffset() &&
- selection.getStartOffset() === 0;
+ // selection must be collapsed
+ if (!selection.isCollapsed) return;
+ const document = this.state.editorState.document;
+
+ // and we must be at the edge of the document (up=start, down=end)
+ if (up) {
+ if (!selection.anchor.isAtStartOfNode(document)) return;
+ } else {
+ if (!selection.anchor.isAtEndOfNode(document)) return;
}
- if (blockKey === lastBlock.getKey()) {
- canMoveDown = selection.getStartOffset() === selection.getEndOffset() &&
- selection.getStartOffset() === lastBlock.getText().length;
- }
-
- if ((up && !canMoveUp) || (!up && !canMoveDown)) return;
-
const selected = this.selectHistory(up);
if (selected) {
// We're selecting history, so prevent the key event from doing anything else
@@ -959,23 +1268,30 @@ export default class MessageComposerInput extends React.Component {
return;
}
- const newContent = this.historyManager.getItem(delta, this.state.isRichtextEnabled ? 'html' : 'markdown');
- if (!newContent) return false;
- let editorState = EditorState.push(
- this.state.editorState,
- newContent,
- 'insert-characters',
- );
+ let editorState;
+ const historyItem = this.historyManager.getItem(delta);
+ if (!historyItem) return;
+
+ if (historyItem.format === 'rich' && !this.state.isRichTextEnabled) {
+ editorState = this.richToMdEditorState(historyItem.value);
+ } else if (historyItem.format === 'markdown' && this.state.isRichTextEnabled) {
+ editorState = this.mdToRichEditorState(historyItem.value);
+ } else {
+ editorState = historyItem.value;
+ }
// Move selection to the end of the selected history
- let newSelection = SelectionState.createEmpty(newContent.getLastBlock().getKey());
- newSelection = newSelection.merge({
- focusOffset: newContent.getLastBlock().getLength(),
- anchorOffset: newContent.getLastBlock().getLength(),
- });
- editorState = EditorState.forceSelection(editorState, newSelection);
+ const change = editorState.change().moveToEndOfNode(editorState.document);
- this.setState({editorState});
+ // We don't call this.onChange(change) now, as fixups on stuff like emoji
+ // should already have been done and persisted in the history.
+ editorState = change.value;
+
+ this.suppressAutoComplete = true;
+
+ this.setState({ editorState }, ()=>{
+ this._editor.focus();
+ });
return true;
};
@@ -1009,6 +1325,14 @@ export default class MessageComposerInput extends React.Component {
await this.setDisplayedCompletion(null); // restore originalEditorState
};
+ onAutocompleteConfirm = (displayedCompletion: ?Completion) => {
+ this.focusComposer();
+ // XXX: this fails if the composer isn't focused so focus it and delay the completion until next tick
+ setImmediate(() => {
+ this.setDisplayedCompletion(displayedCompletion);
+ });
+ };
+
/* If passed null, restores the original editor content from state.originalEditorState.
* If passed a non-null displayedCompletion, modifies state.originalEditorState to compute new state.editorState.
*/
@@ -1017,138 +1341,212 @@ export default class MessageComposerInput extends React.Component {
if (displayedCompletion == null) {
if (this.state.originalEditorState) {
- let editorState = this.state.originalEditorState;
- // This is a workaround from https://github.com/facebook/draft-js/issues/458
- // Due to the way we swap editorStates, Draft does not rerender at times
- editorState = EditorState.forceSelection(editorState,
- editorState.getSelection());
+ const editorState = this.state.originalEditorState;
this.setState({editorState});
}
return false;
}
- const {range = null, completion = '', href = null, suffix = ''} = displayedCompletion;
- let contentState = activeEditorState.getCurrentContent();
+ const {
+ range = null,
+ completion = '',
+ completionId = '',
+ href = null,
+ suffix = '',
+ } = displayedCompletion;
- let entityKey;
+ let inline;
if (href) {
- contentState = contentState.createEntity('LINK', 'IMMUTABLE', {
- url: href,
- isCompletion: true,
+ inline = Inline.create({
+ type: 'pill',
+ data: { completion, completionId, href },
});
- entityKey = contentState.getLastCreatedEntityKey();
} else if (completion === '@room') {
- contentState = contentState.createEntity(ENTITY_TYPES.AT_ROOM_PILL, 'IMMUTABLE', {
- isCompletion: true,
+ inline = Inline.create({
+ type: 'pill',
+ data: { completion, completionId },
});
- entityKey = contentState.getLastCreatedEntityKey();
}
- let selection;
+ let editorState = activeEditorState;
+
if (range) {
- selection = RichText.textOffsetsToSelectionState(
- range, contentState.getBlocksAsArray(),
- );
+ const change = editorState.change()
+ .moveToAnchor()
+ .moveAnchorTo(range.start)
+ .moveFocusTo(range.end)
+ .focus();
+ editorState = change.value;
+ }
+
+ let change;
+ if (inline) {
+ change = editorState.change()
+ .insertInlineAtRange(editorState.selection, inline)
+ .insertText(suffix)
+ .focus();
} else {
- selection = activeEditorState.getSelection();
+ change = editorState.change()
+ .insertTextAtRange(editorState.selection, completion)
+ .insertText(suffix)
+ .focus();
}
+ // for good hygiene, keep editorState updated to track the result of the change
+ // even though we don't do anything subsequently with it
+ editorState = change.value;
- contentState = Modifier.replaceText(contentState, selection, completion, null, entityKey);
+ this.onChange(change, activeEditorState);
- // Move the selection to the end of the block
- const afterSelection = contentState.getSelectionAfter();
- if (suffix) {
- contentState = Modifier.replaceText(contentState, afterSelection, suffix);
- }
-
- let editorState = EditorState.push(activeEditorState, contentState, 'insert-characters');
- editorState = EditorState.forceSelection(editorState, contentState.getSelectionAfter());
- this.setState({editorState, originalEditorState: activeEditorState});
-
- // for some reason, doing this right away does not update the editor :(
- // setTimeout(() => this.refs.editor.focus(), 50);
return true;
};
- onFormatButtonClicked(name: "bold" | "italic" | "strike" | "code" | "underline" | "quote" | "bullet" | "numbullet", e) {
- e.preventDefault(); // don't steal focus from the editor!
- const command = {
- code: 'code-block',
- quote: 'blockquote',
- bullet: 'unordered-list-item',
- numbullet: 'ordered-list-item',
- }[name] || name;
- this.handleKeyCommand(command);
- }
+ renderNode = props => {
+ const { attributes, children, node, isSelected } = props;
- /* returns inline style and block type of current SelectionState so MessageComposer can render formatting
- buttons. */
- getSelectionInfo(editorState: EditorState) {
- const styleName = {
- BOLD: _td('bold'),
- ITALIC: _td('italic'),
- STRIKETHROUGH: _td('strike'),
- UNDERLINE: _td('underline'),
- };
+ switch (node.type) {
+ case 'paragraph':
+ return
{children}
;
+ case 'block-quote':
+ return
{children} ;
+ case 'bulleted-list':
+ return
;
+ case 'heading1':
+ return
{children} ;
+ case 'heading2':
+ return
{children} ;
+ case 'heading3':
+ return
{children} ;
+ case 'heading4':
+ return
{children} ;
+ case 'heading5':
+ return
{children} ;
+ case 'heading6':
+ return
{children} ;
+ case 'list-item':
+ return
{children} ;
+ case 'numbered-list':
+ return
{children} ;
+ case 'code':
+ return
{children} ;
+ case 'link':
+ return
{children} ;
+ case 'pill': {
+ const { data } = node;
+ const url = data.get('href');
+ const completion = data.get('completion');
- const originalStyle = editorState.getCurrentInlineStyle().toArray();
- const style = originalStyle
- .map((style) => styleName[style] || null)
- .filter((styleName) => !!styleName);
+ const shouldShowPillAvatar = !SettingsStore.getValue("Pill.shouldHidePillAvatar");
+ const Pill = sdk.getComponent('elements.Pill');
- const blockName = {
- 'code-block': _td('code'),
- 'blockquote': _td('quote'),
- 'unordered-list-item': _td('bullet'),
- 'ordered-list-item': _td('numbullet'),
- };
- const originalBlockType = editorState.getCurrentContent()
- .getBlockForKey(editorState.getSelection().getStartKey())
- .getType();
- const blockType = blockName[originalBlockType] || null;
-
- return {
- style,
- blockType,
- };
- }
-
- getAutocompleteQuery(contentState: ContentState) {
- // Don't send markdown links to the autocompleter
- return this.removeMDLinks(contentState, ['@', '#']);
- }
-
- removeMDLinks(contentState: ContentState, prefixes: string[]) {
- const plaintext = contentState.getPlainText();
- if (!plaintext) return '';
- return plaintext.replace(REGEX_MATRIXTO_MARKDOWN_GLOBAL,
- (markdownLink, text, resource, prefix, offset) => {
- if (!prefixes.includes(prefix)) return markdownLink;
- // Calculate the offset relative to the current block that the offset is in
- let sum = 0;
- const blocks = contentState.getBlocksAsArray();
- let block;
- for (let i = 0; i < blocks.length; i++) {
- block = blocks[i];
- sum += block.getLength();
- if (sum > offset) {
- sum -= block.getLength();
- break;
+ if (completion === '@room') {
+ return
;
+ } else if (Pill.isPillUrl(url)) {
+ return
;
+ } else {
+ const { text } = node;
+ return
+ { text }
+ ;
}
}
- offset -= sum;
-
- const entityKey = block.getEntityAt(offset);
- const entity = entityKey ? contentState.getEntity(entityKey) : null;
- if (entity && entity.getData().isCompletion) {
- // This is a completed mention, so do not insert MD link, just text
- return text;
- } else {
- // This is either a MD link that was typed into the composer or another
- // type of pill (e.g. room pill)
- return markdownLink;
+ case 'emoji': {
+ const { data } = node;
+ const emojiUnicode = data.get('emojiUnicode');
+ const uri = RichText.unicodeToEmojiUri(emojiUnicode);
+ const shortname = toShort(emojiUnicode);
+ const className = classNames('mx_emojione', {
+ mx_emojione_selected: isSelected,
+ });
+ const style = {};
+ if (props.selected) style.border = '1px solid blue';
+ return
;
}
- });
+ }
+ };
+
+ renderMark = props => {
+ const { children, mark, attributes } = props;
+ switch (mark.type) {
+ case 'bold':
+ return
{children} ;
+ case 'italic':
+ return
{children} ;
+ case 'code':
+ return
{children}
;
+ case 'underlined':
+ return
{children} ;
+ case 'deleted':
+ return
{children};
+ }
+ };
+
+ onFormatButtonClicked = (name, e) => {
+ e.preventDefault();
+
+ // XXX: horrible evil hack to ensure the editor is focused so the act
+ // of focusing it doesn't then cancel the format button being pressed
+ // FIXME: can we just tell handleKeyCommand's change to invoke .focus()?
+ if (document.activeElement && document.activeElement.className !== 'mx_MessageComposer_editor') {
+ this._editor.focus();
+ setTimeout(()=>{
+ this.handleKeyCommand(name);
+ }, 500); // can't find any callback to hook this to. onFocus and onChange and willComponentUpdate fire too early.
+ return;
+ }
+
+ this.handleKeyCommand(name);
+ };
+
+ getAutocompleteQuery(editorState: Value) {
+ // We can just return the current block where the selection begins, which
+ // should be enough to capture any autocompletion input, given autocompletion
+ // providers only search for the first match which intersects with the current selection.
+ // This avoids us having to serialize the whole thing to plaintext and convert
+ // selection offsets in & out of the plaintext domain.
+
+ if (editorState.selection.anchor.key) {
+ return editorState.document.getDescendant(editorState.selection.anchor.key).text;
+ } else {
+ return '';
+ }
+ }
+
+ getSelectionRange(editorState: Value) {
+ let beginning = false;
+ const query = this.getAutocompleteQuery(editorState);
+ const firstChild = editorState.document.nodes.get(0);
+ const firstGrandChild = firstChild && firstChild.nodes.get(0);
+ beginning = (firstChild && firstGrandChild &&
+ firstChild.object === 'block' && firstGrandChild.object === 'text' &&
+ editorState.selection.anchor.key === firstGrandChild.key);
+
+ // return a character range suitable for handing to an autocomplete provider.
+ // the range is relative to the anchor of the current editor selection.
+ // if the selection spans multiple blocks, then we collapse it for the calculation.
+ const range = {
+ beginning, // whether the selection is in the first block of the editor or not
+ start: editorState.selection.anchor.offset,
+ end: (editorState.selection.anchor.key == editorState.selection.focus.key) ?
+ editorState.selection.focus.offset : editorState.selection.anchor.offset,
+ };
+ if (range.start > range.end) {
+ const tmp = range.start;
+ range.start = range.end;
+ range.end = tmp;
+ }
+ return range;
}
onMarkdownToggleClicked = (e) => {
@@ -1156,82 +1554,59 @@ export default class MessageComposerInput extends React.Component {
this.handleKeyCommand('toggle-mode');
};
+ focusComposer = () => {
+ this._editor.focus();
+ };
+
render() {
const activeEditorState = this.state.originalEditorState || this.state.editorState;
- // From https://github.com/facebook/draft-js/blob/master/examples/rich/rich.html#L92
- // If the user changes block type before entering any text, we can
- // either style the placeholder or hide it.
- let hidePlaceholder = false;
- const contentState = activeEditorState.getCurrentContent();
- if (!contentState.hasText()) {
- if (contentState.getBlockMap().first().getType() !== 'unstyled') {
- hidePlaceholder = true;
- }
- }
-
const className = classNames('mx_MessageComposer_input', {
- mx_MessageComposer_input_empty: hidePlaceholder,
mx_MessageComposer_input_error: this.state.someCompletions === false,
});
- const content = activeEditorState.getCurrentContent();
- const selection = RichText.selectionStateToTextOffsets(activeEditorState.getSelection(),
- activeEditorState.getCurrentContent().getBlocksAsArray());
+ const isEmpty = Plain.serialize(this.state.editorState) === '';
+
+ let {placeholder} = this.props;
+ // XXX: workaround for placeholder being shown when there is a formatting block e.g blockquote but no text
+ if (isEmpty && this.state.editorState.startBlock && this.state.editorState.startBlock.type !== DEFAULT_NODE) {
+ placeholder = undefined;
+ }
return (
-
+
- { SettingsStore.isFeatureEnabled("feature_rich_quoting") &&
}
+
this.autocomplete = e}
room={this.props.room}
- onConfirm={this.setDisplayedCompletion}
+ onConfirm={this.onAutocompleteConfirm}
onSelectionChange={this.setDisplayedCompletion}
- query={this.getAutocompleteQuery(content)}
- selection={selection}
+ query={ this.suppressAutoComplete ? '' : this.getAutocompleteQuery(activeEditorState) }
+ selection={this.getSelectionRange(activeEditorState)}
/>
-
+
+ className="mx_MessageComposer_editor"
+ placeholder={placeholder}
+ value={this.state.editorState}
+ onChange={this.onChange}
+ onKeyDown={this.onKeyDown}
+ onPaste={this.onPaste}
+ renderNode={this.renderNode}
+ renderMark={this.renderMark}
+ // disable spell check for the placeholder because browsers don't like "unencrypted"
+ spellCheck={!isEmpty}
+ schema={SLATE_SCHEMA}
+ />
);
}
}
-
-MessageComposerInput.propTypes = {
- // a callback which is called when the height of the composer is
- // changed due to a change in content.
- onResize: PropTypes.func,
-
- // js-sdk Room object
- room: PropTypes.object.isRequired,
-
- // called with current plaintext content (as a string) whenever it changes
- onContentChanged: PropTypes.func,
-
- onFilesPasted: PropTypes.func,
-
- onInputStateChanged: PropTypes.func,
-};
diff --git a/src/components/views/rooms/PinnedEventTile.js b/src/components/views/rooms/PinnedEventTile.js
index b63fdde0a8..d0572e489a 100644
--- a/src/components/views/rooms/PinnedEventTile.js
+++ b/src/components/views/rooms/PinnedEventTile.js
@@ -22,6 +22,7 @@ import AccessibleButton from "../elements/AccessibleButton";
import MessageEvent from "../messages/MessageEvent";
import MemberAvatar from "../avatars/MemberAvatar";
import { _t } from '../../../languageHandler';
+import {formatFullDate} from '../../../DateUtils';
module.exports = React.createClass({
displayName: 'PinnedEventTile',
@@ -80,11 +81,20 @@ module.exports = React.createClass({
{ unpinButton }
-
+
+
+
{ sender.name }
-
+
+ { formatFullDate(new Date(this.props.mxEvent.getTs())) }
+
+
+ {}} // we need to give this, apparently
+ />
+
);
},
diff --git a/src/components/views/rooms/PinnedEventsPanel.js b/src/components/views/rooms/PinnedEventsPanel.js
index 4624b3c051..50c40142da 100644
--- a/src/components/views/rooms/PinnedEventsPanel.js
+++ b/src/components/views/rooms/PinnedEventsPanel.js
@@ -39,6 +39,19 @@ module.exports = React.createClass({
componentDidMount: function() {
this._updatePinnedMessages();
+ MatrixClientPeg.get().on("RoomState.events", this._onStateEvent);
+ },
+
+ componentWillUnmount: function() {
+ if (MatrixClientPeg.get()) {
+ MatrixClientPeg.get().removeListener("RoomState.events", this._onStateEvent);
+ }
+ },
+
+ _onStateEvent: function(ev) {
+ if (ev.getRoomId() === this.props.room.roomId && ev.getType() === "m.room.pinned_events") {
+ this._updatePinnedMessages();
+ }
},
_updatePinnedMessages: function() {
diff --git a/src/components/views/rooms/ReadReceiptMarker.js b/src/components/views/rooms/ReadReceiptMarker.js
index 0029395d3d..2f7a599d95 100644
--- a/src/components/views/rooms/ReadReceiptMarker.js
+++ b/src/components/views/rooms/ReadReceiptMarker.js
@@ -41,7 +41,10 @@ module.exports = React.createClass({
propTypes: {
// the RoomMember to show the RR for
- member: PropTypes.object.isRequired,
+ member: PropTypes.object,
+ // userId to fallback the avatar to
+ // if the member hasn't been loaded yet
+ fallbackUserId: PropTypes.string.isRequired,
// number of pixels to offset the avatar from the right of its parent;
// typically a negative value.
@@ -130,8 +133,7 @@ module.exports = React.createClass({
// the docs for `offsetParent` say it may be null if `display` is
// `none`, but I can't see why that would happen.
console.warn(
- `ReadReceiptMarker for ${this.props.member.userId} in ` +
- `${this.props.member.roomId} has no offsetParent`,
+ `ReadReceiptMarker for ${this.props.fallbackUserId} in has no offsetParent`,
);
startTopOffset = 0;
} else {
@@ -186,17 +188,17 @@ module.exports = React.createClass({
let title;
if (this.props.timestamp) {
const dateString = formatDate(new Date(this.props.timestamp), this.props.showTwelveHour);
- if (this.props.member.userId === this.props.member.rawDisplayName) {
+ if (!this.props.member || this.props.fallbackUserId === this.props.member.rawDisplayName) {
title = _t(
"Seen by %(userName)s at %(dateTime)s",
- {userName: this.props.member.userId,
+ {userName: this.props.fallbackUserId,
dateTime: dateString},
);
} else {
title = _t(
"Seen by %(displayName)s (%(userName)s) at %(dateTime)s",
{displayName: this.props.member.rawDisplayName,
- userName: this.props.member.userId,
+ userName: this.props.fallbackUserId,
dateTime: dateString},
);
}
@@ -208,6 +210,7 @@ module.exports = React.createClass({
enterTransitionOpts={this.state.enterTransitionOpts} >
);
- }
+ },
});
diff --git a/src/components/views/rooms/RoomHeader.js b/src/components/views/rooms/RoomHeader.js
index 1851e03383..e40c715052 100644
--- a/src/components/views/rooms/RoomHeader.js
+++ b/src/components/views/rooms/RoomHeader.js
@@ -149,6 +149,13 @@ module.exports = React.createClass({
dis.dispatch({ action: 'show_right_panel' });
},
+ onShareRoomClick: function(ev) {
+ const ShareDialog = sdk.getComponent("dialogs.ShareDialog");
+ Modal.createTrackedDialog('share room dialog', '', ShareDialog, {
+ target: this.props.room,
+ });
+ },
+
_hasUnreadPins: function() {
const currentPinEvent = this.props.room.currentState.getStateEvents("m.room.pinned_events", '');
if (!currentPinEvent) return false;
@@ -379,6 +386,14 @@ module.exports = React.createClass({
;
}
+ let shareRoomButton;
+ if (this.props.inRoom) {
+ shareRoomButton =
+
+
+ ;
+ }
+
let rightPanelButtons;
if (this.props.collapsedRhs) {
rightPanelButtons =
@@ -400,6 +415,7 @@ module.exports = React.createClass({
{ settingsButton }
{ pinnedEventsButton }
+ { shareRoomButton }
{ manageIntegsButton }
{ forgetButton }
{ searchButton }
diff --git a/src/components/views/rooms/RoomList.js b/src/components/views/rooms/RoomList.js
index fc1872249f..3e632ba8ce 100644
--- a/src/components/views/rooms/RoomList.js
+++ b/src/components/views/rooms/RoomList.js
@@ -1,6 +1,6 @@
/*
Copyright 2015, 2016 OpenMarket Ltd
-Copyright 2017 Vector Creations Ltd
+Copyright 2017, 2018 Vector Creations Ltd
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
@@ -16,6 +16,8 @@ limitations under the License.
*/
'use strict';
+import SettingsStore from "../../../settings/SettingsStore";
+
const React = require("react");
const ReactDOM = require("react-dom");
import PropTypes from 'prop-types';
@@ -33,7 +35,12 @@ import RoomListStore from '../../../stores/RoomListStore';
import GroupStore from '../../../stores/GroupStore';
const HIDE_CONFERENCE_CHANS = true;
-const STANDARD_TAGS_REGEX = /^(m\.(favourite|lowpriority)|im\.vector\.fake\.(invite|recent|direct|archived))$/;
+const STANDARD_TAGS_REGEX = /^(m\.(favourite|lowpriority|server_notice)|im\.vector\.fake\.(invite|recent|direct|archived))$/;
+
+function labelForTagName(tagName) {
+ if (tagName.startsWith('u.')) return tagName.slice(2);
+ return tagName;
+}
function phraseForSection(section) {
switch (section) {
@@ -90,7 +97,7 @@ module.exports = React.createClass({
};
// All rooms that should be kept in the room list when filtering.
// By default, show all rooms.
- this._visibleRooms = MatrixClientPeg.get().getRooms();
+ this._visibleRooms = MatrixClientPeg.get().getVisibleRooms();
// Listen to updates to group data. RoomList cares about members and rooms in order
// to filter the room list when group tags are selected.
@@ -295,7 +302,7 @@ module.exports = React.createClass({
this._visibleRooms = Array.from(roomSet);
} else {
// Show all rooms
- this._visibleRooms = MatrixClientPeg.get().getRooms();
+ this._visibleRooms = MatrixClientPeg.get().getVisibleRooms();
}
this._delayedRefreshRoomList();
},
@@ -340,8 +347,8 @@ module.exports = React.createClass({
if (!taggedRoom) {
return;
}
- const me = taggedRoom.getMember(MatrixClientPeg.get().credentials.userId);
- if (HIDE_CONFERENCE_CHANS && Rooms.isConfCallRoom(taggedRoom, me, this.props.ConferenceHandler)) {
+ const myUserId = MatrixClientPeg.get().getUserId();
+ if (HIDE_CONFERENCE_CHANS && Rooms.isConfCallRoom(taggedRoom, myUserId, this.props.ConferenceHandler)) {
return;
}
@@ -444,6 +451,8 @@ module.exports = React.createClass({
}
}
+ if (!this.stickies) return;
+
const self = this;
let scrollStuckOffset = 0;
// Scroll to the passed in position, i.e. a header was clicked and in a scroll to state
@@ -583,14 +592,18 @@ module.exports = React.createClass({
}
},
- _makeGroupInviteTiles() {
+ _makeGroupInviteTiles(filter) {
const ret = [];
+ const lcFilter = filter && filter.toLowerCase();
const GroupInviteTile = sdk.getComponent('groups.GroupInviteTile');
for (const group of MatrixClientPeg.get().getGroups()) {
- if (group.myMembership !== 'invite') continue;
-
- ret.push(
);
+ const {groupId, name, myMembership} = group;
+ // filter to only groups in invite state and group_id starts with filter or group name includes it
+ if (myMembership !== 'invite') continue;
+ if (lcFilter && !groupId.toLowerCase().startsWith(lcFilter) &&
+ !(name && name.toLowerCase().includes(lcFilter))) continue;
+ ret.push(
);
}
return ret;
@@ -604,13 +617,17 @@ module.exports = React.createClass({
const RoomSubList = sdk.getComponent('structures.RoomSubList');
const GeminiScrollbarWrapper = sdk.getComponent("elements.GeminiScrollbarWrapper");
+ // XXX: we can't detect device-level (localStorage) settings onChange as the SettingsStore does not notify
+ // so checking on every render is the sanest thing at this time.
+ const showEmpty = SettingsStore.getValue('RoomSubList.showEmpty');
+
const self = this;
return (
+ autoshow={true} onScroll={self._whenScrolling} onResize={self._whenScrolling} wrappedRef={this._collectGemini}>
+ onShowMoreRooms={self.onShowMoreRooms}
+ showEmpty={showEmpty} />
+ onShowMoreRooms={self.onShowMoreRooms}
+ showEmpty={showEmpty} />
+ onShowMoreRooms={self.onShowMoreRooms}
+ showEmpty={showEmpty} />
{ Object.keys(self.state.lists).map((tagName) => {
if (!tagName.match(STANDARD_TAGS_REGEX)) {
return
;
+ onShowMoreRooms={self.onShowMoreRooms}
+ showEmpty={showEmpty} />;
}
}) }
@@ -698,9 +721,17 @@ module.exports = React.createClass({
collapsed={self.props.collapsed}
searchFilter={self.props.searchFilter}
onHeaderClick={self.onSubListHeaderClick}
- onShowMoreRooms={self.onShowMoreRooms} />
+ onShowMoreRooms={self.onShowMoreRooms}
+ showEmpty={showEmpty} />
+
+ { _t('You have no historical rooms') }
+
+
+ }
label={_t('Historical')}
editable={false}
order="recent"
@@ -708,10 +739,23 @@ module.exports = React.createClass({
alwaysShowHeader={true}
startAsHidden={true}
showSpinner={self.state.isLoadingLeftRooms}
- onHeaderClick= {self.onArchivedHeaderClick}
+ onHeaderClick={self.onArchivedHeaderClick}
incomingCall={self.state.incomingCall}
searchFilter={self.props.searchFilter}
- onShowMoreRooms={self.onShowMoreRooms} />
+ onShowMoreRooms={self.onShowMoreRooms}
+ showEmpty={showEmpty} />
+
+
);
diff --git a/src/components/views/rooms/RoomPreviewBar.js b/src/components/views/rooms/RoomPreviewBar.js
index 536093807a..5ec19d185e 100644
--- a/src/components/views/rooms/RoomPreviewBar.js
+++ b/src/components/views/rooms/RoomPreviewBar.js
@@ -98,15 +98,11 @@ module.exports = React.createClass({
);
}
- const myMember = this.props.room ? this.props.room.currentState.members[
- MatrixClientPeg.get().credentials.userId
- ] : null;
- const kicked = (
- myMember &&
- myMember.membership == 'leave' &&
- myMember.events.member.getSender() != MatrixClientPeg.get().credentials.userId
- );
- const banned = myMember && myMember.membership == 'ban';
+ const myMember = this.props.room ?
+ this.props.room.getMember(MatrixClientPeg.get().getUserId()) :
+ null;
+ const kicked = myMember && myMember.isKicked();
+ const banned = myMember && myMember && myMember.membership == 'ban';
if (this.props.inviterName) {
let emailMatchBlock;
diff --git a/src/components/views/rooms/RoomSettings.js b/src/components/views/rooms/RoomSettings.js
index 059e07ffdb..46869c1773 100644
--- a/src/components/views/rooms/RoomSettings.js
+++ b/src/components/views/rooms/RoomSettings.js
@@ -1,6 +1,7 @@
/*
Copyright 2015, 2016 OpenMarket Ltd
Copyright 2017 Vector Creations Ltd
+Copyright 2018 New Vector Ltd
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
@@ -395,7 +396,17 @@ module.exports = React.createClass({
powerLevels["events"] = Object.assign({}, this.state.powerLevels["events"] || {});
powerLevels["events"][powerLevelKey.slice(eventsLevelPrefix.length)] = value;
} else {
- powerLevels[powerLevelKey] = value;
+ const keyPath = powerLevelKey.split('.');
+ let parentObj;
+ let currentObj = powerLevels;
+ for (const key of keyPath) {
+ if (!currentObj[key]) {
+ currentObj[key] = {};
+ }
+ parentObj = currentObj;
+ currentObj = currentObj[key];
+ }
+ parentObj[keyPath[keyPath.length - 1]] = value;
}
this.setState({
powerLevels,
@@ -561,6 +572,11 @@ module.exports = React.createClass({
});
},
+ _onRoomUpgradeClick: function() {
+ const RoomUpgradeDialog = sdk.getComponent('dialogs.RoomUpgradeDialog');
+ Modal.createTrackedDialog('Upgrade Room Version', '', RoomUpgradeDialog, {room: this.props.room});
+ },
+
_onRoomMemberMembership: function() {
// Update, since our banned user list may have changed
this.forceUpdate();
@@ -664,6 +680,10 @@ module.exports = React.createClass({
desc: _t('To remove other users\' messages, you must be a'),
defaultValue: 50,
},
+ "notifications.room": {
+ desc: _t('To notify everyone in the room, you must be a'),
+ defaultValue: 50,
+ },
};
const banLevel = parseIntWithDefault(powerLevels.ban, powerLevelDescriptors.ban.defaultValue);
@@ -779,15 +799,15 @@ module.exports = React.createClass({
}
let leaveButton = null;
- const myMember = this.props.room.getMember(myUserId);
- if (myMember) {
- if (myMember.membership === "join") {
+ const myMemberShip = this.props.room.getMyMembership();
+ if (myMemberShip) {
+ if (myMemberShip === "join") {
leaveButton = (
{ _t('Leave room') }
);
- } else if (myMember.membership === "leave") {
+ } else if (myMemberShip === "leave") {
leaveButton = (
{ _t('Forget room') }
@@ -865,7 +885,16 @@ module.exports = React.createClass({
const powerSelectors = Object.keys(powerLevelDescriptors).map((key, index) => {
const descriptor = powerLevelDescriptors[key];
- const value = parseIntWithDefault(powerLevels[key], descriptor.defaultValue);
+ const keyPath = key.split('.');
+ let currentObj = powerLevels;
+ for (const prop of keyPath) {
+ if (currentObj === undefined) {
+ break;
+ }
+ currentObj = currentObj[prop];
+ }
+
+ const value = parseIntWithDefault(currentObj, descriptor.defaultValue);
return
{ descriptor.desc }
@@ -906,6 +935,13 @@ module.exports = React.createClass({
);
});
+ let roomUpgradeButton = null;
+ if (this.props.room.shouldUpgradeToVersion() && this.props.room.userMayUpgradeRoom(myUserId)) {
+ roomUpgradeButton =
+ { _t("Upgrade room to version %(ver)s", {ver: this.props.room.shouldUpgradeToVersion()}) }
+ ;
+ }
+
return (
@@ -1016,7 +1052,9 @@ module.exports = React.createClass({
{ _t('Advanced') }
- { _t('This room\'s internal ID is') } { this.props.room.roomId }
+ { _t('Internal room ID: ') } { this.props.room.roomId }
+ { _t('Room version number: ') } { this.props.room.getVersion() }
+ { roomUpgradeButton }
);
diff --git a/src/components/views/rooms/RoomTile.js b/src/components/views/rooms/RoomTile.js
index 05aaf79e0b..54044e8d65 100644
--- a/src/components/views/rooms/RoomTile.js
+++ b/src/components/views/rooms/RoomTile.js
@@ -1,6 +1,7 @@
/*
Copyright 2015, 2016 OpenMarket Ltd
Copyright 2017 New Vector Ltd
+Copyright 2018 Michael Telatynski <7t3chguy@gmail.com>
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
@@ -15,19 +16,17 @@ See the License for the specific language governing permissions and
limitations under the License.
*/
-'use strict';
-const React = require('react');
-const ReactDOM = require("react-dom");
+import React from 'react';
import PropTypes from 'prop-types';
-const classNames = require('classnames');
+import classNames from 'classnames';
import dis from '../../../dispatcher';
-const MatrixClientPeg = require('../../../MatrixClientPeg');
+import MatrixClientPeg from '../../../MatrixClientPeg';
import DMRoomMap from '../../../utils/DMRoomMap';
-const sdk = require('../../../index');
-const ContextualMenu = require('../../structures/ContextualMenu');
-const RoomNotifs = require('../../../RoomNotifs');
-const FormattingUtils = require('../../../utils/FormattingUtils');
+import sdk from '../../../index';
+import {createMenu} from '../../structures/ContextualMenu';
+import * as RoomNotifs from '../../../RoomNotifs';
+import * as FormattingUtils from '../../../utils/FormattingUtils';
import AccessibleButton from '../elements/AccessibleButton';
import ActiveRoomObserver from '../../../ActiveRoomObserver';
import RoomViewStore from '../../../stores/RoomViewStore';
@@ -72,16 +71,12 @@ module.exports = React.createClass({
},
_shouldShowMentionBadge: function() {
- return this.state.notifState != RoomNotifs.MUTE;
+ return this.state.notifState !== RoomNotifs.MUTE;
},
_isDirectMessageRoom: function(roomId) {
const dmRooms = DMRoomMap.shared().getUserIdForRoomId(roomId);
- if (dmRooms) {
- return true;
- } else {
- return false;
- }
+ return Boolean(dmRooms);
},
onRoomTimeline: function(ev, room) {
@@ -99,7 +94,7 @@ module.exports = React.createClass({
},
onAccountData: function(accountDataEvent) {
- if (accountDataEvent.getType() == 'm.push_rules') {
+ if (accountDataEvent.getType() === 'm.push_rules') {
this.setState({
notifState: RoomNotifs.getRoomNotifsState(this.props.room.roomId),
});
@@ -187,6 +182,32 @@ module.exports = React.createClass({
this.badgeOnMouseLeave();
},
+ _showContextMenu: function(x, y, chevronOffset) {
+ const RoomTileContextMenu = sdk.getComponent('context_menus.RoomTileContextMenu');
+
+ createMenu(RoomTileContextMenu, {
+ chevronOffset,
+ left: x,
+ top: y,
+ room: this.props.room,
+ onFinished: () => {
+ this.setState({ menuDisplayed: false });
+ this.props.refreshSubList();
+ },
+ });
+ this.setState({ menuDisplayed: true });
+ },
+
+ onContextMenu: function(e) {
+ // Prevent the RoomTile onClick event firing as well
+ e.preventDefault();
+ // Only allow non-guests to access the context menu
+ if (MatrixClientPeg.get().isGuest()) return;
+
+ const chevronOffset = 12;
+ this._showContextMenu(e.clientX, e.clientY - (chevronOffset + 8), chevronOffset);
+ },
+
badgeOnMouseEnter: function() {
// Only allow non-guests to access the context menu
// and only change it if it needs to change
@@ -200,43 +221,29 @@ module.exports = React.createClass({
},
onBadgeClicked: function(e) {
- // Only allow none guests to access the context menu
- if (!MatrixClientPeg.get().isGuest()) {
- // If the badge is clicked, then no longer show tooltip
- if (this.props.collapsed) {
- this.setState({ hover: false });
- }
-
- const RoomTileContextMenu = sdk.getComponent('context_menus.RoomTileContextMenu');
- const elementRect = e.target.getBoundingClientRect();
-
- // The window X and Y offsets are to adjust position when zoomed in to page
- const x = elementRect.right + window.pageXOffset + 3;
- const chevronOffset = 12;
- let y = (elementRect.top + (elementRect.height / 2) + window.pageYOffset);
- y = y - (chevronOffset + 8); // where 8 is half the height of the chevron
-
- const self = this;
- ContextualMenu.createMenu(RoomTileContextMenu, {
- chevronOffset: chevronOffset,
- left: x,
- top: y,
- room: this.props.room,
- onFinished: function() {
- self.setState({ menuDisplayed: false });
- self.props.refreshSubList();
- },
- });
- this.setState({ menuDisplayed: true });
- }
// Prevent the RoomTile onClick event firing as well
e.stopPropagation();
+ // Only allow non-guests to access the context menu
+ if (MatrixClientPeg.get().isGuest()) return;
+
+ // If the badge is clicked, then no longer show tooltip
+ if (this.props.collapsed) {
+ this.setState({ hover: false });
+ }
+
+ const elementRect = e.target.getBoundingClientRect();
+
+ // The window X and Y offsets are to adjust position when zoomed in to page
+ const x = elementRect.right + window.pageXOffset + 3;
+ const chevronOffset = 12;
+ let y = (elementRect.top + (elementRect.height / 2) + window.pageYOffset);
+ y = y - (chevronOffset + 8); // where 8 is half the height of the chevron
+
+ this._showContextMenu(x, y, chevronOffset);
},
render: function() {
- const myUserId = MatrixClientPeg.get().credentials.userId;
- const me = this.props.room.currentState.members[myUserId];
-
+ const isInvite = this.props.room.getMyMembership() === "invite";
const notificationCount = this.state.notificationCount;
// var highlightCount = this.props.room.getUnreadNotificationCount("highlight");
@@ -250,7 +257,7 @@ module.exports = React.createClass({
'mx_RoomTile_unread': this.props.unread,
'mx_RoomTile_unreadNotify': notifBadges,
'mx_RoomTile_highlight': mentionBadges,
- 'mx_RoomTile_invited': (me && me.membership == 'invite'),
+ 'mx_RoomTile_invited': isInvite,
'mx_RoomTile_menuDisplayed': this.state.menuDisplayed,
'mx_RoomTile_noBadges': !badges,
'mx_RoomTile_transparent': this.props.transparent,
@@ -266,9 +273,9 @@ module.exports = React.createClass({
});
let name = this.state.roomName;
+ if (name == undefined || name == null) name = '';
name = name.replace(":", ":\u200b"); // add a zero-width space to allow linewrapping after the colon
- let badge;
let badgeContent;
if (this.state.badgeHover || this.state.menuDisplayed) {
@@ -280,7 +287,7 @@ module.exports = React.createClass({
badgeContent = '\u200B';
}
- badge = { badgeContent }
;
+ const badge = { badgeContent }
;
const EmojiText = sdk.getComponent('elements.EmojiText');
let label;
@@ -301,7 +308,7 @@ module.exports = React.createClass({
}
} else if (this.state.hover) {
const RoomTooltip = sdk.getComponent("rooms.RoomTooltip");
- tooltip = ;
+ tooltip = ;
}
//var incomingCallBox;
@@ -312,16 +319,22 @@ module.exports = React.createClass({
const RoomAvatar = sdk.getComponent('avatars.RoomAvatar');
- let directMessageIndicator;
+ let dmIndicator;
if (this._isDirectMessageRoom(this.props.room.roomId)) {
- directMessageIndicator = ;
+ dmIndicator = ;
}
- return
+ return
- { directMessageIndicator }
+ { dmIndicator }
diff --git a/src/components/views/rooms/RoomTooltip.js b/src/components/views/rooms/RoomTooltip.js
index b17f54ef3c..bce0922637 100644
--- a/src/components/views/rooms/RoomTooltip.js
+++ b/src/components/views/rooms/RoomTooltip.js
@@ -14,11 +14,10 @@ See the License for the specific language governing permissions and
limitations under the License.
*/
-'use strict';
-var React = require('react');
-var ReactDOM = require('react-dom');
-var dis = require('../../../dispatcher');
+import React from 'react';
+import ReactDOM from 'react-dom';
+import dis from '../../../dispatcher';
import classNames from 'classnames';
const MIN_TOOLTIP_HEIGHT = 25;
@@ -77,25 +76,21 @@ module.exports = React.createClass({
},
_renderTooltip: function() {
- var label = this.props.room ? this.props.room.name : this.props.label;
-
// Add the parent's position to the tooltips, so it's correctly
// positioned, also taking into account any window zoom
// NOTE: The additional 6 pixels for the left position, is to take account of the
// tooltips chevron
- var parent = ReactDOM.findDOMNode(this).parentNode;
- var style = {};
+ const parent = ReactDOM.findDOMNode(this).parentNode;
+ let style = {};
style = this._updatePosition(style);
style.display = "block";
- const tooltipClasses = classNames(
- "mx_RoomTooltip", this.props.tooltipClassName,
- );
+ const tooltipClasses = classNames("mx_RoomTooltip", this.props.tooltipClassName);
- var tooltip = (
-
-
- { label }
+ const tooltip = (
+
);
diff --git a/src/components/views/rooms/RoomUpgradeWarningBar.js b/src/components/views/rooms/RoomUpgradeWarningBar.js
new file mode 100644
index 0000000000..75a5901fc9
--- /dev/null
+++ b/src/components/views/rooms/RoomUpgradeWarningBar.js
@@ -0,0 +1,57 @@
+/*
+Copyright 2018 New Vector Ltd
+
+Licensed under the Apache License, Version 2.0 (the "License");
+you may not use this file except in compliance with the License.
+You may obtain a copy of the License at
+
+ http://www.apache.org/licenses/LICENSE-2.0
+
+Unless required by applicable law or agreed to in writing, software
+distributed under the License is distributed on an "AS IS" BASIS,
+WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+See the License for the specific language governing permissions and
+limitations under the License.
+*/
+
+import React from 'react';
+import PropTypes from 'prop-types';
+import sdk from '../../../index';
+import Modal from '../../../Modal';
+
+import { _t } from '../../../languageHandler';
+
+module.exports = React.createClass({
+ displayName: 'RoomUpgradeWarningBar',
+
+ propTypes: {
+ room: PropTypes.object.isRequired,
+ },
+
+ onUpgradeClick: function() {
+ const RoomUpgradeDialog = sdk.getComponent('dialogs.RoomUpgradeDialog');
+ Modal.createTrackedDialog('Upgrade Room Version', '', RoomUpgradeDialog, {room: this.props.room});
+ },
+
+ render: function() {
+ const AccessibleButton = sdk.getComponent('elements.AccessibleButton');
+ return (
+
+
+ {_t("There is a known vulnerability affecting this room.")}
+
+
+ {_t("This room version is vulnerable to malicious modification of room state.")}
+
+
+
+ {_t("Click here to upgrade to the latest room version and ensure room integrity is protected.")}
+
+
+
+ {_t("Only room administrators will see this warning")}
+
+
+ );
+ },
+});
diff --git a/src/components/views/rooms/SearchBar.js b/src/components/views/rooms/SearchBar.js
index a196c5b78d..05fc661c1c 100644
--- a/src/components/views/rooms/SearchBar.js
+++ b/src/components/views/rooms/SearchBar.js
@@ -16,11 +16,11 @@ limitations under the License.
'use strict';
-var React = require('react');
-var MatrixClientPeg = require('../../../MatrixClientPeg');
-var sdk = require('../../../index');
-var classNames = require('classnames');
-var AccessibleButton = require('../../../components/views/elements/AccessibleButton');
+const React = require('react');
+const MatrixClientPeg = require('../../../MatrixClientPeg');
+const sdk = require('../../../index');
+const classNames = require('classnames');
+const AccessibleButton = require('../../../components/views/elements/AccessibleButton');
import { _t } from '../../../languageHandler';
module.exports = React.createClass({
@@ -28,7 +28,7 @@ module.exports = React.createClass({
getInitialState: function() {
return ({
- scope: 'Room'
+ scope: 'Room',
});
},
@@ -54,18 +54,18 @@ module.exports = React.createClass({
},
render: function() {
- var searchButtonClasses = classNames({ mx_SearchBar_searchButton : true, mx_SearchBar_searching: this.props.searchInProgress });
- var thisRoomClasses = classNames({ mx_SearchBar_button : true, mx_SearchBar_unselected : this.state.scope !== 'Room' });
- var allRoomsClasses = classNames({ mx_SearchBar_button : true, mx_SearchBar_unselected : this.state.scope !== 'All' });
+ const searchButtonClasses = classNames({ mx_SearchBar_searchButton: true, mx_SearchBar_searching: this.props.searchInProgress });
+ const thisRoomClasses = classNames({ mx_SearchBar_button: true, mx_SearchBar_unselected: this.state.scope !== 'Room' });
+ const allRoomsClasses = classNames({ mx_SearchBar_button: true, mx_SearchBar_unselected: this.state.scope !== 'All' });
return (
-
-
-
+
);
- }
+ },
});
diff --git a/src/components/views/rooms/Stickerpicker.js b/src/components/views/rooms/Stickerpicker.js
index 6152809c1a..40b1768282 100644
--- a/src/components/views/rooms/Stickerpicker.js
+++ b/src/components/views/rooms/Stickerpicker.js
@@ -15,7 +15,6 @@ limitations under the License.
*/
import React from 'react';
import { _t } from '../../../languageHandler';
-import Widgets from '../../../utils/widgets';
import AppTile from '../elements/AppTile';
import MatrixClientPeg from '../../../MatrixClientPeg';
import Modal from '../../../Modal';
@@ -24,9 +23,15 @@ import SdkConfig from '../../../SdkConfig';
import ScalarAuthClient from '../../../ScalarAuthClient';
import dis from '../../../dispatcher';
import AccessibleButton from '../elements/AccessibleButton';
+import WidgetUtils from '../../../utils/WidgetUtils';
+import ActiveWidgetStore from '../../../stores/ActiveWidgetStore';
const widgetType = 'm.stickerpicker';
+// We sit in a context menu, so the persisted element container needs to float
+// above it, so it needs a greater z-index than the ContextMenu
+const STICKERPICKER_Z_INDEX = 5000;
+
export default class Stickerpicker extends React.Component {
constructor(props) {
super(props);
@@ -39,8 +44,6 @@ export default class Stickerpicker extends React.Component {
this._onResize = this._onResize.bind(this);
this._onFinished = this._onFinished.bind(this);
- this._collectWidgetMessaging = this._collectWidgetMessaging.bind(this);
-
this.popoverWidth = 300;
this.popoverHeight = 300;
@@ -67,7 +70,7 @@ export default class Stickerpicker extends React.Component {
}
this.setState({showStickers: false});
- Widgets.removeStickerpickerWidgets().then(() => {
+ WidgetUtils.removeStickerpickerWidgets().then(() => {
this.forceUpdate();
}).catch((e) => {
console.error('Failed to remove sticker picker widget', e);
@@ -119,7 +122,7 @@ export default class Stickerpicker extends React.Component {
}
_updateWidget() {
- const stickerpickerWidget = Widgets.getStickerpickerWidgets()[0];
+ const stickerpickerWidget = WidgetUtils.getStickerpickerWidgets()[0];
this.setState({
stickerpickerWidget,
widgetId: stickerpickerWidget ? stickerpickerWidget.id : null,
@@ -148,8 +151,8 @@ export default class Stickerpicker extends React.Component {
{ _t("You don't currently have any stickerpacks enabled") }
- Add some now
-
+ { _t("Add some now") }
+
);
}
@@ -162,17 +165,11 @@ export default class Stickerpicker extends React.Component {
);
}
- _collectWidgetMessaging(widgetMessaging) {
- this._appWidgetMessaging = widgetMessaging;
-
- // Do this now instead of in componentDidMount because we might not have had the
- // reference to widgetMessaging when mounting
- this._sendVisibilityToWidget(true);
- }
-
_sendVisibilityToWidget(visible) {
- if (this._appWidgetMessaging && visible !== this._prevSentVisibility) {
- this._appWidgetMessaging.sendVisibility(visible);
+ if (!this.state.stickerpickerWidget) return;
+ const widgetMessaging = ActiveWidgetStore.getWidgetMessaging(this.state.stickerpickerWidget.id);
+ if (widgetMessaging && visible !== this._prevSentVisibility) {
+ widgetMessaging.sendVisibility(visible);
this._prevSentVisibility = visible;
}
}
@@ -211,9 +208,8 @@ export default class Stickerpicker extends React.Component {
width: this.popoverWidth,
}}
>
-
+
- ;
+ ;
} else {
// Show show-stickers button
stickersButton =
-
-
;
+ ;
}
return
{stickersButton}
diff --git a/src/components/views/settings/ChangeDisplayName.js b/src/components/views/settings/ChangeDisplayName.js
index a74e223349..afe1521f0f 100644
--- a/src/components/views/settings/ChangeDisplayName.js
+++ b/src/components/views/settings/ChangeDisplayName.js
@@ -1,5 +1,6 @@
/*
Copyright 2015, 2016 OpenMarket Ltd
+Copyright 2018 New Vector Ltd
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
@@ -14,36 +15,28 @@ See the License for the specific language governing permissions and
limitations under the License.
*/
-'use strict';
-const React = require('react');
-const sdk = require('../../../index');
-const MatrixClientPeg = require("../../../MatrixClientPeg");
+import React from 'react';
+import sdk from '../../../index';
+import MatrixClientPeg from '../../../MatrixClientPeg';
import { _t } from '../../../languageHandler';
module.exports = React.createClass({
displayName: 'ChangeDisplayName',
- _getDisplayName: function() {
+ _getDisplayName: async function() {
const cli = MatrixClientPeg.get();
- return cli.getProfileInfo(cli.credentials.userId).then(function(result) {
- let displayname = result.displayname;
- if (!displayname) {
- if (MatrixClientPeg.get().isGuest()) {
- displayname = "Guest " + MatrixClientPeg.get().getUserIdLocalpart();
- } else {
- displayname = MatrixClientPeg.get().getUserIdLocalpart();
- }
- }
- return displayname;
- }, function(error) {
+ try {
+ const res = await cli.getProfileInfo(cli.getUserId());
+ return res.displayname;
+ } catch (e) {
throw new Error("Failed to fetch display name");
- });
+ }
},
- _changeDisplayName: function(new_displayname) {
+ _changeDisplayName: function(newDisplayname) {
const cli = MatrixClientPeg.get();
- return cli.setDisplayName(new_displayname).catch(function(e) {
- throw new Error("Failed to set display name");
+ return cli.setDisplayName(newDisplayname).catch(function(e) {
+ throw new Error("Failed to set display name", e);
});
},
diff --git a/src/components/views/settings/ChangePassword.js b/src/components/views/settings/ChangePassword.js
index 9cac25e6cc..b2ffe531b5 100644
--- a/src/components/views/settings/ChangePassword.js
+++ b/src/components/views/settings/ChangePassword.js
@@ -1,5 +1,6 @@
/*
Copyright 2015, 2016 OpenMarket Ltd
+Copyright 2018 New Vector Ltd
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
@@ -14,14 +15,13 @@ See the License for the specific language governing permissions and
limitations under the License.
*/
-'use strict';
-
const React = require('react');
import PropTypes from 'prop-types';
const MatrixClientPeg = require("../../../MatrixClientPeg");
const Modal = require("../../../Modal");
const sdk = require("../../../index");
+import dis from "../../../dispatcher";
import Promise from 'bluebird';
import AccessibleButton from '../elements/AccessibleButton';
import { _t } from '../../../languageHandler';
@@ -143,6 +143,9 @@ module.exports = React.createClass({
});
cli.setPassword(authDict, newPassword).then(() => {
+ // Notify SessionStore that the user's password was changed
+ dis.dispatch({action: 'password_changed'});
+
if (this.props.shouldAskForEmail) {
return this._optionallySetEmail().then((confirmed) => {
this.props.onFinished({
diff --git a/src/components/views/settings/DevicesPanel.js b/src/components/views/settings/DevicesPanel.js
index f0fec2cf63..25850819bd 100644
--- a/src/components/views/settings/DevicesPanel.js
+++ b/src/components/views/settings/DevicesPanel.js
@@ -164,6 +164,7 @@ export default class DevicesPanel extends React.Component {
render() {
const Spinner = sdk.getComponent("elements.Spinner");
+ const AccessibleButton = sdk.getComponent("elements.AccessibleButton");
if (this.state.deviceLoadError !== undefined) {
const classes = classNames(this.props.className, "error");
@@ -185,9 +186,9 @@ export default class DevicesPanel extends React.Component {
const deleteButton = this.state.deleting ?
:
-
+
{ _t("Delete %(count)s devices", {count: this.state.selectedDevices.length}) }
- ;
+ ;
const classes = classNames(this.props.className, "mx_DevicesPanel");
return (
diff --git a/src/components/views/settings/IntegrationsManager.js b/src/components/views/settings/IntegrationsManager.js
index 29ae4af93d..a517771f1d 100644
--- a/src/components/views/settings/IntegrationsManager.js
+++ b/src/components/views/settings/IntegrationsManager.js
@@ -16,10 +16,10 @@ limitations under the License.
'use strict';
-var React = require('react');
-var sdk = require('../../../index');
-var MatrixClientPeg = require('../../../MatrixClientPeg');
-var dis = require('../../../dispatcher');
+const React = require('react');
+const sdk = require('../../../index');
+const MatrixClientPeg = require('../../../MatrixClientPeg');
+const dis = require('../../../dispatcher');
module.exports = React.createClass({
displayName: 'IntegrationsManager',
@@ -59,5 +59,5 @@ module.exports = React.createClass({
return (
);
- }
+ },
});
diff --git a/src/components/views/settings/Notifications.js b/src/components/views/settings/Notifications.js
index 39774778e1..ea727a03b5 100644
--- a/src/components/views/settings/Notifications.js
+++ b/src/components/views/settings/Notifications.js
@@ -26,7 +26,7 @@ import {
NotificationUtils,
VectorPushRulesDefinitions,
PushRuleVectorState,
- ContentRules
+ ContentRules,
} from '../../../notifications';
// TODO: this "view" component still has far too much application logic in it,
@@ -47,7 +47,7 @@ const LEGACY_RULES = {
"im.vector.rule.room_message": ".m.rule.message",
"im.vector.rule.invite_for_me": ".m.rule.invite_for_me",
"im.vector.rule.call": ".m.rule.call",
- "im.vector.rule.notices": ".m.rule.suppress_notices"
+ "im.vector.rule.notices": ".m.rule.suppress_notices",
};
function portLegacyActions(actions) {
@@ -67,7 +67,7 @@ module.exports = React.createClass({
phases: {
LOADING: "LOADING", // The component is loading or sending data to the hs
DISPLAY: "DISPLAY", // The component is ready and display data
- ERROR: "ERROR" // There was an error
+ ERROR: "ERROR", // There was an error
},
propTypes: {
@@ -79,7 +79,7 @@ module.exports = React.createClass({
getDefaultProps: function() {
return {
- threepids: []
+ threepids: [],
};
},
@@ -90,10 +90,10 @@ module.exports = React.createClass({
vectorPushRules: [], // HS default push rules displayed in Vector UI
vectorContentRules: { // Keyword push rules displayed in Vector UI
vectorState: PushRuleVectorState.ON,
- rules: []
+ rules: [],
},
externalPushRules: [], // Push rules (except content rule) that have been defined outside Vector UI
- externalContentRules: [] // Keyword push rules that have been defined outside Vector UI
+ externalContentRules: [], // Keyword push rules that have been defined outside Vector UI
};
},
@@ -104,7 +104,7 @@ module.exports = React.createClass({
onEnableNotificationsChange: function(event) {
const self = this;
this.setState({
- phase: this.phases.LOADING
+ phase: this.phases.LOADING,
});
MatrixClientPeg.get().setPushRuleEnabled('global', self.state.masterPushRule.kind, self.state.masterPushRule.rule_id, !event.target.checked).done(function() {
@@ -145,7 +145,7 @@ module.exports = React.createClass({
onEnableEmailNotificationsChange: function(address, event) {
let emailPusherPromise;
if (event.target.checked) {
- const data = {}
+ const data = {};
data['brand'] = this.props.brand || 'Riot';
emailPusherPromise = UserSettingsStore.addEmailPusher(address, data);
} else {
@@ -170,9 +170,8 @@ module.exports = React.createClass({
const newPushRuleVectorState = event.target.className.split("-")[1];
if ("_keywords" === vectorRuleId) {
- this._setKeywordsPushRuleVectorState(newPushRuleVectorState)
- }
- else {
+ this._setKeywordsPushRuleVectorState(newPushRuleVectorState);
+ } else {
const rule = this.getRule(vectorRuleId);
if (rule) {
this._setPushRuleVectorState(rule, newPushRuleVectorState);
@@ -185,7 +184,7 @@ module.exports = React.createClass({
// Compute the keywords list to display
let keywords = [];
- for (let i in this.state.vectorContentRules.rules) {
+ for (const i in this.state.vectorContentRules.rules) {
const rule = this.state.vectorContentRules.rules[i];
keywords.push(rule.pattern);
}
@@ -195,8 +194,7 @@ module.exports = React.createClass({
keywords.sort();
keywords = keywords.join(", ");
- }
- else {
+ } else {
keywords = "";
}
@@ -207,29 +205,28 @@ module.exports = React.createClass({
button: _t('OK'),
value: keywords,
onFinished: function onFinished(should_leave, newValue) {
-
if (should_leave && newValue !== keywords) {
let newKeywords = newValue.split(',');
- for (let i in newKeywords) {
+ for (const i in newKeywords) {
newKeywords[i] = newKeywords[i].trim();
}
// Remove duplicates and empty
- newKeywords = newKeywords.reduce(function(array, keyword){
+ newKeywords = newKeywords.reduce(function(array, keyword) {
if (keyword !== "" && array.indexOf(keyword) < 0) {
array.push(keyword);
}
return array;
- },[]);
+ }, []);
self._setKeywords(newKeywords);
}
- }
+ },
});
},
getRule: function(vectorRuleId) {
- for (let i in this.state.vectorPushRules) {
+ for (const i in this.state.vectorPushRules) {
const rule = this.state.vectorPushRules[i];
if (rule.vectorRuleId === vectorRuleId) {
return rule;
@@ -239,9 +236,8 @@ module.exports = React.createClass({
_setPushRuleVectorState: function(rule, newPushRuleVectorState) {
if (rule && rule.vectorState !== newPushRuleVectorState) {
-
this.setState({
- phase: this.phases.LOADING
+ phase: this.phases.LOADING,
});
const self = this;
@@ -255,8 +251,7 @@ module.exports = React.createClass({
if (!actions) {
// The new state corresponds to disabling the rule.
deferreds.push(cli.setPushRuleEnabled('global', rule.rule.kind, rule.rule.rule_id, false));
- }
- else {
+ } else {
// The new state corresponds to enabling the rule and setting specific actions
deferreds.push(this._updatePushRuleActions(rule.rule, actions, true));
}
@@ -270,7 +265,7 @@ module.exports = React.createClass({
Modal.createTrackedDialog('Failed to change settings', '', ErrorDialog, {
title: _t('Failed to change settings'),
description: ((error && error.message) ? error.message : _t('Operation failed')),
- onFinished: self._refreshFromServer
+ onFinished: self._refreshFromServer,
});
});
}
@@ -287,12 +282,12 @@ module.exports = React.createClass({
const cli = MatrixClientPeg.get();
this.setState({
- phase: this.phases.LOADING
+ phase: this.phases.LOADING,
});
// Update all rules in self.state.vectorContentRules
const deferreds = [];
- for (let i in this.state.vectorContentRules.rules) {
+ for (const i in this.state.vectorContentRules.rules) {
const rule = this.state.vectorContentRules.rules[i];
let enabled, actions;
@@ -326,8 +321,7 @@ module.exports = React.createClass({
// Note that the workaround in _updatePushRuleActions will automatically
// enable the rule
deferreds.push(this._updatePushRuleActions(rule, actions, enabled));
- }
- else if (enabled != undefined) {
+ } else if (enabled != undefined) {
deferreds.push(cli.setPushRuleEnabled('global', rule.kind, rule.rule_id, enabled));
}
}
@@ -340,14 +334,14 @@ module.exports = React.createClass({
Modal.createTrackedDialog('Can\'t update user notifcation settings', '', ErrorDialog, {
title: _t('Can\'t update user notification settings'),
description: ((error && error.message) ? error.message : _t('Operation failed')),
- onFinished: self._refreshFromServer
+ onFinished: self._refreshFromServer,
});
});
},
_setKeywords: function(newKeywords) {
this.setState({
- phase: this.phases.LOADING
+ phase: this.phases.LOADING,
});
const self = this;
@@ -356,7 +350,7 @@ module.exports = React.createClass({
// Remove per-word push rules of keywords that are no more in the list
const vectorContentRulesPatterns = [];
- for (let i in self.state.vectorContentRules.rules) {
+ for (const i in self.state.vectorContentRules.rules) {
const rule = self.state.vectorContentRules.rules[i];
vectorContentRulesPatterns.push(rule.pattern);
@@ -368,7 +362,7 @@ module.exports = React.createClass({
// If the keyword is part of `externalContentRules`, remove the rule
// before recreating it in the right Vector path
- for (let i in self.state.externalContentRules) {
+ for (const i in self.state.externalContentRules) {
const rule = self.state.externalContentRules[i];
if (newKeywords.indexOf(rule.pattern) >= 0) {
@@ -382,9 +376,9 @@ module.exports = React.createClass({
Modal.createTrackedDialog('Failed to update keywords', '', ErrorDialog, {
title: _t('Failed to update keywords'),
description: ((error && error.message) ? error.message : _t('Operation failed')),
- onFinished: self._refreshFromServer
+ onFinished: self._refreshFromServer,
});
- }
+ };
// Then, add the new ones
Promise.all(removeDeferreds).done(function(resps) {
@@ -398,14 +392,13 @@ module.exports = React.createClass({
// Thus, this new rule will join the 'vectorContentRules' set.
if (self.state.vectorContentRules.rules.length) {
pushRuleVectorStateKind = PushRuleVectorState.contentRuleVectorStateKind(self.state.vectorContentRules.rules[0]);
- }
- else {
+ } else {
// ON is default
- pushRuleVectorStateKind = PushRuleVectorState.ON;
+ pushRuleVectorStateKind = PushRuleVectorState.ON;
}
}
- for (let i in newKeywords) {
+ for (const i in newKeywords) {
const keyword = newKeywords[i];
if (vectorContentRulesPatterns.indexOf(keyword) < 0) {
@@ -413,13 +406,12 @@ module.exports = React.createClass({
deferreds.push(cli.addPushRule
('global', 'content', keyword, {
actions: PushRuleVectorState.actionsFor(pushRuleVectorStateKind),
- pattern: keyword
+ pattern: keyword,
}));
- }
- else {
+ } else {
deferreds.push(self._addDisabledPushRule('global', 'content', keyword, {
actions: PushRuleVectorState.actionsFor(pushRuleVectorStateKind),
- pattern: keyword
+ pattern: keyword,
}));
}
}
@@ -435,7 +427,7 @@ module.exports = React.createClass({
_addDisabledPushRule: function(scope, kind, ruleId, body) {
const cli = MatrixClientPeg.get();
return cli.addPushRule(scope, kind, ruleId, body).then(() =>
- cli.setPushRuleEnabled(scope, kind, ruleId, false)
+ cli.setPushRuleEnabled(scope, kind, ruleId, false),
);
},
@@ -446,7 +438,7 @@ module.exports = React.createClass({
const needsUpdate = [];
const cli = MatrixClientPeg.get();
- for (let kind in rulesets.global) {
+ for (const kind in rulesets.global) {
const ruleset = rulesets.global[kind];
for (let i = 0; i < ruleset.length; ++i) {
const rule = ruleset[i];
@@ -454,9 +446,9 @@ module.exports = React.createClass({
console.log("Porting legacy rule", rule);
needsUpdate.push( function(kind, rule) {
return cli.setPushRuleActions(
- 'global', kind, LEGACY_RULES[rule.rule_id], portLegacyActions(rule.actions)
+ 'global', kind, LEGACY_RULES[rule.rule_id], portLegacyActions(rule.actions),
).then(() =>
- cli.deletePushRule('global', kind, rule.rule_id)
+ cli.deletePushRule('global', kind, rule.rule_id),
).catch( (e) => {
console.warn(`Error when porting legacy rule: ${e}`);
});
@@ -469,7 +461,7 @@ module.exports = React.createClass({
// If some of the rules need to be ported then wait for the porting
// to happen and then fetch the rules again.
return Promise.all(needsUpdate).then(() =>
- cli.getPushRules()
+ cli.getPushRules(),
);
} else {
// Otherwise return the rules that we already have.
@@ -480,7 +472,6 @@ module.exports = React.createClass({
_refreshFromServer: function() {
const self = this;
const pushRulesPromise = MatrixClientPeg.get().getPushRules().then(self._portRulesToNewAPI).then(function(rulesets) {
-
/// XXX seriously? wtf is this?
MatrixClientPeg.get().pushRules = rulesets;
@@ -497,7 +488,7 @@ module.exports = React.createClass({
'.m.rule.invite_for_me': 'vector',
//'.m.rule.member_event': 'vector',
'.m.rule.call': 'vector',
- '.m.rule.suppress_notices': 'vector'
+ '.m.rule.suppress_notices': 'vector',
// Others go to others
};
@@ -505,7 +496,7 @@ module.exports = React.createClass({
// HS default rules
const defaultRules = {master: [], vector: {}, others: []};
- for (let kind in rulesets.global) {
+ for (const kind in rulesets.global) {
for (let i = 0; i < Object.keys(rulesets.global[kind]).length; ++i) {
const r = rulesets.global[kind][i];
const cat = rule_categories[r.rule_id];
@@ -514,11 +505,9 @@ module.exports = React.createClass({
if (r.rule_id[0] === '.') {
if (cat === 'vector') {
defaultRules.vector[r.rule_id] = r;
- }
- else if (cat === 'master') {
+ } else if (cat === 'master') {
defaultRules.master.push(r);
- }
- else {
+ } else {
defaultRules['others'].push(r);
}
}
@@ -551,9 +540,9 @@ module.exports = React.createClass({
'.m.rule.invite_for_me',
//'im.vector.rule.member_event',
'.m.rule.call',
- '.m.rule.suppress_notices'
+ '.m.rule.suppress_notices',
];
- for (let i in vectorRuleIds) {
+ for (const i in vectorRuleIds) {
const vectorRuleId = vectorRuleIds[i];
if (vectorRuleId === '_keywords') {
@@ -562,20 +551,19 @@ module.exports = React.createClass({
// it corresponds to all content push rules (stored in self.state.vectorContentRule)
self.state.vectorPushRules.push({
"vectorRuleId": "_keywords",
- "description" : (
+ "description": (
{ _t('Messages containing keywords ',
{},
{ 'span': (sub) =>
- {sub}
+ {sub} ,
},
)}
),
- "vectorState": self.state.vectorContentRules.vectorState
+ "vectorState": self.state.vectorContentRules.vectorState,
});
- }
- else {
+ } else {
const ruleDefinition = VectorPushRulesDefinitions[vectorRuleId];
const rule = defaultRules.vector[vectorRuleId];
@@ -585,7 +573,7 @@ module.exports = React.createClass({
self.state.vectorPushRules.push({
"vectorRuleId": vectorRuleId,
- "description" : _t(ruleDefinition.description), // Text from VectorPushRulesDefinitions.js
+ "description": _t(ruleDefinition.description), // Text from VectorPushRulesDefinitions.js
"rule": rule,
"vectorState": vectorState,
});
@@ -604,7 +592,7 @@ module.exports = React.createClass({
'.m.rule.fallback': _t('Notify me for anything else'),
};
- for (let i in defaultRules.others) {
+ for (const i in defaultRules.others) {
const rule = defaultRules.others[i];
const ruleDescription = otherRulesDescriptions[rule.rule_id];
@@ -622,12 +610,12 @@ module.exports = React.createClass({
Promise.all([pushRulesPromise, pushersPromise]).then(function() {
self.setState({
- phase: self.phases.DISPLAY
+ phase: self.phases.DISPLAY,
});
}, function(error) {
console.error(error);
self.setState({
- phase: self.phases.ERROR
+ phase: self.phases.ERROR,
});
}).finally(() => {
// actually explicitly update our state having been deep-manipulating it
@@ -645,12 +633,12 @@ module.exports = React.createClass({
const cli = MatrixClientPeg.get();
return cli.setPushRuleActions(
- 'global', rule.kind, rule.rule_id, actions
+ 'global', rule.kind, rule.rule_id, actions,
).then( function() {
// Then, if requested, enabled or disabled the rule
if (undefined != enabled) {
return cli.setPushRuleEnabled(
- 'global', rule.kind, rule.rule_id, enabled
+ 'global', rule.kind, rule.rule_id, enabled,
);
}
});
@@ -689,7 +677,7 @@ module.exports = React.createClass({
renderNotifRulesTableRows: function() {
const rows = [];
- for (let i in this.state.vectorPushRules) {
+ for (const i in this.state.vectorPushRules) {
const rule = this.state.vectorPushRules[i];
//console.log("rendering: " + rule.description + ", " + rule.vectorRuleId + ", " + rule.vectorState);
rows.push(this.renderNotifRulesTableRow(rule.description, rule.vectorRuleId, rule.vectorState));
@@ -769,20 +757,20 @@ module.exports = React.createClass({
// This only supports the first email address in your profile for now
emailNotificationsRow = this.emailNotificationsRow(
emailThreepids[0].address,
- `${_t('Enable email notifications')} (${emailThreepids[0].address})`
+ `${_t('Enable email notifications')} (${emailThreepids[0].address})`,
);
}
// Build external push rules
const externalRules = [];
- for (let i in this.state.externalPushRules) {
+ for (const i in this.state.externalPushRules) {
const rule = this.state.externalPushRules[i];
externalRules.push(
{ _t(rule.description) } );
}
// Show keywords not displayed by the vector UI as a single external push rule
let externalKeywords = [];
- for (let i in this.state.externalContentRules) {
+ for (const i in this.state.externalContentRules) {
const rule = this.state.externalContentRules[i];
externalKeywords.push(rule.pattern);
}
@@ -793,7 +781,7 @@ module.exports = React.createClass({
let devicesSection;
if (this.state.pushers === undefined) {
- devicesSection =
{ _t('Unable to fetch notification target list') }
+ devicesSection =
{ _t('Unable to fetch notification target list') }
;
} else if (this.state.pushers.length == 0) {
devicesSection = null;
} else {
@@ -824,7 +812,7 @@ module.exports = React.createClass({
advancedSettings = (
{ _t('Advanced notification settings') }
- { _t('There are advanced notifications which are not shown here') }.
+ { _t('There are advanced notifications which are not shown here') }.
{ _t('You might have configured them in a client other than Riot. You cannot tune them in Riot but they still apply') }.
{ externalRules }
@@ -915,5 +903,5 @@ module.exports = React.createClass({
);
- }
+ },
});
diff --git a/src/components/views/voip/CallPreview.js b/src/components/views/voip/CallPreview.js
index 272e6feb37..5c0a1b4370 100644
--- a/src/components/views/voip/CallPreview.js
+++ b/src/components/views/voip/CallPreview.js
@@ -1,5 +1,5 @@
/*
-Copyright 2017 New Vector Ltd
+Copyright 2017, 2018 New Vector Ltd
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
@@ -92,7 +92,8 @@ module.exports = React.createClass({
/>
);
}
- return null;
+ const PersistentApp = sdk.getComponent('elements.PersistentApp');
+ return
;
},
});
diff --git a/src/components/views/voip/CallView.js b/src/components/views/voip/CallView.js
index 47e8ae22db..1a84d23f9b 100644
--- a/src/components/views/voip/CallView.js
+++ b/src/components/views/voip/CallView.js
@@ -125,14 +125,15 @@ module.exports = React.createClass({
render: function() {
const VideoView = sdk.getComponent('voip.VideoView');
+ const AccessibleButton = sdk.getComponent('elements.AccessibleButton');
let voice;
if (this.state.call && this.state.call.type === "voice" && this.props.showVoice) {
const callRoom = MatrixClientPeg.get().getRoom(this.state.call.roomId);
voice = (
-
+
{ _t("Active call (%(roomName)s)", {roomName: callRoom.name}) }
-
+
);
}
diff --git a/src/components/views/voip/VideoView.js b/src/components/views/voip/VideoView.js
index 1820514129..d9843042ef 100644
--- a/src/components/views/voip/VideoView.js
+++ b/src/components/views/voip/VideoView.js
@@ -26,6 +26,15 @@ import dis from '../../../dispatcher';
import SettingsStore from "../../../settings/SettingsStore";
+function getFullScreenElement() {
+ return (
+ document.fullscreenElement ||
+ document.mozFullScreenElement ||
+ document.webkitFullscreenElement ||
+ document.msFullscreenElement
+ );
+}
+
module.exports = React.createClass({
displayName: 'VideoView',
@@ -88,7 +97,7 @@ module.exports = React.createClass({
element.msRequestFullscreen
);
requestMethod.call(element);
- } else {
+ } else if (getFullScreenElement()) {
const exitMethod = (
document.exitFullscreen ||
document.mozCancelFullScreen ||
@@ -108,10 +117,7 @@ module.exports = React.createClass({
const VideoFeed = sdk.getComponent('voip.VideoFeed');
// if we're fullscreen, we don't want to set a maxHeight on the video element.
- const fullscreenElement = (document.fullscreenElement ||
- document.mozFullScreenElement ||
- document.webkitFullscreenElement);
- const maxVideoHeight = fullscreenElement ? null : this.props.maxHeight;
+ const maxVideoHeight = getFullScreenElement() ? null : this.props.maxHeight;
const localVideoFeedClasses = classNames("mx_VideoView_localVideoFeed",
{ "mx_VideoView_localVideoFeed_flipped":
SettingsStore.getValue('VideoView.flipVideoHorizontally'),
diff --git a/src/createRoom.js b/src/createRoom.js
index a767d09288..8b4220fc85 100644
--- a/src/createRoom.js
+++ b/src/createRoom.js
@@ -42,7 +42,7 @@ function createRoom(opts) {
const client = MatrixClientPeg.get();
if (client.isGuest()) {
- dis.dispatch({action: 'view_set_mxid'});
+ dis.dispatch({action: 'require_registration'});
return Promise.resolve(null);
}
diff --git a/src/cryptodevices.js b/src/cryptodevices.js
index c0b7e3da6e..246fae3d73 100644
--- a/src/cryptodevices.js
+++ b/src/cryptodevices.js
@@ -16,6 +16,7 @@ limitations under the License.
import Resend from './Resend';
import sdk from './index';
+import dis from './dispatcher';
import Modal from './Modal';
import { _t } from './languageHandler';
@@ -42,27 +43,30 @@ export function markAllDevicesKnown(matrixClient, devices) {
* @return {Promise} A promise which resolves to a map userId->deviceId->{@link
* module:crypto~DeviceInfo|DeviceInfo}.
*/
-export function getUnknownDevicesForRoom(matrixClient, room) {
- const roomMembers = room.getJoinedMembers().map((m) => {
+export async function getUnknownDevicesForRoom(matrixClient, room) {
+ const roomMembers = await room.getEncryptionTargetMembers().map((m) => {
return m.userId;
});
- return matrixClient.downloadKeys(roomMembers, false).then((devices) => {
- 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];
+ const devices = await matrixClient.downloadKeys(roomMembers, false);
+ 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;
+ if (device.isUnverified() && !device.isKnown()) {
+ if (unknownDevices[userId] === undefined) {
+ unknownDevices[userId] = {};
}
- });
+ unknownDevices[userId][deviceId] = device;
+ }
});
- return unknownDevices;
});
+ return unknownDevices;
+}
+
+function focusComposer() {
+ dis.dispatch({action: 'focus_composer'});
}
/**
@@ -86,6 +90,7 @@ export function showUnknownDeviceDialogForMessages(matrixClient, room) {
sendAnywayLabel: _t("Send anyway"),
sendLabel: _t("Send"),
onSend: onSendClicked,
+ onFinished: focusComposer,
}, 'mx_Dialog_unknownDevice');
});
}
diff --git a/src/i18n/strings/ar.json b/src/i18n/strings/ar.json
index d461240e4b..7ea42b8ebd 100644
--- a/src/i18n/strings/ar.json
+++ b/src/i18n/strings/ar.json
@@ -65,5 +65,6 @@
"Cancel Sending": "إلغاء الإرسال",
"Collapse panel": "طي الجدول",
"Set Password": "تعيين كلمة سرية",
- "Checking for an update...": "البحث عن تحديث …"
+ "Checking for an update...": "البحث عن تحديث …",
+ "powered by Matrix": "مشغل بواسطة Matrix"
}
diff --git a/src/i18n/strings/az.json b/src/i18n/strings/az.json
index 24f19a9ce6..13fd49e149 100644
--- a/src/i18n/strings/az.json
+++ b/src/i18n/strings/az.json
@@ -24,5 +24,380 @@
"Notify me for anything else": "Bütün qalan hadisələrdə xəbər vermək",
"Enable notifications for this account": "Bu hesab üçün xəbərdarlıqları qoşmaq",
"All notifications are currently disabled for all targets.": "Bütün qurğular üçün bütün bildirişlər kəsilmişdir.",
- "Add an email address above to configure email notifications": "Email-i bildirişlər üçün ünvanı əlavə edin"
+ "Add an email address above to configure email notifications": "Yuxarı email-i xəbərdarlıqların qurması üçün əlavə edin",
+ "Failed to verify email address: make sure you clicked the link in the email": "Email-i yoxlamağı bacarmadı: əmin olun ki, siz məktubda istinaddakı ünvana keçdiniz",
+ "The platform you're on": "İstifadə edilən platforma",
+ "The version of Riot.im": "Riot.im versiyası",
+ "Whether or not you're logged in (we don't record your user name)": "Siz sistemə girdiniz ya yox (biz sizin istifadəçinin adınızı saxlamırıq)",
+ "Your language of choice": "Seçilmiş dil",
+ "Which officially provided instance you are using, if any": "Hansı rəsmən dəstəklənən müştəri tərəfindən siz istifadə edirsiniz ( əgər istifadə edirsinizsə)",
+ "Whether or not you're using the Richtext mode of the Rich Text Editor": "Siz Rich Text Editor redaktorunda Richtext rejimindən istifadə edirsinizmi",
+ "Your homeserver's URL": "Serverin URL-ünvanı",
+ "Your identity server's URL": "Eyniləşdirmənin serverinin URL-ünvanı",
+ "Every page you use in the app": "Hər səhifə, hansını ki, siz proqramda istifadə edirsiniz",
+ "e.g.
": "məs. ",
+ "Your User Agent": "Sizin istifadəçi agentiniz",
+ "Your device resolution": "Sizin cihazınızın qətnaməsi",
+ "The information being sent to us to help make Riot.im better includes:": "Riot.im'i daha yaxşı etmək üçün bizə göndərilən məlumatlar daxildir:",
+ "Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "Əgər bu səhifədə şəxsi xarakterin məlumatları rast gəlinirsə, məsələn otağın, istifadəçinin adının və ya qrupun adı, onlar serverə göndərilmədən əvvəl silinirlər.",
+ "Call Timeout": "Cavab yoxdur",
+ "Unable to capture screen": "Ekranın şəkilini etməyə müvəffəq olmur",
+ "Existing Call": "Cari çağırış",
+ "You are already in a call.": "Danışıq gedir.",
+ "VoIP is unsupported": "Zənglər dəstəklənmir",
+ "You cannot place VoIP calls in this browser.": "Zənglər bu brauzerdə dəstəklənmir.",
+ "You cannot place a call with yourself.": "Siz özünə zəng vura bilmirsiniz.",
+ "Conference calls are not supported in encrypted rooms": "Konfrans-əlaqə şifrlənmiş otaqlarda dəstəklənmir",
+ "Conference calls are not supported in this client": "Bu müştəridə konfrans-əlaqə dəstəklənmir",
+ "Warning!": "Diqqət!",
+ "Conference calling is in development and may not be reliable.": "Konfrans-əlaqə hazırlamadadır və işləməyə bilər.",
+ "Failed to set up conference call": "Konfrans-zəngi etməyi bacarmadı",
+ "Conference call failed.": "Konfrans-zəngin nasazlığı.",
+ "Upload Failed": "Faylın göndərilməsinin nasazlığı",
+ "Failure to create room": "Otağı yaratmağı bacarmadı",
+ "Sun": "Baz",
+ "Mon": "Ber",
+ "Tue": "Çax",
+ "Wed": "Çər",
+ "Thu": "Cax",
+ "Fri": "Cüm",
+ "Sat": "Şən",
+ "Jan": "Yan",
+ "Feb": "Fev",
+ "Mar": "Mar",
+ "Apr": "Apr",
+ "May": "May",
+ "Jun": "Iyun",
+ "Jul": "Iyul",
+ "Aug": "Avg",
+ "Sep": "Sen",
+ "Oct": "Okt",
+ "Nov": "Noy",
+ "Dec": "Dek",
+ "%(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": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s",
+ "Unable to enable Notifications": "Xəbərdarlıqları daxil qoşmağı bacarmadı",
+ "Default": "İştirakçı",
+ "Moderator": "Moderator",
+ "Admin": "Administrator",
+ "Start a chat": "Danışığa başlamaq",
+ "Who would you like to communicate with?": "Kimlə siz əlaqə saxlamaq istəyirdiniz?",
+ "Email, name or matrix ID": "Email, ad və ya ZT-ID",
+ "Start Chat": "Danışığa başlamaq",
+ "Invite new room members": "Yeni iştirakçıların otağına dəvət etmək",
+ "Who would you like to add to this room?": "Bu otaqa kimi dəvət etmək istərdiniz?",
+ "You need to be logged in.": "Siz sistemə girməlisiniz.",
+ "You need to be able to invite users to do that.": "Bunun üçün siz istifadəçiləri dəvət etmək imkanına malik olmalısınız.",
+ "Failed to send request.": "Sorğunu göndərməyi bacarmadı.",
+ "Power level must be positive integer.": "Hüquqların səviyyəsi müsbət tam ədəd olmalıdır.",
+ "Missing room_id in request": "Sorğuda room_id yoxdur",
+ "Missing user_id in request": "Sorğuda user_id yoxdur",
+ "Usage": "İstifadə",
+ "/ddg is not a command": "/ddg — bu komanda deyil",
+ "To use it, just wait for autocomplete results to load and tab through them.": "Bu funksiyadan istifadə etmək üçün, avto-əlavənin pəncərəsində nəticələrin yükləməsini gözləyin, sonra burulma üçün Tab-dan istifadə edin.",
+ "Changes your display nickname": "Sizin təxəllüsünüz dəyişdirir",
+ "Invites user with given id to current room": "Verilmiş ID-lə istifadəçini cari otağa dəvət edir",
+ "Joins room with given alias": "Verilmiş təxəllüslə otağa daxil olur",
+ "Leave room": "Otağı tərk etmək",
+ "Kicks user with given id": "Verilmiş ID-lə istifadəçini çıxarır",
+ "Bans user with given id": "Verilmiş ID-lə istifadəçini bloklayır",
+ "Ignores a user, hiding their messages from you": "Sizdən mesajları gizlədərək istifadəçini bloklayır",
+ "Ignored user": "İstifadəçi blokun siyahısına əlavə edilmişdir",
+ "You are now ignoring %(userId)s": "Siz %(userId)s blokladınız",
+ "Stops ignoring a user, showing their messages going forward": "Onların gələcək mesajlarını göstərərək istifadəçinin bloku edilməsi durdurur",
+ "Unignored user": "İstifadəçi blokun siyahısından götürülmüşdür",
+ "You are no longer ignoring %(userId)s": "Siz %(userId)s blokdan çıxardınız",
+ "Deops user with given id": "Verilmiş ID-lə istifadəçidən operatorun səlahiyyətlərini çıxardır",
+ "Displays action": "Hərəkətlərin nümayişi",
+ "Reason": "Səbəb",
+ "%(targetName)s accepted the invitation for %(displayName)s.": "%(targetName)s %(displayName)s-dən dəvəti qəbul etdi.",
+ "%(targetName)s accepted an invitation.": "%(targetName)s dəvəti qəbul etdi.",
+ "%(senderName)s invited %(targetName)s.": "%(senderName)s %(targetName)s-nı dəvət edir.",
+ "%(senderName)s banned %(targetName)s.": "%(senderName)s %(targetName)s-i blokladı.",
+ "%(senderName)s removed their display name (%(oldDisplayName)s).": "%(senderName)s öz görünüş adını sildi (%(oldDisplayName)s).",
+ "%(senderName)s removed their profile picture.": "%(senderName)s avatarını sildi.",
+ "%(senderName)s changed their profile picture.": "%(senderName)s öz avatar-ı dəyişdirdi.",
+ "VoIP conference started.": "Konfrans-zəng başlandı.",
+ "%(targetName)s joined the room.": "%(targetName)s otağa girdi.",
+ "VoIP conference finished.": "Konfrans-zəng qurtarılmışdır.",
+ "%(targetName)s rejected the invitation.": "%(targetName)s dəvəti rədd etdi.",
+ "%(targetName)s left the room.": "%(targetName)s otaqdan çıxdı.",
+ "%(senderName)s unbanned %(targetName)s.": "%(senderName)s %(targetName)s blokdan çıxardı.",
+ "%(senderName)s kicked %(targetName)s.": "%(senderName)s %(targetName)s-nı qovdu.",
+ "%(senderName)s withdrew %(targetName)s's invitation.": "%(senderName)s öz dəvətini sildi %(targetName)s.",
+ "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s otağın mövzusunu \"%(topic)s\" dəyişdirdi.",
+ "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s otağın adını %(roomName)s dəyişdirdi.",
+ "(not supported by this browser)": "(bu brauzerlə dəstəklənmir)",
+ "%(senderName)s answered the call.": "%(senderName)s zəngə cavab verdi.",
+ "%(senderName)s ended the call.": "%(senderName)s zəng qurtardı.",
+ "%(senderName)s placed a %(callType)s call.": "%(senderName)s ) %(callType)s-zəng başladı.",
+ "%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s dəvət edilmiş iştirakçılar üçün danışıqların tarixini açdı.",
+ "%(senderName)s made future room history visible to all room members, from the point they joined.": "%(senderName)s girmiş iştirakçılar üçün danışıqların tarixini açdı.",
+ "%(senderName)s made future room history visible to all room members.": "%(senderName)s iştirakçılar üçün danışıqların tarixini açdı.",
+ "%(senderName)s made future room history visible to anyone.": "%(senderName)s hamı üçün danışıqların tarixini açdı.",
+ "%(senderName)s made future room history visible to unknown (%(visibility)s).": "%(senderName)s naməlum rejimdə otağın tarixini açdı (%(visibility)s).",
+ "%(senderName)s turned on end-to-end encryption (algorithm %(algorithm)s).": "%(senderName)s включил(а) в комнате сквозное шифрование (алгоритм %(algorithm)s).",
+ "%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s üçün %(fromPowerLevel)s-dan %(toPowerLevel)s-lə",
+ "%(senderName)s changed the power level of %(powerLevelDiffText)s.": "%(senderName)s hüquqların səviyyələrini dəyişdirdi %(powerLevelDiffText)s.",
+ "%(displayName)s is typing": "%(displayName)s çap edir",
+ "%(names)s and %(lastPerson)s are typing": "%(names)s və %(lastPerson)s çap edirlər",
+ "Failed to join room": "Otağa girməyi bacarmadı",
+ "Disable Emoji suggestions while typing": "Mətnin yığılması vaxtı Emoji-i təklif etməmək",
+ "Hide read receipts": "Oxuma haqqında nişanları gizlətmək",
+ "Always show message timestamps": "Həmişə mesajların göndərilməsi vaxtını göstərmək",
+ "Autoplay GIFs and videos": "GIF animasiyalarını və videolarını avtomatik olaraq oynayır",
+ "Don't send typing notifications": "Nə vaxt ki, mən çap edirəm, o haqda bildirişləri göndərməmək",
+ "Never send encrypted messages to unverified devices from this device": "Heç vaxt (bu qurğudan) yoxlanılmamış qurğulara şifrlənmiş mesajları göndərməmək",
+ "Never send encrypted messages to unverified devices in this room from this device": "Heç vaxt (bu otaqda, bu qurğudan) yoxlanılmamış qurğulara şifrlənmiş mesajları göndərməmək",
+ "Accept": "Qəbul etmək",
+ "Error": "Səhv",
+ "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains": "Mətn mesajı +%(msisdn)s-a göndərilmişdi. Mesajdan yoxlama kodunu daxil edin",
+ "Incorrect verification code": "Təsdiq etmənin səhv kodu",
+ "Enter Code": "Kodu daxil etmək",
+ "Phone": "Telefon",
+ "Add phone number": "Telefon nömrəsini əlavə etmək",
+ "New passwords don't match": "Yeni şifrlər uyğun gəlmir",
+ "Passwords can't be empty": "Şifrələr boş ola bilməz",
+ "Continue": "Davam etmək",
+ "Export E2E room keys": "Şifrləmənin açarlarının ixracı",
+ "Current password": "Cari şifrə",
+ "Password": "Şifrə",
+ "New Password": "Yeni şifrə",
+ "Confirm password": "Yeni şifrə təsdiq edin",
+ "Change Password": "Şifrəni dəyişdirin",
+ "Authentication": "Müəyyənləşdirilmə",
+ "Device ID": "Qurğunun ID-i",
+ "Failed to set display name": "Görünüş adını təyin etmək bacarmadı",
+ "Notification targets": "Xəbərdarlıqlar üçün qurğular",
+ "On": "Qoşmaq",
+ "Invalid alias format": "Adının yolverilməz formatı",
+ "'%(alias)s' is not a valid format for an alias": "Ad '%(alias)s' yolverilməz formata malikdir",
+ "Invalid address format": "Ünvanın yolverilməz formatı",
+ "'%(alias)s' is not a valid format for an address": "Ünvan '%(alias)s' yolverilməz formata malikdir",
+ "not specified": "qeyd edilmədi",
+ "not set": "qeyd edilmədi",
+ "Local addresses for this room:": "Sizin serverinizdə bu otağın ünvanları:",
+ "New address (e.g. #foo:%(localDomain)s)": "Yeni ünvan (məsələn, #nəsə:%(localDomain)s)",
+ "Blacklisted": "Qara siyahıda",
+ "Disinvite": "Dəvəti geri çağırmaq",
+ "Kick": "Qovmaq",
+ "Failed to kick": "Qovmağı bacarmadı",
+ "Unban": "Blokdan çıxarmaq",
+ "Ban": "Bloklamaq",
+ "Failed to ban user": "İstifadəçini bloklamağı bacarmadı",
+ "Failed to mute user": "İstifadəçini kəsməyi bacarmadı",
+ "Failed to toggle moderator status": "Moderatorun statusunu dəyişdirməyi bacarmadı",
+ "Failed to change power level": "Hüquqların səviyyəsini dəyişdirməyi bacarmadı",
+ "Are you sure?": "Siz əminsiniz?",
+ "No devices with registered encryption keys": "Şifrləmənin qeyd edilmiş açarlarıyla qurğu yoxdur",
+ "Devices": "Qurğular",
+ "Unignore": "Blokdan çıxarmaq",
+ "Ignore": "Bloklamaq",
+ "User Options": "Hərəkətlər",
+ "Direct chats": "Şəxsi çatlar",
+ "Level:": "Səviyyə:",
+ "Invited": "Dəvət edilmişdir",
+ "Filter room members": "İştirakçılara görə axtarış",
+ "Attachment": "Əlavə",
+ "Upload Files": "Faylların göndərilməsi",
+ "Are you sure you want to upload the following files?": "Siz əminsiniz ki, siz bu faylları göndərmək istəyirsiniz?",
+ "Encrypted room": "Şifrlənmiş otaq",
+ "Unencrypted room": "Şifrələnməyən otaq",
+ "Hangup": "Bitirmək",
+ "Voice call": "Səs çağırış",
+ "Video call": "Video çağırış",
+ "Upload file": "Faylı göndərmək",
+ "You do not have permission to post to this room": "Siz bu otağa yaza bilmirsiniz",
+ "Hide Text Formatting Toolbar": "Mətnin formatlaşdırılmasının alətlərini gizlətmək",
+ "Command error": "Komandanın səhvi",
+ "Markdown is disabled": "Markdown kəsilmişdir",
+ "Markdown is enabled": "Markdown qoşulmuşdur",
+ "Join Room": "Otağa girmək",
+ "Upload avatar": "Avatar-ı yükləmək",
+ "Settings": "Qurmalar",
+ "Forget room": "Otağı unutmaq",
+ "Drop here to tag %(section)s": "Bura daşıyın %(section)s nişan qoymaq üçün",
+ "Invites": "Dəvətlər",
+ "Favourites": "Seçilmişlər",
+ "People": "İnsanlar",
+ "Low priority": "Əhəmiyyətsizlər",
+ "Historical": "Arxiv",
+ "Rejoin": "Yenidən girmək",
+ "You are trying to access %(roomName)s.": "Siz %(roomName)s-a girməyə çalışırsınız.",
+ "You are trying to access a room.": "Siz otağa girməyə çalışırsınız.",
+ "Click here to join the discussion!": "Qoşulmaq üçün buraya basın!",
+ "Failed to unban": "Blokdan çıxarmağı bacarmadı",
+ "Banned by %(displayName)s": "%(displayName)s bloklanıb",
+ "Changes to who can read history will only apply to future messages in this room": "Tarixə girişin qaydalarının dəyişikliyi yalnız bu otaqda gələcək mesajlara tətbiq ediləcək",
+ "unknown error code": "naməlum səhv kodu",
+ "Failed to forget room %(errCode)s": "Otağı unutmağı bacarmadı: %(errCode)s",
+ "End-to-end encryption is in beta and may not be reliable": "İki tərəfi açıq şifrləmə indi beta-testdə və işləməyə bilər",
+ "You should not yet trust it to secure data": "Hal-hazırda yazışmalarınızın şifrələnəcəyinə etibar etməməlisiniz",
+ "Devices will not yet be able to decrypt history from before they joined the room": "Qurğular otağa girişinin anına qədər mesajların tarixinin şifrini aça bilməyəcək",
+ "Once encryption is enabled for a room it cannot be turned off again (for now)": "Otaqda şifrləmənin qoşmasından sonra siz o yenidən söndürə bilməyəcəksiniz (müvəqqəti)",
+ "Encrypted messages will not be visible on clients that do not yet implement encryption": "Şifrlənmiş mesajlar daha iki tərəfi açıq şifrləməni dəstəkləməyən müştərilərdə görülməyəcək",
+ "Enable encryption": "Şifrləməni qoşmaq",
+ "(warning: cannot be disabled again!)": "(xəbərdarlıq: dəyişdirmək mümkün olmayacaq!)",
+ "To send messages, you must be a": "Mesajların göndərilməsi üçün, olmaq lazımdır",
+ "To invite users into the room, you must be a": "Otağa iştirakçıları dəvət etmək üçün, olmaq lazımdır",
+ "No users have specific privileges in this room": "Heç bir istifadəçi bu otaqda xüsusi hüquqlara malik deyil",
+ "Banned users": "Bloklanmış istifadəçilər",
+ "Favourite": "Seçilmiş",
+ "Click here to fix": "Düzəltmək üçün, buraya basın",
+ "Who can access this room?": "Kim bu otağa girə bilər?",
+ "Only people who have been invited": "Yalnız dəvət edilmiş iştirakçılar",
+ "Anyone who knows the room's link, apart from guests": "Hamı, kimdə bu otağa istinad var, qonaqlardan başqa",
+ "Anyone who knows the room's link, including guests": "Hamı, kimdə bu otağa istinad var, qonaqlar daxil olmaqla",
+ "Who can read history?": "Kim tarixi oxuya bilər?",
+ "Permissions": "Girişin hüquqları",
+ "Advanced": "Təfərrüatlar",
+ "Close": "Bağlamaq",
+ "Sunday": "Bazar",
+ "Friday": "Cümə",
+ "Today": "Bu gün",
+ "Decrypt %(text)s": "Şifrini açmaq %(text)s",
+ "Download %(text)s": "Yükləmək %(text)s",
+ "Message removed by %(userId)s": "%(userId)s mesajı silinmişdir",
+ "Password:": "Şifrə:",
+ "Username on %(hs)s": "İstifadəçinin adı %(hs)s",
+ "User name": "İstifadəçinin adı",
+ "Mobile phone number": "Mobil telefonun nömrəsi",
+ "Forgot your password?": "Şifrənizi unutmusunuz?",
+ "Sign in with": "Seçmək",
+ "Email address (optional)": "Email (qeyri-məcburi)",
+ "Mobile phone number (optional)": "Mobil telefonun (qeyri-məcburi) nömrəsi",
+ "Register": "Qeydiyyatdan keçmək",
+ "Remove": "Silmək",
+ "You are not receiving desktop notifications": "Siz sistem xəbərdarlıqlarını almırsınız",
+ "What's New": "Nə dəyişdi",
+ "Update": "Yeniləmək",
+ "Create new room": "Otağı yaratmaq",
+ "No results": "Nəticə yoxdur",
+ "Delete": "Silmək",
+ "Home": "Başlanğıc",
+ "Could not connect to the integration server": "İnteqrasiyanın serverinə qoşulmağ mümkün deyil",
+ "Manage Integrations": "İnteqrasiyaları idarə etmə",
+ "%(items)s and %(lastItem)s": "%(items)s və %(lastItem)s",
+ "Room directory": "Otaqların kataloqu",
+ "Start chat": "Çata başlamaq",
+ "Create Room": "Otağı yaratmaq",
+ "Advanced options": "Daha çox seçim",
+ "Block users on other matrix homeservers from joining this room": "Başqa serverlərdən bu otağa daxil olan istifadəçiləri bloklamaq",
+ "This setting cannot be changed later!": "Bu seçim sonra dəyişdirmək olmaz!",
+ "Deactivate Account": "Hesabı bağlamaq",
+ "Send Account Data": "Hesabın məlumatlarını göndərmək",
+ "An error has occurred.": "Səhv oldu.",
+ "Invalid Email Address": "Yanlış email",
+ "Verification Pending": "Gözləmə təsdiq etmələr",
+ "Please check your email and click on the link it contains. Once this is done, click continue.": "Öz elektron poçtunu yoxlayın və olan istinadı basın. Bundan sonra düyməni Davam etməyə basın.",
+ "Unable to add email address": "Email-i əlavə etməyə müvəffəq olmur",
+ "Unable to verify email address.": "Email-i yoxlamağı bacarmadı.",
+ "User names may only contain letters, numbers, dots, hyphens and underscores.": "İstifadəçilərin adları yalnız hərfləri, rəqəmləri, nöqtələri, defisləri və altından xətt çəkmənin simvollarını özündə saxlaya bilər.",
+ "Username not available": "İstifadəçi adı mövcud deyil",
+ "An error occurred: %(error_string)s": "Səhv baş verdi: %(error_string)s",
+ "Username available": "İstifadəçi adı mövcuddur",
+ "Failed to change password. Is your password correct?": "Şifrəni əvəz etməyi bacarmadı. Siz cari şifrə düzgün daxil etdiniz?",
+ "Reject invitation": "Dəvəti rədd etmək",
+ "Are you sure you want to reject the invitation?": "Siz əminsiniz ki, siz dəvəti rədd etmək istəyirsiniz?",
+ "Name": "Ad",
+ "Topic": "Mövzu",
+ "Make this room private": "Bu otağı bağlanmış etmək",
+ "Share message history with new users": "Mesajların tarixinə girişi yeni istifadəçilərə icazə vermək",
+ "Encrypt room": "Otağın şifrələnməsi",
+ "There are no visible files in this room": "Bu otaqda görülən fayl yoxdur",
+ "Featured Users:": "Seçilmiş istifadəçilər:",
+ "Couldn't load home page": "Ana səhifəni yükləməyi bacarmadı",
+ "Failed to reject invitation": "Dəvəti rədd etməyi bacarmadı",
+ "Failed to leave room": "Otaqdan çıxmağı bacarmadı",
+ "For security, this session has been signed out. Please sign in again.": "Təhlükəsizliyin təmin olunması üçün sizin sessiyanız başa çatmışdır idi. Zəhmət olmasa, yenidən girin.",
+ "Logout": "Çıxmaq",
+ "You have no visible notifications": "Görülən xəbərdarlıq yoxdur",
+ "Files": "Fayllar",
+ "Notifications": "Xəbərdarlıqlar",
+ "Hide panel": "Paneli gizlətmək",
+ "#example": "#misal",
+ "Connectivity to the server has been lost.": "Serverlə əlaqə itirilmişdir.",
+ "Sent messages will be stored until your connection has returned.": "Hələ ki serverlə əlaqə bərpa olmayacaq, göndərilmiş mesajlar saxlanacaq.",
+ "Active call": "Aktiv çağırış",
+ "Failed to upload file": "Faylı göndərməyi bacarmadı",
+ "No more results": "Daha çox nəticə yoxdur",
+ "Failed to save settings": "Qurmaları saxlamağı bacarmadı",
+ "Failed to reject invite": "Dəvəti rədd etməyi bacarmadı",
+ "Fill screen": "Ekranı doldurmaq",
+ "Click to unmute video": "Klikləyin, videonu qoşmaq üçün",
+ "Click to mute video": "Klikləyin, videonu söndürmək üçün",
+ "Click to unmute audio": "Klikləyin, səsi qoşmaq üçün",
+ "Click to mute audio": "Klikləyin, səsi söndürmək üçün",
+ "Expand panel": "Paneli açmaq",
+ "Filter room names": "Otaqlar üzrə axtarış",
+ "Failed to load timeline position": "Xronologiyadan nişanı yükləməyi bacarmadı",
+ "Can't load user settings": "İstifadəçi qurmalarını yükləmək mümkün deyil",
+ "Your password was successfully changed. You will not receive push notifications on other devices until you log back in to them": "Şifrə uğurla dəyişdirildi. Təkrar avtorizasiyaya qədər siz başqa cihazlarda push-xəbərdarlıqları almayacaqsınız",
+ "Remove Contact Information?": "Əlaqə məlumatı silinsin?",
+ "Unable to remove contact information": "Əlaqə məlumatlarının silməyi bacarmadı",
+ "Interface Language": "İnterfeysin dili",
+ "User Interface": "İstifadəçi interfeysi",
+ "": "",
+ "Import E2E room keys": "Şifrləmənin açarlarının idxalı",
+ "Cryptography": "Kriptoqrafiya",
+ "Ignored Users": "Bloklanan istifadəçilər",
+ "Privacy is important to us, so we don't collect any personal or identifiable data for our analytics.": "Məxfilik bizim üçün əhəmiyyətlidir, buna görə biz bizim analitikamız üçün heç bir şəxsi və ya müəyyən edən məlumat yığmırıq.",
+ "Learn more about how we use analytics.": "O haqda daha ətraflı, necə biz analitikadan istifadə edirik.",
+ "Labs": "Laboratoriya",
+ "Use with caution": "Ehtiyatlılıqla istifadə etmək",
+ "Deactivate my account": "Mənim hesabımı bağlamaq",
+ "Clear Cache": "Keşi təmizləmək",
+ "Clear Cache and Reload": "Keşi təmizləmək və yenidən yükləmək",
+ "Bulk Options": "Qrup parametrləri",
+ "Email": "E-poçt",
+ "Add email address": "Email-i əlavə etmək",
+ "Profile": "Profil",
+ "Display name": "Göstərilən ad",
+ "Account": "Hesab",
+ "Access Token:": "Girişin token-i:",
+ "click to reveal": "açılış üçün basın",
+ "Homeserver is": "Ev serveri bu",
+ "Identity Server is": "Eyniləşdirmənin serveri bu",
+ "matrix-react-sdk version:": "matrix-react-sdk versiyası:",
+ "olm version:": "Olm versiyası:",
+ "Failed to send email": "Email göndərilməsinin səhvi",
+ "A new password must be entered.": "Yeni parolu daxil edin.",
+ "New passwords must match each other.": "Yeni şifrələr uyğun olmalıdır.",
+ "I have verified my email address": "Mən öz email-i təsdiq etdim",
+ "Your password has been reset": "Sizin şifrə sıfırlandı",
+ "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": "Siz bütün qurğulardan çıxdınız və push-xəbərdarlıqları almayacaqsınız. Xəbərdarlıq aktivləşdirmək üçün hər cihaza yenidən daxil olun",
+ "Return to login screen": "Girişin ekranına qayıtmaq",
+ "New password": "Yeni şifrə",
+ "Confirm your new password": "Yeni Şifrə təsdiq edin",
+ "Send Reset Email": "Şifrənizi sıfırlamaq üçün istinadla məktubu göndərmək",
+ "Create an account": "Hesabı yaratmaq",
+ "Set a display name:": "Görünüş adını daxil edin:",
+ "Upload an avatar:": "Avatar yüklə:",
+ "This server does not support authentication with a phone number.": "Bu server telefon nömrəsinin köməyi ilə müəyyənləşdirilməni dəstəkləmir.",
+ "Missing password.": "Şifrə yoxdur.",
+ "Passwords don't match.": "Şifrələr uyğun gəlmir.",
+ "Password too short (min %(MIN_PASSWORD_LENGTH)s).": "Şifrə çox qısa (min. %(MIN_PASSWORD_LENGTH)s).",
+ "This doesn't look like a valid email address.": "Bu etibarlı bir e-poçt kimi görünmür.",
+ "This doesn't look like a valid phone number.": "Yanlış telefon nömrəsi.",
+ "An unknown error occurred.": "Bilinməyən bir səhv baş verdi.",
+ "I already have an account": "Məndə hesab var",
+ "Commands": "Komandalar",
+ "Emoji": "Smaylar",
+ "Users": "İstifadəçilər",
+ "unknown device": "naməlum cihaz",
+ "NOT verified": "Yoxlanmamışdır",
+ "verified": "yoxlanmış",
+ "Verification": "Yoxlama",
+ "Ed25519 fingerprint": "Ed25519 iz",
+ "User ID": "İstifadəçinin ID-i",
+ "Curve25519 identity key": "Kimlik açarı Curve25519",
+ "none": "heç kim",
+ "Claimed Ed25519 fingerprint key": "Ed25519-un rəqəmli izinin tələb edilən açarı",
+ "Algorithm": "Alqoritm",
+ "unencrypted": "şifrləməsiz",
+ "Decryption error": "Şifrələmə xətası",
+ "End-to-end encryption information": "İki tərəfi açıq şifrləmə haqqında məlumatlar",
+ "Event information": "Hadisə haqqında informasiya",
+ "Confirm passphrase": "Şifrəni təsdiqləyin"
}
diff --git a/src/i18n/strings/be.json b/src/i18n/strings/be.json
index 7e79f5d355..31360c87f4 100644
--- a/src/i18n/strings/be.json
+++ b/src/i18n/strings/be.json
@@ -31,7 +31,6 @@
"Noisy": "Шумна",
"Resend": "Паўторна",
"On": "Уключыць",
- "Permalink": "Пастаянная спасылка",
"remove %(name)s from the directory.": "выдаліць %(name)s з каталога.",
"Off": "Выключыць",
"Delete the room alias %(alias)s and remove %(name)s from the directory?": "Выдаліць псеўданім пакоя %(alias)s і выдаліць %(name)s з каталога?",
diff --git a/src/i18n/strings/bg.json b/src/i18n/strings/bg.json
index 4911ad970e..9921662964 100644
--- a/src/i18n/strings/bg.json
+++ b/src/i18n/strings/bg.json
@@ -136,7 +136,6 @@
"Missing room_id in request": "Липсва room_id в заявката",
"Room %(roomId)s not visible": "Стая %(roomId)s не е видима",
"Missing user_id in request": "Липсва user_id в заявката",
- "Failed to lookup current room": "Неуспешно намиране на текущата стая",
"/ddg is not a command": "/ddg не е команда",
"To use it, just wait for autocomplete results to load and tab through them.": "За използване, изчакайте зареждането на списъка с предложения и изберете от него.",
"Unrecognised room alias:": "Непознат псевдоним на стая:",
@@ -204,9 +203,7 @@
"Not a valid Riot keyfile": "Невалиден файл с ключ за Riot",
"Authentication check failed: incorrect password?": "Неуспешна автентикация: неправилна парола?",
"Failed to join room": "Неуспешно присъединяване към стаята",
- "Message Replies": "Отговори на съобщението",
"Message Pinning": "Функция за закачане на съобщения",
- "Tag Panel": "Панел с етикети",
"Disable Emoji suggestions while typing": "Изключване на предложенията за емотиконите при писане",
"Use compact timeline layout": "Използване на компактно оформление за списъка със съобщения",
"Hide removed messages": "Скриване на премахнати съобщения",
@@ -269,7 +266,7 @@
"Enable Notifications": "Включване на известия",
"Cannot add any more widgets": "Не могат да се добавят повече приспособления",
"The maximum permitted number of widgets have already been added to this room.": "Максимално разрешеният брой приспособления е вече добавен към тази стая.",
- "Add a widget": "Добавяне на приспособление",
+ "Add a widget": "Добави приспособление",
"Drop File Here": "Пусни файла тук",
"Drop file here to upload": "Пуснете файла тук, за да се качи",
" (unsupported)": " (не се поддържа)",
@@ -491,7 +488,6 @@
"Decrypt %(text)s": "Разшифровай %(text)s",
"Download %(text)s": "Изтегли %(text)s",
"(could not connect media)": "(неуспешно свързване на медийните устройства)",
- "Must be viewing a room": "Трябва да извършите това в стая",
"Usage": "Употреба",
"Remove from community": "Премахни от общността",
"Disinvite this user from community?": "Оттегляне на поканата към този потребител от общността?",
@@ -502,7 +498,7 @@
"Failed to remove room from community": "Неуспешно премахване на стаята от общността",
"Only visible to community members": "Видимо само за членове на общността",
"Filter community rooms": "Филтрирай стаи на общността",
- "Community IDs cannot not be empty.": "Идентификаторите на общността не могат да бъдат празни.",
+ "Community IDs cannot be empty.": "Идентификаторите на общността не могат да бъдат празни.",
"Create Community": "Създай общност",
"Community Name": "Име на общност",
"Community ID": "Идентификатор на общност",
@@ -520,8 +516,6 @@
"Community %(groupId)s not found": "Общност %(groupId)s не е намерена",
"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 +example:matrix.org .": "За да се присъедините към вече съществуваща общност, трябва да знаете нейния идентификатор; той изглежда нещо подобно на +example:matrix.org .",
"Unknown (user, device) pair:": "Непозната двойка (потребител, устройство):",
"The signing key you provided matches the signing key you received from %(userId)s's device %(deviceId)s. Device marked as verified.": "Подписващият ключ, който сте предоставили, съвпада с подписващия ключ, който сте получили от устройството %(deviceId)s на %(userId)s. Устройството е маркирано като потвърдено.",
"Hide avatars in user and room mentions": "Скриване на аватара на потребители и стаи при споменаването им",
@@ -888,7 +882,6 @@
"This homeserver doesn't offer any login flows which are supported by this client.": "Този Home сървър не предлага методи за влизане, които се поддържат от този клиент.",
"Error: Problem communicating with the given homeserver.": "Грешка: Проблем при комуникацията с дадения Home сървър.",
"Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts .": "Не е възможно свързване към Home сървъра чрез HTTP, когато има HTTPS адрес в лентата на браузъра Ви. Или използвайте HTTPS или включете функция небезопасни скриптове .",
- "Login as guest": "Влез като гост",
"Sign in to get started": "Влезте в профила си, за да започнете",
"Set a display name:": "Задаване на име:",
"Upload an avatar:": "Качване на профилна снимка:",
@@ -1125,7 +1118,6 @@
"Set Password": "Задаване на парола",
"An error occurred whilst saving your email notification preferences.": "Възникна грешка при запазване на настройките за имейл известяване.",
"Enable audible notifications in web client": "Включване на звукови известия в уеб клиент",
- "Permalink": "Permalink",
"Off": "Изключено",
"Riot does not know how to join a room on this network": "Riot не знае как да се присъедини към стая от тази мрежа",
"Mentions only": "Само при споменаване",
@@ -1167,5 +1159,134 @@
"Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Изчистване на запазените данни в браузъра може да поправи проблема, но ще Ви изкара от профила и ще направи шифрованите съобщения нечетими.",
"Collapse Reply Thread": "Свий отговорите",
"Enable widget screenshots on supported widgets": "Включи скрийншоти за поддържащи ги приспособления",
- "Riot bugs are tracked on GitHub: create a GitHub issue .": "Бъговете по Riot се следят в GitHub: създайте проблем в GitHub ."
+ "Riot bugs are tracked on GitHub: create a GitHub issue .": "Бъговете по Riot се следят в GitHub: създайте проблем в GitHub .",
+ "e.g. %(exampleValue)s": "напр. %(exampleValue)s",
+ "Reload widget": "Презареди приспособлението",
+ "Send analytics data": "Изпращане на статистически данни",
+ "To notify everyone in the room, you must be a": "За да уведомите всички в стаята, трябва да бъдете",
+ "Muted Users": "Заглушени потребители",
+ "Please help improve Riot.im by sending anonymous usage data . This will use a cookie (please see our Cookie Policy ).": "Моля, помогнете за подобряването на Riot.im като изпращате анонимни данни за ползване . Това ще използва бисквитка (моля, вижте нашата политика за бисквитки ).",
+ "Please help improve Riot.im by sending anonymous usage data . This will use a cookie.": "Моля, помогнете за подобряването на Riot.im като изпращате анонимни данни за ползване . Това ще използва бисквитка.",
+ "Yes, I want to help!": "Да, искам да помогна!",
+ "Warning: This widget might use cookies.": "Внимание: това приспособление може да използва бисквитки.",
+ "This will make your account permanently unusable. You will not be able to log in, and no one will be able to re-register the same user ID. This will cause your account to leave all rooms it is participating in, and it will remove your account details from your identity server. This action is irreversible. ": "Това ще направи акаунта Ви неизползваем завинаги. Няма да можете да влезете пак, а регистрирането повторно на същия потребителски идентификатор няма да е възможно. Акаунтът Ви да напусне всички стаи, в които участва. Ще бъдат премахнати и данните за акаунта Ви от сървъра за самоличност. Действието е необратимо. ",
+ "Deactivating your account does not by default cause us to forget messages you have sent. If you would like us to forget your messages, please tick the box below.": "Деактивирането на акаунта Ви по подразбиране не прави така, че изпратените съобщения да бъдат забравени. Ако искате да забравим съобщенията Ви, моля отбележете с отметка по-долу.",
+ "Message visibility in Matrix is similar to email. Our forgetting your messages means that messages you have sent will not be shared with any new or unregistered users, but registered users who already have access to these messages will still have access to their copy.": "Видимостта на съобщенията в Matrix е подобно на имейл системата. Нашето забравяне означава, че: изпратените от Вас съобщения няма да бъдат споделяни с нови или нерегистрирани потребители, но регистрираните потребители имащи достъп до тях ще продължат да имат достъп до своето копие.",
+ "Please forget all messages I have sent when my account is deactivated (Warning: this will cause future users to see an incomplete view of conversations)": "Моля, забравете всички изпратени от мен съобщения, когато акаунта ми се деактивира (Внимание: това ще направи бъдещите потребители да имат само частичен поглед върху кореспонденцията)",
+ "To continue, please enter your password:": "За да продължите, моля въведете паролата си:",
+ "password": "парола",
+ "Can't leave Server Notices room": "Не може да напуснете стая \"Server Notices\"",
+ "This room is used for important messages from the Homeserver, so you cannot leave it.": "Тази стая се използва за важни съобщения от сървъра, така че не можете да я напуснете.",
+ "Terms and Conditions": "Правила и условия",
+ "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "За да продължите да ползвате %(homeserverDomain)s е необходимо да прегледате и да се съгласите с правилата и условията за ползване.",
+ "Review terms and conditions": "Прегледай правилата и условията",
+ "Failed to indicate account erasure": "Неуспешно указване на желанието за изтриване на акаунта",
+ "Try the app first": "Първо пробвайте приложението",
+ "Encrypting": "Шифроване",
+ "Encrypted, not sent": "Шифровано, неизпратено",
+ "Share Link to User": "Сподели връзка с потребител",
+ "Share room": "Сподели стая",
+ "Share Room": "Споделяне на стая",
+ "Link to most recent message": "Създай връзка към най-новото съобщение",
+ "Share User": "Споделяне на потребител",
+ "Share Community": "Споделяне на общност",
+ "Share Room Message": "Споделяне на съобщение от стая",
+ "Link to selected message": "Създай връзка към избраното съобщение",
+ "COPY": "КОПИРАЙ",
+ "Share Message": "Сподели съобщението",
+ "No Audio Outputs detected": "Не са открити аудио изходи",
+ "Audio Output": "Аудио изходи",
+ "Jitsi Conference Calling": "Jitsi конферентни разговори",
+ "Call in Progress": "Тече разговор",
+ "A call is already in progress!": "В момента вече тече разговор!",
+ "You have no historical rooms": "Нямате стаи в архива",
+ "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "В шифровани стаи като тази, по подразбиране URL прегледите са изключени, за да се подсигури че сървърът (където става генерирането на прегледите) не може да събира информация за връзките споделени в стаята.",
+ "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Когато някой сподели URL връзка в съобщение, може да бъде показан URL преглед даващ повече информация за връзката (заглавие, описание и картинка от уебсайта).",
+ "The email field must not be blank.": "Имейл полето не може да бъде празно.",
+ "The user name field must not be blank.": "Полето за потребителско име не може да е празно.",
+ "The phone number field must not be blank.": "Полето за телефонен номер не може да е празно.",
+ "The password field must not be blank.": "Полето за парола не може да е празно.",
+ "You can't send any messages until you review and agree to our terms and conditions .": "Не можете да изпращате съобщения докато не прегледате и се съгласите с нашите правила и условия .",
+ "Demote yourself?": "Понижете себе си?",
+ "Demote": "Понижение",
+ "This event could not be displayed": "Това събитие не може да бъде показано",
+ "A conference call could not be started because the intgrations server is not available": "Не може да бъде започнат конферентен разговор, защото сървърът с интеграции не е достъпен",
+ "Permission Required": "Необходимо е разрешение",
+ "A call is currently being placed!": "В момента се осъществява разговор!",
+ "You do not have permission to start a conference call in this room": "Нямате достъп да започнете конферентен разговор в тази стая",
+ "Show empty room list headings": "Показване на заглавия за празни стаи",
+ "deleted": "изтрито",
+ "underlined": "подчертано",
+ "inline-code": "код",
+ "block-quote": "цитат",
+ "bulleted-list": "списък (с тирета)",
+ "numbered-list": "номериран списък",
+ "Failed to remove widget": "Неуспешно премахване на приспособление",
+ "An error ocurred whilst trying to remove the widget from the room": "Възникна грешка при премахването на приспособлението от стаята",
+ "This homeserver has hit its Monthly Active User limit": "Този сървър достигна своя лимит за активни потребители на месец",
+ "Please contact your service administrator to continue using this service.": "Моля, свържете се с администратора на услугата за да продължите да я използвате.",
+ "This homeserver has hit its Monthly Active User limit. Please contact your service administrator to continue using the service.": "Този сървър достигна лимита си за активни потребители на месец. Моля, свържете се с администратора на услугата, за да продължите да я използвате.",
+ "Your message wasn’t sent because this homeserver has hit its Monthly Active User Limit. Please contact your service administrator to continue using the service.": "Съобщението Ви не бе изпратено, защото този сървър достигна лимита си за активни потребители на месец. Моля, свържете се с администратора на услугата, за да продължите да я използвате.",
+ "System Alerts": "Системни уведомления",
+ "Internal room ID: ": "Вътрешен идентификатор на стаята: ",
+ "Room version number: ": "Версия на стаята: ",
+ "This homeserver has hit its Monthly Active User limit. Please contact your service administrator to continue using the service.": "Този сървър достигна лимита си за активни потребители на месец. Моля, свържете се с администратора на услугата , за да продължите да я използвате.",
+ "This homeserver has hit its Monthly Active User limit so some users will not be able to log in. Please contact your service administrator to get this limit increased.": "Този сървър достигна лимита си за активни потребители на месец и някои потребители няма да успеят да влязат в профила си. Моля, свържете се с администратора на услугата за да се увеличи този лимит.",
+ "There is a known vulnerability affecting this room.": "Има пропуск в сигурността засягащ тази стая.",
+ "This room version is vulnerable to malicious modification of room state.": "Тази версия на стаята е уязвима към злонамерена модификация на състоянието й.",
+ "Click here to upgrade to the latest room version and ensure room integrity is protected.": "Кликнете тук за да обновите стаята до последна версия и подсигурите сигурността й.",
+ "Only room administrators will see this warning": "Само администратори на стаята виждат това предупреждение",
+ "Please contact your service administrator to continue using the service.": "Моля, свържете се с администратора на услугата за да продължите да я използвате.",
+ "This homeserver has hit its Monthly Active User limit.": "Този сървър е достигнал лимита си за активни потребители на месец.",
+ "This homeserver has exceeded one of its resource limits.": "Този сървър е надвишил някой от лимитите си.",
+ "Please contact your service administrator to get this limit increased.": "Моля, свържете се с администратора на услугата за да се увеличи този лимит.",
+ "This homeserver has hit its Monthly Active User limit so some users will not be able to log in .": "Този сървър е достигнал своя лимит за потребители на месец, така че някои потребители не биха успели да влязат .",
+ "This homeserver has exceeded one of its resource limits so some users will not be able to log in .": "Този сървър е достигнал някой от лимите си, така че някои потребители не биха успели да влязат .",
+ "Upgrade Room Version": "Обнови версията на стаята",
+ "Upgrading this room requires closing down the current instance of the room and creating a new room it its place. To give room members the best possible experience, we will:": "Обновяването на тази стая изисква затваряне на текущата и създаване на нова на нейно място. За да подсигурим най-доброто изживяване на потребителите, ще:",
+ "Create a new room with the same name, description and avatar": "Създадем нова стая със същото име, описание и снимка",
+ "Update any local room aliases to point to the new room": "Обновим всички локални адреси на стаята да сочат към новата",
+ "Stop users from speaking in the old version of the room, and post a message advising users to move to the new room": "Забраним комуникацията на потребителите в старата стая и публикуваме съобщение насочващо ги към новата",
+ "Put a link back to the old room at the start of the new room so people can see old messages": "Поставим връзка в новата стая, водещо обратно към старата, за да може хората да виждат старите съобщения",
+ "Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please contact your service administrator to continue using the service.": "Съобщението Ви не бе изпратено, защото този сървър е достигнал лимита си за потребители на месец. Моля, свържете се с администратора на услугата за да продължите да я използвате.",
+ "Your message wasn't sent because this homeserver has exceeded a resource limit. Please contact your service administrator to continue using the service.": "Съобщението Ви не бе изпратено, защото този сървър е някой от лимитите си. Моля, свържете се с администратора на услугата за да продължите да я използвате.",
+ "Please contact your service administrator to continue using this service.": "Моля, свържете се с администратора на услугата за да продължите да я използвате.",
+ "Increase performance by only loading room members on first view": "Повишаване на бързодействието чрез отложено зареждане на членовете в стаите",
+ "Lazy loading members not supported": "Отложеното зареждане на членове не се поддържа",
+ "Lazy loading is not supported by your current homeserver.": "Отложеното зареждане не се поддържа от текущия сървър.",
+ "Sorry, your homeserver is too old to participate in this room.": "Съжаляваме, вашият сървър е прекалено стар за да участва в тази стая.",
+ "Please contact your homeserver administrator.": "Моля, свържете се се със сървърния администратор.",
+ "Legal": "Юридически",
+ "Registration Required": "Нужна е регистрация",
+ "You need to register to do this. Would you like to register now?": "За да направите това е нужно да се регистрирате. Искате ли да се регистрирате сега?",
+ "Unable to connect to Homeserver. Retrying...": "Неуспешно свързване със сървъра. Опитване отново...",
+ "This room has been replaced and is no longer active.": "Тази стая е била заменена и вече не е активна.",
+ "The conversation continues here.": "Разговора продължава тук.",
+ "Upgrade room to version %(ver)s": "Обновете стаята до версия %(ver)s",
+ "This room is a continuation of another conversation.": "Тази стая е продължение на предишен разговор.",
+ "Click here to see older messages.": "Кликнете тук за да видите предишните съобщения.",
+ "Failed to upgrade room": "Неуспешно обновяване на стаята",
+ "The room upgrade could not be completed": "Обновяването на тази стая не можа да бъде завършено",
+ "Upgrade this room to version %(version)s": "Обновете тази стая до версия %(version)s",
+ "Unable to query for supported registration methods": "Неуспешно запитване за поддържани методи за регистрация",
+ "Forces the current outbound group session in an encrypted room to be discarded": "Принудително прекратява текущата изходяща групова сесия в шифрована стая",
+ "%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|one": "%(senderName)s добави %(addedAddresses)s като адрес за тази стая.",
+ "%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|other": "%(senderName)s добави %(addedAddresses)s като адреси за тази стая.",
+ "%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|one": "%(senderName)s премахна %(removedAddresses)s като адрес за тази стая.",
+ "%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|other": "%(senderName)s премахна %(removedAddresses)s като адреси за тази стая.",
+ "%(senderName)s added %(addedAddresses)s and removed %(removedAddresses)s as addresses for this room.": "%(senderName)s добави %(addedAddresses)s и премахна %(removedAddresses)s като адреси за тази стая.",
+ "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s настрой основния адрес на тази стая на %(address)s.",
+ "%(senderName)s removed the main address for this room.": "%(senderName)s премахна основния адрес на тази стая.",
+ "Before submitting logs, you must create a GitHub issue to describe your problem.": "Преди да изпратите логове, трябва да отворите доклад за проблем в Github .",
+ "What GitHub issue are these logs for?": "За кой Github проблем са тези логове?",
+ "Riot now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "Riot вече използва 3-5 пъти по-малко памет, като зарежда информация за потребители само когато е нужна. Моля, изчакайте докато ресинхронизираме със сървъра!",
+ "Updating Riot": "Обновяване на Riot",
+ "HTML for your community's page \r\n\r\n Use the long description to introduce new members to the community, or distribute\r\n some important links \r\n
\r\n\r\n You can even use 'img' tags\r\n
\r\n": "HTML за страницата на Вашата общност \n\n Използвайте дългото описание за да въведете нови членове в общността,\n или да разпространите важно връзки \n
\n\n Можете дори да използвате 'img' тагове\n
\n",
+ "Submit Debug Logs": "Изпратете логове за диагностика",
+ "An email address is required to register on this homeserver.": "Необходим е имейл адрес за регистрация на този сървър.",
+ "A phone number is required to register on this homeserver.": "Необходим е телефонен номер за регистрация на този сървър.",
+ "You've previously used Riot on %(host)s with lazy loading of members enabled. In this version lazy loading is disabled. As the local cache is not compatible between these two settings, Riot needs to resync your account.": "Преди сте използвали Riot на %(host)s с включено постепенно зареждане на членове. В тази версия, тази настройка е изключена. Понеже локалният кеш не е съвместим при тези две настройки, Riot трябва да синхронизира акаунта Ви наново.",
+ "If the other version of Riot is still open in another tab, please close it as using Riot on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "Ако другата версия на Riot все още е отворена в друг таб, моля затворете я. Използването на Riot на един адрес във версии с постепенно и без постепенно зареждане ще причини проблеми.",
+ "Incompatible local cache": "Несъвместим локален кеш",
+ "Clear cache and resync": "Изчисти кеша и ресинхронизирай"
}
diff --git a/src/i18n/strings/ca.json b/src/i18n/strings/ca.json
index 407b9f61d4..fc084e0d3f 100644
--- a/src/i18n/strings/ca.json
+++ b/src/i18n/strings/ca.json
@@ -130,14 +130,12 @@
"Unable to create widget.": "No s'ha pogut crear el giny.",
"Failed to send request.": "No s'ha pogut enviar la sol·licitud.",
"This room is not recognised.": "No es reconeix aquesta sala.",
- "Power level must be positive integer.": "El nivell de potència ha de ser un enter positiu.",
+ "Power level must be positive integer.": "El nivell de poders ha de ser un enter positiu.",
"You are not in this room.": "No heu entrat a aquesta sala.",
"You do not have permission to do that in this room.": "No teniu el permís per realitzar aquesta acció en aquesta sala.",
"Missing room_id in request": "Falta l'ID de la sala en la vostra sol·licitud",
- "Must be viewing a room": "Hauríeu de veure una sala",
"Room %(roomId)s not visible": "La sala %(roomId)s no és visible",
"Missing user_id in request": "Falta l'ID d'usuari a la vostre sol·licitud",
- "Failed to lookup current room": "No s'ha pogut buscar la sala actual",
"Usage": "Ús",
"/ddg is not a command": "/ddg no és un comandament",
"To use it, just wait for autocomplete results to load and tab through them.": "Per utilitzar-lo, simplement espereu que es completin els resultats automàticament i seleccioneu-ne el desitjat.",
@@ -169,7 +167,7 @@
"%(targetName)s joined the room.": "%(targetName)s ha entrat a la sala.",
"VoIP conference finished.": "S'ha finalitzat la conferència VoIP.",
"%(targetName)s rejected the invitation.": "%(targetName)s ha rebutjat la invitació.",
- "%(targetName)s left the room.": "%(targetName)s ha sortir de la sala.",
+ "%(targetName)s left the room.": "%(targetName)s ha sortit de la sala.",
"%(senderName)s unbanned %(targetName)s.": "%(senderName)s ha readmès a %(targetName)s.",
"%(senderName)s kicked %(targetName)s.": "%(senderName)s ha fet fora a %(targetName)s.",
"%(senderName)s withdrew %(targetName)s's invitation.": "%(senderName)s ha retirat la invitació per a %(targetName)s.",
@@ -193,7 +191,7 @@
"%(senderName)s made future room history visible to unknown (%(visibility)s).": "%(senderName)s ha fet visible l'històric de la sala per a desconeguts (%(visibility)s).",
"%(senderName)s turned on end-to-end encryption (algorithm %(algorithm)s).": "%(senderName)s ha activat l'encriptació d'extrem a extrem (algoritme %(algorithm)s).",
"%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s de %(fromPowerLevel)s fins %(toPowerLevel)s",
- "%(senderName)s changed the power level of %(powerLevelDiffText)s.": "%(senderName)s ha canviat el nivell de potència de %(powerLevelDiffText)s.",
+ "%(senderName)s changed the power level of %(powerLevelDiffText)s.": "%(senderName)s ha canviat el nivell de poders de %(powerLevelDiffText)s.",
"%(senderName)s changed the pinned messages for the room.": "%(senderName)s ha canviat els missatges fixats de la sala.",
"%(widgetName)s widget modified by %(senderName)s": "%(senderName)s ha modificat el giny %(widgetName)s",
"%(widgetName)s widget added by %(senderName)s": "%(senderName)s ha afegit el giny %(widgetName)s",
@@ -211,9 +209,7 @@
"Not a valid Riot keyfile": "El fitxer no és un fitxer de claus de Riot valid",
"Authentication check failed: incorrect password?": "Ha fallat l'autenticació: heu introduït correctament la contrasenya?",
"Failed to join room": "No s'ha pogut entrar a la sala",
- "Message Replies": "Respostes del missatge",
"Message Pinning": "Fixació de missatges",
- "Tag Panel": "Tauler d'etiquetes",
"Disable Emoji suggestions while typing": "Desactiva els suggeriments d'Emoji mentre s'escriu",
"Use compact timeline layout": "Utilitza el disseny compacte de la línia de temps",
"Hide join/leave messages (invites/kicks/bans unaffected)": "Amaga els missatges d'entrada i sortida (no afecta a les invitacions, expulsions o prohibicions)",
@@ -305,7 +301,7 @@
"Failed to ban user": "No s'ha pogut expulsar l'usuari",
"Failed to mute user": "No s'ha pogut silenciar l'usuari",
"Failed to toggle moderator status": "No s'ha pogut canviar l'estat del moderador",
- "Failed to change power level": "No s'ha pogut canviar el nivell de potència",
+ "Failed to change power level": "No s'ha pogut canviar el nivell de poders",
"You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "No podreu desfer aquest canvi ja que estareu baixant de grau de privilegis. Només un altre usuari amb més privilegis podrà fer que els recupereu.",
"Are you sure?": "Esteu segur?",
"You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "No podreu desfer aquesta acció ja que esteu donant al usuari el mateix nivell de privilegi que el vostre.",
@@ -405,7 +401,7 @@
"Press to start a chat with someone": "Prem per a començar un xat amb algú",
"You may wish to login with a different account, or add this email to this account.": "És possible que vulgueu iniciar la sessió amb un altre compte o bé afegir aquest correu electrònic a aquest compte.",
"You have been invited to join this room by %(inviterName)s": "Heu sigut convidat a aquesta sala per %(inviterName)s",
- "Would you like to accept or decline this invitation?": "Voleu accept o bé declineText>decline aquesta invitació?",
+ "Would you like to accept or decline this invitation?": "Voleu accept o bé decline aquesta invitació?",
"Reason: %(reasonText)s": "Raó: %(reasonText)s",
"Rejoin": "Trona a entrar",
"You have been kicked from %(roomName)s by %(userName)s.": "%(userName)s us ha fet fora de la sala %(roomName)s.",
@@ -579,7 +575,6 @@
"%(nameList)s %(transitionList)s": "%(transitionList)s%(nameList)s",
"%(severalUsers)sjoined %(count)s times|one": "%(severalUsers)s han entrat",
"Guest access is disabled on this Home Server.": "L'accés a usuaris d'altres xarxes no està permès en aquest servidor.",
- "Login as guest": "Inicia sessió com a convidat",
"Unblacklist": "Treure de la llista negre",
"%(oneUser)sjoined %(count)s times|one": "%(oneUser)s s'ha unit",
"%(severalUsers)sleft %(count)s times|one": "%(severalUsers)s han sortit",
@@ -659,7 +654,7 @@
"%(severalUsers)sleft %(count)s times|other": "%(severalUsers)s han sortit %(count)s vegades",
"%(oneUser)sleft %(count)s times|other": "%(oneUser)s ha sortit %(count)s vegades",
"Community IDs may only contain characters a-z, 0-9, or '=_-./'": "Les ID de les comunitats només poden contendre caràcters a-z, 0-9, o '=_-./'",
- "Community IDs cannot not be empty.": "Les ID de les comunitats no poden estar buides.",
+ "Community IDs cannot be empty.": "Les ID de les comunitats no poden estar buides.",
"Something went wrong whilst creating your community": "S'ha produït un error al crear la vostra comunitat",
"Create Community": "Crea una comunitat",
"Community Name": "Nom de la comunitat",
@@ -772,8 +767,6 @@
"Error whilst fetching joined communities": "S'ha produït un error en buscar comunitats unides",
"Create a new community": "Crea una nova comunitat",
"Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.": "Crea una comunitat per agrupar usuaris i sales! Creeu una pàgina d'inici personalitzada per definir el vostre espai a l'univers Matrix.",
- "Join an existing community": "Uneix-te a una comunitat existent",
- "To join an existing community you'll have to know its community identifier; this will look something like +example:matrix.org .": "Per unir-se a una comunitat existent, haureu de conèixer l'identificador de la comunitat; això es veurà com +exemple:matrix.org .",
"You have no visible notifications": "No teniu cap notificació visible",
"Scroll to bottom of page": "Desplaça't fins a la part inferior de la pàgina",
"Message not sent due to unknown devices being present": "El missatge no s'ha enviat perquè hi ha dispositius desconeguts presents",
@@ -1004,7 +997,6 @@
"Unable to fetch notification target list": "No s'ha pogut obtenir la llista d'objectius de les notificacions",
"Set Password": "Establiu una contrasenya",
"Enable audible notifications in web client": "Habilita les notificacions d'àudio al client web",
- "Permalink": "Enllaç permanent",
"Off": "Apagat",
"Riot does not know how to join a room on this network": "El Riot no sap com unir-se a una sala en aquesta xarxa",
"Mentions only": "Només mencions",
diff --git a/src/i18n/strings/cs.json b/src/i18n/strings/cs.json
index 33c7a3d5f1..04c22afcf0 100644
--- a/src/i18n/strings/cs.json
+++ b/src/i18n/strings/cs.json
@@ -239,7 +239,6 @@
"Level:": "Úroveň:",
"Local addresses for this room:": "Místní adresy této místnosti:",
"Logged in as:": "Přihlášen/a jako:",
- "Login as guest": "Přihlášen/a jako host",
"matrix-react-sdk version:": "Verze matrix-react-sdk:",
"Mobile phone number": "Číslo mobilního telefonu",
"Mobile phone number (optional)": "Číslo mobilního telefonu (nepovinné)",
@@ -633,9 +632,7 @@
"Show these rooms to non-members on the community page and room list?": "Zobrazovat tyto místnosti na domovské stránce skupiny a v seznamu místností i pro nečleny?",
"Restricted": "Omezené",
"Missing room_id in request": "V zadání chybí room_id",
- "Must be viewing a room": "Musí být zobrazena místnost",
"Missing user_id in request": "V zadání chybí user_id",
- "Failed to lookup current room": "Nepodařilo se vyhledat aktuální místnost",
"(could not connect media)": "(média se nepodařilo spojit)",
"%(senderName)s placed a %(callType)s call.": "%(senderName)s uskutečnil %(callType)s hovor.",
"%(senderName)s made future room history visible to unknown (%(visibility)s).": "%(senderName)s zpřístupnil budoucí historii místnosti neznámým (%(visibility)s).",
@@ -860,8 +857,6 @@
"Error whilst fetching joined communities": "Při získávání vašich skupin se vyskytla chyba",
"Create a new community": "Vytvořit novou skupinu",
"Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.": "Vytvořte skupinu s cílem seskupit uživatele a místnosti! Vytvořte si vlastní domovskou stránku a vymezte tak váš prostor ve světe Matrix.",
- "Join an existing community": "Vstoupit do existující skupiny",
- "To join an existing community you'll have to know its community identifier; this will look something like +example:matrix.org .": "Aby jste mohli vstoupit do existující skupiny, musíte znát její identifikátor; Měl by vypadat asi takto +priklad:matrix.org .",
"You have no visible notifications": "Nejsou dostupná žádná oznámení",
"Connectivity to the server has been lost.": "Spojení se serverem bylo přerušené.",
"Sent messages will be stored until your connection has returned.": "Odeslané zprávy zůstanou uložené, dokud se spojení znovu neobnoví.",
@@ -919,7 +914,6 @@
"Claimed Ed25519 fingerprint key": "Údajný klíč s otiskem prstu Ed25519",
"This process allows you to import encryption keys that you had previously exported from another Matrix client. You will then be able to decrypt any messages that the other client could decrypt.": "Tento proces vás provede importem šifrovacích klíčů, které jste si stáhli z jiného Matrix klienta. Po úspěšném naimportování budete v tomto klientovi moci dešifrovat všechny zprávy, které jste mohli dešifrovat v původním klientovi.",
"The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Stažený soubor je chráněn heslem. Soubor můžete naimportovat pouze pokud zadáte odpovídající heslo.",
- "Tag Panel": "Připnout panel",
"Call Failed": "Hovor selhal",
"There are unknown devices in this room: if you proceed without verifying them, it will be possible for someone to eavesdrop on your call.": "V této místnosti jsou neznámá zařízení: Pokud budete pokračovat bez jejich ověření, někdo může Váš hovor odposlouchávat.",
"Review Devices": "Ověřit zařízení",
@@ -1062,7 +1056,6 @@
"Set Password": "Nastavit heslo",
"An error occurred whilst saving your email notification preferences.": "Při ukládání nastavení e-mailových upozornění nastala chyba.",
"Enable audible notifications in web client": "Povolit zvuková upozornění ve webové aplikaci",
- "Permalink": "Trvalý odkaz",
"Off": "Vypnout",
"#example": "#příklad",
"Mentions only": "Pouze zmínky",
@@ -1083,5 +1076,175 @@
"Collapse panel": "Sbalit panel",
"With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "Vzhled a chování aplikace může být ve vašem aktuální prohlížeči nesprávné a některé nebo všechny funkce mohou být chybné. Chcete-li i přes to pokračovat, nebudeme vám bránit, ale se všemi problémy, na které narazíte, si musíte poradit sami!",
"Checking for an update...": "Kontrola aktualizací...",
- "There are advanced notifications which are not shown here": "Jsou k dispozici pokročilá upozornění, která zde nejsou zobrazena"
+ "There are advanced notifications which are not shown here": "Jsou k dispozici pokročilá upozornění, která zde nejsou zobrazena",
+ "The platform you're on": "Platforma na které jsi",
+ "The version of Riot.im": "Verze Riot.im",
+ "Whether or not you're logged in (we don't record your user name)": "Jestli jsi, nebo nejsi přihlášen (tvou přezdívku neukládáme)",
+ "Your language of choice": "Tvá jazyková volba",
+ "Which officially provided instance you are using, if any": "Přes kterou oficiální podporovanou instanci Riot.im jste pripojeni (jestli nehostujete Riot sami)",
+ "Whether or not you're using the Richtext mode of the Rich Text Editor": "Jestli při psaní zpráv používáte rozbalenou lištu formátování textu",
+ "Your homeserver's URL": "URL vámi používaného domovského serveru",
+ "Your identity server's URL": "URL Vámi používaného serveru totožností",
+ "e.g. %(exampleValue)s": "např. %(exampleValue)s",
+ "Every page you use in the app": "Každou stránku v aplikaci, kterou navštívíte",
+ "e.g. ": "např. ",
+ "Your User Agent": "Řetězec User Agent Vašeho zařízení",
+ "Your device resolution": "Rozlišení obrazovky Vašeho zařízení",
+ "The information being sent to us to help make Riot.im better includes:": "S cílem vylepšovat aplikaci Riot.im shromažďujeme následující údaje:",
+ "Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "V případě, že se na stránce vyskytují identifikační údaje, jako například název místnosti, ID uživatele, místnosti a nebo skupiny, jsou tyto údaje před odesláním na server odstraněny.",
+ "A conference call could not be started because the intgrations server is not available": "Není možné uskutečnit konferenční hovor, integrační server není k dispozici",
+ "Call in Progress": "Probíhající hovor",
+ "A call is currently being placed!": "Právě probíhá jiný hovor!",
+ "A call is already in progress!": "Jeden hovor už probíhá!",
+ "Permission Required": "Vyžaduje oprávnění",
+ "You do not have permission to start a conference call in this room": "Nemáte oprávnění v této místnosti začít konferenční hovor",
+ "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s",
+ "Missing roomId.": "Chybějící ID místnosti.",
+ "Opens the Developer Tools dialog": "Otevře dialog nástrojů pro vývojáře",
+ "%(oldDisplayName)s changed their display name to %(displayName)s.": "%(oldDisplayName)s si změnil zobrazované jméno na %(displayName)s.",
+ "Always show encryption icons": "Vždy zobrazovat ikony stavu šifrovaní",
+ "Disable Community Filter Panel": "Zakázat panel Filtr komunity",
+ "Send analytics data": "Odesílat analytická data",
+ "Enable widget screenshots on supported widgets": "Povolit screenshot widgetu pro podporované widgety",
+ "Show empty room list headings": "Zobrazovat nadpisy prázdných seznamů místností",
+ "This event could not be displayed": "Tato událost nemohla být zobrazena",
+ "Your key share request has been sent - please check your other devices for key share requests.": "Žádost o sdílení klíče byla odeslána - prosím zkontrolujte si Vaše ostatí zařízení.",
+ "Key share requests are sent to your other devices automatically. If you rejected or dismissed the key share request on your other devices, click here to request the keys for this session again.": "Žádost o sdílení klíčů je automaticky odesílaná na Vaše ostatní zařízení. Jestli jste žádost odmítly nebo zrušili dialogové okno se žádostí na ostatních zařízeních, kliknutím sem ji můžete opakovaně pro tuto relaci vyžádat.",
+ "If your other devices do not have the key for this message you will not be able to decrypt them.": "Pokud Vaše ostatní zařízení nemají klíč pro tyto zprávy, nebudete je moci dešifrovat.",
+ "Key request sent.": "Žádost o klíč poslána.",
+ "Re-request encryption keys from your other devices.": "Znovu vyžádat šifrovací klíče z vašich ostatních zařízení.",
+ "Encrypting": "Šifruje",
+ "Encrypted, not sent": "Zašifrováno, ale neodesláno",
+ "Demote yourself?": "Snížit Vaši vlastní hodnost?",
+ "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Tuto změnu nebudete moci vzít zpět, protože snižujete svoji vlastní hodnost, jste-li poslední privilegovaný uživatel v místnosti, bude nemožné vaši současnou hodnost získat zpět.",
+ "Demote": "Degradovat",
+ "Share Link to User": "Sdílet odkaz na uživatele",
+ "deleted": "smazáno",
+ "underlined": "podtrženo",
+ "inline-code": "vnořený kód",
+ "block-quote": "citace",
+ "bulleted-list": "seznam s odrážkami",
+ "numbered-list": "číselný seznam",
+ "At this time it is not possible to reply with a file so this will be sent without being a reply.": "V současné době nejde odpovědět se souborem, proto toto bude odesláno jako by to odpověď nebyla.",
+ "Send an encrypted reply…": "Odeslat šifrovanou odpověď …",
+ "Send a reply (unencrypted)…": "Odeslat odpověď (nešifrovaně) …",
+ "Send an encrypted message…": "Odeslat šifrovanou zprávu …",
+ "Send a message (unencrypted)…": "Odeslat zprávu (nešifrovaně) …",
+ "Unable to reply": "Není možné odpovědět",
+ "At this time it is not possible to reply with an emote.": "V odpovědi zatím nejde vyjádřit pocit.",
+ "Seen by %(displayName)s (%(userName)s) at %(dateTime)s": "%(displayName)s (%(userName)s) viděl %(dateTime)s",
+ "Replying": "Odpovídá",
+ "Share room": "Sdílet místnost",
+ "You have no historical rooms": "Nemáte žádné historické místnosti",
+ "System Alerts": "Systémová varování",
+ "To notify everyone in the room, you must be a": "Abyste mohli upozornit všechny v místnosti, musíte být",
+ "%(user)s is a %(userRole)s": "%(user)s je %(userRole)s",
+ "Muted Users": "Umlčení uživatelé",
+ "Internal room ID: ": "Vnitřní ID mistnosti: ",
+ "Room version number: ": "Číslo verze místnosti: ",
+ "There is a known vulnerability affecting this room.": "Pro tuto místnost existuje známa zranitelnost.",
+ "This room version is vulnerable to malicious modification of room state.": "Tato verze místnosti je zranitelná zlomyslnou modifikací stavu místnosti.",
+ "Click here to upgrade to the latest room version and ensure room integrity is protected.": "Pro zaručení integrity místnosti klikněte sem a upgradeujte místnost na nejnovější verzi.",
+ "Only room administrators will see this warning": "Jen administrátoři místnosti uvidí toto varování",
+ "You don't currently have any stickerpacks enabled": "Momentálně nemáte aktívní žádné balíčky s nálepkami",
+ "Add a stickerpack": "Přidat balíček s nálepkami",
+ "Stickerpack": "Balíček s nálepkami",
+ "Hide Stickers": "Skrýt nálepky",
+ "Show Stickers": "Zobrazit nálepky",
+ "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "V šifrovaných místnostech, jako je tato, jsou URL náhledy ve výchozím nastavení zakázané, aby bylo možné zajistit, že váš domácí server nemůže shromažďovat informace o odkazech, které v této místnosti vidíte.",
+ "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Když někdo ve zprávě pošle URL adresu, může být zobrazen její náhled obsahující informace jako titulek, popis a obrázek z cílové stránky.",
+ "Code": "Kód",
+ "The email field must not be blank.": "E-mail nemůže být prázdný.",
+ "The user name field must not be blank.": "Uživatelské jméno nemůže být prázdné.",
+ "The phone number field must not be blank.": "Telefonní číslo nemůže být prázdné.",
+ "The password field must not be blank.": "Heslo nemůže být prázdné.",
+ "Please help improve Riot.im by sending anonymous usage data . This will use a cookie (please see our Cookie Policy ).": "Prosím pomozte nám vylepšovat Riot.im odesíláním anonymních údajů o používaní . Na tento účel použijeme cookie (přečtěte si jak cookies používáme ).",
+ "Please help improve Riot.im by sending anonymous usage data . This will use a cookie.": "Prosím pomozte nám vylepšovat Riot.im odesíláním anonymních údajů o používaní . Na tento účel použijeme cookie.",
+ "Yes, I want to help!": "Ano, chci pomoci!",
+ "Please contact your service administrator to continue using the service.": "Please contact your service administrator to continue using the service.\nProsím kontaktujte Vašeho administratora aby jste mohli pokračovat v používání Vašeho zařízení.",
+ "This homeserver has hit its Monthly Active User limit.": "Tento domovský server dosáhl svého měsíčního limitu pro aktivní uživatele.",
+ "This homeserver has exceeded one of its resource limits.": "Tento domovský server překročil některý z limitů.",
+ "Please contact your service administrator to get this limit increased.": "Prosím kontaktujte Vašeho administrátora pro zvýšení tohoto limitu.",
+ "This homeserver has hit its Monthly Active User limit so some users will not be able to log in .": "Tento domovský server dosáhl svého měsíčního limitu pro aktivní uživatele, proto se někteří uživatelé nebudou moci přihlásit .",
+ "This homeserver has exceeded one of its resource limits so some users will not be able to log in .": "Tento domovský server překročil některý z limitů, proto se někteří uživatelé nebudou moci přihlásit .",
+ "Warning: This widget might use cookies.": "Varování: tento widget může používat cookies.",
+ "Failed to remove widget": "Nepovedlo se odstranit widget",
+ "An error ocurred whilst trying to remove the widget from the room": "Při odstraňování widgetu z místnosti nastala chyba",
+ "Minimize apps": "Minimalizovat aplikace",
+ "Reload widget": "Obnovit widget",
+ "Popout widget": "Otevřít widget v novém okně",
+ "Picture": "Fotografie",
+ "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Není možné načíst událost, na kterou se odpovídalo. Buď neexistuje, nebo nemáte oprávnění ji zobrazit.",
+ "In reply to ": "V odpovědi na ",
+ "Preparing to send logs": "Příprava na odeslání záznamů",
+ "Logs sent": "Záznamy odeslány",
+ "Failed to send logs: ": "Nepodařilo se odeslat záznamy: ",
+ "Submit debug logs": "Odeslat ladící záznamy",
+ "Debug logs contain application usage data including your username, the IDs or aliases of the rooms or groups you have visited and the usernames of other users. They do not contain messages.": "Ladící záznamy obsahují data o používání aplikace včetně Vašeho uživatelského jména, ID nebo aliasy navštívených místností a skupin a uživatelská jména jiných uživatelů. Neobsahují zprávy.",
+ "Riot bugs are tracked on GitHub: create a GitHub issue .": "Bugy Riotu jsou na Githubu: vytvořit bug na Githubu .",
+ "GitHub issue link:": "Odkaz na hlášení na GitHubu:",
+ "Notes:": "Poznámky:",
+ "Community IDs cannot be empty.": "ID komunity nemůže být prázdné.",
+ "Failed to indicate account erasure": "Nepovedlo se potvrdit výmaz účtu",
+ "This will make your account permanently unusable. You will not be able to log in, and no one will be able to re-register the same user ID. This will cause your account to leave all rooms it is participating in, and it will remove your account details from your identity server. This action is irreversible. ": "Toto učiní účet permanentně nepoužitelný. Nebudete se moci přihlásit a nikdo se nebude moci se stejným uživatelskym ID znovu zaregistrovat. Účet bude odstraněn ze všech místnosti a bude vymazán ze servru identity.Tato akce je nevratná. ",
+ "Deactivating your account does not by default cause us to forget messages you have sent. If you would like us to forget your messages, please tick the box below.": "Deaktivace účtu automaticky nesmaže zprávy, které jste poslali. Chcete-li je smazat, zaškrtněte prosím odpovídající pole níže.",
+ "Message visibility in Matrix is similar to email. Our forgetting your messages means that messages you have sent will not be shared with any new or unregistered users, but registered users who already have access to these messages will still have access to their copy.": "Viditelnost zpráv v Matrixu je podobná e-mailu. Výmaz Vašich zpráv znamené, že už nebudou sdíleny s žádným novým nebo neregistrovaným uživatelem, ale registrovaní uživatelé, kteří už přístup ke zprávám mají, budou stále mít přístup k jejich kopii.",
+ "Please forget all messages I have sent when my account is deactivated (Warning: this will cause future users to see an incomplete view of conversations)": "S deaktivací účtu si přeji smazat všechny mnou odeslané zprávy (Pozor: způsobí, že noví uživatelé uvidí nekompletní konverzace)",
+ "To continue, please enter your password:": "Pro pokračování, zadejte Vaše heslo:",
+ "password": "heslo",
+ "Upgrade Room Version": "Upgradeovat verzi místnosti",
+ "Upgrading this room requires closing down the current instance of the room and creating a new room it its place. To give room members the best possible experience, we will:": "Upgradování této místnosti vyžaduje uzavření současné instance místnosti a vytvoření místností nové. Pro co možná nejhladší průběh:",
+ "Create a new room with the same name, description and avatar": "Vytvoříme místnost se stejným jménem, popisem a avatarem",
+ "Update any local room aliases to point to the new room": "Aktualizujeme všechny lokální aliasy místnosti tak, aby ukazovaly na novou místnost",
+ "Stop users from speaking in the old version of the room, and post a message advising users to move to the new room": "Přerušíme konverzace ve staré verzi místnosti a pošleme uživatelům zprávu o přechodu do nové mistnosti",
+ "Put a link back to the old room at the start of the new room so people can see old messages": "Na začátek nové místnosti umístíme odkaz na starou místnost tak, aby uživatelé mohli vidět staré zprávy",
+ "Log out and remove encryption keys?": "Odhlásit se a odstranit šifrovací klíče?",
+ "Clear Storage and Sign Out": "Vymazat uložiště a odhlásit se",
+ "Send Logs": "Odeslat záznamy",
+ "Refresh": "Obnovit",
+ "We encountered an error trying to restore your previous session.": "V průběhu obnovování Vaší minulé relace nastala chyba.",
+ "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Vymazání uložiště prohlížeče možna opraví Váš problem, zároveň se tím ale odhlásíte a historie Vašich šifrovaných konverzací se pro Vás může stát nečitelnou.",
+ "Share Room": "Sdílet místnost",
+ "Link to most recent message": "Odkaz na nejnovější zprávu",
+ "Share User": "Sdílet uživatele",
+ "Share Community": "Sdílet komunitu",
+ "Share Room Message": "Sdílet zprávu z místnosti",
+ "Link to selected message": "Odkaz na vybranou zprávu",
+ "COPY": "Kopírovat",
+ "Share Message": "Sdílet zprávu",
+ "Collapse Reply Thread": "Sbalit vlákno odpovědi",
+ "Unable to join community": "Není možné vstoupit do komunity",
+ "Unable to leave community": "Není možné opustit komunitu",
+ "Changes made to your community name and avatar might not be seen by other users for up to 30 minutes.": "Změny ve Vaší komunitě název a avatar možná nebudou viditelné pro ostatní uživatele po dobu až 30 minut.",
+ "Join this community": "Vstoupit do komunity",
+ "Leave this community": "Opustit komunitu",
+ "Who can join this community?": "Kdo může vstoupit do této komunity?",
+ "Everyone": "Všichni",
+ "This room is not public. You will not be able to rejoin without an invite.": "Tato místnost není veřejná. Bez pozvánky nebudete moci znovu vstoupit.",
+ "Can't leave Server Notices room": "Z místnosti \"Server Notices\" nejde odejit",
+ "This room is used for important messages from the Homeserver, so you cannot leave it.": "Tato místnost je určena pro důležité zprávy od domácího servru, a proto z ní nemůžete odejít.",
+ "Terms and Conditions": "Smluvní podmínky",
+ "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Chcete-li nadále používat domovský server %(homeserverDomain)s, měli byste si přečíst a odsouhlasit naše smluvní podmínky.",
+ "Review terms and conditions": "Přečíst smluvní podmínky",
+ "Did you know: you can use communities to filter your Riot.im experience!": "Věděli jste, že: práci s Riot.im si můžete zpříjemnit s použitím komunit!",
+ "To set up a filter, drag a community avatar over to the filter panel on the far left hand side of the screen. You can click on an avatar in the filter panel at any time to see only the rooms and people associated with that community.": "Pro nastavení filtru, přetáhněte obrázek komunity na pantel foltrování na leve straně obrazovky. Potom můžete kdykoliv kliknout na obrazek komunity na tomto panelu a Riot.im Vám bude zobrazovat jen místnosti a lidi z dané komunity.",
+ "Show devices , send anyway or cancel .": "Zobrazit zařízení , i tak odeslat a nebo zrušit .",
+ "You can't send any messages until you review and agree to our terms and conditions .": "Dokud si nepřečtete a neodsouhlasíte naše smluvní podmínky , nebudete moci posílat žádné zprávy.",
+ "Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please contact your service administrator to continue using the service.": "Vaše zpráva nebyla odeslána, protože tento domácí server dosáhl svého měsíčního limitu pro aktivní uživatele. Prosím kontaktujte Vašeho administratora pro další využívání služby.",
+ "Your message wasn't sent because this homeserver has exceeded a resource limit. Please contact your service administrator to continue using the service.": "Vaše zpráva nebyla odeslána, protože tento domácí server dosáhl limitu. Prosím kontaktujte Vašeho administratora pro další využívání služby.",
+ "%(count)s of your messages have not been sent.|one": "Vaše zpráva nebyla odeslána.",
+ "%(count)s Resend all or cancel all now. You can also select individual messages to resend or cancel.|other": "Znovu poslat všechny nebo zrušit všechny . Můžete též vybrat jednotlivé zprávy pro znovu odeslání nebo zrušení.",
+ "%(count)s Resend all or cancel all now. You can also select individual messages to resend or cancel.|one": "Znovu poslat zprávu nebo zrušit zprávu .",
+ "Clear filter": "Zrušit filtr",
+ "Debug Logs Submission": "Odeslání ladících záznamů",
+ "If you've submitted a bug via GitHub, debug logs can help us track down the problem. Debug logs contain application usage data including your username, the IDs or aliases of the rooms or groups you have visited and the usernames of other users. They do not contain messages.": "Jestli jste odeslali hlášení o chybě na GitHub, ladící záznamy nám pomohou problém najít. Ladicí záznamy obsahuji data o používání aplikate, která obsahují uživatelské jmeno, ID nebo aliasy navštívených místnosti a uživatelská jména dalších uživatelů. Neobsahují zprávy.",
+ "Privacy is important to us, so we don't collect any personal or identifiable data for our analytics.": "Soukromí je pro nás důležité a proto neshromažďujeme osobní udaje ani udaje na zakladě, kterých by Vás bylo možne identifikovat.",
+ "Learn more about how we use analytics.": "Dozvědět se více o tom, jak zpracováváme analytické údaje.",
+ "No Audio Outputs detected": "Nebyly rozpoznány žádné zvukové výstupy",
+ "Audio Output": "Zvukový výstup",
+ "Please contact your service administrator to continue using this service.": "Pro pokračování využívání této služby prosím kontaktujte Vašeho administrátora .",
+ "Try the app first": "Zkuste aplikaci",
+ "Increase performance by only loading room members on first view": "Zvýšit výkon nahráváním členů místnosti jen poprvé",
+ "Lazy loading members not supported": "Líné nahrávání členů není podporováno",
+ "Lazy loading is not supported by your current homeserver.": "Líné nahrávání není podporováno současným domácím serverem."
}
diff --git a/src/i18n/strings/da.json b/src/i18n/strings/da.json
index 2a59530d5a..e90de5edfc 100644
--- a/src/i18n/strings/da.json
+++ b/src/i18n/strings/da.json
@@ -39,7 +39,6 @@
"Searches DuckDuckGo for results": "Søger DuckDuckGo for resultater",
"Commands": "kommandoer",
"Emoji": "Emoji",
- "Login as guest": "Log ind som gæst",
"Sign in": "Log ind",
"Warning!": "Advarsel!",
"Account": "Konto",
@@ -194,10 +193,8 @@
"You are not in this room.": "Du er ikke i dette rum.",
"You do not have permission to do that in this room.": "Du har ikke tilladelse til at gøre dét i dette rum.",
"Missing room_id in request": "Mangler room_id i forespørgsel",
- "Must be viewing a room": "Du skal være i gang med at se på rummet",
"Room %(roomId)s not visible": "rum %(roomId)s ikke synligt",
"Missing user_id in request": "Manglende user_id i forespørgsel",
- "Failed to lookup current room": "Kunne ikke slå nuværende rum op",
"Usage": "Brug",
"/ddg is not a command": "/ddg er ikke en kommando",
"To use it, just wait for autocomplete results to load and tab through them.": "For at bruge det skal du bare vente på autocomplete resultaterne indlæser og tab'e igennem dem.",
@@ -371,7 +368,6 @@
"Unable to fetch notification target list": "Kan ikke hente meddelelsesmålliste",
"Set Password": "Indstil Password",
"Enable audible notifications in web client": "Aktivér hørbare underretninger i webklienten",
- "Permalink": "Permanent link",
"Resend": "Send igen",
"Riot does not know how to join a room on this network": "Riot ved ikke, hvordan man kan deltage i et rum på dette netværk",
"Mentions only": "Kun nævninger",
diff --git a/src/i18n/strings/de_DE.json b/src/i18n/strings/de_DE.json
index 4892b91b48..b183c8bfcd 100644
--- a/src/i18n/strings/de_DE.json
+++ b/src/i18n/strings/de_DE.json
@@ -40,7 +40,6 @@
"Searches DuckDuckGo for results": "Verwendet DuckDuckGo für Suchergebnisse",
"Commands": "Kommandos",
"Emoji": "Emoji",
- "Login as guest": "Als Gast anmelden",
"Sign in": "Anmelden",
"Warning!": "Warnung!",
"Error": "Fehler",
@@ -126,7 +125,7 @@
"Return to login screen": "Zur Anmeldemaske zurückkehren",
"Room Colour": "Raumfarbe",
"Room name (optional)": "Raumname (optional)",
- "Scroll to unread messages": "Zu den ungelesenen Nachrichten scrollen",
+ "Scroll to unread messages": "Zu den ungelesenen Nachrichten springen",
"Send Invites": "Einladungen senden",
"Send Reset Email": "E-Mail zum Zurücksetzen senden",
"Server may be unavailable or overloaded": "Server ist eventuell nicht verfügbar oder überlastet",
@@ -250,7 +249,6 @@
"%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s hat das Thema geändert in \"%(topic)s\".",
"/ddg is not a command": "/ddg ist kein Kommando",
"%(senderName)s ended the call.": "%(senderName)s hat den Anruf beendet.",
- "Failed to lookup current room": "Fehler beim Nachschlagen des Raums",
"Failed to send request.": "Anfrage konnte nicht gesendet werden.",
"%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s von %(fromPowerLevel)s zu %(toPowerLevel)s",
"%(senderName)s invited %(targetName)s.": "%(senderName)s hat %(targetName)s eingeladen.",
@@ -262,10 +260,9 @@
"%(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 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).",
+ "%(senderName)s made future room history visible to unknown (%(visibility)s).": "%(senderName)s hat den zukünftigen Chatverlauf für Unbekannte sichtbar gemacht (%(visibility)s).",
"Missing room_id in request": "Fehlende room_id in Anfrage",
"Missing user_id in request": "Fehlende user_id in Anfrage",
- "Must be viewing a room": "Muss einen Raum ansehen",
"(not supported by this browser)": "(wird von diesem Browser nicht unterstützt)",
"%(senderName)s placed a %(callType)s call.": "%(senderName)s startete einen %(callType)s-Anruf.",
"Power level must be positive integer.": "Berechtigungslevel muss eine positive ganze Zahl sein.",
@@ -445,7 +442,7 @@
"You can also set a custom identity server but this will typically prevent interaction with users based on email address.": "Du kannst auch einen angepassten Idantitätsserver angeben aber dies wird typischerweise Interaktionen mit anderen Nutzern auf Basis der E-Mail-Adresse verhindern.",
"Please check your email to continue registration.": "Bitte prüfe deine E-Mails, um mit der Registrierung fortzufahren.",
"Token incorrect": "Token fehlerhaft",
- "Please enter the code it contains:": "Bitte gebe den Code ein, den sie enthält:",
+ "Please enter the code it contains:": "Bitte gib den darin enthaltenen Code ein:",
"powered by Matrix": "betrieben mit Matrix",
"If you don't specify an email address, you won't be able to reset your password. Are you sure?": "Wenn du keine E-Mail-Adresse angibst, wirst du nicht in der Lage sein, dein Passwort zurückzusetzen. Bist du sicher?",
"You are registering with %(SelectedTeamName)s": "Du registrierst dich mit %(SelectedTeamName)s",
@@ -751,7 +748,7 @@
"No rooms to show": "Keine anzeigbaren Räume",
"Community Settings": "Community-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",
+ "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?",
@@ -785,8 +782,6 @@
"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",
- "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 +example:matrix.org .": "Um einer bereits bestehenden Community beitreten zu können, musst dir deren Community-ID bekannt sein. Diese sieht z. B. aus wie +example:matrix.org .",
"Your Communities": "Deine Communities",
"You're not currently a member of any communities.": "Du gehörst aktuell keiner Community an.",
"Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.": "Erstelle eine Community, um Benutzer und Räume miteinander zu verbinden! Erstelle zusätzlich eine eigene Homepage, um deinen individuellen Bereich im Matrix-Universum zu gestalten.",
@@ -844,7 +839,7 @@
"%(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",
+ "%(names)s and %(count)s others are typing|one": "%(names)s und noch jemand schreiben",
"Disinvite this user?": "Einladung für diesen Benutzer zurückziehen?",
"Kick this user?": "Diesen Benutzer kicken?",
"Unban this user?": "Verbannung für diesen Benutzer aufheben?",
@@ -920,7 +915,7 @@
"Display your community flair in rooms configured to show it.": "Zeige deinen Community-Flair in den Räumen, die es erlauben.",
"This homeserver doesn't offer any login flows which are supported by this client.": "Dieser Heimserver verfügt über keinen, von diesem Client unterstütztes Anmeldeverfahren.",
"Call Failed": "Anruf fehlgeschlagen",
- "There are unknown devices in this room: if you proceed without verifying them, it will be possible for someone to eavesdrop on your call.": "In diesem Raum befinden sich nicht verifizierte Geräte. Wenn du ohne sie zu verifizieren fortfährst, könnten Angreifer den Anruf mithören.",
+ "There are unknown devices in this room: if you proceed without verifying them, it will be possible for someone to eavesdrop on your call.": "In diesem Raum befinden sich nicht-verifizierte Geräte. Wenn du fortfährst ohne sie zu verifizieren, könnten Angreifer den Anruf mithören.",
"Review Devices": "Geräte ansehen",
"Call Anyway": "Trotzdem anrufen",
"Answer Anyway": "Trotzdem annehmen",
@@ -934,13 +929,13 @@
"Warning": "Warnung",
"Data from an older version of Riot has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Es wurden Daten von einer älteren Version von Riot entdeckt. Dies wird zu Fehlern in der Ende-zu-Ende-Verschlüsselung der älteren Version geführt haben. Ende-zu-Ende verschlüsselte Nachrichten, die ausgetauscht wruden, während die ältere Version genutzt wurde, werden in dieser Version nicht entschlüsselbar sein. Es kann auch zu Fehlern mit Nachrichten führen, die mit dieser Version versendet werden. Wenn du Probleme feststellst, melde dich ab und wieder an. Um die Historie zu behalten, ex- und reimportiere deine Schlüssel.",
"Send an encrypted reply…": "Verschlüsselte Antwort senden…",
- "Send a reply (unencrypted)…": "Antwort senden (unverschlüsselt)…",
+ "Send a reply (unencrypted)…": "Unverschlüsselte Antwort senden…",
"Send an encrypted message…": "Verschlüsselte Nachricht senden…",
- "Send a message (unencrypted)…": "Nachricht senden (unverschlüsselt)…",
+ "Send a message (unencrypted)…": "Unverschlüsselte Nachricht senden…",
"Replying": "Antwortet",
"Minimize apps": "Apps minimieren",
"%(count)s of your messages have not been sent.|one": "Deine Nachricht wurde nicht gesendet.",
- "%(count)s Resend all or cancel all now. You can also select individual messages to resend or cancel.|other": "Jetzt alle erneut senden oder alle abbrechen . Du kannst auch einzelne Nachrichten auswählen und erneut senden oder abbrechen.",
+ "%(count)s Resend all or cancel all now. You can also select individual messages to resend or cancel.|other": "Alle erneut senden oder alle abbrechen . Du kannst auch einzelne Nachrichten erneut senden oder abbrechen.",
"%(count)s Resend all or cancel all now. You can also select individual messages to resend or cancel.|one": "Nachricht jetzt erneut senden oder senden abbrechen now.",
"Privacy is important to us, so we don't collect any personal or identifiable data for our analytics.": "Privatsphäre ist uns wichtig, deshalb sammeln wir keine persönlichen oder identifizierbaren Daten für unsere Analysen.",
"The information being sent to us to help make Riot.im better includes:": "Die Informationen, die an uns gesendet werden um Riot.im zu verbessern enthalten:",
@@ -951,16 +946,14 @@
"Your homeserver's URL": "Die URL deines Homeservers",
"Your identity server's URL": "Die URL deines Identitätsservers",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s",
- "Tag Panel": "Beschriftungsfeld",
- "Message Replies": "Antworten auf Nachrichten",
"You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Du wirst nicht in der Lage sein, die Änderung zurückzusetzen, da du dich degradierst. Wenn du der letze Nutzer mit Berechtigungen bist, wird es unmöglich sein die Privilegien zurückzubekommen.",
- "Community IDs cannot not be empty.": "Community-IDs können nicht leer sein.",
+ "Community IDs cannot be empty.": "Community-IDs können nicht leer sein.",
"Show devices , send anyway or cancel .": "Geräte anzeigen , trotzdem senden oder abbrechen .",
"Learn more about how we use analytics.": "Lerne mehr darüber, wie wir die Analysedaten nutzen.",
- "Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "Wenn diese Seite identifizierbare Informationen sowie Raum, Nutzer oder Gruppen-ID enthalten, werden diese Daten entfernt bevor sie an den Server gesendet werden.",
+ "Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "Wenn diese Seite identifizierbare Informationen wie Raum, Nutzer oder Gruppen-ID enthalten, werden diese Daten entfernt bevor sie an den Server gesendet werden.",
"Whether or not you're logged in (we don't record your user name)": "Ob oder ob du nicht angemeldet bist (wir zeichnen deinen Benutzernamen nicht auf)",
"Which officially provided instance you are using, if any": "Welche offiziell angebotene Instanz du nutzt, wenn es der Fall ist",
- "In reply to ": "Antwort zu ",
+ "In reply to ": "Als Antwort auf ",
"This room is not public. You will not be able to rejoin without an invite.": "Dies ist kein öffentlicher Raum. Du wirst diesen nicht ohne Einladung wieder beitreten können.",
"%(oldDisplayName)s changed their display name to %(displayName)s.": "%(oldDisplayName)s änderte den Anzeigenamen auf %(displayName)s.",
"Failed to set direct chat tag": "Fehler beim Setzen der Direkt-Chat-Markierung",
@@ -1126,7 +1119,6 @@
"Unable to fetch notification target list": "Liste der Benachrichtigungsempfänger konnte nicht abgerufen werden",
"Set Password": "Passwort einrichten",
"Enable audible notifications in web client": "Audio-Benachrichtigungen im Web-Client aktivieren",
- "Permalink": "Permanenter Link",
"Off": "Aus",
"Riot does not know how to join a room on this network": "Riot weiß nicht, wie es einem Raum auf diesem Netzwerk beitreten soll",
"Mentions only": "Nur, wenn du erwähnt wirst",
@@ -1157,7 +1149,7 @@
"Always show encryption icons": "Immer Verschlüsselungssymbole zeigen",
"At this time it is not possible to reply with a file so this will be sent without being a reply.": "Aktuell ist es nicht möglich mit einer Datei zu antworten, sodass diese gesendet wird ohne eine Antwort zu sein.",
"Unable to reply": "Antworten nicht möglich",
- "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Das Ereignis auf das geantwortet wurde könnte nicht geladen werden, da es entweder nicht existiert oder du keine Berechtigung hast, dieses anzusehen.",
+ "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Das Ereignis auf das geantwortet wurde konnte nicht geladen werden. Entweder es existiert nicht oder du hast keine Berechtigung, dieses anzusehen.",
"Riot bugs are tracked on GitHub: create a GitHub issue .": "Riot-Fehler werden auf GitHub festgehalten: Erzeuge ein GitHub-Issue .",
"Log out and remove encryption keys?": "Abmelden und alle Verschlüsselungs-Schlüssel löschen?",
"Send Logs": "Sende Protokoll",
@@ -1169,7 +1161,133 @@
"At this time it is not possible to reply with an emote.": "An dieser Stelle ist es nicht möglich mit einer Umschreibung zu antworten.",
"Enable widget screenshots on supported widgets": "Widget-Screenshots bei unterstützten Widgets aktivieren",
"Send analytics data": "Analysedaten senden",
- "Help improve Riot by sending usage data? This will use a cookie. (See our cookie and privacy policies ).": "Möchtest du Riot helfen indem du Nutzungsdaten sendest? Dies wird ein Cookie verwenden. (Siehe unsere Datenschutzerklärung ).",
- "Help improve Riot by sending usage data? This will use a cookie.": "Möchtest du Riot helfen indem du Nutzungsdaten sendest? Dies wird ein Cookie verwenden.",
- "Yes please": "Ja, bitte"
+ "e.g. %(exampleValue)s": "z.B. %(exampleValue)s",
+ "Reload widget": "Widget neu laden",
+ "To notify everyone in the room, you must be a": "Notwendiges Berechtigungslevel, um jeden im Raum zu benachrichten:",
+ "Muted Users": "Stummgeschaltete Benutzer",
+ "Please help improve Riot.im by sending anonymous usage data . This will use a cookie (please see our Cookie Policy ).": "Bitte hilf uns Riot.im zu verbessern, in dem du anonyme Nutzungsdaten schickst. Dies wird ein Cookie benutzen (bitte beachte auch unsere Cookie-Richtlinie ).",
+ "Please help improve Riot.im by sending anonymous usage data . This will use a cookie.": "Bitte hilf uns Riot.im zu verbessern, in dem du anonyme Nutzungsdaten schickst. Dies wird ein Cookie benutzen.",
+ "Yes, I want to help!": "Ja, ich möchte helfen!",
+ "Warning: This widget might use cookies.": "Warnung: Diese Widget mag Cookies verwenden.",
+ "Failed to indicate account erasure": "Fehler beim Signalisieren der Account-Löschung",
+ "This will make your account permanently unusable. You will not be able to log in, and no one will be able to re-register the same user ID. This will cause your account to leave all rooms it is participating in, and it will remove your account details from your identity server. This action is irreversible. ": "Dies wird deinen Account permanent unbenutzbar machen. Du wirst nicht in der Lage sein, dich anzumelden und keiner wird dieselbe Benutzer-ID erneut registrieren können. Alle Räume, in denen der Account ist, werden verlassen und deine Account-Daten werden vom Identitätsserver gelöscht. Diese Aktion ist irreversibel! ",
+ "Deactivating your account does not by default cause us to forget messages you have sent. If you would like us to forget your messages, please tick the box below.": "Standardmäßig werden die von dir gesendeten Nachrichten beim Deaktiveren nicht gelöscht . Wenn du dies von uns möchtest, aktivere das Auswalfeld unten.",
+ "Message visibility in Matrix is similar to email. Our forgetting your messages means that messages you have sent will not be shared with any new or unregistered users, but registered users who already have access to these messages will still have access to their copy.": "Sie Sichtbarkeit der Nachrichten in Matrix ist vergleichbar mit E-Mails: Wenn wir deine Nachrichten vergessen heißt das, dass diese nicht mit neuen oder nicht registrierten Nutzern teilen werden, aber registrierte Nutzer, die bereits zugriff haben, werden Zugriff auf ihre Kopie behalten.",
+ "Please forget all messages I have sent when my account is deactivated (Warning: this will cause future users to see an incomplete view of conversations)": "Bitte vergesst alle Nachrichten, die ich gesendet habe, wenn mein Account deaktiviert wird. (Warnung: Zukünftige Nutzer werden eine unvollständige Konversation sehen)",
+ "To continue, please enter your password:": "Um fortzufahren, bitte Password eingeben:",
+ "password": "Passwort",
+ "Can't leave Server Notices room": "Du kannst den Raum für Server-Notizen nicht verlassen",
+ "This room is used for important messages from the Homeserver, so you cannot leave it.": "Du kannst diesen Raum nicht verlassen, da dieser Raum für wichtige Nachrichten vom Heimserver verwendet wird.",
+ "Terms and Conditions": "Geschäftsbedingungen",
+ "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Um den %(homeserverDomain)s -Heimserver weiter zu verwenden, musst du die Geschäftsbedingungen sichten und ihnen zustimmen.",
+ "Review terms and conditions": "Geschäftsbedingungen anzeigen",
+ "Encrypting": "Verschlüssele",
+ "Encrypted, not sent": "Verschlüsselt, nicht gesendet",
+ "Share Link to User": "Sende Link an Benutzer",
+ "Share room": "Teile Raum",
+ "Share Room": "Teile Raum",
+ "Link to most recent message": "Link zur aktuellsten Nachricht",
+ "Share User": "Teile Benutzer",
+ "Share Community": "Teile Community",
+ "Share Room Message": "Teile Raumnachricht",
+ "Link to selected message": "Link zur ausgewählten Nachricht",
+ "COPY": "KOPIEREN",
+ "Share Message": "Teile Nachricht",
+ "No Audio Outputs detected": "Keine Ton-Ausgabe erkannt",
+ "Audio Output": "Ton-Ausgabe",
+ "Try the app first": "App erst ausprobieren",
+ "Jitsi Conference Calling": "Jitsi-Konferenz Anruf",
+ "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "In verschlüsselten Räumen, wie diesem, ist die Link-Vorschau standardmäßig deaktiviert damit dein Heimserver (auf dem die Vorschau erzeugt wird) keine Informationen über Links in diesem Raum bekommt.",
+ "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Wenn jemand eine Nachricht mit einem Link schickt, kann die Link-Vorschau mehr Informationen, wie Titel, Beschreibung und Bild der Webseite, über den Link anzeigen.",
+ "The email field must not be blank.": "Das E-Mail-Feld darf nicht leer sein.",
+ "The user name field must not be blank.": "Das Benutzername-Feld darf nicht leer sein.",
+ "The phone number field must not be blank.": "Das Telefonnummern-Feld darf nicht leer sein.",
+ "The password field must not be blank.": "Das Passwort-Feld darf nicht leer sein.",
+ "Call in Progress": "Gespräch läuft",
+ "A call is already in progress!": "Ein Gespräch läuft bereits!",
+ "You have no historical rooms": "Du hast keine historischen Räume",
+ "You can't send any messages until you review and agree to our terms and conditions .": "Du kannst keine Nachrichten senden bis du die unsere Geschläftsbedingungen gelesen und akzeptiert hast.",
+ "Show empty room list headings": "Zeige leere Raumlist-Köpfe",
+ "Demote yourself?": "Selbst zurückstufen?",
+ "Demote": "Zurückstufen",
+ "This event could not be displayed": "Dieses Ereignis konnte nicht angezeigt werden",
+ "A conference call could not be started because the intgrations server is not available": "Ein Konferenzgespräch konnte nicht gestartet werden, da der Integrations-Server nicht verfügbar ist",
+ "A call is currently being placed!": "Ein Anruf wurde schon gestartet!",
+ "Permission Required": "Berechtigung benötigt",
+ "You do not have permission to start a conference call in this room": "Du hast keine Berechtigung um ein Konferenzgespräch in diesem Raum zu starten",
+ "deleted": "gelöscht",
+ "underlined": "unterstrichen",
+ "bulleted-list": "Liste mit Punkten",
+ "numbered-list": "Liste mit Nummern",
+ "Failed to remove widget": "Widget konnte nicht entfernt werden",
+ "An error ocurred whilst trying to remove the widget from the room": "Ein Fehler trat auf, während versucht wurde das Widget aus diesem Raum zu entfernen",
+ "inline-code": "Quellcode",
+ "block-quote": "Zitat",
+ "This homeserver has hit its Monthly Active User limit": "Dieser Heimserver hat sein Limit für monatlich aktive Nutzer erreicht",
+ "Please contact your service administrator to continue using this service.": "Bitte kontaktiere deinen Administrator um diesen Dienst weiter zu nutzen.",
+ "System Alerts": "System-Benachrichtigung",
+ "This homeserver has hit its Monthly Active User limit. Please contact your service administrator to continue using the service.": "Der Server hat sein monatliches Nutzerlimit erreicht. Bitte kontaktiere deinen Administrator, um den Service weiter nutzen zu können.",
+ "Your message wasn’t sent because this homeserver has hit its Monthly Active User Limit. Please contact your service administrator to continue using the service.": "Deine Nachricht konnte nicht verschickt werden, weil der Homeserver sein monatliches Nutzerlimit erreicht hat. Bitte kontaktiere deine Administrator, um den Service weiter nutzen zu können.",
+ "Internal room ID: ": "Interne Raum-ID: ",
+ "Room version number: ": "Raum-Versionsnummer: ",
+ "This homeserver has hit its Monthly Active User limit. Please contact your service administrator to continue using the service.": "Dieser Heimserver hat sein monatliches Limit an aktiven Benutzern erreicht. Bitte kontaktiere deinen Systemadministrator um mit der Nutzung dieses Services fortzufahren.",
+ "This homeserver has hit its Monthly Active User limit so some users will not be able to log in. Please contact your service administrator to get this limit increased.": "Dieser Heimserver hat sein monatliches Limit an aktiven Benutzern erreicht. Bitte kontaktiere deinen Systemadministrator um dieses Limit zu erhöhen.",
+ "There is a known vulnerability affecting this room.": "Es gibt eine bekannte Schwachstelle, die diesen Raum betrifft.",
+ "This room version is vulnerable to malicious modification of room state.": "Dieser Raum ist verwundbar gegenüber bösartiger Veränderung des Raum-Status.",
+ "Click here to upgrade to the latest room version and ensure room integrity is protected.": "Klicke hier um den Raum zur letzten Raum-Version aufzurüsten und sicherzustellen, dass die Raum-Integrität gewahrt bleibt.",
+ "Only room administrators will see this warning": "Nur Raum-Administratoren werden diese Nachricht sehen",
+ "Please contact your service administrator to continue using the service.": "Bitte kontaktiere deinen Systemadministrator um diesen Dienst weiter zu nutzen.",
+ "This homeserver has hit its Monthly Active User limit.": "Dieser Heimserver hat sein Limit an monatlich aktiven Nutzern erreicht.",
+ "This homeserver has exceeded one of its resource limits.": "Dieser Heimserver hat einen seiner Ressourcen-Limits überschritten.",
+ "Please contact your service administrator to get this limit increased.": "Bitte kontaktiere deinen Systemadministrator um dieses Limit zu erhöht zu bekommen.",
+ "This homeserver has hit its Monthly Active User limit so some users will not be able to log in .": "Dieser Heimserver hat sein Limit an monatlich aktiven Nutzern erreicht, sodass einige Nutzer sich nicht anmelden können .",
+ "This homeserver has exceeded one of its resource limits so some users will not be able to log in .": "Dieser Heimserver hat einen seiner Ressourcen-Limits überschritten, sodass einige Benutzer nicht in der Lage sind sich anzumelden .",
+ "Upgrade Room Version": "Raum-Version aufrüsten",
+ "Upgrading this room requires closing down the current instance of the room and creating a new room it its place. To give room members the best possible experience, we will:": "Um diesen Raum aufzurüsten, wird der aktuelle geschlossen und ein neuer an seiner Stelle erstellt. Um den Raum-Mitgliedern die bestmögliche Erfahrung zu bieten, werden wir:",
+ "Create a new room with the same name, description and avatar": "Einen neuen Raum mit demselben Namen, Beschreibung und Profilbild erstellen",
+ "Update any local room aliases to point to the new room": "Alle lokalen Raum-Aliase aktualisieren, damit sie auf den neuen Raum zeigen",
+ "Stop users from speaking in the old version of the room, and post a message advising users to move to the new room": "Nutzern verbieten in dem Raum mit der alten Version zu schreiben und eine Nachricht senden, die den Nutzern rät in den neuen Raum zu wechseln",
+ "Put a link back to the old room at the start of the new room so people can see old messages": "Zu Beginn des neuen Raumes einen Link zum alten Raum setzen, damit Personen die alten Nachrichten sehen können",
+ "Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please contact your service administrator to continue using the service.": "Deine Nachricht wurde nicht gesendet, weil dieser Heimserver sein Limit an monatlich aktiven Benutzern erreicht hat. Bitte kontaktiere deinen Systemadministrator um diesen Dienst weiter zu nutzen.",
+ "Your message wasn't sent because this homeserver has exceeded a resource limit. Please contact your service administrator to continue using the service.": "Deine Nachricht wurde nicht gesendet, weil dieser Heimserver ein Ressourcen-Limit erreicht hat. Bitte kontaktiere deinen Systemadministrator um diesen Dienst weiter zu nutzen.",
+ "Please contact your service administrator to continue using this service.": "Bitte kontaktiere deinen Systemadministrator um diesen Dienst weiter zu nutzen.",
+ "Increase performance by only loading room members on first view": "Verbessere Performanz, indem Raum-Mitglieder erst beim ersten Ansehen geladen werden",
+ "Lazy loading members not supported": "Verzögertes Laden von Mitgliedern nicht unterstützt",
+ "Lazy loading is not supported by your current homeserver.": "Verzögertes Laden wird von deinem aktuellen Heimserver.",
+ "Sorry, your homeserver is too old to participate in this room.": "Sorry, dein Homeserver ist zu alt, um an diesem Raum teilzunehmen.",
+ "Please contact your homeserver administrator.": "Bitte setze dich mit dem Administrator deines Homeservers in Verbindung.",
+ "Legal": "Rechtliches",
+ "This room has been replaced and is no longer active.": "Dieser Raum wurde ersetzt und ist nicht länger aktiv.",
+ "The conversation continues here.": "Die Konversation wird hier fortgesetzt.",
+ "Upgrade room to version %(ver)s": "Den Raum zur Version %(ver)s aufrüsten",
+ "This room is a continuation of another conversation.": "Dieser Raum ist eine Fortsetzung einer anderen Konversation.",
+ "Click here to see older messages.": "Klicke hier um ältere Nachrichten zu sehen.",
+ "Failed to upgrade room": "Konnte Raum nicht aufrüsten",
+ "The room upgrade could not be completed": "Die Raum-Aufrüstung konnte nicht fertiggestellt werden",
+ "Upgrade this room to version %(version)s": "Diesen Raum zur Version %(version)s aufrüsten",
+ "Forces the current outbound group session in an encrypted room to be discarded": "Erzwingt, dass die aktuell ausgehende Gruppen-Sitzung in einem verschlüsseltem Raum verworfen wird",
+ "Error Discarding Session": "Sitzung konnte nicht verworfen werden",
+ "Registration Required": "Registrierung erforderlich",
+ "You need to register to do this. Would you like to register now?": "Du musst dich registrieren um dies zu tun. Möchtest du dich jetzt registrieren?",
+ "Unable to connect to Homeserver. Retrying...": "Verbindung mit Heimserver nicht möglich. Versuche erneut...",
+ "Unable to query for supported registration methods": "Unterstützte Registrierungsmethoden können nicht abgefragt werden",
+ "%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|one": "%(senderName)s fügte %(addedAddresses)s als Adresse zu diesem Raum hinzu.",
+ "%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|other": "%(senderName)s fügte %(addedAddresses)s als Adressen zu diesem Raum hinzu.",
+ "%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|one": "%(senderName)s entfernte %(removedAddresses)s als Adresse von diesem Raum.",
+ "%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|other": "%(senderName)s entfernte %(removedAddresses)s als Adressen von diesem Raum.",
+ "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s setzte die Hauptadresse zu diesem Raum auf %(address)s.",
+ "%(senderName)s removed the main address for this room.": "%(senderName)s entfernte die Hauptadresse von diesem Raum.",
+ "%(senderName)s added %(addedAddresses)s and removed %(removedAddresses)s as addresses for this room.": "%(senderName)s fügte %(addedAddresses)s hinzu und entfernte %(removedAddresses)s als Adressen von diesem Raum.",
+ "Before submitting logs, you must create a GitHub issue to describe your problem.": "Bevor du Log-Dateien übermittelst, musst du ein GitHub-Issue erstellen um dein Problem zu beschreiben.",
+ "What GitHub issue are these logs for?": "Für welches GitHub-Issue sind diese Logs?",
+ "Riot now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "Riot benutzt nun 3-5x weniger Arbeitsspeicher, indem Informationen über andere Nutzer erst bei Bedarf geladen werden. Bitte warte, während die Daten erneut mit dem Server abgeglichen werden!",
+ "Updating Riot": "Aktualisiere Riot",
+ "HTML for your community's page \r\n\r\n Use the long description to introduce new members to the community, or distribute\r\n some important links \r\n
\r\n\r\n You can even use 'img' tags\r\n
\r\n": "HTML for deine Community-Seite \n\n Nutze die lange Beschreibung um die Community neuen Mitgliedern vorzustellen oder um\n einige wichtige Links zu teilen\n
\n\n Du kannst auch 'img'-Tags verwenden\n
\n",
+ "Submit Debug Logs": "Fehlerprotokoll senden",
+ "An email address is required to register on this homeserver.": "Zur Registrierung auf diesem Heimserver ist eine E-Mail-Adresse erforderlich.",
+ "A phone number is required to register on this homeserver.": "Zur Registrierung auf diesem Heimserver ist eine Telefon-Nummer erforderlich.",
+ "You've previously used Riot on %(host)s with lazy loading of members enabled. In this version lazy loading is disabled. As the local cache is not compatible between these two settings, Riot needs to resync your account.": "Du hast zuvor Riot auf %(host)s ohne verzögertem Laden von Mitgliedern genutzt. In dieser Version war das verzögerte Laden deaktiviert. Da die lokal zwischengespeicherten Daten zwischen diesen Einstellungen nicht kompatibel ist, muss Riot dein Konto neu synchronisieren.",
+ "If the other version of Riot is still open in another tab, please close it as using Riot on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "Wenn Riot mit der alten Version in einem anderen Tab geöffnet ist, schließe dies bitte, da das parallele Nutzen von Riot auf demselben Host mit aktivierten und deaktivierten verzögertem Laden, Probleme verursachen wird.",
+ "Incompatible local cache": "Inkompatibler lokaler Zwischenspeicher",
+ "Clear cache and resync": "Zwischenspeicher löschen und erneut synchronisieren"
}
diff --git a/src/i18n/strings/el.json b/src/i18n/strings/el.json
index fabd88c74a..c4514f629b 100644
--- a/src/i18n/strings/el.json
+++ b/src/i18n/strings/el.json
@@ -107,7 +107,7 @@
"Failed to reject invitation": "Δεν ήταν δυνατή η απόρριψη της πρόσκλησης",
"Failed to save settings": "Δεν ήταν δυνατή η αποθήκευση των ρυθμίσεων",
"Failed to send email": "Δεν ήταν δυνατή η αποστολή ηλ. αλληλογραφίας",
- "Failed to verify email address: make sure you clicked the link in the email": "Δεν ήταν δυνατή η επιβεβαίωση του μηνύματος ηλεκτρονικής αλληλογραφίας βεβαιωθείτε οτι κάνατε κλικ στον σύνδεσμο που σας στάλθηκε",
+ "Failed to verify email address: make sure you clicked the link in the email": "Δεν ήταν δυνατή η επιβεβαίωση της διεύθυνσης ηλεκτρονικής αλληλογραφίας: βεβαιωθείτε οτι κάνατε κλικ στον σύνδεσμο που σας στάλθηκε",
"Favourite": "Αγαπημένο",
"Favourites": "Αγαπημένα",
"Fill screen": "Γέμισε την οθόνη",
@@ -142,7 +142,6 @@
"%(targetName)s left the room.": "Ο χρήστης %(targetName)s έφυγε από το δωμάτιο.",
"Local addresses for this room:": "Τοπική διεύθυνση για το δωμάτιο:",
"Logged in as:": "Συνδεθήκατε ως:",
- "Login as guest": "Σύνδεση ως επισκέπτης",
"Logout": "Αποσύνδεση",
"Low priority": "Χαμηλής προτεραιότητας",
"matrix-react-sdk version:": "Έκδοση matrix-react-sdk:",
@@ -265,7 +264,7 @@
"Room %(roomId)s not visible": "Το δωμάτιο %(roomId)s δεν είναι ορατό",
"%(roomName)s does not exist.": "Το %(roomName)s δεν υπάρχει.",
"Searches DuckDuckGo for results": "Γίνεται αναζήτηση στο DuckDuckGo για αποτελέσματα",
- "Seen by %(userName)s at %(dateTime)s": "Διαβάστηκε από %(userName)s στις %(dateTime)s",
+ "Seen by %(userName)s at %(dateTime)s": "Διαβάστηκε από τον/την %(userName)s στις %(dateTime)s",
"Send anyway": "Αποστολή ούτως ή άλλως",
"Send Invites": "Αποστολή προσκλήσεων",
"Send Reset Email": "Αποστολή μηνύματος επαναφοράς",
@@ -425,7 +424,6 @@
"Failed to ban user": "Δεν ήταν δυνατό ο αποκλεισμός του χρήστη",
"Failed to change power level": "Δεν ήταν δυνατή η αλλαγή του επιπέδου δύναμης",
"Failed to fetch avatar URL": "Δεν ήταν δυνατή η ανάκτηση της διεύθυνσης εικόνας",
- "Failed to lookup current room": "Δεν ήταν δυνατή η εύρεση του τρέχοντος δωματίου",
"Failed to unban": "Δεν ήταν δυνατή η άρση του αποκλεισμού",
"%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s από %(fromPowerLevel)s σε %(toPowerLevel)s",
"Guest access is disabled on this Home Server.": "Έχει απενεργοποιηθεί η πρόσβαση στους επισκέπτες σε αυτόν τον διακομιστή.",
@@ -448,7 +446,6 @@
"%(senderName)s made future room history visible to unknown (%(visibility)s).": "Ο %(senderName)s έκανε το μελλοντικό ιστορικό του δωματίου δημόσιο άγνωστο (%(visibility)s).",
"Missing user_id in request": "Λείπει το user_id στο αίτημα",
"Mobile phone number (optional)": "Αριθμός κινητού τηλεφώνου (προαιρετικό)",
- "Must be viewing a room": "Πρέπει να βλέπετε ένα δωμάτιο",
"Never send encrypted messages to unverified devices from this device": "Να μη γίνει ποτέ αποστολή κρυπτογραφημένων μηνυμάτων σε ανεπιβεβαίωτες συσκευές από αυτή τη συσκευή",
"Never send encrypted messages to unverified devices in this room from this device": "Να μη γίνει ποτέ αποστολή κρυπτογραφημένων μηνυμάτων σε ανεπιβεβαίωτες συσκευές, σε αυτό το δωμάτιο, από αυτή τη συσκευή",
"not set": "δεν έχει οριστεί",
@@ -466,7 +463,7 @@
"%(senderName)s removed their profile picture.": "Ο %(senderName)s αφαίρεσε τη φωτογραφία του προφίλ του.",
"%(senderName)s requested a VoIP conference.": "Ο %(senderName)s αιτήθηκε μια συνδιάσκεψη VoIP.",
"Riot does not have permission to send you notifications - please check your browser settings": "Το Riot δεν έχει δικαιώματα για αποστολή ειδοποιήσεων - παρακαλούμε ελέγξτε τις ρυθμίσεις του περιηγητή σας",
- "Riot was not given permission to send notifications - please try again": "Δεν δόθηκαν δικαιώματα στο Riot να αποστείλει ειδοποιήσεις - παρακαλούμε προσπαθήστε ξανά",
+ "Riot was not given permission to send notifications - please try again": "Δεν δόθηκαν δικαιώματα αποστολής ειδοποιήσεων στο Riot - παρακαλούμε προσπαθήστε ξανά",
"Room contains unknown devices": "Το δωμάτιο περιέχει άγνωστες συσκευές",
"%(roomName)s is not accessible at this time.": "Το %(roomName)s δεν είναι προσβάσιμο αυτή τη στιγμή.",
"Scroll to bottom of page": "Μετάβαση στο τέλος της σελίδας",
@@ -746,7 +743,6 @@
"What's New": "Τι νέο υπάρχει",
"Set Password": "Ορισμός κωδικού πρόσβασης",
"Enable audible notifications in web client": "Ενεργοποίηση ηχητικών ειδοποιήσεων",
- "Permalink": "Μόνιμος σύνδεσμος",
"Off": "Ανενεργό",
"#example": "#παράδειγμα",
"Mentions only": "Μόνο αναφορές",
@@ -774,5 +770,84 @@
"e.g. ": "π.χ. ",
"Your device resolution": "Η ανάλυση της συσκευής σας",
"The information being sent to us to help make Riot.im better includes:": "Οι πληροφορίες που στέλνονται σε εμάς με σκοπό την βελτίωση του Riot.im περιλαμβάνουν:",
- "Call Failed": "Η κλήση απέτυχε"
+ "Call Failed": "Η κλήση απέτυχε",
+ "Whether or not you're logged in (we don't record your user name)": "Εάν είστε συνδεδεμένος/η ή όχι (δεν καταγράφουμε το όνομα χρήστη σας)",
+ "e.g. %(exampleValue)s": "π.χ. %(exampleValue)s",
+ "Review Devices": "Ανασκόπηση συσκευών",
+ "Call Anyway": "Κλήση όπως και να 'χει",
+ "Answer Anyway": "Απάντηση όπως και να 'χει",
+ "Call": "Κλήση",
+ "Answer": "Απάντηση",
+ "AM": "ΠΜ",
+ "PM": "ΜΜ",
+ "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s",
+ "Who would you like to add to this community?": "Ποιον/α θα θέλατε να προσθέσετε σε αυτή την κοινότητα;",
+ "Warning: any person you add to a community will be publicly visible to anyone who knows the community ID": "Προσοχή: κάθε άτομο που προσθέτετε στην κοινότητα θε είναι δημοσίως ορατό σε οποιονδήποτε γνωρίζει το αναγνωριστικό της κοινότητας",
+ "Invite new community members": "Προσκαλέστε νέα μέλη στην κοινότητα",
+ "Name or matrix ID": "Όνομα ή αναγνωριστικό του matrix",
+ "Invite to Community": "Πρόσκληση στην κοινότητα",
+ "Which rooms would you like to add to this community?": "Ποια δωμάτια θα θέλατε να προσθέσετε σε αυτή την κοινότητα;",
+ "Add rooms to the community": "Προσθήκη δωματίων στην κοινότητα",
+ "Add to community": "Προσθήκη στην κοινότητα",
+ "Failed to invite the following users to %(groupId)s:": "Αποτυχία πρόσκλησης των ακόλουθων χρηστών στο %(groupId)s :",
+ "Failed to invite users to community": "Αποτυχία πρόσκλησης χρηστών στην κοινότητα",
+ "Failed to invite users to %(groupId)s": "Αποτυχία πρόσκλησης χρηστών στο %(groupId)s",
+ "Failed to add the following rooms to %(groupId)s:": "Αποτυχία προσθήκης των ακόλουθων δωματίων στο %(groupId)s:",
+ "There are unknown devices in this room: if you proceed without verifying them, it will be possible for someone to eavesdrop on your call.": "Υπάρχουν άγνωστες συσκευές στο δωμάτιο: εάν συνεχίσετε χωρίς να τις επιβεβαιώσετε, θα μπορούσε κάποιος να κρυφακούει την κλήση σας.",
+ "Show these rooms to non-members on the community page and room list?": "Εμφάνιση αυτών των δωματίων σε μη-μέλη στην σελίδα της κοινότητας και στη λίστα δωματίων;",
+ "Room name or alias": "Όνομα η ψευδώνυμο δωματίου",
+ "Restricted": "Περιορισμένο",
+ "Unable to create widget.": "Αδυναμία δημιουργίας widget.",
+ "Reload widget": "Ανανέωση widget",
+ "You are not in this room.": "Δεν είστε μέλος αυτού του δωματίου.",
+ "You do not have permission to do that in this room.": "Δεν έχετε την άδεια να το κάνετε αυτό σε αυτό το δωμάτιο.",
+ "You are now ignoring %(userId)s": "Τώρα αγνοείτε τον/την %(userId)s",
+ "You are no longer ignoring %(userId)s": "Δεν αγνοείτε πια τον/την %(userId)s",
+ "%(oldDisplayName)s changed their display name to %(displayName)s.": "Ο/Η %(oldDisplayName)s άλλαξε το εμφανιζόμενο όνομά του/της σε %(displayName)s.",
+ "%(senderName)s changed the pinned messages for the room.": "Ο/Η %(senderName)s άλλαξε τα καρφιτσωμένα μηνύματα του δωματίου.",
+ "%(widgetName)s widget modified by %(senderName)s": "Έγινε αλλαγή στο widget %(widgetName)s από τον/την %(senderName)s",
+ "%(widgetName)s widget added by %(senderName)s": "Προστέθηκε το widget %(widgetName)s από τον/την %(senderName)s",
+ "%(widgetName)s widget removed by %(senderName)s": "Το widget %(widgetName)s αφαιρέθηκε από τον/την %(senderName)s",
+ "%(names)s and %(count)s others are typing|other": "Ο/Η %(names)s και άλλοι/ες %(count)s πληκτρολογούν",
+ "%(names)s and %(count)s others are typing|one": "Ο/Η %(names)s και άλλος ένας πληκτρολογούν",
+ "Message Pinning": "Καρφίτσωμα Μηνυμάτων",
+ "Hide avatar changes": "Απόκρυψη αλλαγών εικονιδίων χρηστών",
+ "Hide display name changes": "Απόκρυψη αλλαγών εμφανιζόμενων ονομάτων",
+ "Hide avatars in user and room mentions": "Απόκρυψη εικονιδίων στις αναφορές χρηστών και δωματίων",
+ "Enable URL previews for this room (only affects you)": "Ενεργοποίηση προεπισκόπισης URL για αυτό το δωμάτιο (επηρεάζει μόνο εσάς)",
+ "Delete %(count)s devices|other": "Διαγραφή %(count)s συσκευών",
+ "Delete %(count)s devices|one": "Διαγραφή συσκευής",
+ "Select devices": "Επιλογή συσκευών",
+ "Cannot add any more widgets": "Δεν είναι δυνατή η προσθήκη άλλων widget",
+ "The maximum permitted number of widgets have already been added to this room.": "Ο μέγιστος επιτρεπτός αριθμός widget έχει ήδη προστεθεί σε αυτό το δωμάτιο.",
+ "Add a widget": "Προσθήκη widget",
+ "%(senderName)s sent an image": "Ο/Η %(senderName)s έστειλε μία εικόνα",
+ "%(senderName)s sent a video": "Ο/Η %(senderName)s έστειλε ένα βίντεο",
+ "%(senderName)s uploaded a file": "Ο/Η %(senderName)s αναφόρτωσε ένα αρχείο",
+ "If your other devices do not have the key for this message you will not be able to decrypt them.": "Εάν οι άλλες συσκευές σας δεν έχουν το κλειδί για αυτό το μήνυμα, τότε δεν θα μπορείτε να το αποκρυπτογραφήσετε.",
+ "Disinvite this user?": "Ακύρωση πρόσκλησης αυτού του χρήστη;",
+ "Mention": "Αναφορά",
+ "Invite": "Πρόσκληση",
+ "User Options": "Επιλογές Χρήστη",
+ "Send an encrypted reply…": "Αποστολή κρυπτογραφημένης απάντησης…",
+ "Send a reply (unencrypted)…": "Αποστολή απάντησης (μη κρυπτογραφημένης)…",
+ "Send an encrypted message…": "Αποστολή κρυπτογραφημένου μηνύματος…",
+ "Send a message (unencrypted)…": "Αποστολή μηνύματος (μη κρυπτογραφημένου)…",
+ "Unable to reply": "Αδυναμία απάντησης",
+ "Unpin Message": "Ξεκαρφίτσωμα μηνύματος",
+ "Jump to message": "Πηγαίντε στο μήνυμα",
+ "No pinned messages.": "Κανένα καρφιτσωμένο μήνυμα.",
+ "Loading...": "Φόρτωση...",
+ "Pinned Messages": "Καρφιτσωμένα Μηνύματα",
+ "%(duration)ss": "%(duration)sδ",
+ "%(duration)sm": "%(duration)sλ",
+ "%(duration)sh": "%(duration)sω",
+ "%(duration)sd": "%(duration)sμ",
+ "Online for %(duration)s": "Σε σύνδεση για %(duration)s",
+ "Idle for %(duration)s": "Αδρανής για %(duration)s",
+ "Offline for %(duration)s": "Εκτός σύνδεσης για %(duration)s",
+ "Seen by %(displayName)s (%(userName)s) at %(dateTime)s": "Διαβάστηκε από τον/την %(displayName)s (%(userName)s) στις %(dateTime)s",
+ "Room Notification": "Ειδοποίηση Δωματίου",
+ "Notify the whole room": "Ειδοποιήστε όλο το δωμάτιο",
+ "Sets the room topic": "Ορίζει το θέμα του δωματίου"
}
diff --git a/src/i18n/strings/en_EN.json b/src/i18n/strings/en_EN.json
index 1b378c34d3..0e9720ebfc 100644
--- a/src/i18n/strings/en_EN.json
+++ b/src/i18n/strings/en_EN.json
@@ -33,15 +33,20 @@
"VoIP is unsupported": "VoIP is unsupported",
"You cannot place VoIP calls in this browser.": "You cannot place VoIP calls in this browser.",
"You cannot place a call with yourself.": "You cannot place a call with yourself.",
- "Conference calls are not supported in this client": "Conference calls are not supported in this client",
- "Conference calls are not supported in encrypted rooms": "Conference calls are not supported in encrypted rooms",
- "Warning!": "Warning!",
- "Conference calling is in development and may not be reliable.": "Conference calling is in development and may not be reliable.",
- "Failed to set up conference call": "Failed to set up conference call",
- "Conference call failed.": "Conference call failed.",
+ "Could not connect to the integration server": "Could not connect to the integration server",
+ "A conference call could not be started because the intgrations server is not available": "A conference call could not be started because the intgrations server is not available",
+ "Call in Progress": "Call in Progress",
+ "A call is currently being placed!": "A call is currently being placed!",
+ "A call is already in progress!": "A call is already in progress!",
+ "Permission Required": "Permission Required",
+ "You do not have permission to start a conference call in this room": "You do not have permission to start a conference call in this room",
"The file '%(fileName)s' failed to upload": "The file '%(fileName)s' failed to upload",
"The file '%(fileName)s' exceeds this home server's size limit for uploads": "The file '%(fileName)s' exceeds this home server's size limit for uploads",
"Upload Failed": "Upload Failed",
+ "Failure to create room": "Failure to create room",
+ "Server may be unavailable, overloaded, or you hit a bug.": "Server may be unavailable, overloaded, or you hit a bug.",
+ "Send anyway": "Send anyway",
+ "Send": "Send",
"Sun": "Sun",
"Mon": "Mon",
"Tue": "Tue",
@@ -81,11 +86,15 @@
"Failed to invite users to community": "Failed to invite users to community",
"Failed to invite users to %(groupId)s": "Failed to invite users to %(groupId)s",
"Failed to add the following rooms to %(groupId)s:": "Failed to add the following rooms to %(groupId)s:",
+ "Unnamed Room": "Unnamed Room",
"Riot does not have permission to send you notifications - please check your browser settings": "Riot does not have permission to send you notifications - please check your browser settings",
"Riot was not given permission to send notifications - please try again": "Riot was not given permission to send notifications - please try again",
"Unable to enable Notifications": "Unable to enable Notifications",
"This email address was not found": "This email address was not found",
"Your email address does not appear to be associated with a Matrix ID on this Homeserver.": "Your email address does not appear to be associated with a Matrix ID on this Homeserver.",
+ "Registration Required": "Registration Required",
+ "You need to register to do this. Would you like to register now?": "You need to register to do this. Would you like to register now?",
+ "Register": "Register",
"Default": "Default",
"Restricted": "Restricted",
"Moderator": "Moderator",
@@ -104,7 +113,6 @@
"You need to be logged in.": "You need to be logged in.",
"You need to be able to invite users to do that.": "You need to be able to invite users to do that.",
"Unable to create widget.": "Unable to create widget.",
- "Reload widget": "Reload widget",
"Missing roomId.": "Missing roomId.",
"Failed to send request.": "Failed to send request.",
"This room is not recognised.": "This room is not recognised.",
@@ -112,24 +120,40 @@
"You are not in this room.": "You are not in this room.",
"You do not have permission to do that in this room.": "You do not have permission to do that in this room.",
"Missing room_id in request": "Missing room_id in request",
- "Must be viewing a room": "Must be viewing a room",
"Room %(roomId)s not visible": "Room %(roomId)s not visible",
"Missing user_id in request": "Missing user_id in request",
- "Failed to lookup current room": "Failed to lookup current room",
"Usage": "Usage",
+ "Searches DuckDuckGo for results": "Searches DuckDuckGo for results",
"/ddg is not a command": "/ddg is not a command",
"To use it, just wait for autocomplete results to load and tab through them.": "To use it, just wait for autocomplete results to load and tab through them.",
+ "Changes your display nickname": "Changes your display nickname",
+ "Changes colour scheme of current room": "Changes colour scheme of current room",
+ "Sets the room topic": "Sets the room topic",
+ "Invites user with given id to current room": "Invites user with given id to current room",
+ "Joins room with given alias": "Joins room with given alias",
+ "Leave room": "Leave room",
"Unrecognised room alias:": "Unrecognised room alias:",
+ "Kicks user with given id": "Kicks user with given id",
+ "Bans user with given id": "Bans user with given id",
+ "Unbans user with given id": "Unbans user with given id",
+ "Ignores a user, hiding their messages from you": "Ignores a user, hiding their messages from you",
"Ignored user": "Ignored user",
"You are now ignoring %(userId)s": "You are now ignoring %(userId)s",
+ "Stops ignoring a user, showing their messages going forward": "Stops ignoring a user, showing their messages going forward",
"Unignored user": "Unignored user",
"You are no longer ignoring %(userId)s": "You are no longer ignoring %(userId)s",
+ "Define the power level of a user": "Define the power level of a user",
+ "Deops user with given id": "Deops user with given id",
+ "Opens the Developer Tools dialog": "Opens the Developer Tools dialog",
+ "Verifies a user, device, and pubkey tuple": "Verifies a user, device, and pubkey tuple",
"Unknown (user, device) pair:": "Unknown (user, device) pair:",
"Device already verified!": "Device already verified!",
"WARNING: Device already verified, but keys do NOT MATCH!": "WARNING: Device already verified, but keys do NOT MATCH!",
"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!": "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!",
"Verified key": "Verified key",
"The signing key you provided matches the signing key you received from %(userId)s's device %(deviceId)s. Device marked as verified.": "The signing key you provided matches the signing key you received from %(userId)s's device %(deviceId)s. Device marked as verified.",
+ "Displays action": "Displays action",
+ "Forces the current outbound group session in an encrypted room to be discarded": "Forces the current outbound group session in an encrypted room to be discarded",
"Unrecognised command:": "Unrecognised command:",
"Reason": "Reason",
"%(targetName)s accepted the invitation for %(displayName)s.": "%(targetName)s accepted the invitation for %(displayName)s.",
@@ -155,6 +179,13 @@
"%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s removed the room name.",
"%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s changed the room name to %(roomName)s.",
"%(senderDisplayName)s sent an image.": "%(senderDisplayName)s sent an image.",
+ "%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|other": "%(senderName)s added %(addedAddresses)s as addresses for this room.",
+ "%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|one": "%(senderName)s added %(addedAddresses)s as an address for this room.",
+ "%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|other": "%(senderName)s removed %(removedAddresses)s as addresses for this room.",
+ "%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|one": "%(senderName)s removed %(removedAddresses)s as an address for this room.",
+ "%(senderName)s added %(addedAddresses)s and removed %(removedAddresses)s as addresses for this room.": "%(senderName)s added %(addedAddresses)s and removed %(removedAddresses)s as addresses for this room.",
+ "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s set the main address for this room to %(address)s.",
+ "%(senderName)s removed the main address for this room.": "%(senderName)s removed the main address for this room.",
"Someone": "Someone",
"(not supported by this browser)": "(not supported by this browser)",
"%(senderName)s answered the call.": "%(senderName)s answered the call.",
@@ -180,18 +211,18 @@
"%(names)s and %(count)s others are typing|other": "%(names)s and %(count)s others are typing",
"%(names)s and %(count)s others are typing|one": "%(names)s and one other is typing",
"%(names)s and %(lastPerson)s are typing": "%(names)s and %(lastPerson)s are typing",
- "Failure to create room": "Failure to create room",
- "Server may be unavailable, overloaded, or you hit a bug.": "Server may be unavailable, overloaded, or you hit a bug.",
- "Send anyway": "Send anyway",
- "Send": "Send",
- "Unnamed Room": "Unnamed Room",
+ "This homeserver has hit its Monthly Active User limit.": "This homeserver has hit its Monthly Active User limit.",
+ "This homeserver has exceeded one of its resource limits.": "This homeserver has exceeded one of its resource limits.",
+ "Please contact your service administrator to continue using the service.": "Please contact your service administrator to continue using the service.",
+ "Unable to connect to Homeserver. Retrying...": "Unable to connect to Homeserver. Retrying...",
"Your browser does not support the required cryptography extensions": "Your browser does not support the required cryptography extensions",
"Not a valid Riot keyfile": "Not a valid Riot keyfile",
"Authentication check failed: incorrect password?": "Authentication check failed: incorrect password?",
+ "Sorry, your homeserver is too old to participate in this room.": "Sorry, your homeserver is too old to participate in this room.",
+ "Please contact your homeserver administrator.": "Please contact your homeserver administrator.",
"Failed to join room": "Failed to join room",
- "Message Replies": "Message Replies",
"Message Pinning": "Message Pinning",
- "Tag Panel": "Tag Panel",
+ "Increase performance by only loading room members on first view": "Increase performance by only loading room members on first view",
"Disable Emoji suggestions while typing": "Disable Emoji suggestions while typing",
"Use compact timeline layout": "Use compact timeline layout",
"Hide removed messages": "Hide removed messages",
@@ -221,6 +252,7 @@
"Pin unread rooms to the top of the room list": "Pin unread rooms to the top of the room list",
"Pin rooms I'm mentioned in to the top of the room list": "Pin rooms I'm mentioned in to the top of the room list",
"Enable widget screenshots on supported widgets": "Enable widget screenshots on supported widgets",
+ "Show empty room list headings": "Show empty room list headings",
"Collecting app version information": "Collecting app version information",
"Collecting logs": "Collecting logs",
"Uploading report": "Uploading report",
@@ -252,6 +284,7 @@
"No display name": "No display name",
"New passwords don't match": "New passwords don't match",
"Passwords can't be empty": "Passwords can't be empty",
+ "Warning!": "Warning!",
"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.": "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.",
"Continue": "Continue",
"Export E2E room keys": "Export E2E room keys",
@@ -300,6 +333,31 @@
"Off": "Off",
"On": "On",
"Noisy": "Noisy",
+ "Invalid alias format": "Invalid alias format",
+ "'%(alias)s' is not a valid format for an alias": "'%(alias)s' is not a valid format for an alias",
+ "Invalid address format": "Invalid address format",
+ "'%(alias)s' is not a valid format for an address": "'%(alias)s' is not a valid format for an address",
+ "not specified": "not specified",
+ "not set": "not set",
+ "Remote addresses for this room:": "Remote addresses for this room:",
+ "Addresses": "Addresses",
+ "The main address for this room is": "The main address for this room is",
+ "Local addresses for this room:": "Local addresses for this room:",
+ "This room has no local addresses": "This room has no local addresses",
+ "New address (e.g. #foo:%(localDomain)s)": "New address (e.g. #foo:%(localDomain)s)",
+ "Invalid community ID": "Invalid community ID",
+ "'%(groupId)s' is not a valid community ID": "'%(groupId)s' is not a valid community ID",
+ "Flair": "Flair",
+ "Showing flair for these communities:": "Showing flair for these communities:",
+ "This room is not showing flair for any communities": "This room is not showing flair for any communities",
+ "New community ID (e.g. +foo:%(localDomain)s)": "New community ID (e.g. +foo:%(localDomain)s)",
+ "You have enabled URL previews by default.": "You have enabled URL previews by default.",
+ "You have disabled URL previews by default.": "You have disabled URL previews by default.",
+ "URL previews are enabled by default for participants in this room.": "URL previews are enabled by default for participants in this room.",
+ "URL previews are disabled by default for participants in this room.": "URL previews are disabled by default for participants in this room.",
+ "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.",
+ "URL Previews": "URL Previews",
+ "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.",
"Cannot add any more widgets": "Cannot add any more widgets",
"The maximum permitted number of widgets have already been added to this room.": "The maximum permitted number of widgets have already been added to this room.",
"Add a widget": "Add a widget",
@@ -308,6 +366,7 @@
" (unsupported)": " (unsupported)",
"Join as voice or video .": "Join as voice or video .",
"Ongoing conference call%(supportedText)s.": "Ongoing conference call%(supportedText)s.",
+ "This event could not be displayed": "This event could not be displayed",
"%(senderName)s sent an image": "%(senderName)s sent an image",
"%(senderName)s sent a video": "%(senderName)s sent a video",
"%(senderName)s uploaded a file": "%(senderName)s uploaded a file",
@@ -318,6 +377,8 @@
"Key request sent.": "Key request sent.",
"Re-request encryption keys from your other devices.": "Re-request encryption keys from your other devices.",
"Undecryptable": "Undecryptable",
+ "Encrypting": "Encrypting",
+ "Encrypted, not sent": "Encrypted, not sent",
"Encrypted by a verified device": "Encrypted by a verified device",
"Encrypted by an unverified device": "Encrypted by an unverified device",
"Unencrypted message": "Unencrypted message",
@@ -336,12 +397,14 @@
"Unban this user?": "Unban this user?",
"Ban this user?": "Ban this user?",
"Failed to ban user": "Failed to ban user",
+ "Demote yourself?": "Demote yourself?",
+ "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.",
+ "Demote": "Demote",
"Failed to mute user": "Failed to mute user",
"Failed to toggle moderator status": "Failed to toggle moderator status",
"Failed to change power level": "Failed to change power level",
- "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.",
- "Are you sure?": "Are you sure?",
"You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.",
+ "Are you sure?": "Are you sure?",
"No devices with registered encryption keys": "No devices with registered encryption keys",
"Devices": "Devices",
"Unignore": "Unignore",
@@ -349,6 +412,7 @@
"Jump to read receipt": "Jump to read receipt",
"Mention": "Mention",
"Invite": "Invite",
+ "Share Link to User": "Share Link to User",
"User Options": "User Options",
"Direct chats": "Direct chats",
"Unmute": "Unmute",
@@ -362,6 +426,14 @@
"Invited": "Invited",
"Filter room members": "Filter room members",
"%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (power %(powerLevelNumber)s)",
+ "bold": "bold",
+ "italic": "italic",
+ "deleted": "deleted",
+ "underlined": "underlined",
+ "inline-code": "inline-code",
+ "block-quote": "block-quote",
+ "bulleted-list": "bulleted-list",
+ "numbered-list": "numbered-list",
"Attachment": "Attachment",
"At this time it is not possible to reply with a file so this will be sent without being a reply.": "At this time it is not possible to reply with a file so this will be sent without being a reply.",
"Upload Files": "Upload Files",
@@ -377,6 +449,8 @@
"Send a reply (unencrypted)…": "Send a reply (unencrypted)…",
"Send an encrypted message…": "Send an encrypted message…",
"Send a message (unencrypted)…": "Send a message (unencrypted)…",
+ "This room has been replaced and is no longer active.": "This room has been replaced and is no longer active.",
+ "The conversation continues here.": "The conversation continues here.",
"You do not have permission to post to this room": "You do not have permission to post to this room",
"Turn Markdown on": "Turn Markdown on",
"Turn Markdown off": "Turn Markdown off",
@@ -386,21 +460,13 @@
"Command error": "Command error",
"Unable to reply": "Unable to reply",
"At this time it is not possible to reply with an emote.": "At this time it is not possible to reply with an emote.",
- "bold": "bold",
- "italic": "italic",
- "strike": "strike",
- "underline": "underline",
- "code": "code",
- "quote": "quote",
- "bullet": "bullet",
- "numbullet": "numbullet",
"Markdown is disabled": "Markdown is disabled",
"Markdown is enabled": "Markdown is enabled",
- "Unpin Message": "Unpin Message",
- "Jump to message": "Jump to message",
"No pinned messages.": "No pinned messages.",
"Loading...": "Loading...",
"Pinned Messages": "Pinned Messages",
+ "Unpin Message": "Unpin Message",
+ "Jump to message": "Jump to message",
"%(duration)ss": "%(duration)ss",
"%(duration)sm": "%(duration)sm",
"%(duration)sh": "%(duration)sh",
@@ -430,6 +496,7 @@
"Settings": "Settings",
"Forget room": "Forget room",
"Search": "Search",
+ "Share room": "Share room",
"Show panel": "Show panel",
"Drop here to favourite": "Drop here to favourite",
"Drop here to tag direct chat": "Drop here to tag direct chat",
@@ -444,7 +511,9 @@
"People": "People",
"Rooms": "Rooms",
"Low priority": "Low priority",
+ "You have no historical rooms": "You have no historical rooms",
"Historical": "Historical",
+ "System Alerts": "System Alerts",
"Unable to ascertain that the address this invite was sent to matches one associated with your account.": "Unable to ascertain that the address this invite was sent to matches one associated with your account.",
"This invitation was sent to an email address which is not associated with this account:": "This invitation was sent to an email address which is not associated with this account:",
"You may wish to login with a different account, or add this email to this account.": "You may wish to login with a different account, or add this email to this account.",
@@ -493,19 +562,20 @@
"To kick users, you must be a": "To kick users, you must be a",
"To ban users, you must be a": "To ban users, you must be a",
"To remove other users' messages, you must be a": "To remove other users' messages, you must be a",
+ "To notify everyone in the room, you must be a": "To notify everyone in the room, you must be a",
"No users have specific privileges in this room": "No users have specific privileges in this room",
"%(user)s is a %(userRole)s": "%(user)s is a %(userRole)s",
"Privileged Users": "Privileged Users",
"Muted Users": "Muted Users",
"Banned users": "Banned users",
"This room is not accessible by remote Matrix servers": "This room is not accessible by remote Matrix servers",
- "Leave room": "Leave room",
"Favourite": "Favourite",
"Tagged as: ": "Tagged as: ",
"To link to a room it must have an address .": "To link to a room it must have an address .",
"Guests cannot join this room even if explicitly invited.": "Guests cannot join this room even if explicitly invited.",
"Click here to fix": "Click here to fix",
"To send events of type , you must be a": "To send events of type , you must be a",
+ "Upgrade room to version %(ver)s": "Upgrade room to version %(ver)s",
"Who can access this room?": "Who can access this room?",
"Only people who have been invited": "Only people who have been invited",
"Anyone who knows the room's link, apart from guests": "Anyone who knows the room's link, apart from guests",
@@ -518,8 +588,13 @@
"Members only (since they joined)": "Members only (since they joined)",
"Permissions": "Permissions",
"Advanced": "Advanced",
- "This room's internal ID is": "This room's internal ID is",
+ "Internal room ID: ": "Internal room ID: ",
+ "Room version number: ": "Room version number: ",
"Add a topic": "Add a topic",
+ "There is a known vulnerability affecting this room.": "There is a known vulnerability affecting this room.",
+ "This room version is vulnerable to malicious modification of room state.": "This room version is vulnerable to malicious modification of room state.",
+ "Click here to upgrade to the latest room version and ensure room integrity is protected.": "Click here to upgrade to the latest room version and ensure room integrity is protected.",
+ "Only room administrators will see this warning": "Only room administrators will see this warning",
"Search…": "Search…",
"This Room": "This Room",
"All Rooms": "All Rooms",
@@ -532,29 +607,6 @@
"Scroll to unread messages": "Scroll to unread messages",
"Jump to first unread message.": "Jump to first unread message.",
"Close": "Close",
- "Invalid alias format": "Invalid alias format",
- "'%(alias)s' is not a valid format for an alias": "'%(alias)s' is not a valid format for an alias",
- "Invalid address format": "Invalid address format",
- "'%(alias)s' is not a valid format for an address": "'%(alias)s' is not a valid format for an address",
- "not specified": "not specified",
- "not set": "not set",
- "Remote addresses for this room:": "Remote addresses for this room:",
- "Addresses": "Addresses",
- "The main address for this room is": "The main address for this room is",
- "Local addresses for this room:": "Local addresses for this room:",
- "This room has no local addresses": "This room has no local addresses",
- "New address (e.g. #foo:%(localDomain)s)": "New address (e.g. #foo:%(localDomain)s)",
- "Invalid community ID": "Invalid community ID",
- "'%(groupId)s' is not a valid community ID": "'%(groupId)s' is not a valid community ID",
- "Flair": "Flair",
- "Showing flair for these communities:": "Showing flair for these communities:",
- "This room is not showing flair for any communities": "This room is not showing flair for any communities",
- "New community ID (e.g. +foo:%(localDomain)s)": "New community ID (e.g. +foo:%(localDomain)s)",
- "You have enabled URL previews by default.": "You have enabled URL previews by default.",
- "You have disabled URL previews by default.": "You have disabled URL previews by default.",
- "URL previews are enabled by default for participants in this room.": "URL previews are enabled by default for participants in this room.",
- "URL previews are disabled by default for participants in this room.": "URL previews are disabled by default for participants in this room.",
- "URL Previews": "URL Previews",
"Sunday": "Sunday",
"Monday": "Monday",
"Tuesday": "Tuesday",
@@ -574,6 +626,8 @@
"%(senderDisplayName)s changed the avatar for %(roomName)s": "%(senderDisplayName)s changed the avatar for %(roomName)s",
"%(senderDisplayName)s removed the room avatar.": "%(senderDisplayName)s removed the room avatar.",
"%(senderDisplayName)s changed the room avatar to ": "%(senderDisplayName)s changed the room avatar to ",
+ "This room is a continuation of another conversation.": "This room is a continuation of another conversation.",
+ "Click here to see older messages.": "Click here to see older messages.",
"Copied!": "Copied!",
"Failed to copy": "Failed to copy",
"Add an Integration": "Add an Integration",
@@ -599,6 +653,10 @@
"Code": "Code",
"Start authentication": "Start authentication",
"powered by Matrix": "powered by Matrix",
+ "The email field must not be blank.": "The email field must not be blank.",
+ "The user name field must not be blank.": "The user name field must not be blank.",
+ "The phone number field must not be blank.": "The phone number field must not be blank.",
+ "The password field must not be blank.": "The password field must not be blank.",
"Username on %(hs)s": "Username on %(hs)s",
"User name": "User name",
"Mobile phone number": "Mobile phone number",
@@ -611,7 +669,6 @@
"Email address (optional)": "Email address (optional)",
"You are registering with %(SelectedTeamName)s": "You are registering with %(SelectedTeamName)s",
"Mobile phone number (optional)": "Mobile phone number (optional)",
- "Register": "Register",
"Default server": "Default server",
"Custom server": "Custom server",
"Home server URL": "Home server URL",
@@ -650,6 +707,9 @@
"A new version of Riot is available.": "A new version of Riot is available.",
"To return to your account in future you need to set a password ": "To return to your account in future you need to set a password ",
"Set Password": "Set Password",
+ "Please contact your service administrator to get this limit increased.": "Please contact your service administrator to get this limit increased.",
+ "This homeserver has hit its Monthly Active User limit so some users will not be able to log in .": "This homeserver has hit its Monthly Active User limit so some users will not be able to log in .",
+ "This homeserver has exceeded one of its resource limits so some users will not be able to log in .": "This homeserver has exceeded one of its resource limits so some users will not be able to log in .",
"Error encountered (%(errorDetail)s).": "Error encountered (%(errorDetail)s).",
"Checking for an update...": "Checking for an update...",
"No update available.": "No update available.",
@@ -663,8 +723,11 @@
"Delete Widget": "Delete Widget",
"Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?",
"Delete widget": "Delete widget",
+ "Failed to remove widget": "Failed to remove widget",
+ "An error ocurred whilst trying to remove the widget from the room": "An error ocurred whilst trying to remove the widget from the room",
"Revoke widget access": "Revoke widget access",
"Minimize apps": "Minimize apps",
+ "Reload widget": "Reload widget",
"Popout widget": "Popout widget",
"Picture": "Picture",
"Edit": "Edit",
@@ -681,7 +744,6 @@
"Uploaded on %(date)s by %(user)s": "Uploaded on %(date)s by %(user)s",
"Download this file": "Download this file",
"Integrations Error": "Integrations Error",
- "Could not connect to the integration server": "Could not connect to the integration server",
"Manage Integrations": "Manage Integrations",
"%(nameList)s %(transitionList)s": "%(nameList)s %(transitionList)s",
"%(severalUsers)sjoined %(count)s times|other": "%(severalUsers)sjoined %(count)s times",
@@ -749,16 +811,16 @@
"Matrix ID": "Matrix ID",
"Matrix Room ID": "Matrix Room ID",
"email address": "email address",
- "Try using one of the following valid address types: %(validTypesList)s.": "Try using one of the following valid address types: %(validTypesList)s.",
"You have entered an invalid address.": "You have entered an invalid address.",
+ "Try using one of the following valid address types: %(validTypesList)s.": "Try using one of the following valid address types: %(validTypesList)s.",
"Preparing to send logs": "Preparing to send logs",
"Logs sent": "Logs sent",
"Thank you!": "Thank you!",
"Failed to send logs: ": "Failed to send logs: ",
"Submit debug logs": "Submit debug logs",
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms or groups you have visited and the usernames of other users. They do not contain messages.": "Debug logs contain application usage data including your username, the IDs or aliases of the rooms or groups you have visited and the usernames of other users. They do not contain messages.",
- "Riot bugs are tracked on GitHub: create a GitHub issue .": "Riot bugs are tracked on GitHub: create a GitHub issue .",
- "GitHub issue link:": "GitHub issue link:",
+ "Before submitting logs, you must create a GitHub issue to describe your problem.": "Before submitting logs, you must create a GitHub issue to describe your problem.",
+ "What GitHub issue are these logs for?": "What GitHub issue are these logs for?",
"Notes:": "Notes:",
"Send logs": "Send logs",
"Unavailable": "Unavailable",
@@ -771,7 +833,7 @@
"Start Chatting": "Start Chatting",
"Confirm Removal": "Confirm Removal",
"Are you sure you wish to remove (delete) this event? Note that if you delete a room name or topic change, it could undo the change.": "Are you sure you wish to remove (delete) this event? Note that if you delete a room name or topic change, it could undo the change.",
- "Community IDs cannot not be empty.": "Community IDs cannot not be empty.",
+ "Community IDs cannot be empty.": "Community IDs cannot be empty.",
"Community IDs may only contain characters a-z, 0-9, or '=_-./'": "Community IDs may only contain characters a-z, 0-9, or '=_-./'",
"Something went wrong whilst creating your community": "Something went wrong whilst creating your community",
"Create Community": "Create Community",
@@ -824,6 +886,17 @@
"Ignore request": "Ignore request",
"Loading device info...": "Loading device info...",
"Encryption key request": "Encryption key request",
+ "Riot now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "Riot now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!",
+ "Updating Riot": "Updating Riot",
+ "Failed to upgrade room": "Failed to upgrade room",
+ "The room upgrade could not be completed": "The room upgrade could not be completed",
+ "Upgrade this room to version %(version)s": "Upgrade this room to version %(version)s",
+ "Upgrade Room Version": "Upgrade Room Version",
+ "Upgrading this room requires closing down the current instance of the room and creating a new room it its place. To give room members the best possible experience, we will:": "Upgrading this room requires closing down the current instance of the room and creating a new room it its place. To give room members the best possible experience, we will:",
+ "Create a new room with the same name, description and avatar": "Create a new room with the same name, description and avatar",
+ "Update any local room aliases to point to the new room": "Update any local room aliases to point to the new room",
+ "Stop users from speaking in the old version of the room, and post a message advising users to move to the new room": "Stop users from speaking in the old version of the room, and post a message advising users to move to the new room",
+ "Put a link back to the old room at the start of the new room so people can see old messages": "Put a link back to the old room at the start of the new room so people can see old messages",
"Sign out": "Sign out",
"Log out and remove encryption keys?": "Log out and remove encryption keys?",
"Clear Storage and Sign Out": "Clear Storage and Sign Out",
@@ -857,6 +930,13 @@
"(HTTP status %(httpStatus)s)": "(HTTP status %(httpStatus)s)",
"Please set a password!": "Please set a password!",
"This will allow you to return to your account after signing out, and sign in on other devices.": "This will allow you to return to your account after signing out, and sign in on other devices.",
+ "Share Room": "Share Room",
+ "Link to most recent message": "Link to most recent message",
+ "Share User": "Share User",
+ "Share Community": "Share Community",
+ "Share Room Message": "Share Room Message",
+ "Link to selected message": "Link to selected message",
+ "COPY": "COPY",
"You are currently blacklisting unverified devices; to send messages to these devices you must verify them.": "You are currently blacklisting unverified devices; to send messages to these devices you must verify them.",
"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.": "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.",
"Room contains unknown devices": "Room contains unknown devices",
@@ -866,6 +946,10 @@
"Public Chat": "Public Chat",
"Custom": "Custom",
"Alias (optional)": "Alias (optional)",
+ "Reject invitation": "Reject invitation",
+ "Are you sure you want to reject the invitation?": "Are you sure you want to reject the invitation?",
+ "Unable to reject invite": "Unable to reject invite",
+ "Reject": "Reject",
"You cannot delete this message. (%(code)s)": "You cannot delete this message. (%(code)s)",
"Resend": "Resend",
"Cancel Sending": "Cancel Sending",
@@ -875,7 +959,7 @@
"View Source": "View Source",
"View Decrypted Source": "View Decrypted Source",
"Unhide Preview": "Unhide Preview",
- "Permalink": "Permalink",
+ "Share Message": "Share Message",
"Quote": "Quote",
"Source URL": "Source URL",
"Collapse Reply Thread": "Collapse Reply Thread",
@@ -885,7 +969,6 @@
"Mentions only": "Mentions only",
"Leave": "Leave",
"Forget": "Forget",
- "Reject": "Reject",
"Low Priority": "Low Priority",
"Direct Chat": "Direct Chat",
"View Community": "View Community",
@@ -903,7 +986,7 @@
"You must register to use this functionality": "You must register to use this functionality",
"You must join the room to see its files": "You must join the room to see its files",
"There are no visible files in this room": "There are no visible files in this room",
- "HTML for your community's page \n\n Use the long description to introduce new members to the community, or distribute\n some important links \n
\n\n You can even use 'img' tags\n
\n": "HTML for your community's page \n\n Use the long description to introduce new members to the community, or distribute\n some important links \n
\n\n You can even use 'img' tags\n
\n",
+ "HTML for your community's page \r\n\r\n Use the long description to introduce new members to the community, or distribute\r\n some important links \r\n
\r\n\r\n You can even use 'img' tags\r\n
\r\n": "HTML for your community's page \r\n\r\n Use the long description to introduce new members to the community, or distribute\r\n some important links \r\n
\r\n\r\n You can even use 'img' tags\r\n
\r\n",
"Add rooms to the community summary": "Add rooms to the community summary",
"Which rooms would you like to add to this summary?": "Which rooms would you like to add to this summary?",
"Add to summary": "Add to summary",
@@ -920,7 +1003,6 @@
"Failed to upload image": "Failed to upload image",
"Failed to update community": "Failed to update community",
"Unable to accept invite": "Unable to accept invite",
- "Unable to reject invite": "Unable to reject invite",
"Unable to join community": "Unable to join community",
"Leave Community": "Leave Community",
"Leave %(groupName)s?": "Leave %(groupName)s?",
@@ -946,8 +1028,6 @@
"Failed to load %(groupId)s": "Failed to load %(groupId)s",
"Couldn't load home page": "Couldn't load home page",
"Login": "Login",
- "Reject invitation": "Reject invitation",
- "Are you sure you want to reject the invitation?": "Are you sure you want to reject the invitation?",
"Failed to reject invitation": "Failed to reject invitation",
"This room is not public. You will not be able to rejoin without an invite.": "This room is not public. You will not be able to rejoin without an invite.",
"Are you sure you want to leave the room '%(roomName)s'?": "Are you sure you want to leave the room '%(roomName)s'?",
@@ -968,8 +1048,6 @@
"Error whilst fetching joined communities": "Error whilst fetching joined communities",
"Create a new community": "Create a new community",
"Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.": "Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.",
- "Join an existing community": "Join an existing community",
- "To join an existing community you'll have to know its community identifier; this will look something like +example:matrix.org .": "To join an existing community you'll have to know its community identifier; this will look something like +example:matrix.org .",
"You have no visible notifications": "You have no visible notifications",
"Members": "Members",
"%(count)s Members|other": "%(count)s Members",
@@ -1000,6 +1078,9 @@
"Scroll to bottom of page": "Scroll to bottom of page",
"Message not sent due to unknown devices being present": "Message not sent due to unknown devices being present",
"Show devices , send anyway or cancel .": "Show devices , send anyway or cancel .",
+ "You can't send any messages until you review and agree to our terms and conditions .": "You can't send any messages until you review and agree to our terms and conditions .",
+ "Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please contact your service administrator to continue using the service.": "Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please contact your service administrator to continue using the service.",
+ "Your message wasn't sent because this homeserver has exceeded a resource limit. Please contact your service administrator to continue using the service.": "Your message wasn't sent because this homeserver has exceeded a resource limit. Please contact your service administrator to continue using the service.",
"%(count)s of your messages have not been sent.|other": "Some of your messages have not been sent.",
"%(count)s of your messages have not been sent.|one": "Your message was not sent.",
"%(count)s Resend all or cancel all now. You can also select individual messages to resend or cancel.|other": "Resend all or cancel all now. You can also select individual messages to resend or cancel.",
@@ -1058,7 +1139,7 @@
"Device ID:": "Device ID:",
"Device key:": "Device key:",
"Ignored Users": "Ignored Users",
- "Debug Logs Submission": "Debug Logs Submission",
+ "Submit Debug Logs": "Submit Debug Logs",
"If you've submitted a bug via GitHub, debug logs can help us track down the problem. Debug logs contain application usage data including your username, the IDs or aliases of the rooms or groups you have visited and the usernames of other users. They do not contain messages.": "If you've submitted a bug via GitHub, debug logs can help us track down the problem. Debug logs contain application usage data including your username, the IDs or aliases of the rooms or groups you have visited and the usernames of other users. They do not contain messages.",
"Riot collects anonymous analytics to allow us to improve the application.": "Riot collects anonymous analytics to allow us to improve the application.",
"Privacy is important to us, so we don't collect any personal or identifiable data for our analytics.": "Privacy is important to us, so we don't collect any personal or identifiable data for our analytics.",
@@ -1066,7 +1147,10 @@
"Labs": "Labs",
"These are experimental features that may break in unexpected ways": "These are experimental features that may break in unexpected ways",
"Use with caution": "Use with caution",
+ "Lazy loading members not supported": "Lazy loading members not supported",
+ "Lazy loading is not supported by your current homeserver.": "Lazy loading is not supported by your current homeserver.",
"Deactivate my account": "Deactivate my account",
+ "Legal": "Legal",
"Clear Cache": "Clear Cache",
"Clear Cache and Reload": "Clear Cache and Reload",
"Updates": "Updates",
@@ -1078,9 +1162,11 @@
"No media permissions": "No media permissions",
"You may need to manually permit Riot to access your microphone/webcam": "You may need to manually permit Riot to access your microphone/webcam",
"Missing Media Permissions, click here to request.": "Missing Media Permissions, click here to request.",
+ "No Audio Outputs detected": "No Audio Outputs detected",
"No Microphones detected": "No Microphones detected",
"No Webcams detected": "No Webcams detected",
"Default Device": "Default Device",
+ "Audio Output": "Audio Output",
"Microphone": "Microphone",
"Camera": "Camera",
"VoIP": "VoIP",
@@ -1114,6 +1200,7 @@
"Send Reset Email": "Send Reset Email",
"Create an account": "Create an account",
"This Home Server does not support login using email address.": "This Home Server does not support login using email address.",
+ "Please contact your service administrator to continue using this service.": "Please contact your service administrator to continue using this service.",
"Incorrect username and/or password.": "Incorrect username and/or password.",
"Please note you are logging into the %(hs)s server, not matrix.org.": "Please note you are logging into the %(hs)s server, not matrix.org.",
"Guest access is disabled on this Home Server.": "Guest access is disabled on this Home Server.",
@@ -1122,36 +1209,23 @@
"Error: Problem communicating with the given homeserver.": "Error: Problem communicating with the given homeserver.",
"Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts .": "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts .",
"Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.",
- "Login as guest": "Login as guest",
+ "Try the app first": "Try the app first",
"Sign in to get started": "Sign in to get started",
"Failed to fetch avatar URL": "Failed to fetch avatar URL",
"Set a display name:": "Set a display name:",
"Upload an avatar:": "Upload an avatar:",
+ "Unable to query for supported registration methods": "Unable to query for supported registration methods",
"This server does not support authentication with a phone number.": "This server does not support authentication with a phone number.",
"Missing password.": "Missing password.",
"Passwords don't match.": "Passwords don't match.",
"Password too short (min %(MIN_PASSWORD_LENGTH)s).": "Password too short (min %(MIN_PASSWORD_LENGTH)s).",
"This doesn't look like a valid email address.": "This doesn't look like a valid email address.",
"This doesn't look like a valid phone number.": "This doesn't look like a valid phone number.",
+ "An email address is required to register on this homeserver.": "An email address is required to register on this homeserver.",
+ "A phone number is required to register on this homeserver.": "A phone number is required to register on this homeserver.",
"You need to enter a user name.": "You need to enter a user name.",
"An unknown error occurred.": "An unknown error occurred.",
"I already have an account": "I already have an account",
- "Displays action": "Displays action",
- "Bans user with given id": "Bans user with given id",
- "Unbans user with given id": "Unbans user with given id",
- "Define the power level of a user": "Define the power level of a user",
- "Deops user with given id": "Deops user with given id",
- "Invites user with given id to current room": "Invites user with given id to current room",
- "Joins room with given alias": "Joins room with given alias",
- "Sets the room topic": "Sets the room topic",
- "Kicks user with given id": "Kicks user with given id",
- "Changes your display nickname": "Changes your display nickname",
- "Searches DuckDuckGo for results": "Searches DuckDuckGo for results",
- "Changes colour scheme of current room": "Changes colour scheme of current room",
- "Verifies a user, device, and pubkey tuple": "Verifies a user, device, and pubkey tuple",
- "Ignores a user, hiding their messages from you": "Ignores a user, hiding their messages from you",
- "Stops ignoring a user, showing their messages going forward": "Stops ignoring a user, showing their messages going forward",
- "Opens the Developer Tools dialog": "Opens the Developer Tools dialog",
"Commands": "Commands",
"Results from DuckDuckGo": "Results from DuckDuckGo",
"Emoji": "Emoji",
@@ -1189,5 +1263,9 @@
"Import": "Import",
"Failed to set direct chat tag": "Failed to set direct chat tag",
"Failed to remove tag %(tagName)s from room": "Failed to remove tag %(tagName)s from room",
- "Failed to add tag %(tagName)s to room": "Failed to add tag %(tagName)s to room"
+ "Failed to add tag %(tagName)s to room": "Failed to add tag %(tagName)s to room",
+ "You've previously used Riot on %(host)s with lazy loading of members enabled. In this version lazy loading is disabled. As the local cache is not compatible between these two settings, Riot needs to resync your account.": "You've previously used Riot on %(host)s with lazy loading of members enabled. In this version lazy loading is disabled. As the local cache is not compatible between these two settings, Riot needs to resync your account.",
+ "If the other version of Riot is still open in another tab, please close it as using Riot on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "If the other version of Riot is still open in another tab, please close it as using Riot on the same host with both lazy loading enabled and disabled simultaneously will cause issues.",
+ "Incompatible local cache": "Incompatible local cache",
+ "Clear cache and resync": "Clear cache and resync"
}
diff --git a/src/i18n/strings/en_US.json b/src/i18n/strings/en_US.json
index 43e2041020..6f0708f0c2 100644
--- a/src/i18n/strings/en_US.json
+++ b/src/i18n/strings/en_US.json
@@ -135,7 +135,6 @@
"Failed to kick": "Failed to kick",
"Failed to leave room": "Failed to leave room",
"Failed to load timeline position": "Failed to load timeline position",
- "Failed to lookup current room": "Failed to lookup current room",
"Failed to mute user": "Failed to mute user",
"Failed to reject invite": "Failed to reject invite",
"Failed to reject invitation": "Failed to reject invitation",
@@ -209,7 +208,6 @@
"Publish this room to the public in %(domain)s's room directory?": "Publish this room to the public in %(domain)s's room directory?",
"Local addresses for this room:": "Local addresses for this room:",
"Logged in as:": "Logged in as:",
- "Login as guest": "Login as guest",
"Logout": "Logout",
"Low priority": "Low priority",
"%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s made future room history visible to all room members, from the point they are invited.",
@@ -228,7 +226,6 @@
"Mobile phone number": "Mobile phone number",
"Mobile phone number (optional)": "Mobile phone number (optional)",
"Moderator": "Moderator",
- "Must be viewing a room": "Must be viewing a room",
"Mute": "Mute",
"Name": "Name",
"Never send encrypted messages to unverified devices from this device": "Never send encrypted messages to unverified devices from this device",
@@ -816,7 +813,6 @@
"Unable to fetch notification target list": "Unable to fetch notification target list",
"Set Password": "Set Password",
"Enable audible notifications in web client": "Enable audible notifications in web client",
- "Permalink": "Permalink",
"Off": "Off",
"Riot does not know how to join a room on this network": "Riot does not know how to join a room on this network",
"Mentions only": "Mentions only",
diff --git a/src/i18n/strings/eo.json b/src/i18n/strings/eo.json
index 68645ffd9c..74cd5b255f 100644
--- a/src/i18n/strings/eo.json
+++ b/src/i18n/strings/eo.json
@@ -53,9 +53,9 @@
"The file '%(fileName)s' exceeds this home server's size limit for uploads": "La dosiero «%(fileName)s» estas tro granda por la hejma servilo",
"Warning: any person you add to a community will be publicly visible to anyone who knows the community ID": "Averto: ajna persono aldonita al komunumo estos publike videbla al iu ajn, kiu konas la identigilon de tiu komunumo",
"Which rooms would you like to add to this community?": "Kiujn ĉambrojn vi volas aldoni al ĉi tiu komunumo?",
- "Show these rooms to non-members on the community page and room list?": "Ĉu la ĉambroj montriĝu al malanoj en la komunuma paĝo kaj listo de ĉambroj?",
+ "Show these rooms to non-members on the community page and room list?": "Montri tiujn babilejojn al malanoj en la komunuma paĝo kaj listo de babilejoj?",
"Add rooms to the community": "Aldoni ĉambrojn al la komunumo",
- "Room name or alias": "Nomo aŭ kromnomo de ĉambro",
+ "Room name or alias": "Nomo aŭ kromnomo de babilejo",
"Add to community": "Aldoni al komunumo",
"Failed to invite the following users to %(groupId)s:": "Malsukcesis inviti jenajn uzantojn al %(groupId)s:",
"Failed to invite users to community": "Malsukcesis inviti novajn uzantojn al komunumo",
@@ -74,30 +74,28 @@
"Who would you like to communicate with?": "Kun kiu vi volas komuniki?",
"Email, name or matrix ID": "Retpoŝtadreso, nomo, aŭ Matrix-identigaĵo",
"Start Chat": "Komenci babilon",
- "Invite new room members": "Inviti novajn ĉambranojn",
- "Who would you like to add to this room?": "Kiun vi ŝatus aldoni al tiu ĉi ĉambro?",
+ "Invite new room members": "Inviti novajn babilejanojn",
+ "Who would you like to add to this room?": "Kiun vi ŝatus aldoni al tiu ĉi babilejo?",
"Send Invites": "Sendi invitojn",
"Failed to invite user": "Malsukcesis inviti uzanton",
"Operation failed": "Ago malsukcesis",
"Failed to invite": "Invito malsukcesis",
- "Failed to invite the following users to the %(roomName)s room:": "Malsukcesis inviti la jenajn uzantojn al la ĉambro %(roomName)s:",
+ "Failed to invite the following users to the %(roomName)s room:": "Malsukcesis inviti la jenajn uzantojn al la babilejo %(roomName)s:",
"You need to be logged in.": "Vi devas saluti.",
"You need to be able to invite users to do that.": "Vi bezonas permeson inviti uzantojn por tio.",
"Unable to create widget.": "Fenestraĵo ne kreeblas.",
"Failed to send request.": "Malsukcesis sendi peton.",
- "This room is not recognised.": "Ĉi tiu ĉambro ne estas rekonita.",
+ "This room is not recognised.": "Ĉi tiu babilejo ne estas rekonita.",
"Power level must be positive integer.": "Nivelo de potenco devas esti entjero pozitiva.",
- "You are not in this room.": "Vi ne estas en tiu ĉi ĉambro.",
- "You do not have permission to do that in this room.": "Vi ne havas permeson fari tion en tiu ĉi ĉambro.",
+ "You are not in this room.": "Vi ne estas en tiu ĉi babilejo.",
+ "You do not have permission to do that in this room.": "Vi ne havas permeson fari tion en tiu babilejo.",
"Missing room_id in request": "En peto mankas «room_id»",
- "Must be viewing a room": "Necesas vidi ĉambron",
- "Room %(roomId)s not visible": "Ĉambro %(roomId)s ne videblas",
+ "Room %(roomId)s not visible": "babilejo %(roomId)s ne videblas",
"Missing user_id in request": "En peto mankas «user_id»",
- "Failed to lookup current room": "Malsukcesis trovi nunan ĉambron",
"Usage": "Uzo",
"/ddg is not a command": "/ddg ne estas komando",
"To use it, just wait for autocomplete results to load and tab through them.": "Por uzi ĝin, atendu aperon de sugestaj rezultoj, kaj tabu tra ili.",
- "Unrecognised room alias:": "Nerekonita ĉambra alinomo:",
+ "Unrecognised room alias:": "Nerekonita babileja kromnomo:",
"Ignored user": "Malatentata uzanto",
"You are now ignoring %(userId)s": "Vi nun malatentas uzanton %(userId)s",
"Unignored user": "Reatentata uzanto",
@@ -121,16 +119,16 @@
"%(senderName)s changed their profile picture.": "%(senderName)s ŝanĝis sian profilbildon.",
"%(senderName)s set a profile picture.": "%(senderName)s agordis profilbildon.",
"VoIP conference started.": "Rettelefona voko komenciĝis.",
- "%(targetName)s joined the room.": "%(targetName)s venis en la ĉambron.",
+ "%(targetName)s joined the room.": "%(targetName)s venis en la babilejo.",
"VoIP conference finished.": "Rettelefona voko finiĝis.",
"%(targetName)s rejected the invitation.": "%(targetName)s rifuzis la inviton.",
- "%(targetName)s left the room.": "%(targetName)s forlasis la ĉambron.",
+ "%(targetName)s left the room.": "%(targetName)s forlasis la babilejo.",
"%(senderName)s unbanned %(targetName)s.": "%(senderName)s malbaris uzanton %(targetName)s.",
"%(senderName)s kicked %(targetName)s.": "%(senderName)s forpelis uzanton %(targetName)s.",
"%(senderName)s withdrew %(targetName)s's invitation.": "%(senderName)s nuligis inviton por %(targetName)s.",
"%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s ŝanĝis la temon al «%(topic)s».",
- "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s forigis nomon de la ĉambro.",
- "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s ŝanĝis nomon de la ĉambro al %(roomName)s.",
+ "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s forigis nomon de la babilejo.",
+ "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s ŝanĝis nomon de la babilejo al %(roomName)s.",
"%(senderDisplayName)s sent an image.": "%(senderDisplayName)s sendis bildon.",
"Someone": "Iu",
"(not supported by this browser)": "(nesubtenata de tiu ĉi foliumilo)",
@@ -140,16 +138,16 @@
"(unknown failure: %(reason)s)": "(nekonata eraro: %(reason)s)",
"%(senderName)s ended the call.": "%(senderName)s finis la vokon.",
"%(senderName)s placed a %(callType)s call.": "%(senderName)s faris vokon de speco: %(callType)s.",
- "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s sendis ĉambran inviton al %(targetDisplayName)s.",
- "%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s videbligis estontan historion de la ĉambro al ĉiuj ĉambranoj, de la tempo de invito.",
- "%(senderName)s made future room history visible to all room members, from the point they joined.": "%(senderName)s videbligis estontan historion de la ĉambro al ĉiuj ĉambranoj, de la tempo de aliĝo.",
- "%(senderName)s made future room history visible to all room members.": "%(senderName)s videbligis estontan historion de la ĉambro al ĉiuj ĉambranoj.",
- "%(senderName)s made future room history visible to anyone.": "%(senderName)s videbligis estontan historion de la ĉambro al ĉiuj.",
- "%(senderName)s made future room history visible to unknown (%(visibility)s).": "%(senderName)s videbligis estontan historion de la ĉambro al nekonatoj (%(visibility)s).",
+ "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s sendis babilejan inviton al %(targetDisplayName)s.",
+ "%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s videbligis estontan historion de la babilejo al ĉiuj babilejanoj, ekde la tempo de invito.",
+ "%(senderName)s made future room history visible to all room members, from the point they joined.": "%(senderName)s videbligis estontan historion de la babilejo al ĉiuj babilejanoj, ekde la tempo de aliĝo.",
+ "%(senderName)s made future room history visible to all room members.": "%(senderName)s videbligis estontan historion de la babilejo al ĉiuj babilejanoj.",
+ "%(senderName)s made future room history visible to anyone.": "%(senderName)s videbligis estontan historion de la babilejo al ĉiuj.",
+ "%(senderName)s made future room history visible to unknown (%(visibility)s).": "%(senderName)s videbligis estontan historion de la babilejo al nekonata (%(visibility)s).",
"%(senderName)s turned on end-to-end encryption (algorithm %(algorithm)s).": "%(senderName)s ŝaltis ĝiscelan ĉifradon (algoritmo: %(algorithm)s).",
"%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s de %(fromPowerLevel)s al %(toPowerLevel)s",
"%(senderName)s changed the power level of %(powerLevelDiffText)s.": "%(senderName)s ŝanĝis la potencan nivelon de %(powerLevelDiffText)s.",
- "%(senderName)s changed the pinned messages for the room.": "%(senderName)s ŝanĝis la fiksitajn mesaĝojn de la ĉambro.",
+ "%(senderName)s changed the pinned messages for the room.": "%(senderName)s ŝanĝis la fiksitajn mesaĝojn de la babilejo.",
"%(widgetName)s widget modified by %(senderName)s": "Fenestraĵon %(widgetName)s ŝanĝis %(senderName)s",
"%(widgetName)s widget added by %(senderName)s": "Fenestraĵon %(widgetName)s aldonis %(senderName)s",
"%(widgetName)s widget removed by %(senderName)s": "Fenestraĵon %(widgetName)s forigis %(senderName)s",
@@ -157,15 +155,14 @@
"%(names)s and %(count)s others are typing|other": "%(names)s kaj %(count)s aliaj tajpas",
"%(names)s and %(count)s others are typing|one": "%(names)s kaj unu alia tajpas",
"%(names)s and %(lastPerson)s are typing": "%(names)s kaj %(lastPerson)s tajpas",
- "Failure to create room": "Malsukcesis krei ĉambron",
+ "Failure to create room": "Malsukcesis krei babilejon",
"Server may be unavailable, overloaded, or you hit a bug.": "Servilo povas esti neatingebla, troŝarĝita, aŭ vi renkontis cimon.",
- "Unnamed Room": "Sennoma ĉambro",
+ "Unnamed Room": "Sennoma Babilejo",
"Your browser does not support the required cryptography extensions": "Via foliumilo ne subtenas la bezonatajn ĉifrajn kromprogramojn",
"Not a valid Riot keyfile": "Nevalida ŝlosila dosiero de Riot",
"Authentication check failed: incorrect password?": "Aŭtentiga kontrolo malsukcesis: ĉu pro malĝusta pasvorto?",
- "Failed to join room": "Malsukcesis aliĝi al ĉambro",
+ "Failed to join room": "Malsukcesis aliĝi al babilejo",
"Message Pinning": "Fikso de mesaĝoj",
- "Tag Panel": "Etikeda panelo",
"Disable Emoji suggestions while typing": "Malŝalti mienetajn sugestojn dum tajpado",
"Use compact timeline layout": "Uzi densan okazordan aranĝon",
"Hide removed messages": "Kaŝi forigitajn mesaĝojn",
@@ -177,7 +174,7 @@
"Always show message timestamps": "Ĉiam montri mesaĝajn tempindikojn",
"Autoplay GIFs and videos": "Aŭtomate ludi GIF-bildojn kaj videojn",
"Call Failed": "Voko malsukcesis",
- "There are unknown devices in this room: if you proceed without verifying them, it will be possible for someone to eavesdrop on your call.": "En la ĉambro estas nekonataj aparatoj. Se vi daŭrigos ne kontrolinte ilin, iu povos subaŭskulti vian vokon.",
+ "There are unknown devices in this room: if you proceed without verifying them, it will be possible for someone to eavesdrop on your call.": "En la babilejo estas nekonataj aparatoj: se vi daŭrigos ne kontrolante ilin, iu povos subaŭskulti vian vokon.",
"Review Devices": "Kontroli aparatojn",
"Call Anyway": "Tamen voki",
"Answer Anyway": "Tamen respondi",
@@ -186,18 +183,18 @@
"Send anyway": "Tamen sendi",
"Send": "Sendi",
"Enable automatic language detection for syntax highlighting": "Ŝalti aŭtomatan rekonon de lingvo por sintaksa markado",
- "Hide avatars in user and room mentions": "Kaŝi profilbildojn en mencioj de uzantoj kaj ĉambroj",
+ "Hide avatars in user and room mentions": "Kaŝi profilbildojn en mencioj de uzantoj kaj babilejoj",
"Disable big emoji in chat": "Malŝalti grandajn mienetojn en babilo",
"Don't send typing notifications": "Ne elsendi sciigojn pri tajpado",
"Automatically replace plain text Emoji": "Aŭtomate anstataŭigi tekstajn mienetojn",
"Mirror local video feed": "Speguli lokan videon",
"Disable Peer-to-Peer for 1:1 calls": "Malŝalti samtavolajn duopajn vokojn",
"Never send encrypted messages to unverified devices from this device": "Neniam sendi neĉifritajn mesaĝojn al nekontrolitaj aparatoj de tiu ĉi aparato",
- "Never send encrypted messages to unverified devices in this room from this device": "Neniam sendi ĉifritajn mesaĝojn al nekontrolitaj aparatoj en tiu ĉi ĉambro de tiu ĉi aparto",
+ "Never send encrypted messages to unverified devices in this room from this device": "Neniam sendi ĉifritajn mesaĝojn al nekontrolitaj aparatoj en tiu ĉi babilejo el tiu ĉi aparato",
"Enable inline URL previews by default": "Ŝalti entekstan antaŭrigardon al retadresoj",
- "Enable URL previews for this room (only affects you)": "Ŝalti antaŭrigardon al retadresoj por ĉi tiu ĉambro (nur pro vi)",
- "Enable URL previews by default for participants in this room": "Ŝalti antaŭrigardon al retadresoj por anoj de ĉi tiu ĉambro",
- "Room Colour": "Koloro de ĉambro",
+ "Enable URL previews for this room (only affects you)": "Ŝalti URL-antaŭrigardon en ĉi tiu babilejo (nur por vi)",
+ "Enable URL previews by default for participants in this room": "Ŝalti URL-antaŭrigardon por anoj de ĉi tiu babilejo",
+ "Room Colour": "Babilejo-koloro",
"Active call (%(roomName)s)": "Aktiva voko (%(roomName)s)",
"unknown caller": "nekonata vokanto",
"Incoming voice call from %(name)s": "Envena voĉvoko de %(name)s",
@@ -219,7 +216,7 @@
"New passwords don't match": "Novaj pasvortoj ne kongruas",
"Passwords can't be empty": "Pasvortoj ne povas esti malplenaj",
"Continue": "Daŭrigi",
- "Export E2E room keys": "Elporti ĝiscele ĉifrajn ŝlosilojn de la ĉambro",
+ "Export E2E room keys": "Elporti ĝiscele ĉifrajn ŝlosilojn de la babilejo",
"Do you want to set an email address?": "Ĉu vi volas agordi retpoŝtadreson?",
"Current password": "Nuna pasvorto",
"Password": "Pasvorto",
@@ -239,7 +236,7 @@
"Disable Notifications": "Malŝalti sciigojn",
"Enable Notifications": "Ŝalti sciigojn",
"Cannot add any more widgets": "Pluaj fenestraĵoj ne aldoneblas",
- "The maximum permitted number of widgets have already been added to this room.": "La plejgranda nombro da fenestraĵoj jam aldoniĝis al ĉi tiu ĉambro.",
+ "The maximum permitted number of widgets have already been added to this room.": "La maksimuma permesata nombro de fenestraĵoj jam aldoniĝis al tiu babilejo.",
"Add a widget": "Aldoni fenestraĵon",
"Drop File Here": "Demetu dosieron tien ĉi",
"Drop file here to upload": "Demetu dosieron tien ĉi por ĝin alŝuti",
@@ -278,7 +275,7 @@
"Devices": "Aparatoj",
"Unignore": "Reatenti",
"Ignore": "Malatenti",
- "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.": "Ŝanĝo de pasvorto nuntempe nuligos ĉiujn ĝiscele ĉifrajn ŝlosilojn sur ĉiuj viaj aparatoj. Tio faros ĉifritajn babilajn historiojn nelegeblaj, krom se vi unue elportos viajn ĉambrajn ŝlosilojn kaj reenportos ilin poste. Estontece ĉi tio pliboniĝos.",
+ "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.": "Ŝanĝo de pasvorto nuntempe nuligos ĉiujn ĝiscele ĉifrajn ŝlosilojn sur ĉiuj viaj aparatoj. Tio igos ĉifritajn babilajn historiojn nelegeblaj, krom se vi unue elportos viajn babilejajn ŝlosilojn kaj reenportos ilin poste. Estonte tio pliboniĝos.",
"%(senderDisplayName)s changed the avatar for %(roomName)s": "%(senderDisplayName)s ŝanĝis la profilbildon de %(roomName)s",
"You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Vi estas direktota al ekstera retejo por aŭtentigi vian konton por uzo kun %(integrationsUrl)s. Ĉu vi volas daŭrigi tion?",
"Jump to read receipt": "Salti al legokonfirmo",
@@ -363,7 +360,7 @@
"Drop here to demote": "Demeti tien ĉi por malpligravigi",
"Drop here to tag %(section)s": "Demeti tien ĉi por marki %(section)s",
"Press to start a chat with someone": "Premu por komenci babilon kun iu",
- "You're not in any rooms yet! Press to make a room or to browse the directory": "Vi ankoraŭ estas en neniuj ĉambroj! Premu por fari ĉambron aŭ por esplori la ĉambrujon",
+ "You're not in any rooms yet! Press to make a room or to browse the directory": "Vi ankoraŭ estas en neniu ĉambro! Premu por krei ĉambron aŭ por esplori la ĉambrujon",
"Community Invites": "Komunumaj invitoj",
"Invites": "Invitoj",
"Favourites": "Ŝatataj",
@@ -416,7 +413,7 @@
"No users have specific privileges in this room": "Neniuj uzantoj havas specialajn privilegiojn en tiu ĉi ĉambro",
"Banned users": "Forbaritaj uzantoj",
"This room is not accessible by remote Matrix servers": "Ĉi tiu ĉambro ne atingeblas por foraj serviloj de Matrix",
- "Leave room": "Eliri el ĉambro",
+ "Leave room": "Eliri babilejon",
"Favourite": "Ŝatata",
"Tagged as: ": "Etikedita kiel: ",
"To link to a room it must have an address .": "Por esti ligebla, ĉambro devas havi adreson .",
@@ -661,7 +658,7 @@
"I verify that the keys match": "Mi kontrolas, ke la ŝlosiloj kongruas",
"An error has occurred.": "Eraro okazis.",
"OK": "Bone",
- "You added a new device '%(displayName)s', which is requesting encryption keys.": "Vi aldonis novan aparaton ‹%(displayName)s›, kiu petas ĉifrajn ŝlasilojn.",
+ "You added a new device '%(displayName)s', which is requesting encryption keys.": "Vi aldonis novan aparaton “%(displayName)s”, kiu petas ĉifrajn ŝlosilojn.",
"Your unverified device '%(displayName)s' is requesting encryption keys.": "Via nekontrolita aparato ‹%(displayName)s› petas ĉifrajn ŝlosilojn.",
"Start verification": "Komenci kontrolon",
"Share without verifying": "Kunhavigi sen kontrolo",
@@ -746,8 +743,6 @@
"Error whilst fetching joined communities": "Okazis eraro dum venigado de viaj komunumoj",
"Create a new community": "Krei novan komunumon",
"Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.": "Kreu komunumon por kunigi uzantojn kaj ĉambrojn! Fari propran hejmpaĝon por montri vian spacon en la universo de Matrix.",
- "Join an existing community": "Aliĝi al jama komunumo",
- "To join an existing community you'll have to know its community identifier; this will look something like +example:matrix.org .": "Por aliĝi al jama komunumo, vi devos scii ĝian komunuman identigilon; ĝi aspektas proksimume tiel ĉi: +ekzemplo:matrix.org .",
"You have no visible notifications": "Neniuj videblaj sciigoj",
"Scroll to bottom of page": "Rulumi al susbo de la paĝo",
"Message not sent due to unknown devices being present": "Mesaĝoj ne sendiĝis pro ĉeesto de nekonataj aparatoj",
@@ -862,7 +857,6 @@
"Error: Problem communicating with the given homeserver.": "Eraro: Estas problemo en komunikado kun la hejmservilo.",
"Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts .": "Hejmservilo ne alkonekteblas per HTTP kun HTTPS URL en via adresbreto. Aŭ uzu HTTPS aŭ ŝaltu malsekurajn skriptojn .",
"Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Ne eblas konekti al hejmservilo – bonvolu kontroli vian konekton, certigi ke la SSL-atestilo de via hejmservilo estas fidata, kaj ke neniu foliumila kromprogramo baras petojn.",
- "Login as guest": "Saluti kiel gasto",
"Sign in to get started": "Komencu per saluto",
"Failed to fetch avatar URL": "Malsukcesis venigi adreson de profilbildo",
"Set a display name:": "Agordi vidigan nomon:",
@@ -880,13 +874,13 @@
"Unbans user with given id": "Malforbaras uzanton kun la donita identigaĵo",
"Define the power level of a user": "Difini la potencan nivelon de uzanto",
"Deops user with given id": "Senestrigas uzanton kun donita identigaĵo",
- "Invites user with given id to current room": "Invitas uzanton kun donita identigaĵo al la nuna ĉambro",
- "Joins room with given alias": "Aliĝigas al ĉambro kun la donita kromnomo",
- "Sets the room topic": "Agordas la ĉambran temon",
+ "Invites user with given id to current room": "Invitas uzanton per identigilo al la nuna babilejo",
+ "Joins room with given alias": "Aliĝas al babilejo per kromnomo",
+ "Sets the room topic": "Agordas la babilejan temon",
"Kicks user with given id": "Forpelas uzanton kun la donita identigaĵo",
"Changes your display nickname": "Ŝanĝas vian vidigan nomon",
"Searches DuckDuckGo for results": "Serĉas rezultojn per DuckDuckGo",
- "Changes colour scheme of current room": "Ŝanĝas kolorsĥemon de la nuna ĉambro",
+ "Changes colour scheme of current room": "Ŝanĝas kolorskemon de la nuna babilejo",
"Verifies a user, device, and pubkey tuple": "Kontrolas opon de uzanto, aparato, kaj publika ŝlosilo",
"Ignores a user, hiding their messages from you": "Malatentas uzanton, kaŝante ĝiajn mesaĝojn de vi",
"Stops ignoring a user, showing their messages going forward": "Ĉesas malatenti uzanton, montronte ĝiajn pluajn mesaĝojn",
@@ -944,7 +938,7 @@
"The platform you're on": "Via sistemtipo",
"Which officially provided instance you are using, if any": "Kiun oficiale disponeblan aperon vi uzas, se iun ajn",
"Whether or not you're using the Richtext mode of the Rich Text Editor": "Ĉu vi uzas la riĉtekstan reĝimon de la riĉteksta redaktilo aŭ ne",
- "Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "Kiam ĉi tiu paĝo enhavas identigeblajn informojn, ekzemple ĉambron, uzantan aŭ grupan identigilon, ĝi sendiĝas al la servilo sen tiuj.",
+ "Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "Kiam ĉi tiu paĝo enhavas identigeblajn informojn, ekzemple babilejon, uzantan aŭ grupan identigilon, ili estas formetataj antaŭ sendado al la servilo.",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s",
"Disable Community Filter Panel": "Malŝalti komunuman filtran breton",
"Failed to add tag %(tagName)s to room": "Malsukcesis aldoni etikedon %(tagName)s al ĉambro",
@@ -1050,10 +1044,10 @@
"Failed to send custom event.": "Malsukcesis sendi propran okazon.",
"What's new?": "Kio novas?",
"Notify me for anything else": "Sciigu min pri ĉio alia",
- "When I'm invited to a room": "Kiam mi estas invitita al ĉambro",
+ "When I'm invited to a room": "Kiam mi estas invitita al babilejo",
"Keywords": "Ŝlosilvortoj",
"Can't update user notification settings": "Agordoj de sciigoj al uzanto ne ĝisdatigeblas",
- "Notify for all other messages/rooms": "Sciigu min por ĉiu alia babilejo",
+ "Notify for all other messages/rooms": "Sciigu min por ĉiuj aliaj mesaĝoj/babilejoj",
"Unable to look up room ID from server": "Ĉambra identigaĵo ne akireblas de la servilo",
"Couldn't find a matching Matrix room": "Malsukcesis trovi kongruan ĉambron en Matrix",
"All Rooms": "Ĉiuj babilejoj",
@@ -1077,7 +1071,6 @@
"Unable to fetch notification target list": "Malsukcesis akiri la liston de celoj por sciigoj",
"Set Password": "Agordi pasvorton",
"Enable audible notifications in web client": "Ŝalti aŭdeblajn sciigojn en la retkliento",
- "Permalink": "Konstanta ligilo",
"Off": "For",
"Riot does not know how to join a room on this network": "Riot ne scias aliĝi al ĉambroj en tiu ĉi reto",
"Mentions only": "Nur mencioj",
@@ -1103,5 +1096,19 @@
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms or groups you have visited and the usernames of other users. They do not contain messages.": "Sencimigaj protokoloj enhavas informojn pri uzo de aplikaĵo, inkluzive vian salutnomon, la identigilojn aŭ nomojn de la ĉambroj aŭ grupoj kiujn vi vizitis, kaj la salutnomojn de aliaj uzantoj. Ili ne enhavas mesaĝojn.",
"Failed to send logs: ": "Malsukcesis sendi protokolon: ",
"Notes:": "Rimarkoj:",
- "Preparing to send logs": "Pretiganta sendon de protokolo"
+ "Preparing to send logs": "Pretiganta sendon de protokolo",
+ "e.g. %(exampleValue)s": "ekz. %(exampleValue)s",
+ "Every page you use in the app": "Ĉiu paĝo kiun vi uzas en la aplikaĵo",
+ "e.g. ": "ekz. ",
+ "Your User Agent": "Via klienta aplikaĵo",
+ "Your device resolution": "La distingivo de via aparato",
+ "Call in Progress": "Voko farata",
+ "A call is already in progress!": "Voko estas jam farata!",
+ "Always show encryption icons": "Ĉiam montri bildetojn de ĉifrado",
+ "Send analytics data": "Sendi statistikajn datumojn",
+ "Key request sent.": "Demando de ŝlosilo sendita.",
+ "Re-request encryption keys from your other devices.": "Redemandi ĉifroŝlosilojn el viaj aliaj aparatoj.",
+ "Encrypting": "Ĉifranta",
+ "Encrypted, not sent": "Ĉifrita, ne sendita",
+ "If your other devices do not have the key for this message you will not be able to decrypt them.": "Se viaj aliaj aparatoj ne havas la ŝlosilon por ĉi tiu mesaĝo, vi ne povos malĉifri ĝin."
}
diff --git a/src/i18n/strings/es.json b/src/i18n/strings/es.json
index 8e7925ba36..1a55796e6c 100644
--- a/src/i18n/strings/es.json
+++ b/src/i18n/strings/es.json
@@ -1,174 +1,172 @@
{
"A text message has been sent to +%(msisdn)s. Please enter the verification code it contains": "Un mensaje de texto ha sido enviado a +%(msisdn)s. Por favor ingrese el código de verificación que lo contiene",
- "%(targetName)s accepted an invitation.": "%(targetName)s ha aceptado una invitación.",
- "%(targetName)s accepted the invitation for %(displayName)s.": "%(targetName)s ha aceptado la invitación para %(displayName)s.",
+ "%(targetName)s accepted an invitation.": "%(targetName)s aceptó una invitación.",
+ "%(targetName)s accepted the invitation for %(displayName)s.": "%(targetName)s aceptó la invitación para %(displayName)s.",
"Account": "Cuenta",
"Access Token:": "Token de Acceso:",
- "Add email address": "Agregar correo eléctronico",
- "Add phone number": "Agregar número telefónico",
+ "Add email address": "Añadir dirección de correo electrónico",
+ "Add phone number": "Añadir número telefónico",
"Admin": "Administrador",
"Advanced": "Avanzado",
"Algorithm": "Algoritmo",
- "Always show message timestamps": "Siempre mostrar la hora del mensaje",
+ "Always show message timestamps": "Siempre mostrar las marcas temporales de mensajes",
"Authentication": "Autenticación",
"%(items)s and %(lastItem)s": "%(items)s y %(lastItem)s",
- "and %(count)s others...|other": "y %(count)s otros...",
- "and %(count)s others...|one": "y otro...",
+ "and %(count)s others...|other": "y otros %(count)s...",
+ "and %(count)s others...|one": "y otro más...",
"%(names)s and %(lastPerson)s are typing": "%(names)s y %(lastPerson)s están escribiendo",
- "A new password must be entered.": "Una nueva clave debe ser ingresada.",
- "%(senderName)s answered the call.": "%(senderName)s atendió la llamada.",
+ "A new password must be entered.": "Debes ingresar una contraseña nueva.",
+ "%(senderName)s answered the call.": "%(senderName)s contestó la llamada.",
"An error has occurred.": "Un error ha ocurrido.",
- "Anyone who knows the room's link, apart from guests": "Cualquiera que sepa el enlace de la sala, salvo invitados",
- "Anyone who knows the room's link, including guests": "Cualquiera que sepa del enlace de la sala, incluyendo los invitados",
+ "Anyone who knows the room's link, apart from guests": "Cualquier persona que conozca el enlace a esta sala, excepto huéspedes",
+ "Anyone who knows the room's link, including guests": "Cualquier persona que conozca el enlace a esta sala, incluyendo huéspedes",
"Are you sure?": "¿Estás seguro?",
"Are you sure you want to reject the invitation?": "¿Estás seguro que quieres rechazar la invitación?",
"Attachment": "Adjunto",
"Autoplay GIFs and videos": "Reproducir automáticamente GIFs y videos",
- "%(senderName)s banned %(targetName)s.": "%(senderName)s ha bloqueado a %(targetName)s.",
- "Ban": "Bloquear",
- "Banned users": "Usuarios bloqueados",
- "Bans user with given id": "Bloquear usuario por ID",
- "Blacklisted": "En lista negra",
+ "%(senderName)s banned %(targetName)s.": "%(senderName)s vetó a %(targetName)s.",
+ "Ban": "Vetar",
+ "Banned users": "Usuarios vetados",
+ "Bans user with given id": "Veta al usuario con la ID dada",
+ "Blacklisted": "Prohibido",
"Bulk Options": "Opciones masivas",
- "Call Timeout": "Tiempo de espera de la llamada",
- "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts .": "No se puede conectar al servidor via HTTP, cuando es necesario un enlace HTTPS en la barra de direcciones de tu navegador. Ya sea usando HTTPS o habilitando los scripts inseguros .",
- "Can't load user settings": "No se puede cargar las configuraciones del usuario",
- "Change Password": "Cambiar clave",
- "%(senderName)s changed their profile picture.": "%(senderName)s ha cambiado su foto de perfil.",
+ "Call Timeout": "Tiempo de Espera de Llamada",
+ "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts .": "No se puede conectar al servidor doméstico via HTTP, cuando es necesario un enlace HTTPS en la barra de direcciones de tu navegador. Ya sea usando HTTPS o habilitando los scripts inseguros .",
+ "Can't load user settings": "No se puede cargar los ajustes de usuario",
+ "Change Password": "Cambiar Contraseña",
+ "%(senderName)s changed their profile picture.": "%(senderName)s cambió su imagen de perfil.",
"%(senderName)s changed the power level of %(powerLevelDiffText)s.": "%(senderName)s ha cambiado el nivel de acceso de %(powerLevelDiffText)s.",
- "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s ha cambiado el nombre de la sala a %(roomName)s.",
- "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s ha cambiado el tema de la sala a \"%(topic)s\".",
+ "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s cambió el nombre de la sala a %(roomName)s.",
+ "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s cambió el tema a \"%(topic)s\".",
"Changes to who can read history will only apply to future messages in this room": "Cambios para quien pueda leer el historial solo serán aplicados a futuros mensajes en la sala",
- "Changes your display nickname": "Cambia la visualización de tu apodo",
+ "Changes your display nickname": "Cambia tu apodo público",
"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.": "El cambio de contraseña restablecerá actualmente todas las claves de cifrado de extremo a extremo de todos los dispositivos, haciendo que el historial de chat cifrado sea ilegible, a menos que primero exporte las claves de la habitación y vuelva a importarlas después. En el futuro esto será mejorado.",
- "Claimed Ed25519 fingerprint key": "Clave Ed25519 es necesaria",
- "Clear Cache and Reload": "Borrar caché y recargar",
- "Clear Cache": "Borrar caché",
+ "Claimed Ed25519 fingerprint key": "Clave de huella digital Ed25519 reclamada",
+ "Clear Cache and Reload": "Borrar Caché y Recargar",
+ "Clear Cache": "Borrar Caché",
"Click here to fix": "Haz clic aquí para arreglar",
- "Click to mute audio": "Haz clic para silenciar audio",
- "Click to mute video": "Haz clic para silenciar video",
+ "Click to mute audio": "Haz clic para silenciar el audio",
+ "Click to mute video": "Haz clic para silenciar el vídeo",
"click to reveal": "Haz clic para ver",
- "Click to unmute video": "Haz clic para activar sonido del video",
- "Click to unmute audio": "Haz clic para activar sonido de audio",
+ "Click to unmute video": "Haz clic para dejar de silenciar el vídeo",
+ "Click to unmute audio": "Haz clic para dejar de silenciar el audio",
"Command error": "Error de comando",
"Commands": "Comandos",
"Conference call failed.": "La llamada de conferencia falló.",
- "Conference calling is in development and may not be reliable.": "La llamada en conferencia esta en desarrollo y no podría ser segura.",
- "Conference calls are not supported in encrypted rooms": "Las llamadas en conferencia no son soportadas en salas encriptadas",
- "Conference calls are not supported in this client": "Las llamadas en conferencia no son soportadas en este navegador",
- "Confirm password": "Confirmar clave",
- "Confirm your new password": "Confirma tu nueva clave",
+ "Conference calling is in development and may not be reliable.": "La llamada en conferencia está en desarrollo y puede no ser fiable.",
+ "Conference calls are not supported in encrypted rooms": "Las llamadas en conferencia no son soportadas en salas cifradas",
+ "Conference calls are not supported in this client": "Las llamadas en conferencia no están soportadas en este cliente",
+ "Confirm password": "Confirmar contraseña",
+ "Confirm your new password": "Confirma tu contraseña nueva",
"Continue": "Continuar",
"Could not connect to the integration server": "No se pudo conectar al servidor de integración",
"Create an account": "Crear una cuenta",
- "Create Room": "Crear una sala",
+ "Create Room": "Crear Sala",
"Cryptography": "Criptografía",
- "Current password": "Clave actual",
+ "Current password": "Contraseña actual",
"Curve25519 identity key": "Clave de identidad Curve25519",
"/ddg is not a command": "/ddg no es un comando",
"Deactivate Account": "Desactivar Cuenta",
"Deactivate my account": "Desactivar mi cuenta",
"Decrypt %(text)s": "Descifrar %(text)s",
- "Decryption error": "Error al decifrar",
+ "Decryption error": "Error de descifrado",
"Delete": "Eliminar",
- "Deops user with given id": "Deops usuario con ID dado",
- "Default": "Por defecto",
- "Device ID": "ID del dispositivo",
+ "Deops user with given id": "Degrada al usuario con la ID dada",
+ "Default": "Por Defecto",
+ "Device ID": "ID de Dispositivo",
"Devices": "Dispositivos",
- "Devices will not yet be able to decrypt history from before they joined the room": "Los dispositivos aun no serán capaces de descifrar el historial antes de haberse unido a la sala",
+ "Devices will not yet be able to decrypt history from before they joined the room": "Los dispositivos todavía no podrán descifrar el historial desde antes de unirse a la sala",
"Direct chats": "Conversaciones directas",
"Disinvite": "Deshacer invitación",
- "Display name": "Nombre para mostrar",
- "Displays action": "Mostrar acción",
- "Don't send typing notifications": "No enviar notificaciones cuando se escribe",
+ "Display name": "Nombre público",
+ "Displays action": "Muestra la acción",
+ "Don't send typing notifications": "No enviar notificaciones de estar escribiendo",
"Download %(text)s": "Descargar %(text)s",
"Drop here to tag %(section)s": "Suelta aquí para etiquetar %(section)s",
- "Ed25519 fingerprint": "Clave de cifrado Ed25519",
+ "Ed25519 fingerprint": "Huella digital Ed25519",
"Email": "Correo electrónico",
"Email address": "Dirección de correo electrónico",
- "Email, name or matrix ID": "Correo electrónico, nombre o Matrix ID",
+ "Email, name or matrix ID": "Correo electrónico, nombre o ID de matrix",
"Emoji": "Emoticones",
- "Enable encryption": "Habilitar encriptación",
- "Encrypted messages will not be visible on clients that do not yet implement encryption": "Los mensajes encriptados no serán visibles en navegadores que no han implementado aun la encriptación",
+ "Enable encryption": "Habilitar cifrado",
+ "Encrypted messages will not be visible on clients that do not yet implement encryption": "Los mensajes cifrados no serán visibles en clientes que aún no implementen el cifrado",
"Encrypted room": "Sala encriptada",
- "%(senderName)s ended the call.": "%(senderName)s terminó la llamada.",
- "End-to-end encryption information": "Información de encriptación de extremo a extremo",
- "End-to-end encryption is in beta and may not be reliable": "El cifrado de extremo a extremo está en pruebas, podría no ser fiable",
+ "%(senderName)s ended the call.": "%(senderName)s finalizó la llamada.",
+ "End-to-end encryption information": "Información de cifrado de extremo a extremo",
+ "End-to-end encryption is in beta and may not be reliable": "El cifrado de extremo a extremo está en beta y puede no ser confiable",
"Enter Code": "Ingresar Código",
"Error": "Error",
"Error decrypting attachment": "Error al descifrar adjunto",
- "Event information": "Información del evento",
- "Existing Call": "Llamada existente",
- "Export E2E room keys": "Exportar claves E2E de la sala",
+ "Event information": "Información de eventos",
+ "Existing Call": "Llamada Existente",
+ "Export E2E room keys": "Exportar claves de salas con Cifrado de Extremo a Extremo",
"Failed to ban user": "Bloqueo del usuario falló",
- "Failed to change password. Is your password correct?": "No se pudo cambiar la contraseña. ¿Está usando la correcta?",
+ "Failed to change password. Is your password correct?": "No se pudo cambiar la contraseña. ¿Estás usando la correcta?",
"Failed to change power level": "Falló al cambiar de nivel de acceso",
- "Failed to forget room %(errCode)s": "Falló al olvidar la sala %(errCode)s",
- "Failed to join room": "Falló al unirse a la sala",
+ "Failed to forget room %(errCode)s": "No se pudo olvidar la sala %(errCode)s",
+ "Failed to join room": "No se pudo unir a la sala",
"Failed to kick": "Falló al expulsar",
- "Failed to leave room": "Falló al dejar la sala",
+ "Failed to leave room": "No se pudo salir de la sala",
"Failed to load timeline position": "Falló al cargar el historico",
- "Failed to lookup current room": "Falló al buscar la actual sala",
- "Failed to mute user": "Falló al silenciar el usuario",
+ "Failed to mute user": "No se pudo silenciar al usuario",
"Failed to reject invite": "Falló al rechazar invitación",
"Failed to reject invitation": "Falló al rechazar la invitación",
- "Failed to save settings": "Falló al guardar la configuración",
- "Failed to send email": "Falló al enviar el correo",
- "Failed to send request.": "Falló al enviar la solicitud.",
- "Failed to set avatar.": "Falló al establecer el avatar.",
- "Failed to set display name": "Falló al establecer el nombre a mostrar",
+ "Failed to save settings": "No se pudieron guardar los ajustes",
+ "Failed to send email": "No se pudo enviar el correo electrónico",
+ "Failed to send request.": "El envío de la solicitud falló.",
+ "Failed to set avatar.": "Falló al establecer avatar.",
+ "Failed to set display name": "No se pudo establecer el nombre público",
"Failed to set up conference call": "Falló al configurar la llamada en conferencia",
"Failed to toggle moderator status": "Falló al cambiar estatus de moderador",
- "Failed to unban": "Falló al desbloquear",
+ "Failed to unban": "No se pudo quitar veto",
"Failed to upload file": "Error en el envío del fichero",
- "Failed to verify email address: make sure you clicked the link in the email": "Falló al verificar el correo electrónico: Asegúrese hacer clic en el enlace del correo",
- "Failure to create room": "Fallo al crear la sala",
- "Favourite": "Favorito",
+ "Failed to verify email address: make sure you clicked the link in the email": "No se pudo verificar la dirección de correo electrónico: asegúrate de hacer clic en el enlace del correo electrónico",
+ "Failure to create room": "No se pudo crear sala",
+ "Favourite": "Agregar a Favoritos",
"Favourites": "Favoritos",
"Fill screen": "Llenar pantalla",
- "Filter room members": "Filtrar los miembros de la sala",
+ "Filter room members": "Filtrar miembros de la sala",
"Forget room": "Olvidar sala",
- "Forgot your password?": "¿Olvidaste tu clave?",
+ "Forgot your password?": "¿Olvidaste tu contraseña?",
"For security, this session has been signed out. Please sign in again.": "Por seguridad, esta sesión ha sido cerrada. Por favor inicia sesión nuevamente.",
- "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.": "Por seguridad, al cerrar la sesión borrará cualquier clave de encriptación de extremo a extremo en este navegador. Si quieres ser capaz de descifrar tu historial de conversación, para las futuras sesiones en Riot, por favor exporta las claves de la sala para protegerlas.",
+ "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.": "Por seguridad, al cerrar la sesión borrará cualquier clave de cifrado de extremo a extremo en este navegador. Si quieres ser capaz de descifrar tu historial de conversación, para las futuras sesiones en Riot, por favor exporta las claves de la sala para protegerlas.",
"%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s de %(fromPowerLevel)s a %(toPowerLevel)s",
"Guests cannot join this room even if explicitly invited.": "Invitados no pueden unirse a esta sala aun cuando han sido invitados explícitamente.",
"Hangup": "Colgar",
- "Hide read receipts": "Ocultar mensajes leídos",
+ "Hide read receipts": "Ocultar recibos de lectura",
"Hide Text Formatting Toolbar": "Ocultar barra de herramientas de formato de texto",
"Historical": "Histórico",
- "Homeserver is": "El servidor es",
- "Identity Server is": "La identidad del servidor es",
+ "Homeserver is": "El Servidor Doméstico es",
+ "Identity Server is": "El Servidor de Identidad es",
"I have verified my email address": "He verificado mi dirección de correo electrónico",
- "Import E2E room keys": "Importar claves E2E de la sala",
+ "Import E2E room keys": "Importar claves de salas con Cifrado de Extremo a Extremo",
"Incorrect verification code": "Verificación de código incorrecta",
- "Interface Language": "Idioma de la interfaz",
+ "Interface Language": "Idioma de la Interfaz",
"Invalid alias format": "Formato de alias inválido",
"Invalid address format": "Formato de dirección inválida",
- "Invalid Email Address": "Dirección de correo electrónico inválida",
+ "Invalid Email Address": "Dirección de Correo Electrónico Inválida",
"Invalid file%(extra)s": "Archivo inválido %(extra)s",
- "%(senderName)s invited %(targetName)s.": "%(senderName)s ha invitado a %(targetName)s.",
+ "%(senderName)s invited %(targetName)s.": "%(senderName)s invitó a %(targetName)s.",
"Invite new room members": "Invitar nuevos miembros a la sala",
- "Invites": "Invitar",
- "Invites user with given id to current room": "Invitar a usuario con ID dado a esta sala",
+ "Invites": "Invitaciones",
+ "Invites user with given id to current room": "Invita al usuario con la ID dada a la sala actual",
"'%(alias)s' is not a valid format for an address": "'%(alias)s' no es un formato válido para una dirección",
- "'%(alias)s' is not a valid format for an alias": "'%(alias)s' no es un formato válido para un alias",
+ "'%(alias)s' is not a valid format for an alias": "'%(alias)s' no es un formato de alias válido",
"%(displayName)s is typing": "%(displayName)s está escribiendo",
"Sign in with": "Quiero iniciar sesión con",
- "Join Room": "Unirte a la sala",
- "%(targetName)s joined the room.": "%(targetName)s se ha unido a la sala.",
- "Joins room with given alias": "Unirse a la sala con el alias dado",
- "%(senderName)s kicked %(targetName)s.": "%(senderName)s ha expulsado a %(targetName)s.",
+ "Join Room": "Unirse a la Sala",
+ "%(targetName)s joined the room.": "%(targetName)s se unió a la sala.",
+ "Joins room with given alias": "Se une a la sala con el alias dado",
+ "%(senderName)s kicked %(targetName)s.": "%(senderName)s expulsó a %(targetName)s.",
"Kick": "Expulsar",
- "Kicks user with given id": "Expulsar usuario con ID dado",
+ "Kicks user with given id": "Expulsa al usuario con la ID dada",
"Labs": "Laboratorios",
- "Leave room": "Dejar sala",
- "%(targetName)s left the room.": "%(targetName)s ha dejado la sala.",
+ "Leave room": "Salir de la sala",
+ "%(targetName)s left the room.": "%(targetName)s salió de la sala.",
"Local addresses for this room:": "Direcciones locales para esta sala:",
"Logged in as:": "Sesión iniciada como:",
- "Login as guest": "Iniciar sesión como invitado",
"Logout": "Cerrar Sesión",
- "Low priority": "Baja prioridad",
+ "Low priority": "Prioridad baja",
"Accept": "Aceptar",
"Add": "Añadir",
"Admin Tools": "Herramientas de administración",
@@ -178,10 +176,10 @@
"Default Device": "Dispositivo por defecto",
"Microphone": "Micrófono",
"Camera": "Cámara",
- "Hide removed messages": "Ocultar mensajes borrados",
+ "Hide removed messages": "Ocultar mensajes eliminados",
"Alias (optional)": "Alias (opcional)",
- "Anyone": "Cualquiera",
- "Click here to join the discussion!": "¡Pulse aquí para unirse a la conversación!",
+ "Anyone": "Todos",
+ "Click here to join the discussion!": "¡Haz clic aquí para unirte a la discusión!",
"Close": "Cerrar",
"%(count)s new messages|one": "%(count)s mensaje nuevo",
"%(count)s new messages|other": "%(count)s mensajes nuevos",
@@ -190,80 +188,80 @@
"Custom level": "Nivel personalizado",
"Decline": "Rechazar",
"Device already verified!": "¡El dispositivo ya ha sido verificado!",
- "Device ID:": "ID del dispositivo:",
- "device id: ": "id del dispositvo: ",
- "Disable Notifications": "Desactivar notificaciones",
- "Email address (optional)": "Dirección e-mail (opcional)",
- "Enable Notifications": "Activar notificaciones",
+ "Device ID:": "ID de Dispositivo:",
+ "device id: ": "ID de dispositivo: ",
+ "Disable Notifications": "Deshabilitar Notificaciones",
+ "Email address (optional)": "Dirección de correo electrónico (opcional)",
+ "Enable Notifications": "Habilitar Notificaciones",
"Encrypted by a verified device": "Cifrado por un dispositivo verificado",
"Encrypted by an unverified device": "Cifrado por un dispositivo sin verificar",
- "Encryption is enabled in this room": "Cifrado activo en esta sala",
- "Encryption is not enabled in this room": "Cifrado desactivado en esta sala",
- "Enter passphrase": "Introduzca contraseña",
- "Error: Problem communicating with the given homeserver.": "Error: No es posible comunicar con el servidor indicado.",
+ "Encryption is enabled in this room": "El cifrado está habilitado en esta sala",
+ "Encryption is not enabled in this room": "El cifrado no está habilitado en esta sala",
+ "Enter passphrase": "Ingresar frase de contraseña",
+ "Error: Problem communicating with the given homeserver.": "Error: No es posible comunicar con el servidor doméstico indicado.",
"Export": "Exportar",
"Failed to fetch avatar URL": "Fallo al obtener la URL del avatar",
- "Failed to upload profile picture!": "¡Fallo al enviar la foto de perfil!",
+ "Failed to upload profile picture!": "¡No se pudo subir la imagen de perfil!",
"Home": "Inicio",
"Import": "Importar",
- "Incoming call from %(name)s": "Llamada de %(name)s",
- "Incoming video call from %(name)s": "Video-llamada de %(name)s",
- "Incoming voice call from %(name)s": "Llamada telefónica de %(name)s",
- "Incorrect username and/or password.": "Usuario o contraseña incorrectos.",
+ "Incoming call from %(name)s": "Llamada entrante de %(name)s",
+ "Incoming video call from %(name)s": "Llamada de vídeo entrante de %(name)s",
+ "Incoming voice call from %(name)s": "Llamada de voz entrante de %(name)s",
+ "Incorrect username and/or password.": "Nombre de usuario y/o contraseña incorrectos.",
"Invited": "Invitado",
- "Jump to first unread message.": "Ir al primer mensaje sin leer.",
+ "Jump to first unread message.": "Ir al primer mensaje no leído.",
"Last seen": "Visto por última vez",
"Level:": "Nivel:",
- "%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s ha configurado el historial de la sala visible para Todos los miembros de la sala, desde el momento en que son invitados.",
- "%(senderName)s made future room history visible to all room members, from the point they joined.": "%(senderName)s ha configurado el historial de la sala visible para Todos los miembros de la sala, desde el momento en que se han unido.",
- "%(senderName)s made future room history visible to all room members.": "%(senderName)s ha configurado el historial de la sala visible para Todos los miembros de la sala.",
- "%(senderName)s made future room history visible to anyone.": "%(senderName)s ha configurado el historial de la sala visible para nadie.",
- "%(senderName)s made future room history visible to unknown (%(visibility)s).": "%(senderName)s ha configurado el historial de la sala visible para desconocido (%(visibility)s).",
+ "%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s hizo visible el historial futuro de la sala para todos los miembros de la sala, desde el momento en que son invitados.",
+ "%(senderName)s made future room history visible to all room members, from the point they joined.": "%(senderName)s hizo visible el historial futuro de la sala para todos los miembros de la sala, desde el momento en que se unieron.",
+ "%(senderName)s made future room history visible to all room members.": "%(senderName)s hizo visible el historial futuro de la sala para todos los miembros de la sala.",
+ "%(senderName)s made future room history visible to anyone.": "%(senderName)s hizo visible el historial futuro de la sala para cualquier persona.",
+ "%(senderName)s made future room history visible to unknown (%(visibility)s).": "%(senderName)s hizo visible el historial futuro de la sala para desconocido (%(visibility)s).",
"Something went wrong!": "¡Algo ha fallado!",
"Please select the destination room for this message": "Por favor, seleccione la sala destino para este mensaje",
"Create new room": "Crear nueva sala",
- "Start chat": "Comenzar chat",
- "New Password": "Nueva contraseña",
- "Analytics": "Analíticas",
+ "Start chat": "Iniciar conversación",
+ "New Password": "Contraseña Nueva",
+ "Analytics": "Análisis de Estadísticas",
"Options": "Opciones",
"Passphrases must match": "Las contraseñas deben coincidir",
"Passphrase must not be empty": "La contraseña no puede estar en blanco",
- "Export room keys": "Exportar las claves de la sala",
- "Confirm passphrase": "Confirmar contraseña",
- "Import room keys": "Importar las claves de la sala",
+ "Export room keys": "Exportar claves de sala",
+ "Confirm passphrase": "Confirmar frase de contraseña",
+ "Import room keys": "Importar claves de sala",
"File to import": "Fichero a importar",
- "You must join the room to see its files": "Debe unirse a la sala para ver los ficheros",
+ "You must join the room to see its files": "Debes unirte a la sala para ver sus archivos",
"Reject all %(invitedRooms)s invites": "Rechazar todas las invitaciones a %(invitedRooms)s",
- "Start new chat": "Iniciar una nueva conversación",
- "Failed to invite": "Fallo en la invitación",
+ "Start new chat": "Iniciar nueva conversación",
+ "Failed to invite": "No se pudo invitar",
"Failed to invite user": "No se pudo invitar al usuario",
"Failed to invite the following users to the %(roomName)s room:": "No se pudo invitar a los siguientes usuarios a la sala %(roomName)s:",
"Unknown error": "Error desconocido",
"Incorrect password": "Contraseña incorrecta",
- "To continue, please enter your password.": "Para continuar, introduzca su contraseña.",
- "Device name": "Nombre del dispositivo",
- "Device Name": "Nombre del dispositivo",
- "Device key": "Clave del dispositivo",
- "In future this verification process will be more sophisticated.": "En el futuro este proceso de verificación será mejorado.",
- "Verify device": "Verifique el dispositivo",
- "I verify that the keys match": "Confirmo que las claves coinciden",
+ "To continue, please enter your password.": "Para continuar, ingresa tu contraseña por favor.",
+ "Device name": "Nombre de dispositivo",
+ "Device Name": "Nombre de Dispositivo",
+ "Device key": "Clave de dispositivo",
+ "In future this verification process will be more sophisticated.": "En el futuro, este proceso de verificación será más sofisticado.",
+ "Verify device": "Verificar dispositivo",
+ "I verify that the keys match": "Verifico que las claves coinciden",
"Unable to restore session": "No se puede recuperar la sesión",
"Room Colour": "Color de la sala",
"Room contains unknown devices": "La sala contiene dispositivos desconocidos",
- "Room name (optional)": "Nombre de la sala (opcional)",
+ "Room name (optional)": "Nombre de sala (opcional)",
"%(roomName)s does not exist.": "%(roomName)s no existe.",
"%(roomName)s is not accessible at this time.": "%(roomName)s no es accesible en este momento.",
"Rooms": "Salas",
"Save": "Guardar",
"Scroll to bottom of page": "Bajar al final de la página",
"Scroll to unread messages": "Ir al primer mensaje sin leer",
- "Search": "Búsqueda",
+ "Search": "Buscar",
"Search failed": "Falló la búsqueda",
"Seen by %(userName)s at %(dateTime)s": "Visto por %(userName)s el %(dateTime)s",
- "Send anyway": "Enviar igualmente",
- "Sender device information": "Información del dispositivo del remitente",
- "Send Invites": "Enviar invitaciones",
- "Send Reset Email": "Enviar e-mail de reinicio",
+ "Send anyway": "Enviar de todos modos",
+ "Sender device information": "Información del dispositivo emisor",
+ "Send Invites": "Enviar Invitaciones",
+ "Send Reset Email": "Enviar Correo Electrónico de Restauración",
"%(senderDisplayName)s sent an image.": "%(senderDisplayName)s envió una imagen.",
"%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s invitó a %(targetDisplayName)s a unirse a la sala.",
"Server error": "Error del servidor",
@@ -271,26 +269,26 @@
"Server may be unavailable, overloaded, or the file too big": "El servidor podría estar saturado o desconectado, o el fichero ser demasiado grande",
"Server may be unavailable, overloaded, or you hit a bug.": "El servidor podría estar saturado o desconectado, o encontraste un fallo.",
"Server unavailable, overloaded, or something else went wrong.": "Servidor saturado, desconectado, o alguien ha roto algo.",
- "Session ID": "ID de sesión",
- "%(senderName)s set a profile picture.": "%(senderName)s puso una foto de perfil.",
- "%(senderName)s set their display name to %(displayName)s.": "%(senderName)s cambió su nombre a %(displayName)s.",
- "Settings": "Configuración",
+ "Session ID": "ID de Sesión",
+ "%(senderName)s set a profile picture.": "%(senderName)s estableció una imagen de perfil.",
+ "%(senderName)s set their display name to %(displayName)s.": "%(senderName)s estableció %(displayName)s como su nombre público.",
+ "Settings": "Ajustes",
"Show panel": "Mostrar panel",
"Show Text Formatting Toolbar": "Mostrar la barra de formato de texto",
"Signed Out": "Desconectado",
"Sign in": "Conectar",
- "Sign out": "Desconectar",
+ "Sign out": "Cerrar sesión",
"%(count)s of your messages have not been sent.|other": "Algunos de sus mensajes no han sido enviados.",
"Someone": "Alguien",
"Start a chat": "Iniciar una conversación",
- "Start authentication": "Comenzar la identificación",
- "Start Chat": "Comenzar la conversación",
+ "Start authentication": "Iniciar autenticación",
+ "Start Chat": "Iniciar Conversación",
"Submit": "Enviar",
"Success": "Éxito",
"Tagged as: ": "Etiquetado como: ",
"The default role for new room members is": "El nivel por defecto para los nuevos miembros de esta sala es",
"The main address for this room is": "La dirección principal de esta sala es",
- "The phone number entered looks invalid": "El número de teléfono indicado parece erróneo",
+ "The phone number entered looks invalid": "El número telefónico indicado parece erróneo",
"Active call (%(roomName)s)": "Llamada activa (%(roomName)s)",
"Add a topic": "Añadir un tema",
"Missing Media Permissions, click here to request.": "Faltan permisos para el medio, pulse aquí para solicitarlos.",
@@ -298,152 +296,151 @@
"You may need to manually permit Riot to access your microphone/webcam": "Probablemente necesite dar permisos manualmente a Riot para su micrófono/cámara",
"Are you sure you want to leave the room '%(roomName)s'?": "¿Está seguro de que desea abandonar la sala '%(roomName)s'?",
"Are you sure you want to upload the following files?": "¿Está seguro que desea enviar los siguientes archivos?",
- "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "No se puede conectar al servidor - compruebe su conexión, asegúrese de que el certificado SSL del servidor es de confiaza, y compruebe que no hay extensiones del navegador bloqueando las peticiones.",
- "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s ha quitado el nombre de la sala.",
- "Device key:": "Clave del dispositivo:",
+ "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "No se puede conectar al servidor doméstico - compruebe su conexión, asegúrese de que el certificado SSL del servidor es de confiaza, y compruebe que no hay extensiones del navegador bloqueando las peticiones.",
+ "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s eliminó el nombre de la sala.",
+ "Device key:": "Clave de dispositivo:",
"Drop File Here": "Deje el fichero aquí",
- "Guest access is disabled on this Home Server.": "El acceso de invitados está desactivado en este servidor.",
- "Join as voice or video .": "Conecte con voz o vídeo .",
+ "Guest access is disabled on this Home Server.": "El acceso de invitados está desactivado en este Servidor Doméstico.",
+ "Join as voice or video .": "Unirse con voz o vídeo .",
"Manage Integrations": "Gestionar integraciones",
- "Markdown is disabled": "Markdown está desactivado",
+ "Markdown is disabled": "Markdown está deshabilitado",
"Markdown is enabled": "Markdown está activado",
"matrix-react-sdk version:": "Versión de matrix-react-sdk:",
"Message not sent due to unknown devices being present": "Mensaje no enviado debido a la presencia de dispositivos desconocidos",
- "Missing room_id in request": "Falta el ID de sala en la petición",
- "Missing user_id in request": "Falta el ID de usuario en la petición",
- "Mobile phone number": "Número de teléfono móvil",
- "Mobile phone number (optional)": "Número de teléfono móvil (opcional)",
+ "Missing room_id in request": "Falta el room_id en la solicitud",
+ "Missing user_id in request": "Falta el user_id en la solicitud",
+ "Mobile phone number": "Número telefónico de móvil",
+ "Mobile phone number (optional)": "Número telefónico de móvil (opcional)",
"Moderator": "Moderador",
- "Must be viewing a room": "Debe estar viendo una sala",
"Mute": "Silenciar",
"%(serverName)s Matrix ID": "%(serverName)s ID de Matrix",
"Name": "Nombre",
- "Never send encrypted messages to unverified devices from this device": "No enviar nunca mensajes cifrados, desde este dispositivo, a dispositivos sin verificar",
- "Never send encrypted messages to unverified devices in this room from this device": "No enviar nunca mensajes cifrados a dispositivos no verificados, en esta sala, desde este dispositivo",
- "New address (e.g. #foo:%(localDomain)s)": "Nueva dirección (ej: #foo:%(localDomain)s)",
- "New password": "Nueva contraseña",
- "New passwords don't match": "Las nuevas contraseñas no coinciden",
- "New passwords must match each other.": "Las nuevas contraseñas deben coincidir.",
+ "Never send encrypted messages to unverified devices from this device": "Nunca enviar mensajes cifrados a dispositivos sin verificar desde este dispositivo",
+ "Never send encrypted messages to unverified devices in this room from this device": "Nunca enviar mensajes cifrados a dispositivos sin verificar en esta sala desde este dispositivo",
+ "New address (e.g. #foo:%(localDomain)s)": "Dirección nueva (ej. #foo:%(localDomain)s)",
+ "New password": "Contraseña nueva",
+ "New passwords don't match": "Las contraseñas nuevas no coinciden",
+ "New passwords must match each other.": "Las contraseñas nuevas deben coincidir.",
"none": "ninguno",
"not set": "sin configurar",
"not specified": "sin especificar",
"Notifications": "Notificaciones",
"(not supported by this browser)": "(no soportado por este navegador)",
"": "",
- "NOT verified": "NO verificado",
+ "NOT verified": "SIN verificar",
"No devices with registered encryption keys": "No hay dispositivos con claves de cifrado registradas",
- "No display name": "Sin nombre para mostrar",
+ "No display name": "Sin nombre público",
"No more results": "No hay más resultados",
- "No results": "Sin resultados",
+ "No results": "No hay resultados",
"No users have specific privileges in this room": "Ningún usuario tiene permisos específicos en esta sala",
"OK": "Correcto",
"olm version:": "versión de olm:",
- "Once encryption is enabled for a room it cannot be turned off again (for now)": "Una vez se active el cifrado en esta sala, no podrá ser desactivado (por ahora)",
- "Only people who have been invited": "Sólo usuarios que han sido invitados",
+ "Once encryption is enabled for a room it cannot be turned off again (for now)": "Una vez que se habilita el cifrado en una sala no se puede volver a desactivar (por ahora)",
+ "Only people who have been invited": "Solo personas que han sido invitadas",
"Operation failed": "Falló la operación",
"Password": "Contraseña",
"Password:": "Contraseña:",
"Passwords can't be empty": "Las contraseñas no pueden estar en blanco",
- "People": "Gente",
+ "People": "Personas",
"Permissions": "Permisos",
"Phone": "Teléfono",
"%(senderName)s placed a %(callType)s call.": "%(senderName)s ha hecho una llamada de tipo %(callType)s.",
- "Please check your email and click on the link it contains. Once this is done, click continue.": "Por favor, compruebe su e-mail y pulse el enlace que contiene. Una vez esté hecho, pulse continuar.",
- "Power level must be positive integer.": "El nivel debe ser un entero positivo.",
- "Privacy warning": "Alerta de privacidad",
+ "Please check your email and click on the link it contains. Once this is done, click continue.": "Por favor, consulta tu correo electrónico y haz clic en el enlace que contiene. Una vez hecho esto, haz clic en continuar.",
+ "Power level must be positive integer.": "El nivel de autoridad debe ser un número entero positivo.",
+ "Privacy warning": "Advertencia de privacidad",
"Private Chat": "Conversación privada",
"Privileged Users": "Usuarios con privilegios",
"Profile": "Perfil",
"Public Chat": "Sala pública",
- "Reason": "Razón",
- "Reason: %(reasonText)s": "Razón: %(reasonText)s",
+ "Reason": "Motivo",
+ "Reason: %(reasonText)s": "Motivo: %(reasonText)s",
"Revoke Moderator": "Eliminar Moderador",
"Refer a friend to Riot:": "Informar a un amigo sobre Riot:",
- "Register": "Registro",
- "%(targetName)s rejected the invitation.": "%(targetName)s ha rechazado la invitación.",
+ "Register": "Registrar",
+ "%(targetName)s rejected the invitation.": "%(targetName)s rechazó la invitación.",
"Reject invitation": "Rechazar invitación",
"Rejoin": "Volver a unirse",
- "Remote addresses for this room:": "Dirección remota de esta sala:",
+ "Remote addresses for this room:": "Direcciones remotas para esta sala:",
"Remove Contact Information?": "¿Eliminar información del contacto?",
- "%(senderName)s removed their display name (%(oldDisplayName)s).": "%(senderName)s ha suprimido su nombre para mostar (%(oldDisplayName)s).",
- "%(senderName)s removed their profile picture.": "%(senderName)s ha eliminado su foto de perfil.",
+ "%(senderName)s removed their display name (%(oldDisplayName)s).": "%(senderName)s eliminó su nombre público (%(oldDisplayName)s).",
+ "%(senderName)s removed their profile picture.": "%(senderName)s eliminó su imagen de perfil.",
"Remove": "Eliminar",
"Remove %(threePid)s?": "¿Eliminar %(threePid)s?",
- "%(senderName)s requested a VoIP conference.": "%(senderName)s ha solicitado una conferencia Voz-IP.",
- "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.": "Reiniciar la contraseña también reiniciará las claves de cifrado extremo-a-extremo, haciendo ilegible el historial de las conversaciones, salvo que exporte previamente las claves de sala, y las importe posteriormente. Esto será mejorado en futuras versiones.",
+ "%(senderName)s requested a VoIP conference.": "%(senderName)s solicitó una conferencia de vozIP.",
+ "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.": "Reiniciar la contraseña también reiniciará las claves de cifrado de extremo a extremo, haciendo ilegible el historial de las conversaciones, salvo que exporte previamente las claves de sala, y las importe posteriormente. Esto será mejorado en futuras versiones.",
"Results from DuckDuckGo": "Resultados desde DuckDuckGo",
- "Return to login screen": "Volver a la pantalla de inicio de sesión",
- "Riot does not have permission to send you notifications - please check your browser settings": "Riot no tiene permisos para enviarle notificaciones - por favor, revise la configuración del navegador",
- "Riot was not given permission to send notifications - please try again": "Riot no pudo obtener permisos para enviar notificaciones - por favor, inténtelo de nuevo",
- "riot-web version:": "versión riot-web:",
- "Room %(roomId)s not visible": "La sala %(roomId)s no es visible",
- "Searches DuckDuckGo for results": "Busca en DuckDuckGo",
+ "Return to login screen": "Regresar a la pantalla de inicio de sesión",
+ "Riot does not have permission to send you notifications - please check your browser settings": "Riot no tiene permiso para enviarte notificaciones - por favor, comprueba los ajustes de tu navegador",
+ "Riot was not given permission to send notifications - please try again": "No se le dio permiso a Riot para enviar notificaciones - por favor, inténtalo nuevamente",
+ "riot-web version:": "versión de riot-web:",
+ "Room %(roomId)s not visible": "La sala %(roomId)s no está visible",
+ "Searches DuckDuckGo for results": "Busca resultados en DuckDuckGo",
"Server may be unavailable or overloaded": "El servidor podría estar saturado o desconectado",
- "Show timestamps in 12 hour format (e.g. 2:30pm)": "Mostrar el tiempo en formato 12h (am/pm)",
+ "Show timestamps in 12 hour format (e.g. 2:30pm)": "Mostrar marcas temporales en formato de 12 horas (ej. 2:30pm)",
"The signing key you provided matches the signing key you received from %(userId)s's device %(deviceId)s. Device marked as verified.": "La clave de firma que usted ha proporcionado coincide con la recibida del dispositivo %(deviceId)s de %(userId)s. Dispositivo verificado.",
- "This email address is already in use": "Dirección e-mail en uso",
- "This email address was not found": "Dirección e-mail no encontrada",
- "The email address linked to your account must be entered.": "Debe introducir el e-mail asociado a su cuenta.",
- "The file '%(fileName)s' exceeds this home server's size limit for uploads": "El fichero '%(fileName)s' excede el tamaño máximo permitido en este servidor",
- "The file '%(fileName)s' failed to upload": "Se produjo un fallo al enviar '%(fileName)s'",
- "The remote side failed to pick up": "El sitio remoto falló al sincronizar",
- "This Home Server does not support login using email address.": "Este servidor no permite identificarse con direcciones e-mail.",
- "This invitation was sent to an email address which is not associated with this account:": "Se envió la invitación a un e-mail no asociado con esta cuenta:",
+ "This email address is already in use": "Esta dirección de correo electrónico ya está en uso",
+ "This email address was not found": "No se encontró esta dirección de correo electrónico",
+ "The email address linked to your account must be entered.": "Debes ingresar la dirección de correo electrónico vinculada a tu cuenta.",
+ "The file '%(fileName)s' exceeds this home server's size limit for uploads": "El archivo '%(fileName)s' supera el tamaño máximo permitido en este servidor doméstico",
+ "The file '%(fileName)s' failed to upload": "No se pudo subir '%(fileName)s'",
+ "The remote side failed to pick up": "El lado remoto no contestó",
+ "This Home Server does not support login using email address.": "Este Servidor Doméstico no permite identificarse con direcciones e-mail.",
+ "This invitation was sent to an email address which is not associated with this account:": "Esta invitación fue enviada a una dirección de correo electrónico que no está asociada a esta cuenta:",
"This room has no local addresses": "Esta sala no tiene direcciones locales",
- "This room is not recognised.": "Esta sala no se reconoce.",
- "These are experimental features that may break in unexpected ways": "Estas son funcionalidades experimentales, podrían fallar de formas imprevistas",
+ "This room is not recognised.": "No se reconoce esta sala.",
+ "These are experimental features that may break in unexpected ways": "Estas son funcionalidades experimentales que pueden romperse de maneras inesperadas",
"The visibility of existing history will be unchanged": "La visibilidad del historial previo no se verá afectada",
"This doesn't appear to be a valid email address": "Esto no parece un e-mail váido",
- "This is a preview of this room. Room interactions have been disabled": "Esto es una vista previa de la sala. Las interacciones con la sala están desactivadas",
- "This phone number is already in use": "Este número de teléfono ya se está usando",
+ "This is a preview of this room. Room interactions have been disabled": "Esta es una vista previa de esta sala. Las interacciones dentro de la sala se han deshabilitado",
+ "This phone number is already in use": "Este número telefónico ya está en uso",
"This room": "Esta sala",
"This room is not accessible by remote Matrix servers": "Esta sala no es accesible por otros servidores Matrix",
"This room's internal ID is": "El ID interno de la sala es",
"To link to a room it must have an address .": "Para enlazar una sala, debe tener una dirección .",
- "To reset your password, enter the email address linked to your account": "Para reiniciar su contraseña, introduzca el e-mail asociado a su cuenta",
+ "To reset your password, enter the email address linked to your account": "Para restablecer tu contraseña, ingresa la dirección de correo electrónico vinculada a tu cuenta",
"Cancel": "Cancelar",
"Dismiss": "Omitir",
"powered by Matrix": "con el poder de Matrix",
"Room directory": "Directorio de salas",
"Custom Server Options": "Opciones de Servidor Personalizado",
"unknown error code": "Código de error desconocido",
- "Start verification": "Comenzar la verificación",
- "Skip": "Saltar",
+ "Start verification": "Iniciar verificación",
+ "Skip": "Omitir",
"To return to your account in future you need to set a password": "Para volver a usar su cuenta en el futuro es necesario que establezca una contraseña",
"Share without verifying": "Compartir sin verificar",
- "Ignore request": "Ignorar la solicitud",
+ "Ignore request": "Ignorar solicitud",
"Do you want to set an email address?": "¿Quieres poner una dirección de correo electrónico?",
"This will allow you to reset your password and receive notifications.": "Esto te permitirá reiniciar tu contraseña y recibir notificaciones.",
- "Authentication check failed: incorrect password?": "La verificación de la autentificación ha fallado: ¿El password es el correcto?",
+ "Authentication check failed: incorrect password?": "La verificación de autenticación falló: ¿contraseña incorrecta?",
"Press to start a chat with someone": "Pulsa para empezar a charlar con alguien",
"Add a widget": "Añadir widget",
"Allow": "Permitir",
- "Changes colour scheme of current room": "Cambia el esquema de colores de esta sala",
+ "Changes colour scheme of current room": "Cambia el esquema de colores de la sala actual",
"Delete widget": "Eliminar widget",
- "Define the power level of a user": "Definir el nivel de poder de los usuarios",
+ "Define the power level of a user": "Define el nivel de autoridad de un usuario",
"Edit": "Editar",
"Enable automatic language detection for syntax highlighting": "Activar la detección automática del lenguaje para resaltar la sintaxis",
- "Hide join/leave messages (invites/kicks/bans unaffected)": "Ocultar mensajes de entrada/salida (no afecta invitaciones/kicks/bans)",
- "Sets the room topic": "Configura el tema de la sala",
+ "Hide join/leave messages (invites/kicks/bans unaffected)": "Ocultar mensajes de unirse/salir (no afecta a invitaciones/expulsiones/vetos)",
+ "Sets the room topic": "Establece el tema de la sala",
"To get started, please pick a username!": "Para empezar, ¡por favor elija un nombre de usuario!",
"Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Se ha intentado cargar cierto punto en la cronología de esta sala, pero no tiene permiso para ver el mensaje solicitado.",
"Tried to load a specific point in this room's timeline, but was unable to find it.": "Se ha intentado cargar cierto punto en la cronología de esta sala, pero no se ha podido encontrarlo.",
"Turn Markdown off": "Desactivar markdown",
"Turn Markdown on": "Activar markdown",
- "%(senderName)s turned on end-to-end encryption (algorithm %(algorithm)s).": "%(senderName)s ha activado el cifrado de extremo-a-extremo (algorithm %(algorithm)s).",
- "Unable to add email address": "No se ha podido añadir la dirección de correo electrónico",
- "Unable to create widget.": "No se ha podido crear el widget.",
+ "%(senderName)s turned on end-to-end encryption (algorithm %(algorithm)s).": "%(senderName)s activó el cifrado de extremo a extremo (algoritmo %(algorithm)s).",
+ "Unable to add email address": "No es posible añadir la dirección de correo electrónico",
+ "Unable to create widget.": "No es posible crear el componente.",
"Unable to remove contact information": "No se ha podido eliminar la información de contacto",
- "Unable to verify email address.": "No se ha podido verificar la dirección de correo electrónico.",
- "Unban": "Revocar bloqueo",
- "Unbans user with given id": "Revoca el bloqueo del usuario con la identificación dada",
+ "Unable to verify email address.": "No es posible verificar la dirección de correo electrónico.",
+ "Unban": "Quitar Veto",
+ "Unbans user with given id": "Quita el veto al usuario con la ID dada",
"Unable to ascertain that the address this invite was sent to matches one associated with your account.": "No se ha podido asegurar que la dirección a la que se envió esta invitación, coincide con una asociada a su cuenta.",
- "Unable to capture screen": "No se ha podido capturar la pantalla",
- "Unable to enable Notifications": "No se ha podido activar las notificaciones",
+ "Unable to capture screen": "No es posible capturar la pantalla",
+ "Unable to enable Notifications": "No es posible habilitar las Notificaciones",
"Unable to load device list": "No se ha podido cargar la lista de dispositivos",
"Undecryptable": "No se puede descifrar",
"Unencrypted room": "Sala sin cifrado",
- "Unencrypted message": "Mensaje no cifrado",
+ "Unencrypted message": "Mensaje sin cifrar",
"unknown caller": "Persona que llama desconocida",
"unknown device": "dispositivo desconocido",
"Unknown room %(roomId)s": "Sala desconocida %(roomId)s",
@@ -451,89 +448,89 @@
"Unnamed Room": "Sala sin nombre",
"Unverified": "Sin verificar",
"Uploading %(filename)s and %(count)s others|zero": "Subiendo %(filename)s",
- "Uploading %(filename)s and %(count)s others|one": "Subiendo %(filename)s y %(count)s otros",
- "Uploading %(filename)s and %(count)s others|other": "Subiendo %(filename)s y %(count)s otros",
+ "Uploading %(filename)s and %(count)s others|one": "Subiendo %(filename)s y otros %(count)s",
+ "Uploading %(filename)s and %(count)s others|other": "Subiendo %(filename)s y otros %(count)s",
"Upload avatar": "Subir avatar",
- "Upload Failed": "Error al subir",
- "Upload Files": "Subir archivos",
+ "Upload Failed": "No Se Pudo Subir",
+ "Upload Files": "Subir Archivos",
"Upload file": "Subir archivo",
"Upload new:": "Subir nuevo:",
"Usage": "Uso",
"Use compact timeline layout": "Usar diseño de cronología compacto",
- "Use with caution": "Usar con precaución",
- "User ID": "Identificación de usuario",
- "User Interface": "Interfaz de usuario",
+ "Use with caution": "Utilizar con precaución",
+ "User ID": "ID de Usuario",
+ "User Interface": "Interfaz de Usuario",
"User name": "Nombre de usuario",
"Username invalid: %(errMessage)s": "Nombre de usuario no válido: %(errMessage)s",
"Users": "Usuarios",
- "Verification Pending": "Verificación pendiente",
+ "Verification Pending": "Verificación Pendiente",
"Verification": "Verificación",
"verified": "verificado",
"Verified": "Verificado",
"Verified key": "Clave verificada",
"Video call": "Llamada de vídeo",
"Voice call": "Llamada de voz",
- "VoIP conference finished.": "Conferencia VoIP terminada.",
- "VoIP conference started.": "Conferencia de VoIP iniciada.",
- "VoIP is unsupported": "No hay soporte para VoIP",
+ "VoIP conference finished.": "conferencia de vozIP finalizada.",
+ "VoIP conference started.": "conferencia de vozIP iniciada.",
+ "VoIP is unsupported": "VoIP no es compatible",
"(could not connect media)": "(no se ha podido conectar medio)",
"(no answer)": "(sin respuesta)",
"(unknown failure: %(reason)s)": "(error desconocido: %(reason)s)",
- "(warning: cannot be disabled again!)": "(aviso: ¡no se puede volver a desactivar!)",
+ "(warning: cannot be disabled again!)": "(advertencia: ¡no se puede volver a deshabilitar!)",
"Warning!": "¡Advertencia!",
- "WARNING: Device already verified, but keys do NOT MATCH!": "AVISO: Dispositivo ya verificado, ¡pero las claves NO COINCIDEN!",
+ "WARNING: Device already verified, but keys do NOT MATCH!": "ADVERTENCIA: Dispositivo ya verificado, ¡pero las claves NO COINCIDEN!",
"Who can access this room?": "¿Quién puede acceder a esta sala?",
"Who can read history?": "¿Quién puede leer el historial?",
- "Who would you like to add to this room?": "¿A quién quiere añadir a esta sala?",
- "Who would you like to communicate with?": "¿Con quién quiere comunicar?",
- "%(senderName)s withdrew %(targetName)s's invitation.": "%(senderName)s ha retirado la invitación de %(targetName)s.",
+ "Who would you like to add to this room?": "¿A quién te gustaría añadir a esta sala?",
+ "Who would you like to communicate with?": "¿Con quién te gustaría comunicarte?",
+ "%(senderName)s withdrew %(targetName)s's invitation.": "%(senderName)s retiró la invitación de %(targetName)s.",
"Would you like to accept or decline this invitation?": "¿Quiere aceptar o rechazar esta invitación?",
- "You already have existing direct chats with this user:": "Ya tiene chats directos con este usuario:",
- "You are already in a call.": "Ya está participando en una llamada.",
- "You are not in this room.": "Usted no está en esta sala.",
- "You do not have permission to do that in this room.": "No tiene permiso para hacer esto en esta sala.",
+ "You already have existing direct chats with this user:": "Ya tiene conversaciones directas con este usuario:",
+ "You are already in a call.": "Ya estás participando en una llamada.",
+ "You are not in this room.": "No estás en esta sala.",
+ "You do not have permission to do that in this room.": "No tienes permiso para realizar esa acción en esta sala.",
"You're not in any rooms yet! Press to make a room or to browse the directory": "¡Todavía no participa en ninguna sala! Pulsa para crear una sala o para explorar el directorio",
- "You are trying to access %(roomName)s.": "Está tratando de acceder a %(roomName)s.",
- "You cannot place a call with yourself.": "No puede iniciar una llamada con usted mismo.",
+ "You are trying to access %(roomName)s.": "Estás intentando acceder a %(roomName)s.",
+ "You cannot place a call with yourself.": "No puedes realizar una llamada contigo mismo.",
"Cannot add any more widgets": "no es posible agregar mas widgets",
"Do you want to load widget from URL:": "desea cargar widget desde URL:",
"Integrations Error": "error de integracion",
- "Publish this room to the public in %(domain)s's room directory?": "Desea publicar esta sala al publico en el directorio de sala de %(domain)s?",
+ "Publish this room to the public in %(domain)s's room directory?": "Desea publicar esta sala al publico en el directorio de salas de %(domain)s?",
"AM": "AM",
"PM": "PM",
"NOTE: Apps are not end-to-end encrypted": "NOTA: Las Apps no son cifradas de extremo a extremo",
"Revoke widget access": "Revocar acceso del widget",
"The maximum permitted number of widgets have already been added to this room.": "La cantidad máxima de widgets permitida ha sido alcanzada en esta sala.",
- "To use it, just wait for autocomplete results to load and tab through them.": "Para usar, solo espere a que carguen los resultados de auto-completar y navegue entre ellos.",
- "%(senderName)s unbanned %(targetName)s.": "%(senderName)s levanto la suspensión de %(targetName)s.",
- "unencrypted": "no cifrado",
- "Unmute": "desactivar el silencio",
- "Unrecognised command:": "comando no reconocido:",
- "Unrecognised room alias:": "alias de sala no reconocido:",
+ "To use it, just wait for autocomplete results to load and tab through them.": "Para utilizarlo, tan solo espera a que se carguen los resultados de autocompletar y navega entre ellos.",
+ "%(senderName)s unbanned %(targetName)s.": "%(senderName)s le quitó el veto a %(targetName)s.",
+ "unencrypted": "sin cifrar",
+ "Unmute": "Dejar de silenciar",
+ "Unrecognised command:": "Comando no identificado:",
+ "Unrecognised room alias:": "Alias de sala no reconocido:",
"%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (nivel de permisos %(powerLevelNumber)s)",
- "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!": "Atención: VERIFICACIÓN DE CLAVE FALLO\" La clave de firma para %(userId)s y el dispositivo %(deviceId)s es \"%(fprint)s\" la cual no concuerda con la clave provista por \"%(fingerprint)s\". Esto puede significar que sus comunicaciones están siendo interceptadas!",
- "You cannot place VoIP calls in this browser.": "no puede realizar llamadas de voz en este navegador.",
- "You do not have permission to post to this room": "no tiene permiso para publicar en esta sala",
- "You have been banned from %(roomName)s by %(userName)s.": "Ha sido expulsado de %(roomName)s por %(userName)s.",
- "You have been invited to join this room by %(inviterName)s": "Ha sido invitado a entrar a esta sala por %(inviterName)s",
- "You have been kicked from %(roomName)s by %(userName)s.": "Ha sido removido de %(roomName)s por %(userName)s.",
- "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": "Ha sido desconectado de todos los dispositivos y no continuara recibiendo notificaciones. Para volver a habilitar las notificaciones, vuelva a conectarse en cada dispositivo",
+ "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!": "ADVERTENCIA: VERIFICACIÓN DE CLAVE FALLO\" La clave de firma para %(userId)s y el dispositivo %(deviceId)s es \"%(fprint)s\" la cual no concuerda con la clave provista por \"%(fingerprint)s\". Esto puede significar que sus comunicaciones están siendo interceptadas!",
+ "You cannot place VoIP calls in this browser.": "No puedes realizar llamadas VoIP en este navegador.",
+ "You do not have permission to post to this room": "No tienes permiso para publicar en esta sala",
+ "You have been banned from %(roomName)s by %(userName)s.": "Has sido vetado de %(roomName)s por %(userName)s.",
+ "You have been invited to join this room by %(inviterName)s": "Ha sido invitado por %(inviterName)s a unirte a esta sala",
+ "You have been kicked from %(roomName)s by %(userName)s.": "Has sido expulsado de %(roomName)s por %(userName)s.",
+ "You have been logged out of all devices and will no longer receive push notifications. To re-enable notifications, sign in again on each device": "Se ha cerrado sesión en todos tus dispositivos y ya no recibirás notificaciones push. Para volver a habilitar las notificaciones, vuelve a iniciar sesión en cada dispositivo",
"You have disabled URL previews by default.": "Ha deshabilitado la vista previa de URL por defecto.",
"You have enabled URL previews by default.": "Ha habilitado vista previa de URL por defecto.",
"You have no visible notifications": "No tiene notificaciones visibles",
- "You may wish to login with a different account, or add this email to this account.": "Puede ingresar con una cuenta diferente, o agregar este e-mail a esta cuenta.",
+ "You may wish to login with a different account, or add this email to this account.": "Quizás quieras iniciar sesión con otra cuenta, o añadir este correo electrónico a esta cuenta.",
"You must register to use this functionality": "Usted debe ser un registrar para usar esta funcionalidad",
- "You need to be able to invite users to do that.": "Usted debe ser capaz de invitar usuarios para hacer eso.",
- "You need to be logged in.": "Necesita estar autenticado.",
+ "You need to be able to invite users to do that.": "Debes ser capaz de invitar usuarios para realizar esa acción.",
+ "You need to be logged in.": "Necesitas haber iniciado sesión.",
"You need to enter a user name.": "Tiene que ingresar un nombre de usuario.",
- "Your email address does not appear to be associated with a Matrix ID on this Homeserver.": "Su e-mail parece no estar asociado con una Id Matrix en este Homeserver.",
- "Your password has been reset": "Su contraseña ha sido restablecida",
+ "Your email address does not appear to be associated with a Matrix ID on this Homeserver.": "Tu dirección de correo electrónico no parece estar asociada a una ID de Matrix en este Servidor Doméstico.",
+ "Your password has been reset": "Tu contraseña fue restablecida",
"Your password was successfully changed. You will not receive push notifications on other devices until you log back in to them": "Su contraseña a sido cambiada exitosamente. No recibirá notificaciones en otros dispositivos hasta que ingrese de nuevo en ellos",
"You seem to be in a call, are you sure you want to quit?": "Parece estar en medio de una llamada, ¿esta seguro que desea salir?",
- "You seem to be uploading files, are you sure you want to quit?": "Parece estar cargando archivos, ¿esta seguro que desea salir?",
- "You should not yet trust it to secure data": "No debería confiarle aun para asegurar su información",
- "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "No podrá revertir este cambio ya que esta promoviendo al usuario para tener el mismo nivel de autoridad que usted.",
- "Your home server does not support device management.": "Su servidor privado no suporta la gestión de dispositivos.",
+ "You seem to be uploading files, are you sure you want to quit?": "Pareces estar subiendo archivos, ¿seguro que quieres salir?",
+ "You should not yet trust it to secure data": "Aún no deberías confiar en él para proteger tus datos",
+ "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "No podrás deshacer este cambio porque estás promoviendo al usuario para tener el mismo nivel de autoridad que tú.",
+ "Your home server does not support device management.": "Tu servidor doméstico no suporta la gestión de dispositivos.",
"Sun": "Dom",
"Mon": "Lun",
"Tue": "Mar",
@@ -548,12 +545,12 @@
"May": "May",
"Jun": "Jun",
"Jul": "Jul",
- "Aug": "August",
+ "Aug": "Ago",
"Add rooms to this community": "Agregar salas a esta comunidad",
- "Call Failed": "La llamada falló",
+ "Call Failed": "La Llamada Falló",
"Review Devices": "Revisar Dispositivos",
- "Call Anyway": "Llamar de todas formas",
- "Answer Anyway": "Contestar de todas formas",
+ "Call Anyway": "Llamar de todos modos",
+ "Answer Anyway": "Contestar de Todos Modos",
"Call": "Llamar",
"Answer": "Contestar",
"Sep": "Sep",
@@ -562,35 +559,35 @@
"Dec": "Dic",
"Warning": "Advertencia",
"Unpin Message": "Desmarcar Mensaje",
- "Online": "Conectado",
+ "Online": "En línea",
"Submit debug logs": "Enviar registros de depuración",
"The platform you're on": "La plataforma en la que te encuentras",
"The version of Riot.im": "La versión de Riot.im",
- "Whether or not you're logged in (we don't record your user name)": "Estés identificado o no (no almacenamos tu nombre de usuario)",
- "Your language of choice": "El idioma que has elegido",
- "Your homeserver's URL": "La URL de tu homeserver",
+ "Whether or not you're logged in (we don't record your user name)": "Hayas iniciado sesión o no (no almacenamos tu nombre de usuario)",
+ "Your language of choice": "El idioma de tu elección",
+ "Your homeserver's URL": "La URL de tu servidor doméstico",
"Your identity server's URL": "La URL de tu servidor de identidad",
- "The information being sent to us to help make Riot.im better includes:": "La información remitida a nosotros para ayudar a mejorar Riot.im incluye:",
+ "The information being sent to us to help make Riot.im better includes:": "La información que se nos envía para ayudar a mejorar Riot.im incluye:",
"Drop here to demote": "Suelta aquí para degradar",
- "Whether or not you're using the Richtext mode of the Rich Text Editor": "Estés o no usando el modo Richtext del Editor de Texto Enriquecido",
- "Who would you like to add to this community?": "¿A quién deseas añadir a esta comunidad?",
- "Warning: any person you add to a community will be publicly visible to anyone who knows the community ID": "Aviso: cualquier persona que añadas a una comunidad será públicamente visible a cualquiera que conozca el ID de la comunidad",
- "Invite new community members": "Invita nuevos miembros de la comunidad",
+ "Whether or not you're using the Richtext mode of the Rich Text Editor": "Estés utilizando o no el modo de Texto Enriquecido del Editor de Texto Enriquecido",
+ "Who would you like to add to this community?": "¿A quién te gustaría añadir a esta comunidad?",
+ "Warning: any person you add to a community will be publicly visible to anyone who knows the community ID": "Advertencia: cualquier persona que añadas a una comunidad será públicamente visible a cualquiera que conozca la ID de la comunidad",
+ "Invite new community members": "Invita nuevos miembros a la comunidad",
"Name or matrix ID": "Nombre o ID de matrix",
- "Invite to Community": "Invitar a la comunidad",
- "Which rooms would you like to add to this community?": "¿Qué salas deseas añadir a esta comunidad?",
+ "Invite to Community": "Invitar a la Comunidad",
+ "Which rooms would you like to add to this community?": "¿Qué salas te gustaría añadir a esta comunidad?",
"Fetching third party location failed": "Falló la obtención de la ubicación de un tercero",
"A new version of Riot is available.": "Una nueva versión de Riot está disponible.",
"I understand the risks and wish to continue": "Entiendo los riesgos y deseo continuar",
- "Couldn't load home page": "No se puede cargar la página principal",
+ "Couldn't load home page": "No se puede cargar la página de inicio",
"Send Account Data": "Enviar Datos de la Cuenta",
- "Advanced notification settings": "Configuración avanzada de notificaciones",
+ "Advanced notification settings": "Ajustes avanzados de notificaciones",
"Uploading report": "Enviando informe",
"Sunday": "Domingo",
"Guests can join": "Los invitados se pueden unir",
"Failed to add tag %(tagName)s to room": "Error al añadir la etiqueta %(tagName)s a la sala",
"Notification targets": "Objetivos de notificación",
- "Failed to set direct chat tag": "Error al establecer la etiqueta de chat directo",
+ "Failed to set direct chat tag": "Error al establecer la etiqueta de conversación directa",
"Today": "Hoy",
"Files": "Archivos",
"You are not receiving desktop notifications": "No estás recibiendo notificaciones de escritorio",
@@ -601,15 +598,15 @@
"Expand panel": "Expandir panel",
"On": "Encendido",
"%(count)s Members|other": "%(count)s miembros",
- "Filter room names": "Filtrar los nombres de las salas",
+ "Filter room names": "Filtrar los nombres de salas",
"Changelog": "Registro de cambios",
"Waiting for response from server": "Esperando una respuesta del servidor",
"Leave": "Salir",
"Uploaded on %(date)s by %(user)s": "Subido el %(date)s por %(user)s",
"Send Custom Event": "Enviar Evento Personalizado",
- "All notifications are currently disabled for all targets.": "Las notificaciones estan desactivadas para todos los objetivos.",
+ "All notifications are currently disabled for all targets.": "Las notificaciones están deshabilitadas para todos los objetivos.",
"Failed to send logs: ": "Error al enviar registros: ",
- "delete the alias.": "borrar el alias.",
+ "delete the alias.": "eliminar el alias.",
"To return to your account in future you need to set a password ": "Para regresar a tu cuenta en el futuro debes establecer una contraseña ",
"Forget": "Olvidar",
"World readable": "Legible por todo el mundo",
@@ -617,16 +614,16 @@
"You cannot delete this image. (%(code)s)": "No puedes eliminar esta imagen. (%(code)s)",
"Cancel Sending": "Cancelar envío",
"This Room": "Esta sala",
- "The Home Server may be too old to support third party networks": "El Home Server puede ser demasiado antiguo para soportar redes de terceros",
+ "The Home Server may be too old to support third party networks": "El Servidor Doméstico puede ser demasiado antiguo para soportar redes de terceros",
"Resend": "Reenviar",
"Room not found": "Sala no encontrada",
- "Messages containing my display name": "Mensajes que contienen mi nombre",
- "Messages in one-to-one chats": "Mensajes en chats uno a uno",
+ "Messages containing my display name": "Mensajes que contienen mi nombre público",
+ "Messages in one-to-one chats": "Mensajes en conversaciones uno a uno",
"Unavailable": "No disponible",
"View Decrypted Source": "Ver Fuente Descifrada",
"Failed to update keywords": "Error al actualizar las palabras clave",
"Notes:": "Notas:",
- "remove %(name)s from the directory.": "retirar %(name)s del directorio.",
+ "remove %(name)s from the directory.": "eliminar a %(name)s del directorio.",
"Notifications on the following keywords follow rules which can’t be displayed here:": "Las notificaciones de las siguientes palabras clave siguen reglas que no se pueden mostrar aquí:",
"Safari and Opera work too.": "Safari y Opera también funcionan.",
"Please set a password!": "¡Por favor establece una contraseña!",
@@ -639,7 +636,7 @@
"Members": "Miembros",
"No update available.": "No hay actualizaciones disponibles.",
"Noisy": "Ruidoso",
- "Failed to get protocol list from Home Server": "Error al obtener la lista de protocolos desde el Home Server",
+ "Failed to get protocol list from Home Server": "Error al obtener la lista de protocolos desde el Servidor Doméstico",
"Collecting app version information": "Recolectando información de la versión de la aplicación",
"Delete the room alias %(alias)s and remove %(name)s from the directory?": "¿Borrar el alias de la sala %(alias)s y eliminar %(name)s del directorio?",
"This will allow you to return to your account after signing out, and sign in on other devices.": "Esto te permitirá regresar a tu cuenta después de cerrar sesión, así como iniciar sesión en otros dispositivos.",
@@ -647,24 +644,24 @@
"Enable notifications for this account": "Habilitar notificaciones para esta cuenta",
"Directory": "Directorio",
"Invite to this community": "Invitar a esta comunidad",
- "Search for a room": "Buscar sala",
+ "Search for a room": "Buscar una sala",
"Messages containing keywords ": "Mensajes que contienen palabras clave ",
"Error saving email notification preferences": "Error al guardar las preferencias de notificación por email",
"Tuesday": "Martes",
"Enter keywords separated by a comma:": "Introduzca palabras clave separadas por una coma:",
"Search…": "Buscar…",
"You have successfully set a password and an email address!": "¡Has establecido una nueva contraseña y dirección de correo electrónico!",
- "Remove %(name)s from the directory?": "¿Retirar %(name)s del directorio?",
+ "Remove %(name)s from the directory?": "¿Eliminar a %(name)s del directorio?",
"Riot uses many advanced browser features, some of which are not available or experimental in your current browser.": "Riot usa muchas características avanzadas del navegador, algunas de las cuales no están disponibles en su navegador actual.",
"Event sent!": "Evento enviado!",
"Preparing to send logs": "Preparando para enviar registros",
"Enable desktop notifications": "Habilitar notificaciones de escritorio",
"Unnamed room": "Sala sin nombre",
"Explore Account Data": "Explorar Datos de la Cuenta",
- "Remove from Directory": "Retirar del Directorio",
+ "Remove from Directory": "Eliminar del Directorio",
"Saturday": "Sábado",
- "Remember, you can always set an email address in user settings if you change your mind.": "Recuerda que si es necesario puedes establecer una dirección de email en las preferencias de usuario.",
- "Direct Chat": "Conversación directa",
+ "Remember, you can always set an email address in user settings if you change your mind.": "Recuerda que si es necesario puedes establecer una dirección de email en los ajustes de usuario.",
+ "Direct Chat": "Conversación Directa",
"The server may be unavailable or overloaded": "El servidor puede estar no disponible o sobrecargado",
"Reject": "Rechazar",
"Failed to set Direct Message status of room": "No se pudo establecer el estado de Mensaje Directo de la sala",
@@ -691,15 +688,15 @@
"Failed to send custom event.": "Ha fallado el envio del evento personalizado.",
"What's new?": "¿Qué hay de nuevo?",
"Notify me for anything else": "Notificarme para cualquier otra cosa",
- "When I'm invited to a room": "Cuando estoy invitado a una sala",
- "Can't update user notification settings": "No se puede actualizar la configuración de notificaciones del usuario",
+ "When I'm invited to a room": "Cuando soy invitado a una sala",
+ "Can't update user notification settings": "No se puede actualizar los ajustes de notificaciones del usuario",
"Notify for all other messages/rooms": "Notificar para todos los demás mensajes/salas",
"Unable to look up room ID from server": "No se puede buscar el ID de la sala desde el servidor",
"Couldn't find a matching Matrix room": "No se encontró una sala Matrix que coincida",
- "All Rooms": "Todas las salas",
+ "All Rooms": "Todas las Salas",
"You cannot delete this message. (%(code)s)": "No puedes eliminar este mensaje. (%(code)s)",
"Thursday": "Jueves",
- "Forward Message": "Reenviar mensaje",
+ "Forward Message": "Reenviar Mensaje",
"Logs sent": "Registros enviados",
"Back": "Atrás",
"Reply": "Responder",
@@ -709,27 +706,26 @@
"Unable to join network": "No se puede unir a la red",
"You might have configured them in a client other than Riot. You cannot tune them in Riot but they still apply": "Es posible que los hayas configurado en un cliente que no sea Riot. No puedes ajustarlos en Riot, pero todavía se aplican",
"Sorry, your browser is not able to run Riot.": "¡Lo sentimos! Su navegador no puede ejecutar Riot.",
- "Messages in group chats": "Mensajes en chats de grupo",
+ "Messages in group chats": "Mensajes en conversaciones en grupo",
"Yesterday": "Ayer",
"Error encountered (%(errorDetail)s).": "Error encontrado (%(errorDetail)s).",
"Login": "Iniciar sesión",
- "Low Priority": "Baja Prioridad",
+ "Low Priority": "Prioridad Baja",
"Riot does not know how to join a room on this network": "Riot no sabe cómo unirse a una sala en esta red",
"Set Password": "Establecer contraseña",
"Enable audible notifications in web client": "Habilitar notificaciones audibles en el cliente web",
- "Permalink": "Enlace permanente",
- "Off": "Apagado",
+ "Off": "Desactivado",
"#example": "#ejemplo",
- "Mentions only": "Sólo menciones",
+ "Mentions only": "Solo menciones",
"Failed to remove tag %(tagName)s from room": "Error al eliminar la etiqueta %(tagName)s de la sala",
"Wednesday": "Miércoles",
"You can now return to your account after signing out, and sign in on other devices.": "Ahora puedes regresar a tu cuenta después de cerrar tu sesión, e iniciar sesión en otros dispositivos.",
"Enable email notifications": "Habilitar notificaciones por email",
"Event Type": "Tipo de Evento",
- "No rooms to show": "Sin salas para mostrar",
+ "No rooms to show": "No hay salas para mostrar",
"Download this file": "Descargar este archivo",
"Pin Message": "Marcar Mensaje",
- "Failed to change settings": "Error al cambiar la configuración",
+ "Failed to change settings": "Error al cambiar los ajustes",
"View Community": "Ver la comunidad",
"%(count)s Members|one": "%(count)s miembro",
"Developer Tools": "Herramientas de Desarrollo",
@@ -740,5 +736,536 @@
"Collapse panel": "Colapsar panel",
"With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "En su navegador actual, la apariencia y comportamiento de la aplicación puede ser completamente incorrecta, y algunas de las características podrían no funcionar. Si aún desea probarlo puede continuar, pero ¡no podremos ofrecer soporte por cualquier problema que pudiese tener!",
"Checking for an update...": "Comprobando actualizaciones...",
- "There are advanced notifications which are not shown here": "Hay notificaciones avanzadas que no se muestran aquí"
+ "There are advanced notifications which are not shown here": "Hay notificaciones avanzadas que no se muestran aquí",
+ "Every page you use in the app": "Cada página que utilizas en la aplicación",
+ "Your User Agent": "Tu Agente de Usuario",
+ "Your device resolution": "La resolución de tu dispositivo",
+ "There are unknown devices in this room: if you proceed without verifying them, it will be possible for someone to eavesdrop on your call.": "Hay dispositivos desconocidos en esta sala: si continúas sin verificarlos, será posible que alguien escuche tu llamada.",
+ "Which officially provided instance you are using, if any": "Qué instancia proporcionada oficialmente estás utilizando, si estás utilizando alguna",
+ "e.g. %(exampleValue)s": "ej. %(exampleValue)s",
+ "e.g. ": "ej. ",
+ "Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "Donde esta página incluya información identificable, como una sala, usuario o ID de grupo, esos datos se eliminan antes de enviarse al servidor.",
+ "A conference call could not be started because the intgrations server is not available": "No se pudo iniciar una llamada de conferencia porque el servidor de integraciones no está disponible",
+ "Call in Progress": "Llamada en Curso",
+ "A call is currently being placed!": "¡Se está realizando una llamada en este momento!",
+ "A call is already in progress!": "¡Ya hay una llamada en curso!",
+ "Permission Required": "Permiso Requerido",
+ "You do not have permission to start a conference call in this room": "No tienes permiso para iniciar una llamada de conferencia en esta sala",
+ "%(weekDayName)s %(time)s": "%(weekDayName)s %(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": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s",
+ "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s",
+ "Show these rooms to non-members on the community page and room list?": "¿Mostrar estas salas a los que no son miembros en la página de la comunidad y la lista de salas?",
+ "Add rooms to the community": "Añadir salas a la comunidad",
+ "Room name or alias": "Nombre o alias de sala",
+ "Add to community": "Añadir a la comunidad",
+ "Failed to invite the following users to %(groupId)s:": "No se pudo invitar a los siguientes usuarios a %(groupId)s:",
+ "Failed to invite users to community": "No se pudo invitar usuarios a la comunidad",
+ "Failed to invite users to %(groupId)s": "No se pudo invitar usuarios a %(groupId)s",
+ "Failed to add the following rooms to %(groupId)s:": "No se pudo añadir a las siguientes salas a %(groupId)s:",
+ "Restricted": "Restringido",
+ "Missing roomId.": "Falta el Id de sala.",
+ "Ignores a user, hiding their messages from you": "Ignora a un usuario, ocultando sus mensajes",
+ "Ignored user": "Usuario ignorado",
+ "You are now ignoring %(userId)s": "Ahora está ignorando a %(userId)s",
+ "Stops ignoring a user, showing their messages going forward": "Deja de ignorar a un usuario, mostrando en adelante sus mensajes",
+ "Unignored user": "Usuario no ignorado",
+ "You are no longer ignoring %(userId)s": "Ya no está ignorando a %(userId)s",
+ "Opens the Developer Tools dialog": "Abre el diálogo de Herramientas de Desarrollador",
+ "Verifies a user, device, and pubkey tuple": "Verifica a un usuario, dispositivo, y tupla de clave pública",
+ "%(oldDisplayName)s changed their display name to %(displayName)s.": "%(oldDisplayName)s cambió su nombre público a %(displayName)s.",
+ "%(senderName)s changed the pinned messages for the room.": "%(senderName)s cambió los mensajes con chincheta en la sala.",
+ "%(widgetName)s widget modified by %(senderName)s": "el widget %(widgetName)s fue modificado por %(senderName)s",
+ "%(widgetName)s widget added by %(senderName)s": "componente %(widgetName)s añadido por %(senderName)s",
+ "%(widgetName)s widget removed by %(senderName)s": "componente %(widgetName)s eliminado por %(senderName)s",
+ "%(names)s and %(count)s others are typing|other": "%(names)s y otros %(count)s están escribiendo",
+ "%(names)s and %(count)s others are typing|one": "%(names)s y otro más están escribiendo",
+ "Your browser does not support the required cryptography extensions": "Su navegador no soporta las extensiones de criptografía requeridas",
+ "Not a valid Riot keyfile": "No es un archivo de claves de Riot válido",
+ "Message Pinning": "Mensajes con chincheta",
+ "Jitsi Conference Calling": "Llamadas de conferencia Jitsi",
+ "Disable Emoji suggestions while typing": "Deshabilitar sugerencias de Emoji mientras escribe",
+ "Hide avatar changes": "Ocultar cambios de avatar",
+ "Hide display name changes": "Ocultar cambios de nombre público",
+ "Always show encryption icons": "Mostrar siempre iconos de cifrado",
+ "Hide avatars in user and room mentions": "Ocultar avatares en las menciones de usuarios y salas",
+ "Disable big emoji in chat": "Deshabilitar emoji grande en la conversación",
+ "Automatically replace plain text Emoji": "Sustituir automáticamente Emojis de texto",
+ "Mirror local video feed": "Clonar transmisión de video local",
+ "Disable Community Filter Panel": "Deshabilitar Panel de Filtro de la Comunidad",
+ "Disable Peer-to-Peer for 1:1 calls": "Deshabilitar pares para llamadas 1:1",
+ "Send analytics data": "Enviar datos de análisis de estadísticas",
+ "Enable inline URL previews by default": "Habilitar vistas previas de URL en línea por defecto",
+ "Enable URL previews for this room (only affects you)": "Activar vista previa de URL en esta sala (sólo le afecta a ud.)",
+ "Enable URL previews by default for participants in this room": "Activar vista previa de URL por defecto para los participantes en esta sala",
+ "Enable widget screenshots on supported widgets": "Activar capturas de pantalla de widget en los widgets soportados",
+ "Show empty room list headings": "Mostrar lista de títulos de salas vacías",
+ "Delete %(count)s devices|other": "Eliminar %(count)s dispositivos",
+ "Delete %(count)s devices|one": "Eliminar dispositivo",
+ "Select devices": "Seleccionar dispositivos",
+ "Drop file here to upload": "Soltar aquí el fichero a subir",
+ " (unsupported)": " (no soportado)",
+ "Ongoing conference call%(supportedText)s.": "Llamada de conferencia en curso%(supportedText)s.",
+ "This event could not be displayed": "No se pudo mostrar este evento",
+ "%(senderName)s sent an image": "%(senderName)s envió una imagen",
+ "%(senderName)s sent a video": "%(senderName)s envió un vídeo",
+ "%(senderName)s uploaded a file": "%(senderName)s subió un fichero",
+ "Your key share request has been sent - please check your other devices for key share requests.": "Se envió su solicitud para compartir la clave - por favor, compruebe sus otros dispositivos para solicitudes de compartir clave.",
+ "Key share requests are sent to your other devices automatically. If you rejected or dismissed the key share request on your other devices, click here to request the keys for this session again.": "Las solicitudes para compartir la clave se envían a sus otros dispositivos automáticamente. Si rechazó o descartó la solicitud en sus otros dispositivos, pulse aquí para solicitar otra vez las claves durante esta sesión.",
+ "If your other devices do not have the key for this message you will not be able to decrypt them.": "Si sus otros dispositivos no tienen la clave para este mensaje no podrá descifrarlos.",
+ "Key request sent.": "Solicitud de clave enviada.",
+ "Re-request encryption keys from your other devices.": "Volver a solicitar las claves de cifrado de tus otros dispositivos.",
+ "Encrypting": "Cifrando",
+ "Encrypted, not sent": "Cifrado, no enviado",
+ "Disinvite this user?": "¿Dejar de invitar a este usuario?",
+ "Kick this user?": "¿Echar a este usuario?",
+ "Unban this user?": "¿Quitarle el veto a este usuario?",
+ "Ban this user?": "¿Vetar a este usuario?",
+ "Demote yourself?": "¿Degradarse a ud mismo?",
+ "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "No podrá deshacer este cambio ya que está degradándose a usted mismo, si es el usuario con menos privilegios de la sala le resultará imposible recuperarlos.",
+ "Demote": "Degradar",
+ "Unignore": "Dejar de ignorar",
+ "Ignore": "Ignorar",
+ "Jump to read receipt": "Saltar a recibo leído",
+ "Mention": "Mencionar",
+ "Invite": "Invitar",
+ "Share Link to User": "Compartir Enlace con Usuario",
+ "User Options": "Opciones de Usuario",
+ "Make Moderator": "Convertir a Moderador",
+ "bold": "negrita",
+ "italic": "cursiva",
+ "deleted": "eliminado",
+ "underlined": "subrayado",
+ "inline-code": "código en línea",
+ "block-quote": "cita extensa",
+ "bulleted-list": "lista con viñetas",
+ "numbered-list": "lista numerada",
+ "At this time it is not possible to reply with a file so this will be sent without being a reply.": "En este momento no es posible responder con un fichero así que esto se enviará sin que sea una respuesta.",
+ "Send an encrypted reply…": "Enviar una respuesta cifrada…",
+ "Send a reply (unencrypted)…": "Enviar una respuesta (sin cifrar)…",
+ "Send an encrypted message…": "Enviar un mensaje cifrado…",
+ "Send a message (unencrypted)…": "Enviar un mensaje (sin cifrar)…",
+ "Unable to reply": "No se pudo responder",
+ "At this time it is not possible to reply with an emote.": "En este momento no es posible responder con un emoticono.",
+ "Jump to message": "Ir a mensaje",
+ "No pinned messages.": "No hay mensajes con chincheta.",
+ "Loading...": "Cargando...",
+ "Pinned Messages": "Mensajes con chincheta",
+ "%(duration)ss": "%(duration)ss",
+ "%(duration)sm": "%(duration)sm",
+ "%(duration)sh": "%(duration)sh",
+ "%(duration)sd": "%(duration)sd",
+ "Online for %(duration)s": "En línea durante %(duration)s",
+ "Idle for %(duration)s": "En reposo durante %(duration)s",
+ "Offline for %(duration)s": "Desconectado durante %(duration)s",
+ "Unknown for %(duration)s": "Desconocido durante %(duration)s",
+ "Idle": "En reposo",
+ "Offline": "Desconectado",
+ "Unknown": "Desconocido",
+ "Seen by %(displayName)s (%(userName)s) at %(dateTime)s": "Visto por %(displayName)s %(userName)s a las %(dateTime)s",
+ "Replying": "Respondiendo",
+ "(~%(count)s results)|other": "(~%(count)s resultados)",
+ "(~%(count)s results)|one": "(~%(count)s resultado)",
+ "Remove avatar": "Eliminar avatar",
+ "Share room": "Compartir sala",
+ "Drop here to favourite": "Soltar aquí para agregar a favoritos",
+ "Drop here to tag direct chat": "Soltar aquí para etiquetar la conversación directa",
+ "Drop here to restore": "Soltar aquí para restaurar",
+ "Community Invites": "Invitaciones a comunidades",
+ "You have no historical rooms": "No tienes salas históricas",
+ "You have been kicked from this room by %(userName)s.": "Has sido expulsado de esta sala por %(userName)s.",
+ "You have been banned from this room by %(userName)s.": "Has sido vetado de esta sala por %(userName)s.",
+ "You are trying to access a room.": "Estás intentando acceder a una sala.",
+ "To change the room's avatar, you must be a": "Para cambiar el avatar de la sala, debe ser un",
+ "To change the room's name, you must be a": "Para cambiar el nombre de la sala, debe ser un",
+ "To change the room's main address, you must be a": "Para cambiar la dirección principal de la sala, debe ser un",
+ "To change the room's history visibility, you must be a": "Para cambiar la visibilidad del historial de la sala, debe ser un",
+ "To change the permissions in the room, you must be a": "Para cambiar los permisos de la sala, debe ser un",
+ "To change the topic, you must be a": "Para cambiar el tema, debe ser un",
+ "To modify widgets in the room, you must be a": "Para modificar los widgets de la sala, debe ser un",
+ "Banned by %(displayName)s": "Vetado por %(displayName)s",
+ "To send messages, you must be a": "Para cambiar mensajes, debe ser un",
+ "To invite users into the room, you must be a": "Para cambiar usuarios a la sala, debe ser un",
+ "To configure the room, you must be a": "Para configurar la sala, debe ser un",
+ "To kick users, you must be a": "Para echar a usuarios, debe ser un",
+ "To ban users, you must be a": "Para vetar usuarios, debes ser un",
+ "To remove other users' messages, you must be a": "Para eliminar los mensajes de otros usuarios, debe ser un",
+ "To notify everyone in the room, you must be a": "Para notificar a todos en la sala, debe ser un",
+ "%(user)s is a %(userRole)s": "%(user)s es un %(userRole)s",
+ "Muted Users": "Usuarios Silenciados",
+ "To send events of type , you must be a": "Para enviar eventos del tipo , debe ser un",
+ "Members only (since the point in time of selecting this option)": "Solo miembros (desde el momento en que se selecciona esta opción)",
+ "Members only (since they were invited)": "Solo miembros (desde que fueron invitados)",
+ "Members only (since they joined)": "Solo miembros (desde que se unieron)",
+ "You don't currently have any stickerpacks enabled": "Actualmente no tienes ningún paquete de pegatinas habilitado",
+ "Add a stickerpack": "Añadir un paquete de pegatinas",
+ "Stickerpack": "Paquete de pegatinas",
+ "Hide Stickers": "Ocultar Pegatinas",
+ "Show Stickers": "Mostrar Pegatinas",
+ "Addresses": "Direcciones",
+ "Invalid community ID": "ID de comunidad inválida",
+ "'%(groupId)s' is not a valid community ID": "'%(groupId)s' no es una ID de comunidad válida",
+ "Flair": "Insignia",
+ "Showing flair for these communities:": "Mostrar insignias de estas comunidades:",
+ "This room is not showing flair for any communities": "Esta sala no está mostrando insignias para ninguna comunidad",
+ "New community ID (e.g. +foo:%(localDomain)s)": "Nueva ID de comunidad (ej. +foo:%(localDomain)s)",
+ "URL previews are enabled by default for participants in this room.": "La vista previa de URL se activa por defecto en los participantes de esta sala.",
+ "URL previews are disabled by default for participants in this room.": "La vista previa se desactiva por defecto para los participantes de esta sala.",
+ "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "En salas cifradas, como ésta, la vista previa de la URL se desactivan por defecto para asegurar que el servidor doméstico (donde se generan) no puede recopilar información de los enlaces que vea en esta sala.",
+ "URL Previews": "Vista previa de URL",
+ "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Cuando alguien pone una URL en su mensaje, una vista previa se mostrará para ofrecer información sobre el enlace, tal como título, descripción, y una imagen del sitio Web.",
+ "Error decrypting audio": "Error al descifrar el sonido",
+ "Error decrypting image": "Error al descifrar imagen",
+ "Error decrypting video": "Error al descifrar video",
+ "%(senderDisplayName)s changed the avatar for %(roomName)s": "%(senderDisplayName)s cambió el avatar para %(roomName)s",
+ "%(senderDisplayName)s removed the room avatar.": "%(senderDisplayName)s eliminó el avatar de la sala.",
+ "%(senderDisplayName)s changed the room avatar to ": "%(senderDisplayName)s cambió el avatar de la sala a ",
+ "Copied!": "¡Copiado!",
+ "Failed to copy": "Falló la copia",
+ "Add an Integration": "Añadir una Integración",
+ "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Está a punto de ir a un sitio de terceros de modo que pueda autenticar su cuenta para usarla con %(integrationsUrl)s. ¿Desea continuar?",
+ "Removed or unknown message type": "Tipo de mensaje desconocido o eliminado",
+ "Message removed by %(userId)s": "Mensaje eliminado por %(userId)s",
+ "Message removed": "Mensaje eliminado",
+ "Robot check is currently unavailable on desktop - please use a web browser ": "La comprobación de robot no está actualmente disponible en escritorio - por favor, use un navegador Web ",
+ "This Home Server would like to make sure you are not a robot": "Este Servidor Doméstico quiere asegurarse de que no eres un robot",
+ "Sign in with CAS": "Ingresar con CAS",
+ "You can use the custom server options to sign into other Matrix servers by specifying a different Home server URL.": "Puede usar las opciones personalizadas del servidor para ingresar en otros servidores de Matrix especificando una URL del Servidor Doméstico diferente.",
+ "This allows you to use this app with an existing Matrix account on a different home server.": "Esto le permite usar esta aplicación con una cuenta de Matrix ya existente en un servidor doméstico diferente.",
+ "You can also set a custom identity server but this will typically prevent interaction with users based on email address.": "Puede también usar un servidor de identidad personalizado, pero esto habitualmente evitará la interacción con usuarios mediante dirección de correo electrónico.",
+ "An email has been sent to %(emailAddress)s": "Se envió un correo electrónico a %(emailAddress)s",
+ "Please check your email to continue registration.": "Por favor consulta tu correo electrónico para continuar con el registro.",
+ "Token incorrect": "Token incorrecto",
+ "A text message has been sent to %(msisdn)s": "Se envió un mensaje de texto a %(msisdn)s",
+ "Please enter the code it contains:": "Por favor introduzca el código que contiene:",
+ "Code": "Código",
+ "The email field must not be blank.": "El campo de correo electrónico no debe estar en blanco.",
+ "The user name field must not be blank.": "El campo de nombre de usuario no debe estar en blanco.",
+ "The phone number field must not be blank.": "El campo de número telefónico no debe estar en blanco.",
+ "The password field must not be blank.": "El campo de contraseña no debe estar en blanco.",
+ "Username on %(hs)s": "Nombre de usuario en %(hs)s",
+ "If you don't specify an email address, you won't be able to reset your password. Are you sure?": "Si no indica una dirección de correo electrónico, no podrá reiniciar su contraseña. ¿Está seguro?",
+ "You are registering with %(SelectedTeamName)s": "Está registrándose con %(SelectedTeamName)s",
+ "Default server": "Servidor por defecto",
+ "Custom server": "Servidor personalizado",
+ "Home server URL": "URL del servidor doméstico",
+ "Identity server URL": "URL del servidor de identidad",
+ "What does this mean?": "¿Qué significa esto?",
+ "Remove from community": "Eliminar de la comunidad",
+ "Disinvite this user from community?": "¿Quitar como invitado a este usuario de la comunidad?",
+ "Remove this user from community?": "¿Eliminar a este usuario de la comunidad?",
+ "Failed to withdraw invitation": "Falló la retirada de la invitación",
+ "Failed to remove user from community": "Falló la eliminación de este usuario de la comunidad",
+ "Filter community members": "Filtrar miembros de la comunidad",
+ "Flair will appear if enabled in room settings": "La insignia aparecerá si se activa en los ajustes de sala",
+ "Flair will not appear": "La insignia no aparecerá",
+ "Are you sure you want to remove '%(roomName)s' from %(groupId)s?": "¿Seguro que quieres eliminar a '%(roomName)s' de %(groupId)s?",
+ "Removing a room from the community will also remove it from the community page.": "Al eliminar una sala de la comunidad también se eliminará de su página.",
+ "Failed to remove room from community": "Falló la eliminación de la sala de la comunidad",
+ "Failed to remove '%(roomName)s' from %(groupId)s": "Falló la eliminación de '%(roomName)s' de %(groupId)s",
+ "The visibility of '%(roomName)s' in %(groupId)s could not be updated.": "La visibilidad de '%(roomName)s' en %(groupId)s no se pudo actualizar.",
+ "Visibility in Room List": "Visibilidad en la Lista de Salas",
+ "Visible to everyone": "Visible a todo el mundo",
+ "Only visible to community members": "Sólo visible a los miembros de la comunidad",
+ "Filter community rooms": "Filtrar salas de la comunidad",
+ "Something went wrong when trying to get your communities.": "Algo fue mal cuando se intentó obtener sus comunidades.",
+ "Display your community flair in rooms configured to show it.": "Muestra la insignia de su comunidad en las salas configuradas a tal efecto.",
+ "You're not currently a member of any communities.": "Actualmente no es miembro de una comunidad.",
+ "Please help improve Riot.im by sending anonymous usage data . This will use a cookie (please see our Cookie Policy ).": "Por favor, ayude a mejorar Riot.im enviando información anónima de uso . Esto usará una cookie (por favor, vea nuestra Política de cookies ).",
+ "Please help improve Riot.im by sending anonymous usage data . This will use a cookie.": "Por favor, ayude a mejorar Riot.im enviando información anónima de uso . Esto usará una cookie.",
+ "Yes, I want to help!": "Sí, ¡quiero ayudar!",
+ "Unknown Address": "Dirección desconocida",
+ "Warning: This widget might use cookies.": "Advertencia: Este widget puede usar cookies.",
+ "Delete Widget": "Eliminar Componente",
+ "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Al borrar un widget se elimina para todos usuarios de la sala. ¿Está seguro?",
+ "Failed to remove widget": "Falló la eliminación del widget",
+ "An error ocurred whilst trying to remove the widget from the room": "Ocurrió un error mientras se intentaba eliminar el widget de la sala",
+ "Minimize apps": "Minimizar apps",
+ "Reload widget": "Recargar widget",
+ "Popout widget": "Widget en ventana externa",
+ "Picture": "Fotografía",
+ "Unblacklist": "Dejar de Prohibir",
+ "Blacklist": "Prohibir",
+ "Unverify": "Anular Verificación",
+ "Verify...": "Verificar...",
+ "Communities": "Comunidades",
+ "%(nameList)s %(transitionList)s": "%(nameList)s %(transitionList)s",
+ "%(severalUsers)sjoined %(count)s times|other": "%(severalUsers)s se unieron %(count)s veces",
+ "%(severalUsers)sjoined %(count)s times|one": "%(severalUsers)s se unieron",
+ "%(oneUser)sjoined %(count)s times|other": "%(oneUser)s se unió %(count)s veces",
+ "%(oneUser)sjoined %(count)s times|one": "%(oneUser)s se unió",
+ "%(severalUsers)sleft %(count)s times|other": "%(severalUsers)s se fueron %(count)s veces",
+ "%(severalUsers)sleft %(count)s times|one": "%(severalUsers)s se fueron",
+ "%(oneUser)sleft %(count)s times|other": "%(oneUser)s se fue %(count)s veces",
+ "%(oneUser)sleft %(count)s times|one": "%(oneUser)s salió",
+ "%(severalUsers)sjoined and left %(count)s times|other": "%(severalUsers)s se unieron y fueron %(count)s veces",
+ "%(severalUsers)sjoined and left %(count)s times|one": "%(severalUsers)s se unieron y fueron",
+ "%(oneUser)sjoined and left %(count)s times|other": "%(oneUser)s se unió y fue %(count)s veces",
+ "%(oneUser)sjoined and left %(count)s times|one": "%(oneUser)s se unió y fue",
+ "%(severalUsers)sleft and rejoined %(count)s times|other": "%(severalUsers)s se fueron y volvieron a unirse %(count)s veces",
+ "%(severalUsers)sleft and rejoined %(count)s times|one": "%(severalUsers)s se fueron y volvieron a unirse",
+ "%(oneUser)sleft and rejoined %(count)s times|other": "%(oneUser)s se fue y volvió a unirse %(count)s veces",
+ "%(oneUser)sleft and rejoined %(count)s times|one": "%(oneUser)s se fue y volvió a unirse",
+ "%(severalUsers)srejected their invitations %(count)s times|other": "%(severalUsers)s rechazó sus invitaciones %(count)s veces",
+ "%(severalUsers)srejected their invitations %(count)s times|one": "%(severalUsers)s rechazó sus invitaciones",
+ "%(oneUser)srejected their invitation %(count)s times|other": "%(oneUser)s rechazó su invitación %(count)s veces",
+ "%(oneUser)srejected their invitation %(count)s times|one": "%(oneUser)s rechazó su invitación",
+ "%(severalUsers)shad their invitations withdrawn %(count)s times|other": "%(severalUsers)s se les retiraron sus invitaciones %(count)s veces",
+ "%(severalUsers)shad their invitations withdrawn %(count)s times|one": "%(severalUsers)s se les retiraron sus invitaciones",
+ "%(oneUser)shad their invitation withdrawn %(count)s times|other": "%(oneUser)s se le retiró su invitación %(count)s veces",
+ "%(oneUser)shad their invitation withdrawn %(count)s times|one": "%(oneUser)s se les retiraron sus invitaciones",
+ "were invited %(count)s times|other": "fueron invitados %(count)s veces",
+ "were invited %(count)s times|one": "fueron invitados",
+ "was invited %(count)s times|other": "fue invitado %(count)s veces",
+ "was invited %(count)s times|one": "fue invitado",
+ "were banned %(count)s times|other": "fueron vetados %(count)s veces",
+ "were banned %(count)s times|one": "fueron vetados",
+ "was banned %(count)s times|other": "fue vetado %(count)s veces",
+ "was banned %(count)s times|one": "fue vetado",
+ "were unbanned %(count)s times|other": "les quitaron el veto %(count)s veces",
+ "were unbanned %(count)s times|one": "les quitaron el veto",
+ "was unbanned %(count)s times|other": "se le quitó el veto %(count)s veces",
+ "was unbanned %(count)s times|one": "se le quitó el veto",
+ "were kicked %(count)s times|other": "fueron echados %(count)s veces",
+ "were kicked %(count)s times|one": "fueron echados",
+ "was kicked %(count)s times|other": "fue echado %(count)s veces",
+ "was kicked %(count)s times|one": "fue echado",
+ "%(severalUsers)schanged their name %(count)s times|other": "%(severalUsers)s cambiaron su nombre %(count)s veces",
+ "%(severalUsers)schanged their name %(count)s times|one": "%(severalUsers)s cambiaron su nombre",
+ "%(oneUser)schanged their name %(count)s times|other": "%(oneUser)s cambió su nombre %(count)s veces",
+ "%(oneUser)schanged their name %(count)s times|one": "%(oneUser)s cambió su nombre",
+ "%(severalUsers)schanged their avatar %(count)s times|other": "%(severalUsers)s cambiaron su avatar %(count)s veces",
+ "%(severalUsers)schanged their avatar %(count)s times|one": "%(severalUsers)s cambiaron su avatar",
+ "%(oneUser)schanged their avatar %(count)s times|other": "%(oneUser)s cambió su avatar %(count)s veces",
+ "%(oneUser)schanged their avatar %(count)s times|one": "%(oneUser)s cambió su avatar",
+ "%(items)s and %(count)s others|other": "%(items)s y otros %(count)s",
+ "%(items)s and %(count)s others|one": "%(items)s y otro más",
+ "collapse": "colapsar",
+ "expand": "expandir",
+ "Custom of %(powerLevel)s": "Personalizado de %(powerLevel)s",
+ "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "No se pudo cargar el evento al que se respondió, bien porque no existe o no tiene permiso para verlo.",
+ "In reply to ": "En respuesta a ",
+ "And %(count)s more...|other": "Y %(count)s más...",
+ "ex. @bob:example.com": "ej. @bob:ejemplo.com",
+ "Add User": "Agregar Usuario",
+ "Matrix ID": "ID de Matrix",
+ "Matrix Room ID": "ID de Sala de Matrix",
+ "email address": "dirección de correo electrónico",
+ "You have entered an invalid address.": "No ha introducido una dirección correcta.",
+ "Try using one of the following valid address types: %(validTypesList)s.": "Intente usar uno de los tipos de direcciones válidos: %(validTypesList)s.",
+ "Riot bugs are tracked on GitHub: create a GitHub issue .": "Los fallos de Riot se rastrean en GitHun: crear un suceso en GitHub .",
+ "Start chatting": "Iniciar conversación",
+ "Click on the button below to start chatting!": "¡Haz clic en el botón a continuación para iniciar una conversación!",
+ "Start Chatting": "Iniciar Conversación",
+ "Confirm Removal": "Confirmar Eliminación",
+ "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.": "¿Seguro que quieres eliminar (borrar) este evento? Ten en cuenta que si borras un cambio de nombre o tema de sala, podrías deshacer el cambio.",
+ "Community IDs cannot be empty.": "Las IDs de comunidad no pueden estar vacías.",
+ "Community IDs may only contain characters a-z, 0-9, or '=_-./'": "Las IDs de comunidad sólo pueden contener caracteres a-z, 0-9, ó '=_-./'",
+ "Something went wrong whilst creating your community": "Algo fue mal mientras se creaba la comunidad",
+ "Create Community": "Crear Comunidad",
+ "Community Name": "Nombre de Comunidad",
+ "Example": "Ejemplo",
+ "Community ID": "ID de Comunidad",
+ "example": "ejemplo",
+ "Create": "Crear",
+ "Advanced options": "Opciones avanzadas",
+ "Block users on other matrix homeservers from joining this room": "Impedir que usuarios de otros servidores domésticos se unan a esta sala",
+ "This setting cannot be changed later!": "¡Este ajuste no se puede cambiar más tarde!",
+ "Failed to indicate account erasure": "Falló la indicación de eliminado de la cuenta",
+ "This will make your account permanently unusable. You will not be able to log in, and no one will be able to re-register the same user ID. This will cause your account to leave all rooms it is participating in, and it will remove your account details from your identity server. This action is irreversible. ": "Esto hará que tu cuenta quede permanentemente inutilizable. No podrás iniciar sesión, y nadie podrá volver a registrar la misma ID de usuario. Esto hará que tu cuenta salga de todas las salas en las cuales participa, y eliminará los datos de tu cuenta de tu servidor de identidad. Esta acción es irreversible. ",
+ "Deactivating your account does not by default cause us to forget messages you have sent. If you would like us to forget your messages, please tick the box below.": "Desactivar tu cuenta no hace que por defecto olvidemos los mensajes que has enviado. Si quieres que olvidemos tus mensajes, por favor marca la casilla a continuación.",
+ "Message visibility in Matrix is similar to email. Our forgetting your messages means that messages you have sent will not be shared with any new or unregistered users, but registered users who already have access to these messages will still have access to their copy.": "La visibilidad de mensajes en Matrix es similar a la del correo electrónico. Que olvidemos tus mensajes implica que los mensajes que hayas enviado no se compartirán con ningún usuario nuevo o no registrado, pero aquellos usuarios registrados que ya tengan acceso a estos mensajes seguirán teniendo acceso a su copia.",
+ "Please forget all messages I have sent when my account is deactivated (Warning: this will cause future users to see an incomplete view of conversations)": "Por favor, olvida todos los mensajes enviados al desactivar mi cuenta. (Advertencia: esto provocará que los usuarios futuros vean conversaciones incompletas)",
+ "To continue, please enter your password:": "Para continuar, ingresa tu contraseña por favor:",
+ "password": "contraseña",
+ "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:": "Para verificar que este dispositivo es confiable, por favor contacta a su dueño por algún otro medio (ej. cara a cara o por teléfono) y pregúntale si la clave que ve en sus Ajustes de Usuario para este dispositivo coincide con la clave a continuación:",
+ "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.": "Si coincide, oprime el botón de verificar a continuación. Si no coincide, entonces alguien más está interceptando este dispositivo y probablemente prefieras oprimir el botón de prohibir.",
+ "You added a new device '%(displayName)s', which is requesting encryption keys.": "Añadiste un nuevo dispositivo '%(displayName)s', que está solicitando claves de cifrado.",
+ "Your unverified device '%(displayName)s' is requesting encryption keys.": "Tu dispositivo sin verificar '%(displayName)s' está solicitando claves de cifrado.",
+ "Loading device info...": "Cargando información del dispositivo...",
+ "Encryption key request": "Solicitud de clave de cifrado",
+ "Log out and remove encryption keys?": "¿Cerrar sesión y eliminar claves de cifrado?",
+ "Clear Storage and Sign Out": "Borrar Almacenamiento y Cerrar Sesión",
+ "Send Logs": "Enviar Registros",
+ "Refresh": "Refrescar",
+ "We encountered an error trying to restore your previous session.": "Encontramos un error al intentar restaurar su sesión anterior.",
+ "If you have previously used a more recent version of Riot, your session may be incompatible with this version. Close this window and return to the more recent version.": "Si ha usado anteriormente una versión más reciente de Riot, su sesión puede ser incompatible con ésta. Cierre la ventana y vuelva a la versión más reciente.",
+ "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Limpiando el almacenamiento del navegador puede arreglar el problema, pero le desconectará y cualquier historial de conversación cifrado se volverá ilegible.",
+ "User names may only contain letters, numbers, dots, hyphens and underscores.": "Los nombres de usuario solo pueden contener letras, números, puntos, guiones y guiones bajos.",
+ "Username not available": "Nombre de usuario no disponible",
+ "An error occurred: %(error_string)s": "Ocurrió un error: %(error_string)s",
+ "Username available": "Nombre de usuario disponible",
+ "This will be your account name on the homeserver, or you can pick a different server .": "Este será el nombre de su cuenta en el servidor doméstico, o puede elegir un servidor diferente .",
+ "If you already have a Matrix account you can log in instead.": "Si ya tiene una cuenta de Matrix puede conectarse: log in .",
+ "Share Room": "Compartir Sala",
+ "Link to most recent message": "Enlazar a mensaje más reciente",
+ "Share User": "Compartir Usuario",
+ "Share Community": "Compartir Comunidad",
+ "Share Room Message": "Compartir Mensaje de Sala",
+ "Link to selected message": "Enlazar a mensaje seleccionado",
+ "COPY": "COPIAR",
+ "You are currently blacklisting unverified devices; to send messages to these devices you must verify them.": "Está actualmente prohibiendo dispositivos sin verificar; para enviar mensajes a los mismos deber verificarlos.",
+ "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.": "Le recomendamos que efectúe el proceso de verificación con cada dispositivo para confirmar que pertenecen a su propietario legítimo, pero si lo prefiere puede reenviar el mensaje sin verificar.",
+ "\"%(RoomName)s\" contains devices that you haven't seen before.": "\"%(RoomName)s\" contiene dispositivos que no ha visto antes.",
+ "Unknown devices": "Dispositivos desconocidos",
+ "Unable to reject invite": "No se pudo rechazar la invitación",
+ "Share Message": "Compartir mensaje",
+ "Collapse Reply Thread": "Colapsar Hilo de Respuestas",
+ "Topic": "Tema",
+ "Make this room private": "Hacer privada esta sala",
+ "Share message history with new users": "Compartir historial de mensajes con nuevos usuarios",
+ "Encrypt room": "Cifrar sala",
+ "There are no visible files in this room": "No hay archivos visibles en esta sala",
+ "HTML for your community's page \n\n Use the long description to introduce new members to the community, or distribute\n some important links \n
\n\n You can even use 'img' tags\n
\n": "HTML para la página de tu comunidad. Usa la descripción larga para su presentación, o distribuir enlaces de interés. Puedes incluso usar etiquetas 'img'\n",
+ "Add rooms to the community summary": "Agregar salas al resumen de la comunidad",
+ "Which rooms would you like to add to this summary?": "¿Cuáles salas desea agregar a este resumen?",
+ "Add to summary": "Agregar a resumen",
+ "Failed to add the following rooms to the summary of %(groupId)s:": "Falló la agregación de las salas siguientes al resumen de %(groupId)s:",
+ "Add a Room": "Agregar una Sala",
+ "Failed to remove the room from the summary of %(groupId)s": "Falló la eliminación de la sala del resumen de %(groupId)s",
+ "The room '%(roomName)s' could not be removed from the summary.": "La sala '%(roomName)s' no se pudo eliminar del resumen.",
+ "Add users to the community summary": "Agregar usuario al resumen de la comunidad",
+ "Who would you like to add to this summary?": "¿A quién le gustaría agregar a este resumen?",
+ "Failed to add the following users to the summary of %(groupId)s:": "Falló la adición de los usuarios siguientes al resumen de %(groupId)s:",
+ "Add a User": "Agregar un usuario",
+ "Failed to remove a user from the summary of %(groupId)s": "Falló la eliminación de un usuario del resumen de %(groupId)s",
+ "The user '%(displayName)s' could not be removed from the summary.": "No se pudo eliminar al usuario '%(displayName)s' del resumen.",
+ "Failed to upload image": "No se pudo cargar la imagen",
+ "Failed to update community": "Falló la actualización de la comunidad",
+ "Unable to accept invite": "No se pudo aceptar la invitación",
+ "Unable to join community": "No se pudo unir a comunidad",
+ "Leave Community": "Salir de la Comunidad",
+ "Leave %(groupName)s?": "¿Salir de %(groupName)s?",
+ "Unable to leave community": "No se pudo abandonar la comunidad",
+ "Community Settings": "Ajustes de Comunidad",
+ "Changes made to your community name and avatar might not be seen by other users for up to 30 minutes.": "Las modificaciones realizadas al nombre y avatar de la comunidad pueden no mostrarse a otros usuarios hasta dentro de 30 minutos.",
+ "These rooms are displayed to community members on the community page. Community members can join the rooms by clicking on them.": "Estas salas se muestran a los miembros de la comunidad en la página de la misma. Los miembros pueden unirse a las salas pulsando sobre ellas.",
+ "Featured Rooms:": "Salas destacadas:",
+ "Featured Users:": "Usuarios destacados:",
+ "%(inviter)s has invited you to join this community": "%(inviter)s te invitó a unirte a esta comunidad",
+ "Join this community": "Unirse a esta comunidad",
+ "Leave this community": "Salir de esta comunidad",
+ "You are an administrator of this community": "Usted es un administrador de esta comunidad",
+ "You are a member of this community": "Usted es un miembro de esta comunidad",
+ "Who can join this community?": "¿Quién puede unirse a esta comunidad?",
+ "Everyone": "Todo el mundo",
+ "Your community hasn't got a Long Description, a HTML page to show to community members. Click here to open settings and give it one!": "Su comunidad no tiene una descripción larga, una página HTML para mostrar a sus miembros. Pulse aquí para abrir los ajustes y definirla",
+ "Long Description (HTML)": "Descripción Larga (HTML)",
+ "Description": "Descripción",
+ "Community %(groupId)s not found": "No se encontraron %(groupId)s de la comunidad",
+ "This Home server does not support communities": "Este Servidor Doméstico no soporta comunidades",
+ "Failed to load %(groupId)s": "Falló la carga de %(groupId)s",
+ "This room is not public. You will not be able to rejoin without an invite.": "Esta sala no es pública. No podrá volver a unirse sin una invitación.",
+ "Can't leave Server Notices room": "No puede abandonar la sala Avisos del Servidor",
+ "This room is used for important messages from the Homeserver, so you cannot leave it.": "La sala se usa para mensajes importantes del Servidor Doméstico, así que no puede abandonarla.",
+ "Terms and Conditions": "Términos y condiciones",
+ "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Para continuar usando el servidor doméstico %(homeserverDomain)s debe revisar y estar de acuerdo con nuestros términos y condiciones.",
+ "Review terms and conditions": "Revisar términos y condiciones",
+ "Old cryptography data detected": "Se detectó información de criptografía antigua",
+ "Data from an older version of Riot has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Se detectó una versión más antigua de Riot. Esto habrá provocado que la criptografía de extremo a extremo funcione incorrectamente en la versión más antigua. Los mensajes cifrados de extremo a extremo intercambiados recientemente mientras usaba la versión más antigua puede que no sean descifrables con esta versión. Esto también puede hacer que fallen con la más reciente. Si experimenta problemas, desconecte y vuelva a ingresar. Para conservar el historial de mensajes, exporte y vuelva a importar sus claves.",
+ "Your Communities": "Sus Comunidades",
+ "Did you know: you can use communities to filter your Riot.im experience!": "Sabía que: puede usar comunidades para filtrar su experiencia con Riot.im",
+ "To set up a filter, drag a community avatar over to the filter panel on the far left hand side of the screen. You can click on an avatar in the filter panel at any time to see only the rooms and people associated with that community.": "Para configurar un filtro, arrastre un avatar de comunidad sobre el panel de filtro en la parte izquierda de la pantalla. Puede pulsar sobre un avatar en el panel de filtro en cualquier momento para ver solo las salas y personas asociadas con esa comunidad.",
+ "Error whilst fetching joined communities": "Error al recuperar las comunidades a las que estás unido",
+ "Create a new community": "Crear una comunidad nueva",
+ "Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.": "Crear una comunidad para agrupar usuarios y salas. Construye una página de inicio personalizada para destacarla.",
+ "Show devices , send anyway or cancel .": "Mostrar dispositivos , enviar de todos modos o cancelar .",
+ "You can't send any messages until you review and agree to our terms and conditions .": "No puede enviar ningún mensaje hasta que revise y esté de acuerdo con nuestros términos y condiciones .",
+ "%(count)s of your messages have not been sent.|one": "No se envió su mensaje.",
+ "%(count)s Resend all or cancel all now. You can also select individual messages to resend or cancel.|other": "Reenviar todo o cancelar todo ahora. También puedes seleccionar mensajes individuales para reenviar o cancelar.",
+ "%(count)s Resend all or cancel all now. You can also select individual messages to resend or cancel.|one": "Reenviar mensaje o cancelar mensaje ahora.",
+ "Connectivity to the server has been lost.": "Se perdió la conexión con el servidor.",
+ "Sent messages will be stored until your connection has returned.": "Los mensajes enviados se almacenarán hasta que vuelva su conexión.",
+ "Active call": "Llamada activa",
+ "There's no one else here! Would you like to invite others or stop warning about the empty room ?": "¡No hay nadie aquí! ¿Le gustaría invitar a otros o dejar de advertir sobre la sala vacía ?",
+ "Room": "Sala",
+ "Clear filter": "Borrar filtro",
+ "Light theme": "Tema claro",
+ "Dark theme": "Tema oscuro",
+ "Status.im theme": "Tema Status.im",
+ "Autocomplete Delay (ms):": "Retraso del completado automático (en ms):",
+ "Ignored Users": "Usuarios Ignorados",
+ "Debug Logs Submission": "Envío de registros para depuración",
+ "If you've submitted a bug via GitHub, debug logs can help us track down the problem. Debug logs contain application usage data including your username, the IDs or aliases of the rooms or groups you have visited and the usernames of other users. They do not contain messages.": "Si has enviado un error a GitHub, estos registros pueden ayudar a localizar el problema. Contienen información de uso de la aplicación, incluido el nombre de usuario, IDs o alias de las salas o grupos visitados y los nombres de otros usuarios. No contienen mensajes.",
+ "Riot collects anonymous analytics to allow us to improve the application.": "Riot recopila análisis de estadísticas anónimas para permitirnos mejorar la aplicación.",
+ "Privacy is important to us, so we don't collect any personal or identifiable data for our analytics.": "La privacidad es importante, por lo que no se recopila información personal o identificable en los análisis de estadísticas.",
+ "Learn more about how we use analytics.": "Más información sobre el uso de los análisis de estadísticas.",
+ "Updates": "Actualizaciones",
+ "Check for update": "Comprobar actualizaciones",
+ "Desktop specific": "Específico de escritorio",
+ "Start automatically after system login": "Ejecutar automáticamente después de iniciar sesión en el sistema",
+ "No Audio Outputs detected": "No se detectaron Salidas de Sonido",
+ "Audio Output": "Salida de Sonido",
+ "An email has been sent to %(emailAddress)s. Once you've followed the link it contains, click below.": "Se envió un correo electrónico a %(emailAddress)s. Una vez hayas seguido el enlace que contiene, haz clic a continuación.",
+ "Please note you are logging into the %(hs)s server, not matrix.org.": "Por favor, tenga en cuenta que está ingresando en el servidor %(hs)s, no en matrix.org.",
+ "This homeserver doesn't offer any login flows which are supported by this client.": "Este servidor doméstico no ofrece flujos de ingreso soportados por este cliente.",
+ "Try the app first": "Probar primero la app",
+ "Sign in to get started": "Ingresar para comenzar",
+ "Set a display name:": "Establece un nombre público:",
+ "Upload an avatar:": "Subir un avatar:",
+ "This server does not support authentication with a phone number.": "Este servidor no es compatible con autenticación mediante número telefónico.",
+ "Missing password.": "Falta la contraseña.",
+ "Passwords don't match.": "Las contraseñas no coinciden.",
+ "Password too short (min %(MIN_PASSWORD_LENGTH)s).": "Contraseña demasiado corta (mínimo %(MIN_PASSWORD_LENGTH)s).",
+ "This doesn't look like a valid email address.": "Esto no parece ser una dirección de correo electrónico válida.",
+ "This doesn't look like a valid phone number.": "Esto no parece ser un número telefónico válido.",
+ "An unknown error occurred.": "Ocurrió un error desconocido.",
+ "I already have an account": "Ya tengo una cuenta",
+ "Notify the whole room": "Notificar a toda la sala",
+ "Room Notification": "Notificación de Salas",
+ "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.": "Este proceso te permite exportar las claves para los mensajes que has recibido en salas cifradas a un archivo local. En el futuro, podrás importar el archivo a otro cliente de Matrix, para que ese cliente también sea capaz de descifrar estos mensajes.",
+ "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.": "El archivo exportado le permitirá descifrar cualquier mensaje cifrado que puedas ver a cualquier persona que pueda leerlo, así que deberías ser cuidadoso para mantenerlo seguro. Para ayudarte, deberías ingresar una frase de contraseña a continuación, la cual será utilizada para cifrar los datos exportados. Solo será posible importar los datos utilizando la misma frase de contraseña.",
+ "This process allows you to import encryption keys that you had previously exported from another Matrix client. You will then be able to decrypt any messages that the other client could decrypt.": "Este proceso te permite importar claves de cifrado que hayas exportado previamente desde otro cliente de Matrix. Así, podrás descifrar cualquier mensaje que el otro cliente pudiera descifrar.",
+ "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "El archivo exportado estará protegido con una contraseña. Deberías ingresar la contraseña aquí para descifrar el archivo.",
+ "Internal room ID: ": "ID interno de la sala: ",
+ "Room version number: ": "Número de versión de la sala: ",
+ "There is a known vulnerability affecting this room.": "Hay una vulnerabilidad conocida que afecta a esta sala.",
+ "This room version is vulnerable to malicious modification of room state.": "La versión de esta sala es vulnerable a la modificación maliciosa de su estado.",
+ "Click here to upgrade to the latest room version and ensure room integrity is protected.": "Pulse aquí para actualizar a la última versión de la sala y garantizar que se protege su integridad.",
+ "Only room administrators will see this warning": "Sólo los administradores de la sala verán esta advertencia",
+ "Please contact your service administrator to continue using the service.": "Por favor, contacta al administrador de tu servicio para continuar utilizando el servicio.",
+ "This homeserver has hit its Monthly Active User limit.": "Este servidor doméstico ha alcanzado su límite Mensual de Usuarios Activos.",
+ "This homeserver has exceeded one of its resource limits.": "Este servidor doméstico ha excedido uno de sus límites de recursos.",
+ "Please contact your service administrator to get this limit increased.": "Por favor, contacta al administrador de tu servicio para aumentar este límite.",
+ "This homeserver has hit its Monthly Active User limit so some users will not be able to log in .": "Este servidor doméstico ha alcanzado su límite Mensual de Usuarios Activos, por lo que algunos usuarios no podrán iniciar sesión .",
+ "This homeserver has exceeded one of its resource limits so some users will not be able to log in .": "Este servidor doméstico ha excedido uno de sus límites de recursos, por lo que algunos usuarios no podrán iniciar sesión .",
+ "Upgrade Room Version": "Actualizar Versión de la Sala",
+ "Upgrading this room requires closing down the current instance of the room and creating a new room it its place. To give room members the best possible experience, we will:": "La actualización esta sala requiere cerrar la instancia actual de la misma y crear una nueva en su lugar. Para ofrecer a los miembros de la sala la mejor experiencia posible, haremos:",
+ "Create a new room with the same name, description and avatar": "Crear una sala nueva con el mismo nombre, descripción y avatar",
+ "Update any local room aliases to point to the new room": "Actualizar los alias locales de la sala para que apunten a la nueva",
+ "Stop users from speaking in the old version of the room, and post a message advising users to move to the new room": "Impedir a los usuarios que conversen en la versión antigua de la sala, y publicar un mensaje aconsejándoles que se muden a la nueva",
+ "Put a link back to the old room at the start of the new room so people can see old messages": "Poner un enlace de retorno a la sala antigua al principio de la nueva de modo que se puedan ver los mensajes viejos",
+ "Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please contact your service administrator to continue using the service.": "Tu mensaje no se envió porque este servidor doméstico ha alcanzado su Límite Mensual de Usuarios Activos. Por favor, contacta al administrador de tu servicio para continuar utilizando el servicio.",
+ "Your message wasn't sent because this homeserver has exceeded a resource limit. Please contact your service administrator to continue using the service.": "Su mensaje no se envió porque este servidor doméstico ha excedido un límite de recursos. Por favor contacta al administrador de tu servicio para continuar utilizando el servicio.",
+ "Please contact your service administrator to continue using this service.": "Por favor, contacta al administrador de tu servicio para continuar utilizando este servicio.",
+ "Increase performance by only loading room members on first view": "Incrementar el rendimiento cargando sólo los miembros de la sala en la primera vista",
+ "Lazy loading members not supported": "No se admite la carga diferida de miembros",
+ "Lazy loading is not supported by your current homeserver.": "La carga lenta no está soportada por su servidor doméstico actual.",
+ "System Alerts": "Alertas de Sistema",
+ "Forces the current outbound group session in an encrypted room to be discarded": "Obliga a que la sesión de salida grupal actual en una sala cifrada se descarte",
+ "Error Discarding Session": "Error al Descartar la Sesión",
+ "Sorry, your homeserver is too old to participate in this room.": "Lo sentimos, tu servidor doméstico es demasiado antiguo para participar en esta sala.",
+ "Please contact your homeserver administrator.": "Por favor contacta al administrador de tu servidor doméstico.",
+ "This room has been replaced and is no longer active.": "Esta sala ha sido reemplazada y ya no está activa.",
+ "The conversation continues here.": "La conversación continúa aquí.",
+ "Upgrade room to version %(ver)s": "Actualiza la sala a la versión %(ver)s",
+ "This room is a continuation of another conversation.": "Esta sala es una continuación de otra conversación.",
+ "Click here to see older messages.": "Haz clic aquí para ver mensajes más antiguos.",
+ "Failed to upgrade room": "No se pudo actualizar la sala",
+ "The room upgrade could not be completed": "La actualización de la sala no pudo ser completada",
+ "Upgrade this room to version %(version)s": "Actualiza esta sala a la versión %(version)s",
+ "Legal": "Legal",
+ "Unable to connect to Homeserver. Retrying...": "No es posible conectarse al Servidor Doméstico. Volviendo a intentar...",
+ "Registration Required": "Se Requiere Registro",
+ "You need to register to do this. Would you like to register now?": "Necesitas registrarte para hacer esto. ¿Te gustaría registrarte ahora?",
+ "%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|other": "%(senderName)s añadió %(addedAddresses)s como direcciones para esta sala.",
+ "%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|one": "%(senderName)s añadió %(addedAddresses)s como una dirección para esta sala.",
+ "%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|other": "%(senderName)s eliminó %(removedAddresses)s como direcciones para esta sala.",
+ "%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|one": "%(senderName)s eliminó %(removedAddresses)s como una dirección para esta sala.",
+ "%(senderName)s added %(addedAddresses)s and removed %(removedAddresses)s as addresses for this room.": "%(senderName)s añadió %(addedAddresses)s y eliminó %(removedAddresses)s como direcciones para esta sala.",
+ "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s estableció la dirección principal para esta sala como %(address)s.",
+ "%(senderName)s removed the main address for this room.": "%(senderName)s eliminó la dirección principal para esta sala.",
+ "Riot now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "Riot ahora utiliza de 3 a 5 veces menos memoria, porque solo carga información sobre otros usuarios cuando es necesario. Por favor, ¡aguarda mientras volvemos a sincronizar con el servidor!",
+ "Updating Riot": "Actualizando Riot",
+ "Unable to query for supported registration methods": "No es posible consultar por los métodos de registro compatibles"
}
diff --git a/src/i18n/strings/eu.json b/src/i18n/strings/eu.json
index 04d2e86664..96f201672d 100644
--- a/src/i18n/strings/eu.json
+++ b/src/i18n/strings/eu.json
@@ -46,7 +46,7 @@
"New password": "Pasahitz berria",
"User name": "Erabiltzaile-izena",
"Email address": "E-mail helbidea",
- "Email address (optional)": "E-mail helbidea (aukerazkoa)",
+ "Email address (optional)": "E-mail helbidea (aukerakoa)",
"Confirm your new password": "Berretsi zure pasahitza",
"This Home Server would like to make sure you are not a robot": "Hasiera zerbitzari honek robot bat ez zarela egiaztatu nahi du",
"I have verified my email address": "Nire e-mail helbidea baieztatu dut",
@@ -138,9 +138,8 @@
"Hangup": "Eseki",
"Homeserver is": "Hasiera zerbitzaria:",
"Identity Server is": "Identitate zerbitzaria:",
- "Mobile phone number (optional)": "Mugikor zenbakia (aukerazkoa)",
+ "Mobile phone number (optional)": "Mugikor zenbakia (aukerakoa)",
"Moderator": "Moderatzailea",
- "Must be viewing a room": "Gela bat ikusten egon behar da",
"Account": "Kontua",
"Access Token:": "Sarbide tokena:",
"Active call (%(roomName)s)": "Dei aktiboa (%(roomName)s)",
@@ -158,7 +157,7 @@
"Microphone": "Mikrofonoa",
"Camera": "Kamera",
"Hide removed messages": "Ezkutatu kendutako mezuak",
- "Alias (optional)": "Ezizena (aukerazkoa)",
+ "Alias (optional)": "Ezizena (aukerakoa)",
"%(names)s and %(lastPerson)s are typing": "%(names)s eta %(lastPerson)s idazten ari dira",
"An error has occurred.": "Errore bat gertatu da.",
"Are you sure?": "Ziur zaude?",
@@ -243,7 +242,6 @@
"Failed to kick": "Huts egin du kanporatzean",
"Failed to leave room": "Huts egin du gelatik ateratzean",
"Failed to load timeline position": "Huts egin du denbora-lerroko puntua kargatzean",
- "Failed to lookup current room": "Huts egin du uneko gela bilatzean",
"Failed to mute user": "Huts egin du erabiltzailea mututzean",
"Failed to reject invite": "Huts egin du gonbidapena baztertzean",
"Failed to reject invitation": "Huts egin du gonbidapena baztertzean",
@@ -298,7 +296,6 @@
"Level:": "Maila:",
"Local addresses for this room:": "Gela honen tokiko helbideak:",
"Logged in as:": "Saioa hasteko erabiltzailea:",
- "Login as guest": "Hasi saioa bisitari gisa",
"%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s erabiltzaileak etorkizuneko gelaren historiala ikusgai jarri du gelako kide guztientzat, gonbidapena egiten zaienetik.",
"%(senderName)s made future room history visible to all room members, from the point they joined.": "%(senderName)s erabiltzaileak etorkizuneko gelaren historiala ikusgai jarri du gelako kide guztientzat, elkartzen direnetik.",
"%(senderName)s made future room history visible to all room members.": "%(senderName)s erabiltzaileak etorkizuneko gelaren historiala ikusgai jarri du gelako kide guztientzat.",
@@ -362,7 +359,7 @@
"riot-web version:": "riot-web bertsioa:",
"Room %(roomId)s not visible": "%(roomId)s gela ez dago ikusgai",
"Room Colour": "Gelaren kolorea",
- "Room name (optional)": "Gelaren izena (aukerazkoa)",
+ "Room name (optional)": "Gelaren izena (aukerakoa)",
"%(roomName)s does not exist.": "Ez dago %(roomName)s izeneko gela.",
"%(roomName)s is not accessible at this time.": "%(roomName)s ez dago eskuragarri orain.",
"Scroll to bottom of page": "Korritu orria behera arte",
@@ -569,7 +566,7 @@
"To continue, please enter your password.": "Jarraitzeko sartu zure pasahitza.",
"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:": "Gailu hau fidagarria dela egiaztatzeko, kontaktatu bere jabea beste medio bat erabiliz (adib. aurrez aurre edo telefonoz deituz) eta galdetu beraien erabiltzaile-ezarpenetan bere gailurako ikusten duen gakoa hemen beheko bera den:",
"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.": "Bat badator sakatu egiaztatu botoia. Bat ez badator, beste inor gailu hau atzematen dago eta blokeatu beharko zenuke.",
- "In future this verification process will be more sophisticated.": "etorkizunean egiaztaketa metodoa hobetuko da.",
+ "In future this verification process will be more sophisticated.": "Etorkizunean egiaztaketa metodo hau hobetuko da.",
"Unable to restore session": "Ezin izan da saioa berreskuratu",
"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.": "Aurretik Riot bertsio berriago bat erabili baduzu, zure saioa bertsio honekin bateraezina izan daiteke. Itxi leiho hau eta itzuli bertsio berriagora.",
"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.": "Gailu bakoitzaren egiaztaketa prozesua jarraitzea aholkatzen dizugu, benetako jabeari dagozkiela baieztatzeko, baina mezua egiaztatu gabe birbidali dezakezu ere.",
@@ -587,7 +584,7 @@
"Please enter the code it contains:": "Sartu dakarren kodea:",
"If you don't specify an email address, you won't be able to reset your password. Are you sure?": "Ez baduzu e-mail helbide bat zehazten, ezin izango duzu zure pasahitza berrezarri. Ziur zaude?",
"You are registering with %(SelectedTeamName)s": "%(SelectedTeamName)s erabiliz erregistratzen ari zara",
- "Default server": "Zerbitzari lenetetsia",
+ "Default server": "Zerbitzari lehenetsia",
"Custom server": "Zerbitzari aukeratua",
"Home server URL": "Hasiera zerbitzariaren URLa",
"Identity server URL": "Identitate zerbitzariaren URLa",
@@ -723,7 +720,6 @@
"%(names)s and %(count)s others are typing|one": "%(names)s eta beste bat idazten ari dira",
"Send": "Bidali",
"Message Pinning": "Mezuak finkatzea",
- "Tag Panel": "Etiketen panela",
"Hide avatar changes": "Ezkutatu abatar aldaketak",
"Hide display name changes": "Ezkutatu pantaila izenen aldaketak",
"Disable big emoji in chat": "Desgaitu emoji handiak txatean",
@@ -808,7 +804,6 @@
"Old cryptography data detected": "Kriptografia datu zaharrak atzeman dira",
"Your Communities": "Zure komunitateak",
"Create a new community": "Sortu komunitate berria",
- "Join an existing community": "Elkartu badagoen komunitate batetara",
"Warning": "Abisua",
"Please note you are logging into the %(hs)s server, not matrix.org.": "Kontuan izan %(hs)s zerbitzarira elkartu zarela, ez matrix.org.",
"Sign in to get started": "Hasi saioa hasteko",
@@ -840,13 +835,13 @@
"was invited %(count)s times|one": "gonbidatua izan da",
"were banned %(count)s times|other": "%(count)s aldiz debekatuak izan dira",
"were banned %(count)s times|one": "debekatuak izan dira",
- "was banned %(count)s times|other": "%(count)s aldi debekatuak izan dira",
+ "was banned %(count)s times|other": "%(count)s aldiz debekatuak izan dira",
"were unbanned %(count)s times|other": "%(count)s aldiz kendu zaie debekua",
"were unbanned %(count)s times|one": "debekua kendu zaie",
"was unbanned %(count)s times|other": "%(count)s aldiz kendu zaio debekua",
"was unbanned %(count)s times|one": "debekua kendu zaio",
- "were kicked %(count)s times|other": "%(count)s kanporatu zaie",
- "were kicked %(count)s times|one": "kanporatu zaie",
+ "were kicked %(count)s times|other": "%(count)s aldiz kanporatu zaie",
+ "were kicked %(count)s times|one": "(r) kanporatu zaie",
"was kicked %(count)s times|other": "%(count)s aldiz kanporatu zaio",
"was kicked %(count)s times|one": "kanporatu zaio",
"%(severalUsers)schanged their name %(count)s times|other": "%(severalUsers)s erabiltzaileek bere izena aldatu dute %(count)s aldiz",
@@ -893,7 +888,7 @@
"Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Trepeta ezabatzean gelako kide guztientzat kentzen da. Ziur trepeta ezabatu nahi duzula?",
"%(nameList)s %(transitionList)s": "%(nameList)s%(transitionList)s",
"%(severalUsers)sjoined %(count)s times|other": "%(severalUsers)s %(count)s aldiz elkartu dira",
- "%(severalUsers)sjoined %(count)s times|one": "%(severalUsers)s elkartu da",
+ "%(severalUsers)sjoined %(count)s times|one": "%(severalUsers)s elkartu dira",
"%(oneUser)sjoined %(count)s times|other": "%(oneUser)s%(count)s aldiz elkartu da",
"%(oneUser)sjoined %(count)s times|one": "%(oneUser)s elkartu da",
"%(severalUsers)sleft %(count)s times|other": "%(severalUsers)s%(count)s aldiz atera dira",
@@ -904,7 +899,7 @@
"%(severalUsers)sjoined and left %(count)s times|one": "%(severalUsers)s elkartu eta atera da",
"%(oneUser)sjoined and left %(count)s times|other": "%(oneUser)s elkartu eta atera da %(count)s aldiz",
"%(oneUser)sjoined and left %(count)s times|one": "%(oneUser)s elkartu eta atera da",
- "%(severalUsers)sleft and rejoined %(count)s times|other": "%(severalUsers)s atera eta berriz elkartu da %(count)s aldiz",
+ "%(severalUsers)sleft and rejoined %(count)s times|other": "%(severalUsers)s atera eta berriz elkartu dira %(count)s aldiz",
"%(severalUsers)sleft and rejoined %(count)s times|one": "%(severalUsers)s atera eta berriz elkartu da",
"%(oneUser)sleft and rejoined %(count)s times|other": "%(oneUser)s atera eta berriz elkartu da %(count)s aldiz",
"%(oneUser)sleft and rejoined %(count)s times|one": "%(oneUser)s atera eta berriz elkartu da",
@@ -927,7 +922,6 @@
"Custom of %(powerLevel)s": "%(powerLevel)s pertsonalizatua",
"Data from an older version of Riot has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Riot bertsio zahar batek datuak antzeman dira. Honek bertsio zaharrean muturretik muturrerako zifratzea ez funtzionatzea eragingo du. Azkenaldian bertsio zaharrean bidali edo jasotako zifratutako mezuak agian ezin izango dira deszifratu bertsio honetan. Honek ere Bertsio honekin egindako mezu trukeak huts egitea ekar dezake. Arazoak badituzu, amaitu saioa eta hasi berriro saioa. Mezuen historiala gordetzeko, esportatu eta berriro inportatu zure gakoak.",
"Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.": "Sortu komunitate bat erabiltzaileak eta gelak biltzeko! Sortu zure hasiera orria eta markatu zure espazioa Matrix unibertsoan.",
- "To join an existing community you'll have to know its community identifier; this will look something like +example:matrix.org .": "Bdagoen komunitate batera elkartzeko, komunitatearen identifikatzailea jakin behar duzu; honen antza izango du +adibidea:matrix.org .",
"There's no one else here! Would you like to invite others or stop warning about the empty room ?": "Ez dago beste inor hemen! Beste batzuk gonbidatu nahi dituzu edo gela hutsik dagoela abisatzeari utzi ?",
"Light theme": "Itxura argia",
"Dark theme": "Itxura iluna",
@@ -938,7 +932,6 @@
"%(count)s of your messages have not been sent.|one": "Zure mezua ez da bidali.",
"%(count)s Resend all or cancel all now. You can also select individual messages to resend or cancel.|other": "Birbidali guztiak edo baztertu guztiak orain. Mezuak banaka birbidali edo baztertu ditzakezu ere.",
"%(count)s Resend all or cancel all now. You can also select individual messages to resend or cancel.|one": "Birbidali mezua edo baztertu mezua orain.",
- "Message Replies": "Mezuei erantzunak",
"Send an encrypted reply…": "Bidali zifratutako erantzun bat…",
"Send a reply (unencrypted)…": "Bidali erantzun bat (zifratu gabea)…",
"Send an encrypted message…": "Bidali zifratutako mezu bat…",
@@ -959,7 +952,7 @@
"Your identity server's URL": "Zure identitate zerbitzariaren URL-a",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(fullYear)s(e)ko %(monthName)sk %(day)sa",
"This room is not public. You will not be able to rejoin without an invite.": "Gela hau ez da publikoa. Ezin izango zara berriro elkartu gonbidapenik gabe.",
- "Community IDs cannot not be empty.": "Komunitate ID-ak ezin dira hutsik egon.",
+ "Community IDs cannot be empty.": "Komunitate ID-ak ezin dira hutsik egon.",
"Show devices , send anyway or cancel .": "Erakutsi gailuak , bidali hala ere edo ezeztatu .",
"In reply to ": "honi erantzunez: ",
"%(oldDisplayName)s changed their display name to %(displayName)s.": "%(oldDisplayName)s erabiltzaileak bere pantaila izena aldatu du %(displayName)s izatera.",
@@ -1127,7 +1120,6 @@
"Unable to fetch notification target list": "Ezin izan da jakinarazpen helburuen zerrenda eskuratu",
"Set Password": "Ezarri pasahitza",
"Enable audible notifications in web client": "Gaitu jakinarazpen entzungarriak web bezeroan",
- "Permalink": "Esteka iraunkorra",
"Off": "Ez",
"Riot does not know how to join a room on this network": "Riotek ez daki nola elkartu gela batetara sare honetan",
"Mentions only": "Aipamenak besterik ez",
@@ -1170,18 +1162,128 @@
"Enable widget screenshots on supported widgets": "Gaitu trepeten pantaila-argazkiak onartzen duten trepetetan",
"Send analytics data": "Bidali datu analitikoak",
"Muted Users": "Mutututako erabiltzaileak",
- "Help improve Riot by sending usage data? This will use a cookie. (See our cookie and privacy policies ).": "Riot hobetzen lagundu nahi erabilera datuak bidaliz? Honek cookie bat erabiliko du. (Ikusi gure Cookie eta pribatutasun politikak ).",
- "Help improve Riot by sending usage data? This will use a cookie.": "Riot hobetzen lagundu nahi erabilera datuak bidaliz? Honek cookie bat erabiliko du.",
- "Yes please": "Bai mesedez",
"Warning: This widget might use cookies.": "Abisua: Trepeta honek cookie-ak erabili litzake.",
"Terms and Conditions": "Termino eta baldintzak",
"To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "%(homeserverDomain)s hasiera-zerbitzaria erabiltzen jarraitzeko gure termino eta baldintzak irakurri eta onartu behar dituzu.",
"Review terms and conditions": "Irakurri termino eta baldintzak",
"Failed to indicate account erasure": "Ezin izan da kontuaren ezabaketa jakinarazi",
- "This will make your account permanently unusable. You will not be able to log in, and no one will be able to re-register the same user ID. This action is irreversible. ": "Honek zure kontua betiko erabilgaitz bihurtuko du. Ezin izango duzu saioa hasi, eta beste inork ezin izango du erabiltzaile ID bera erabili. Ez dago ekintza hau desegiterik. ",
- "Deactivating your account does not by default erase messages you have sent. If you would like to erase your messages, please tick the box below.": "Zure kontua desaktibatzean ez dira lehenetsita zuk bidalitako mezuak ezabatuko. Zuk bidalitako mezuak ezabatu nahi badituzu, markatu beheko kutxa.",
- "Message visibility in Matrix is similar to email. Erasing your messages means that messages have you sent will not be shared with any new or unregistered users, but registered users who already had access to these messages will still have access to their copy.": "Matrix-eko mezuen ikusgaitasuna, e-mail mezuen antzekoa da. Zure mezuak ezabatzeak esan nahi du bidali dituzun mezuak ez direla erabiltzaile berriekin partekatuko, baina aurretik zure mezuak jaso dituzten erabiltzaile erregistratuek bere kopia izango dute.",
"To continue, please enter your password:": "Jarraitzeko, sartu zure pasahitza:",
"password": "pasahitza",
- "Please erase all messages I have sent when my account is deactivated. (Warning: this will cause future users to see an incomplete view of conversations, which is a bad experience).": "Ezabatu bidali ditudan mezu guztiak nire kontua desaktibatzean. (Abisua: Etorkizuneko erabiltzaileek elkarrizketa partzialak ikusiko dituzte, esperientzia kaskarra sortuz)."
+ "e.g. %(exampleValue)s": "adib. %(exampleValue)s",
+ "Reload widget": "Birkargatu trepeta",
+ "To notify everyone in the room, you must be a": "Gelan dauden guztiei jakinarazteko",
+ "Please help improve Riot.im by sending anonymous usage data . This will use a cookie (please see our Cookie Policy ).": "Hobetu Riot.im erabilera-datu anonimoak bidaliz. Honek coockie bat erabiliko du (Ikusi gure Cookie politika ).",
+ "Please help improve Riot.im by sending anonymous usage data . This will use a cookie.": "Hobetu Riot.im erabilera-datu anonimoak bidaliz. Honek cookie bat erabiliko du.",
+ "Yes, I want to help!": "Bai, lagundu nahi dut!",
+ "This will make your account permanently unusable. You will not be able to log in, and no one will be able to re-register the same user ID. This will cause your account to leave all rooms it is participating in, and it will remove your account details from your identity server. This action is irreversible. ": "Honek kontua behin betirako erabilgaitza bihurtuko du. Ezin izango duzu saioa hasi, eta ezin izango du beste inork ID hori erabili. Kontua dagoen gela guztietatik aterako da, eta kontuaren xehetasunak identitate-zerbitzaritik ezabatuko dira. Ekintza hau ezin da desegin. ",
+ "Deactivating your account does not by default cause us to forget messages you have sent. If you would like us to forget your messages, please tick the box below.": "Kontua desaktibatzean ez dira zuk bidalitako mezuak ahaztuko. Mezuak ahaztea nahi baduzu markatu beheko kutxa.",
+ "Message visibility in Matrix is similar to email. Our forgetting your messages means that messages you have sent will not be shared with any new or unregistered users, but registered users who already have access to these messages will still have access to their copy.": "Matrix-eko mezuen ikusgaitasuna e-mail sistemaren antekoa da. Guk zure mezuak ahaztean ez dizkiogu erabiltzaile berriei edo izena eman ez dutenei erakutsiko, baina jada zure mezuak jaso dituzten erregistratutako erabiltzaileen bere kopia izaten jarraituko dute.",
+ "Please forget all messages I have sent when my account is deactivated (Warning: this will cause future users to see an incomplete view of conversations)": "Ahaztu bidali ditudan mezu guztiak kontua desaktibatzean (Abisua: Honekin etorkizuneko erabiltzaileek elkarrizketaren bertsio ez oso bat ikusiko dute)",
+ "Can't leave Server Notices room": "Ezin zara Server Notices gelatik atera",
+ "This room is used for important messages from the Homeserver, so you cannot leave it.": "Gela hau mezu hasiera zerbitzariaren garrantzitsuak bidaltzeko erabiltzen da, eta ezin zara atera.",
+ "Try the app first": "Probatu aplikazioa aurretik",
+ "Encrypting": "Zifratzen",
+ "Encrypted, not sent": "Zifratua, bidali gabe",
+ "Share Link to User": "Partekatu esteka erabiltzailearekin",
+ "Share room": "Partekatu gela",
+ "Share Room": "Partekatu gela",
+ "Link to most recent message": "Esteka azken mezura",
+ "Share User": "Partekatu erabiltzailea",
+ "Share Community": "Partekatu komunitatea",
+ "Share Room Message": "Partekatu gelako mezua",
+ "Link to selected message": "Esteka hautatutako mezura",
+ "COPY": "KOPIATU",
+ "Share Message": "Partekatu mezua",
+ "No Audio Outputs detected": "Ez da audio irteerarik antzeman",
+ "Audio Output": "Audio irteera",
+ "Jitsi Conference Calling": "Jitsi konferentzia deia",
+ "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "Zifratutako gelatan, honetan esaterako, URL-en aurrebistak lehenetsita desgaituta daude zure hasiera-zerbitzariak gela honetan ikusten dituzun estekei buruzko informaziorik jaso ez dezan, hasiera-zerbitzarian sortzen baitira aurrebistak.",
+ "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Norbaitek mezu batean URL bat jartzen duenean, URL aurrebista bat erakutsi daiteke estekaren informazio gehiago erakusteko, adibidez webgunearen izenburua, deskripzioa eta irudi bat.",
+ "The email field must not be blank.": "E-mail eremua ezin da hutsik laga.",
+ "The user name field must not be blank.": "Erabiltzaile-izen eremua ezin da hutsik laga.",
+ "The phone number field must not be blank.": "Telefono zenbakia eremua ezin da hutsik laga.",
+ "The password field must not be blank.": "Pasahitza eremua ezin da hutsik laga.",
+ "Call in Progress": "Deia abian",
+ "A call is already in progress!": "Badago dei bat abian!",
+ "You have no historical rooms": "Ez duzu gelen historialik",
+ "You can't send any messages until you review and agree to our terms and conditions .": "Ezin duzu mezurik bidali gure termino eta baldintzak irakurri eta onartu arte.",
+ "Show empty room list headings": "Erakutsi gela hutsen zerrenda-goiburuak",
+ "Demote yourself?": "Jaitsi zure burua mailaz?",
+ "Demote": "Jaitzi mailaz",
+ "A conference call could not be started because the intgrations server is not available": "Ezin izan da konferentzia dei bat hasi integrazio zerbitzaria ez dagoelako eskuragarri",
+ "A call is currently being placed!": "Dei bat ezartzen ari da orain!",
+ "Permission Required": "Baimena beharrezkoa",
+ "You do not have permission to start a conference call in this room": "Ez duzu baimenik konferentzia dei bat hasteko gela honetan",
+ "This event could not be displayed": "Ezin izan da gertakari hau bistaratu",
+ "deleted": "ezabatuta",
+ "underlined": "azpimarratuta",
+ "inline-code": "lineako kodea",
+ "block-quote": "aipamen blokea",
+ "bulleted-list": "buletdun zerrenda",
+ "numbered-list": "zenbakidun zerrenda",
+ "Failed to remove widget": "Huts egin du trepeta kentzean",
+ "An error ocurred whilst trying to remove the widget from the room": "Trepeta gelatik kentzen saiatzean errore bat gertatu da",
+ "This homeserver has hit its Monthly Active User limit. Please contact your service administrator to continue using the service.": "Hasiera zerbitzari honek bere hilabeteko erabiltzaile aktiboen muga jo du. Jarri kontaktuan zerbitzuaren administratzailearekin zerbitzua erabiltzen jarraitzeko.",
+ "Your message wasn’t sent because this homeserver has hit its Monthly Active User Limit. Please contact your service administrator to continue using the service.": "Zure mezua ez da bidali hasiera zerbitzari honek bere hilabeteko erabiltzaile aktiboen muga jo duelako. Jarri kontaktuan zerbitzuaren administratzailearekin zerbitzua erabiltzen jarraitzeko.",
+ "This homeserver has hit its Monthly Active User limit": "Hasiera zerbitzari honek bere hilabeteko erabiltzaile aktiboen muga jo du",
+ "Please contact your service administrator to continue using this service.": "Jarri kontaktuan zerbitzuaren administratzailearekin zerbitzua erabiltzen jarraitzeko.",
+ "System Alerts": "Sistemaren alertak",
+ "Internal room ID: ": "Gelaren barne IDa: ",
+ "Room version number: ": "Gelaren bertsio zenbakia: ",
+ "This homeserver has hit its Monthly Active User limit. Please contact your service administrator to continue using the service.": "Hasiera zerbitzari honek hileko erabiltzaile aktiboen muga jo du. Jarri zerbitzuaren administratzailearekin kontaktuan zerbitzua erabiltzen jarraitzeko.",
+ "This homeserver has hit its Monthly Active User limit so some users will not be able to log in. Please contact your service administrator to get this limit increased.": "Hasiera zerbitzari honek hileko erabiltzaile aktiboen muga jo du eta ezin izango duzu saioa hasi. Jarri zerbitzuaren administratzailearekin kontaktuan muga hau handitu dezan.",
+ "Sorry, your homeserver is too old to participate in this room.": "Zure hasiera-zerbitzaria zaharregia da gela honetan parte hartzeko.",
+ "Please contact your homeserver administrator.": "Jarri zure hasiera-zerbitzariaren administratzailearekin kontaktuan.",
+ "Increase performance by only loading room members on first view": "Hobetu errendimendua gelako kideak lehen ikustaldian besterik ez kargatuz",
+ "This room has been replaced and is no longer active.": "Gela hau ordeztu da eta ez dago aktibo jada.",
+ "The conversation continues here.": "Elkarrizketak hemen darrai.",
+ "Upgrade room to version %(ver)s": "Eguneratu gela %(ver)s bertsiora",
+ "There is a known vulnerability affecting this room.": "Gela honi eragiten dion ahulezia ezagun bat dago.",
+ "This room version is vulnerable to malicious modification of room state.": "Gela bertsio honek gelaren egoera gaiztoki aldatzea baimentzen duen ahulezia bat du.",
+ "Click here to upgrade to the latest room version and ensure room integrity is protected.": "Sakatu hemen gela azken bertsiora eguneratzeko eta gelaren osotasuna babestuta dagoela egiaztatzeko.",
+ "Only room administrators will see this warning": "Gelaren administratzaileek besterik ez dute abisu hau ikusiko",
+ "This room is a continuation of another conversation.": "Gela hau aurreko elkarrizketa baten jarraipena da.",
+ "Click here to see older messages.": "Egin klik hemen mezu zaharrak ikusteko.",
+ "Please contact your service administrator to continue using the service.": "Jarri kontaktuan zerbitzuaren administratzailearekin zerbitzu hau erabiltzen jarraitzeko.",
+ "This homeserver has hit its Monthly Active User limit.": "Hasiera zerbitzari honek bere hilabeteko erabiltzaile aktiboen muga gainditu du.",
+ "This homeserver has exceeded one of its resource limits.": "Hasiera zerbitzari honek bere baliabide mugetako bat gainditu du.",
+ "Please contact your service administrator to get this limit increased.": "Jarri kontaktuan zerbitzuaren administratzailearekin muga hau areagotzeko.",
+ "This homeserver has hit its Monthly Active User limit so some users will not be able to log in .": "Hasiera zerbitzari honek hilabeteko erabiltzaile aktiboen muga jo du erabiltzaile batzuk ezin izango dute saioa hasi .",
+ "This homeserver has exceeded one of its resource limits so some users will not be able to log in .": "Hasiera zerbitzari honek bere baliabide mugetako bat jo du erabiltzaile batzuk ezin izango dute saioa hasi .",
+ "Failed to upgrade room": "Huts egin du gela eguneratzea",
+ "The room upgrade could not be completed": "Ezin izan da gelaren eguneraketa osatu",
+ "Upgrade this room to version %(version)s": "Eguneratu gela hau %(version)s bertsiora",
+ "Upgrade Room Version": "Eguneratu gelaren bertsioa",
+ "Upgrading this room requires closing down the current instance of the room and creating a new room it its place. To give room members the best possible experience, we will:": "Gela hau eguneratzeak instantzian uneko gela itxi eta berri bat sortzea dakar. Erabiltzaileei ahalik eta esperientzia onena emateko hau egingo dugu:",
+ "Create a new room with the same name, description and avatar": "Izen, deskripzio eta abatar bereko beste gela bat sortu",
+ "Update any local room aliases to point to the new room": "Tokiko gelaren ezizen guztiak gela berrira apuntatu ditzaten eguneratu",
+ "Stop users from speaking in the old version of the room, and post a message advising users to move to the new room": "Erabiltzaileei gelaren bertsio zaharrean hitz egiten jarraitzea eragotzi, eta erabiltzaileei gela berrira mugitzea aholkatzeko mezu bat bidali",
+ "Put a link back to the old room at the start of the new room so people can see old messages": "Gela berriaren hasieran gela zaharrera esteka bat jarri jendeak mezu zaharrak ikus ditzan",
+ "Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please contact your service administrator to continue using the service.": "Zure mezua ez da bidali zure hasiera zerbitzariak hilabeteko erabiltzaile aktiboen muga jo duelako. Jarri kontaktuan zerbitzuaren administratzailearekin zerbitzua erabiltzen jarraitzeko.",
+ "Your message wasn't sent because this homeserver has exceeded a resource limit. Please contact your service administrator to continue using the service.": "Zure mezua ez da bidali zure hasiera zerbitzariak baliabide mugaren bat jo duelako. Jarri kontaktuan zerbitzuaren administratzailearekin zerbitzua erabiltzen jarraitzeko.",
+ "Lazy loading members not supported": "Kideen karga alferrerako euskarririk ez",
+ "Lazy loading is not supported by your current homeserver.": "Zure hasiera zerbitzariak ez du onartzen karga alferra.",
+ "Legal": "Legezkoa",
+ "Please contact your service administrator to continue using this service.": "Jarri kontaktuan zerbitzuaren administratzailearekin zerbitzu hau erabiltzen jarraitzeko.",
+ "Forces the current outbound group session in an encrypted room to be discarded": "Uneko irteerako talde saioa zifratutako gela batean baztertzera behartzen du",
+ "Error Discarding Session": "Errorea saioa baztertzean",
+ "Registration Required": "Erregistratzea ezinbestekoa da",
+ "You need to register to do this. Would you like to register now?": "Hau egiteko erregistratu egin behar zara. Orain erregistratu nahi duzu?",
+ "Unable to connect to Homeserver. Retrying...": "Ezin izan da hasiera zerbitzarira konektatu. Berriro saiatzen...",
+ "Unable to query for supported registration methods": "Ezin izan da onartutako erregistratze metodoei buruz itaundu",
+ "%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|one": "%(senderName)s erabiltzaileak %(addedAddresses)s gehitu du gelako helbide gisa.",
+ "%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|other": "%(senderName)s erabiltzaileak %(addedAddresses)s helbideak gehitu dizkio gela honi.",
+ "%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|one": "%(senderName)s erabiltzileak %(removedAddresses)s helbideak kendu ditu gela honetatik.",
+ "%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|other": "%(senderName)s erabiltzaileak %(removedAddresses)s helbideak kendu ditu gela honetatik.",
+ "%(senderName)s added %(addedAddresses)s and removed %(removedAddresses)s as addresses for this room.": "%(senderName)s erabiltzaileak %(addedAddresses)s helbideak gehitu eta %(removedAddresses)s helbideak kendu ditu gela honetatik.",
+ "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s erabiltzileak %(address)s ezarri du gela honetako helbide nagusi gisa.",
+ "%(senderName)s removed the main address for this room.": "%(senderName)s erabiltzaileak gela honen helbide nagusia kendu du.",
+ "Before submitting logs, you must create a GitHub issue to describe your problem.": "Egunkariak bidali aurretik, GitHub arazo bat sortu behar duzu gertatzen zaizuna azaltzeko.",
+ "What GitHub issue are these logs for?": "Zein GitHub arazorako egunkariak dira hauek?",
+ "Riot now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "Riot-ek orain 3-5 aldiz memoria gutxiago darabil, beste erabiltzaileen informazioa behar denean besterik ez kargatzen. Itxaron zerbitzariarekin sinkronizatzen garen bitartean!",
+ "Updating Riot": "Riot eguneratzen",
+ "HTML for your community's page \r\n\r\n Use the long description to introduce new members to the community, or distribute\r\n some important links \r\n
\r\n\r\n You can even use 'img' tags\r\n
\r\n": "Zure komunitatearen orriaren HTMLa \n\n Erabili deskripzio luzea kide berriek komunitatea ezagutu dezaten, edo eman ezagutzera esteka garrantzitsuak\n
\n\n 'img' etiketak erabili ditzakezu ere\n
\n",
+ "Submit Debug Logs": "Bidali arazketa egunkariak",
+ "An email address is required to register on this homeserver.": "e-mail helbide bat behar da hasiera-zerbitzari honetan izena emateko.",
+ "A phone number is required to register on this homeserver.": "telefono zenbaki bat behar da hasiera-zerbitzari honetan izena emateko."
}
diff --git a/src/i18n/strings/fa.json b/src/i18n/strings/fa.json
index 0e532d9483..2b18ba7693 100644
--- a/src/i18n/strings/fa.json
+++ b/src/i18n/strings/fa.json
@@ -124,7 +124,6 @@
"Set Password": "پسوردتان را انتخاب کنید",
"An error occurred whilst saving your email notification preferences.": "خطایی در حین ذخیرهی ترجیجات شما دربارهی رایانامه رخ داد.",
"Enable audible notifications in web client": "آگاهسازی صدادار را در کارگزار وب فعال کن",
- "Permalink": "پایاپیوند",
"Off": "خاموش",
"Riot does not know how to join a room on this network": "رایوت از چگونگی ورود به یک گپ در این شبکه اطلاعی ندارد",
"Mentions only": "فقط نامبردنها",
diff --git a/src/i18n/strings/fi.json b/src/i18n/strings/fi.json
index e5787ab561..d39091b619 100644
--- a/src/i18n/strings/fi.json
+++ b/src/i18n/strings/fi.json
@@ -198,7 +198,6 @@
"Level:": "Taso:",
"Local addresses for this room:": "Tämän huoneen paikalliset osoitteet:",
"Logged in as:": "Kirjautunut käyttäjänä:",
- "Login as guest": "Kirjaudu vieraana",
"Logout": "Kirjaudu ulos",
"Low priority": "Alhainen prioriteetti",
"Manage Integrations": "Hallinoi integraatioita",
@@ -451,7 +450,6 @@
"End-to-end encryption is in beta and may not be reliable": "Päästä päähän salaus on vielä testausvaiheessa ja saattaa toimia epävarmasti",
"Error: Problem communicating with the given homeserver.": "Virhe: Ongelma yhteydenpidossa kotipalvelimeen.",
"Existing Call": "Käynnissä oleva puhelu",
- "Failed to lookup current room": "Nykyisen huoneen löytäminen epäonnistui",
"Join as voice or video .": "Liity käyttäen ääntä tai videota .",
"%(targetName)s joined the room.": "%(targetName)s liittyi huoneeseen.",
"%(senderName)s kicked %(targetName)s.": "%(senderName)s poisti käyttäjän %(targetName)s huoneesta.",
@@ -459,7 +457,6 @@
"Publish this room to the public in %(domain)s's room directory?": "Julkaise tämä huone domainin %(domain)s huoneluettelossa?",
"Missing room_id in request": "room_id puuttuu kyselystä",
"Missing user_id in request": "user_id puuttuu kyselystä",
- "Must be viewing a room": "Pakko olla huoneessa",
"Never send encrypted messages to unverified devices from this device": "Älä koskaa lähetä salattuja viestejä varmentamattomiin laitteisiin tältä laitteelta",
"Never send encrypted messages to unverified devices in this room from this device": "Älä koskaa lähetä salattuja viestejä varmentamattomiin laitteisiin tässä huoneessa tältä laitteelta",
"New address (e.g. #foo:%(localDomain)s)": "Uusi osoite (esim. #foo:%(localDomain)s)",
@@ -790,7 +787,6 @@
"You're not currently a member of any communities.": "Et ole minkään yhteisön jäsen tällä hetkellä.",
"Error whilst fetching joined communities": "Virhe ladatessa listaa yhteistöistä joihin olet liittynyt",
"Create a new community": "Luo uusi yhteisö",
- "Join an existing community": "Liity olemassaolevaan yhteisöön",
"Light theme": "Vaalea ulkoasu",
"Dark theme": "Tumma ulkoasu",
"Status.im theme": "Status.im ulkoasu",
@@ -824,7 +820,6 @@
"%(widgetName)s widget added by %(senderName)s": "%(widgetName)s pienoisohjelman lisännyt %(senderName)s",
"%(widgetName)s widget removed by %(senderName)s": "%(widgetName)s pienoisohjelman poistanut %(senderName)s",
"Send": "Lähetä",
- "Tag Panel": "Tagit",
"Delete %(count)s devices|other": "Poista %(count)s laitetta",
"Delete %(count)s devices|one": "Poista laite",
"Select devices": "Valitse laitteet",
@@ -1050,7 +1045,6 @@
"Set Password": "Aseta salasana",
"An error occurred whilst saving your email notification preferences.": "Sähköposti-ilmoitusasetuksia tallettaessa tapahtui virhe.",
"Enable audible notifications in web client": "Ota käyttöön äänelliset ilmoitukset",
- "Permalink": "Pysyvä linkki",
"remove %(name)s from the directory.": "poista %(name)s hakemistosta.",
"Off": "Pois päältä",
"Riot does not know how to join a room on this network": "Riot ei tiedä miten liittya huoneeseen tässä verkossa",
diff --git a/src/i18n/strings/fr.json b/src/i18n/strings/fr.json
index dc36520506..ede9c26656 100644
--- a/src/i18n/strings/fr.json
+++ b/src/i18n/strings/fr.json
@@ -105,7 +105,6 @@
"Failed to kick": "Échec de l'exclusion",
"Failed to leave room": "Échec du départ du salon",
"Failed to load timeline position": "Échec du chargement de la position dans l'historique",
- "Failed to lookup current room": "Échec de la recherche du salon actuel",
"Failed to mute user": "Échec de la mise en sourdine de l'utilisateur",
"Failed to reject invite": "Échec du rejet de l'invitation",
"Failed to reject invitation": "Échec du rejet de l'invitation",
@@ -166,7 +165,6 @@
"%(targetName)s left the room.": "%(targetName)s a quitté le salon.",
"Local addresses for this room:": "Adresses locales pour ce salon :",
"Logged in as:": "Identifié en tant que :",
- "Login as guest": "Se connecter en tant que visiteur",
"Logout": "Se déconnecter",
"Low priority": "Priorité basse",
"%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s a rendu l'historique visible à tous les membres du salon, depuis le moment où ils ont été invités.",
@@ -183,7 +181,6 @@
"Missing user_id in request": "Absence du user_id dans la requête",
"Mobile phone number": "Numéro de téléphone mobile",
"Moderator": "Modérateur",
- "Must be viewing a room": "Doit être en train de visualiser un salon",
"%(serverName)s Matrix ID": "%(serverName)s identifiant Matrix",
"Name": "Nom",
"Never send encrypted messages to unverified devices from this device": "Ne jamais envoyer de message chiffré aux appareils non vérifiés depuis cet appareil",
@@ -714,17 +711,17 @@
"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",
+ "To send messages, you must be a": "Pour envoyer des messages, vous devez être un(e)",
"%(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 invite users into the room, you must be a": "Pour inviter des utilisateurs dans le salon, vous devez être un(e)",
+ "To configure the room, you must be a": "Pour configurer le salon, vous devez être un(e)",
+ "To kick users, you must be a": "Pour exclure des utilisateurs, vous devez être un(e)",
+ "To ban users, you must be a": "Pour bannir des utilisateurs, vous devez être un(e)",
+ "To remove other users' messages, you must be a": "Pour supprimer les messages d'autres utilisateurs, vous devez être un(e)",
"To send events of type , you must be a": "Pour envoyer des évènements du type , 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",
@@ -860,12 +857,10 @@
"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é.",
+ "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 +example:matrix.org .": "Pour rejoindre une communauté existante, vous devrez connaître son identifiant. Cela ressemblera à +exemple:matrix.org .",
"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",
@@ -888,7 +883,7 @@
"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 ?",
"Sign in to get started": "Connectez-vous pour commencer",
"Status.im theme": "Thème Status.im",
- "Please note you are logging into the %(hs)s server, not matrix.org.": "Veuillez noter que vous vous connecter au serveur %(hs)s, pas à matrix.org.",
+ "Please note you are logging into the %(hs)s server, not matrix.org.": "Veuillez noter que vous vous connectez au serveur %(hs)s, pas à matrix.org.",
"Username on %(hs)s": "Nom d'utilisateur sur %(hs)s",
"Restricted": "Restreint",
"Custom of %(powerLevel)s": "Personnalisé de %(powerLevel)s",
@@ -912,14 +907,13 @@
"Delete %(count)s devices|other": "Supprimer %(count)s appareils",
"Select devices": "Sélectionner les appareils",
"Something went wrong when trying to get your communities.": "Une erreur est survenue lors de l'obtention de vos communautés.",
- "This homeserver doesn't offer any login flows which are supported by this client.": "Ce serveur d'accueil n'offre aucun flux compatible avec ce client.",
+ "This homeserver doesn't offer any login flows which are supported by this client.": "Ce serveur d'accueil n'offre aucune méthode d'identification compatible avec ce client.",
"Flair": "Badge",
"Showing flair for these communities:": "Ce salon affichera les badges pour ces communautés :",
"This room is not showing flair for any communities": "Ce salon n'affiche de badge pour aucune communauté",
"Flair will appear if enabled in room settings": "Les badges n'apparaîtront que s'ils sont activés dans les paramètres de chaque salon",
"Flair will not appear": "Les badges n'apparaîtront pas",
"Display your community flair in rooms configured to show it.": "Sélectionnez les badges dans les paramètres de chaque salon pour les afficher.",
- "Tag Panel": "Panneau des étiquettes",
"Addresses": "Adresses",
"expand": "développer",
"collapse": "réduire",
@@ -938,7 +932,6 @@
"%(count)s of your messages have not been sent.|one": "Votre message n'a pas été envoyé.",
"%(count)s Resend all or cancel all now. You can also select individual messages to resend or cancel.|other": "Tout renvoyer ou tout annuler maintenant. Vous pouvez aussi choisir des messages individuels à renvoyer ou annuler.",
"%(count)s Resend all or cancel all now. You can also select individual messages to resend or cancel.|one": "Renvoyer le message ou annuler le message maintenant.",
- "Message Replies": "Réponses",
"Send an encrypted reply…": "Envoyer une réponse chiffrée…",
"Send a reply (unencrypted)…": "Envoyer une réponse (non chiffrée)…",
"Send an encrypted message…": "Envoyer un message chiffré…",
@@ -959,7 +952,7 @@
"Your identity server's URL": "L'URL de votre serveur d'identité",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s %(day)s %(monthName)s %(fullYear)s",
"This room is not public. You will not be able to rejoin without an invite.": "Ce salon n'est pas public. Vous ne pourrez pas y revenir sans invitation.",
- "Community IDs cannot not be empty.": "Les identifiants de communauté ne peuvent pas être vides.",
+ "Community IDs cannot be empty.": "Les identifiants de communauté ne peuvent pas être vides.",
"Show devices , send anyway or cancel .": "Afficher les appareils , envoyer quand même ou annuler .",
"In reply to ": "En réponse à ",
"%(oldDisplayName)s changed their display name to %(displayName)s.": "%(oldDisplayName)s a changé son nom affiché en %(displayName)s.",
@@ -1094,7 +1087,7 @@
"Downloading update...": "Mise à jour en cours de téléchargement...",
"State Key": "Clé d'état",
"Failed to send custom event.": "Échec de l'envoi de l'événement personnalisé.",
- "What's new?": "Nouveautés ?",
+ "What's new?": "Nouveautés",
"Notify me for anything else": "Me notifier pour tout le reste",
"View Source": "Voir la source",
"Can't update user notification settings": "Impossible de mettre à jour les paramètres de notification de l'utilisateur",
@@ -1121,7 +1114,6 @@
"Unable to fetch notification target list": "Impossible de récupérer la liste des appareils recevant les notifications",
"Set Password": "Définir un mot de passe",
"Enable audible notifications in web client": "Activer les notifications sonores pour le client web",
- "Permalink": "Permalien",
"Off": "Désactivé",
"Riot does not know how to join a room on this network": "Riot ne peut pas joindre un salon sur ce réseau",
"Mentions only": "Seulement les mentions",
@@ -1141,12 +1133,12 @@
"When I'm invited to a room": "Quand je suis invité dans un salon",
"Checking for an update...": "Recherche de mise à jour...",
"There are advanced notifications which are not shown here": "Il existe une configuration avancée des notifications qui ne peut être affichée ici",
- "Logs sent": "Rapports envoyés",
+ "Logs sent": "Journaux envoyés",
"GitHub issue link:": "Lien du signalement GitHub :",
- "Debug logs contain application usage data including your username, the IDs or aliases of the rooms or groups you have visited and the usernames of other users. They do not contain messages.": "Les rapports de débogage contiennent des données d'usage de l'application qui incluent votre nom d'utilisateur, les identifiants ou alias des salons ou groupes auxquels vous avez rendu visite ainsi que les noms des autres utilisateurs. Ils ne contiennent aucun message.",
- "Failed to send logs: ": "Échec lors de l'envoi des rapports : ",
+ "Debug logs contain application usage data including your username, the IDs or aliases of the rooms or groups you have visited and the usernames of other users. They do not contain messages.": "Les journaux de débogage contiennent des données d'usage de l'application qui incluent votre nom d'utilisateur, les identifiants ou alias des salons ou groupes auxquels vous avez rendu visite ainsi que les noms des autres utilisateurs. Ils ne contiennent aucun message.",
+ "Failed to send logs: ": "Échec lors de l'envoi des journaux : ",
"Notes:": "Notes :",
- "Preparing to send logs": "Préparation d'envoi des rapports",
+ "Preparing to send logs": "Préparation d'envoi des journaux",
"Missing roomId.": "Identifiant de salon manquant.",
"Picture": "Image",
"Popout widget": "Détacher le widget",
@@ -1157,7 +1149,7 @@
"Always show encryption icons": "Toujours afficher les icônes de chiffrement",
"Riot bugs are tracked on GitHub: create a GitHub issue .": "Les bugs de Riot sont suivis sur GitHub : créer un signalement GitHub .",
"Log out and remove encryption keys?": "Se déconnecter et effacer les clés de chiffrement ?",
- "Send Logs": "Envoyer les rapports",
+ "Send Logs": "Envoyer les journaux",
"Clear Storage and Sign Out": "Effacer le stockage et se déconnecter",
"Refresh": "Rafraîchir",
"We encountered an error trying to restore your previous session.": "Une erreur est survenue lors de la récupération de la dernière session.",
@@ -1166,28 +1158,138 @@
"Unable to reply": "Impossible de répondre",
"At this time it is not possible to reply with an emote.": "Pour le moment il n'est pas possible de répondre avec un émoji.",
"Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Impossible de charger l'événement auquel il a été répondu, soit il n'existe pas, soit vous n'avez pas l'autorisation de le voir.",
- "Collapse Reply Thread": "Dévoiler le fil de réponse",
+ "Collapse Reply Thread": "Masquer le fil de réponse",
"Enable widget screenshots on supported widgets": "Activer les captures d'écran des widgets pris en charge",
"Send analytics data": "Envoyer les données analytiques",
- "Help improve Riot by sending usage data? This will use a cookie. (See our cookie and privacy policies ).": "Aider Riot à s'améliorer en envoyant des données d'utilisation ? Ceci utilisera un cookie. (Voir nos politiques de cookie et de confidentialité ).",
- "Help improve Riot by sending usage data? This will use a cookie.": "Aider Riot à s'améliorer en envoyant des données d'utilisation ? Ceci utilisera un cookie.",
- "Yes please": "Oui, s'il vous plaît",
"Muted Users": "Utilisateurs ignorés",
"Warning: This widget might use cookies.": "Avertissement : ce widget utilise peut-être des cookies.",
"Terms and Conditions": "Conditions générales",
"To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Pour continuer à utiliser le serveur d'accueil %(homeserverDomain)s, vous devez lire et accepter nos conditions générales.",
"Review terms and conditions": "Voir les conditions générales",
"Failed to indicate account erasure": "Échec de notification de la suppression du compte",
- "This will make your account permanently unusable. You will not be able to log in, and no one will be able to re-register the same user ID. This action is irreversible. ": "Cela rendra votre compte inutilisable de façon permanente. Vous ne pourrez plus vous connecter et ne pourrez plus vous enregistrer avec le même identifiant d'utilisateur. Cette action est irréversible. ",
- "Deactivating your account does not by default erase messages you have sent. If you would like to erase your messages, please tick the box below.": "Désactiver votre compte ne supprime pas les messages que vous avez envoyés par défaut. Si vous souhaitez supprimer vos messages, cochez la case ci-dessous.",
- "Message visibility in Matrix is similar to email. Erasing your messages means that messages have you sent will not be shared with any new or unregistered users, but registered users who already had access to these messages will still have access to their copy.": "La visibilité des messages dans Matrix est la même que celle des e-mails. Supprimer vos messages signifie que les messages que vous avez envoyés ne seront pas partagés avec de nouveaux utilisateurs ou les utilisateurs non enregistrés, mais les utilisateurs enregistrés qui ont déjà eu accès à vos messages continueront d'en avoir une copie.",
"To continue, please enter your password:": "Pour continuer, veuillez renseigner votre mot de passe :",
"password": "mot de passe",
- "Please erase all messages I have sent when my account is deactivated. (Warning: this will cause future users to see an incomplete view of conversations, which is a bad experience).": "Veuillez supprimer tous les messages que j'ai envoyé quand mon compte est désactivé. (Attention : les futurs utilisateurs verront alors des conversations incomplètes, ce qui est une mauvaise expérience).",
"This will make your account permanently unusable. You will not be able to log in, and no one will be able to re-register the same user ID. This will cause your account to leave all rooms it is participating in, and it will remove your account details from your identity server. This action is irreversible. ": "Votre compte sera inutilisable de façon permanente. Vous ne pourrez plus vous reconnecter et personne ne pourra se réenregistrer avec le même identifiant d'utilisateur. Votre compte quittera tous les salons auxquels il participe et tous ses détails seront supprimés du serveur d'identité. Cette action est irréversible. ",
"Deactivating your account does not by default cause us to forget messages you have sent. If you would like us to forget your messages, please tick the box below.": "La désactivation du compte ne nous fait pas oublier les messages que vous avez envoyés par défaut. Si vous souhaitez que nous les oubliions, cochez la case ci-dessous.",
"e.g. %(exampleValue)s": "par ex. %(exampleValue)s",
- "Help improve Riot by sending usage data ? This will use a cookie. (See our cookie and privacy policies ).": "Aider Riot à s'améliorer en envoyant des données d'utilisation ? Cela utilisera un cookie. (Voir nos politiques de cookie et de confidentialité ).",
"Message visibility in Matrix is similar to email. Our forgetting your messages means that messages you have sent will not be shared with any new or unregistered users, but registered users who already have access to these messages will still have access to their copy.": "La visibilité des messages dans Matrix est la même que celle des e-mails. Quand nous oublions vos messages, cela signifie que les messages que vous avez envoyés ne seront partagés avec aucun nouvel utilisateur ou avec les utilisateurs non enregistrés, mais les utilisateurs enregistrés qui ont déjà eu accès à ces messages en conserveront leur propre copie.",
- "Please forget all messages I have sent when my account is deactivated (Warning: this will cause future users to see an incomplete view of conversations)": "Veuillez oublier tous les messages que j'ai envoyé quand mon compte sera désactivé (Avertissement : les futurs utilisateurs verront des conversations incomplètes)"
+ "Please forget all messages I have sent when my account is deactivated (Warning: this will cause future users to see an incomplete view of conversations)": "Veuillez oublier tous les messages que j'ai envoyé quand mon compte sera désactivé (Avertissement : les futurs utilisateurs verront des conversations incomplètes)",
+ "Reload widget": "Recharger le widget",
+ "Please help improve Riot.im by sending anonymous usage data . This will use a cookie (please see our Cookie Policy ).": "Veuillez aider Riot.im à s'améliorer en envoyant des données d'utilisation anonymes . Cela utilisera un cookie (veuillez voir notre politique de cookie ).",
+ "Please help improve Riot.im by sending anonymous usage data . This will use a cookie.": "Veuillez aider Riot.im à s'améliorer en envoyant des données d'utilisation anonymes . Cela utilisera un cookie.",
+ "Yes, I want to help!": "Oui, je veux aider !",
+ "Can't leave Server Notices room": "Impossible de quitter le salon des Annonces du serveur",
+ "This room is used for important messages from the Homeserver, so you cannot leave it.": "Ce salon est utilisé pour les messages importants du serveur d'accueil, donc vous ne pouvez pas en partir.",
+ "To notify everyone in the room, you must be a": "Pour notifier tout le monde dans le salon, vous devez être un(e)",
+ "Try the app first": "Essayer d'abord l'application",
+ "Encrypting": "Chiffrement en cours",
+ "Encrypted, not sent": "Chiffré, pas envoyé",
+ "No Audio Outputs detected": "Aucune sortie audio détectée",
+ "Audio Output": "Sortie audio",
+ "Share Link to User": "Partager le lien vers l'utilisateur",
+ "Share room": "Partager le salon",
+ "Share Room": "Partager le salon",
+ "Link to most recent message": "Lien vers le message le plus récent",
+ "Share User": "Partager l'utilisateur",
+ "Share Community": "Partager la communauté",
+ "Share Room Message": "Partager le message du salon",
+ "Link to selected message": "Lien vers le message sélectionné",
+ "COPY": "COPIER",
+ "Share Message": "Partager le message",
+ "Jitsi Conference Calling": "Appel en téléconférence Jitsi",
+ "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "Dans les salons chiffrés, comme celui-ci, l'aperçu des liens est désactivé par défaut pour s'assurer que le serveur d'accueil (où sont générés les aperçus) ne puisse pas collecter d'informations sur les liens qui apparaissent dans ce salon.",
+ "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Quand quelqu'un met un lien dans son message, un aperçu du lien peut être affiché afin de fournir plus d'informations sur ce lien comme le titre, la description et une image du site.",
+ "The email field must not be blank.": "Le champ de l'adresse e-mail ne doit pas être vide.",
+ "The user name field must not be blank.": "Le champ du nom d'utilisateur ne doit pas être vide.",
+ "The phone number field must not be blank.": "Le champ du numéro de téléphone ne doit pas être vide.",
+ "The password field must not be blank.": "Le champ du mot de passe ne doit pas être vide.",
+ "Call in Progress": "Appel en cours",
+ "A call is already in progress!": "Un appel est déjà en cours !",
+ "You have no historical rooms": "Vous n'avez aucun salon historique",
+ "You can't send any messages until you review and agree to our terms and conditions .": "Vous ne pouvez voir aucun message tant que vous ne lisez et n'acceptez pas nos conditions générales .",
+ "Demote yourself?": "Vous rétrograder ?",
+ "Demote": "Rétrograder",
+ "Show empty room list headings": "Afficher les en-têtes de la liste des salons vides",
+ "This event could not be displayed": "Cet événement n'a pas pu être affiché",
+ "deleted": "barré",
+ "underlined": "souligné",
+ "inline-code": "code",
+ "block-quote": "citation",
+ "bulleted-list": "liste à puces",
+ "numbered-list": "liste à numéros",
+ "A conference call could not be started because the intgrations server is not available": "L'appel en téléconférence n'a pas pu aboutir car le serveur d'intégrations n'est pas disponible",
+ "Permission Required": "Permission requise",
+ "You do not have permission to start a conference call in this room": "Vous n'avez pas la permission de lancer un appel en téléconférence dans ce salon",
+ "A call is currently being placed!": "Un appel est en cours !",
+ "Failed to remove widget": "Échec de la suppression du widget",
+ "An error ocurred whilst trying to remove the widget from the room": "Une erreur est survenue lors de la suppression du widget du salon",
+ "This homeserver has hit its Monthly Active User limit": "Ce serveur d'accueil a atteint sa limite mensuelle d'utilisateurs actifs",
+ "Please contact your service administrator to continue using this service.": "Veuillez contacter l'administrateur de votre service pour continuer à l'utiliser.",
+ "Your message wasn’t sent because this homeserver has hit its Monthly Active User Limit. Please contact your service administrator to continue using the service.": "Votre message n'a pas été envoyé car ce serveur d'accueil a atteint sa limite mensuelle d'utilisateurs actifs. Veuillez contacter l'administrateur de votre service pour continuer à l'utiliser.",
+ "This homeserver has hit its Monthly Active User limit. Please contact your service administrator to continue using the service.": "Ce serveur d'accueil a atteint sa limite mensuelle d'utilisateurs actifs. Veuillez contacter l'administrateur de votre service pour continuer à l'utiliser.",
+ "System Alerts": "Alertes système",
+ "This homeserver has hit its Monthly Active User limit. Please contact your service administrator to continue using the service.": "Ce serveur d'accueil a atteint sa limite mensuelle d'utilisateurs actifs. Veuillez contacter l'administrateur de votre service pour continuer à l'utiliser.",
+ "This homeserver has hit its Monthly Active User limit so some users will not be able to log in. Please contact your service administrator to get this limit increased.": "Ce serveur d'accueil a atteint sa limite mensuelle d'utilisateurs actifs donc certains utilisateurs ne pourront pas se connecter. Veuillez contacter l'administrateur de votre service pour augmenter cette limite.",
+ "Internal room ID: ": "Identifiant interne du salon : ",
+ "Room version number: ": "Numéro de version du salon : ",
+ "There is a known vulnerability affecting this room.": "Ce salon est touché par une faille de sécurité connue.",
+ "This room version is vulnerable to malicious modification of room state.": "Ce salon est vulnérable à la modification malveillante de l'état du salon.",
+ "Click here to upgrade to the latest room version and ensure room integrity is protected.": "Cliquer ici pour mettre le salon à niveau vers la dernière version et s'assurer que l'intégrité du salon est protégée.",
+ "Only room administrators will see this warning": "Seuls les administrateurs du salon verront cet avertissement",
+ "Please contact your service administrator to continue using the service.": "Veuillez contacter l'administrateur de votre service pour continuer à l'utiliser.",
+ "This homeserver has hit its Monthly Active User limit.": "Ce serveur d'accueil a atteint sa limite mensuelle d'utilisateurs actifs.",
+ "This homeserver has exceeded one of its resource limits.": "Ce serveur d'accueil a dépassé une de ses limites de ressources.",
+ "Please contact your service administrator to get this limit increased.": "Veuillez contacter l'administrateur de votre service pour augmenter cette limite.",
+ "This homeserver has hit its Monthly Active User limit so some users will not be able to log in .": "Ce serveur d'accueil a atteint sa limite mensuelle d'utilisateurs actifs donc certains utilisateurs ne pourront pas se connecter .",
+ "This homeserver has exceeded one of its resource limits so some users will not be able to log in .": "Ce serveur d'accueil a atteint une de ses limites de ressources donc certains utilisateurs ne pourront pas se connecter .",
+ "Upgrade Room Version": "Mettre à niveau la version du salon",
+ "Upgrading this room requires closing down the current instance of the room and creating a new room it its place. To give room members the best possible experience, we will:": "La mise à niveau de ce salon nécessite la clôture de l'instance en cours du salon et la création d'un nouveau salon à la place. Pour donner la meilleure expérience possible aux participants, nous allons :",
+ "Create a new room with the same name, description and avatar": "Créer un salon avec le même nom, la même description et le même avatar",
+ "Update any local room aliases to point to the new room": "Mettre à jour tous les alias du salon locaux pour qu'ils dirigent vers le nouveau salon",
+ "Stop users from speaking in the old version of the room, and post a message advising users to move to the new room": "Empêcher les utilisateurs de discuter dans l'ancienne version du salon et envoyer un message conseillant aux nouveaux utilisateurs d'aller dans le nouveau salon",
+ "Put a link back to the old room at the start of the new room so people can see old messages": "Fournir un lien vers l'ancien salon au début du nouveau salon pour que l'on puisse voir les vieux messages",
+ "Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please contact your service administrator to continue using the service.": "Votre message n'a pas été envoyé car le serveur d'accueil a atteint sa limite mensuelle d'utilisateurs. Veuillez contacter l'administrateur de votre service pour continuer à l'utiliser.",
+ "Your message wasn't sent because this homeserver has exceeded a resource limit. Please contact your service administrator to continue using the service.": "Votre message n'a pas été envoyé car ce serveur d'accueil a dépassé une de ses limites de ressources. Veuillez contacter l'administrateur de votre service pour continuer à l'utiliser.",
+ "Please contact your service administrator to continue using this service.": "Veuillez contacter l'administrateur de votre service pour continuer à l'utiliser.",
+ "Increase performance by only loading room members on first view": "Améliorer les performances en ne chargeant les participants des salons qu'au premier affichage",
+ "Lazy loading members not supported": "La chargement différé des participants n'est pas pris en charge",
+ "Lazy loading is not supported by your current homeserver.": "Le chargement différé n'est pas pris en charge par votre serveur d'accueil actuel.",
+ "Sorry, your homeserver is too old to participate in this room.": "Désolé, votre serveur d'accueil est trop vieux pour participer à ce salon.",
+ "Please contact your homeserver administrator.": "Veuillez contacter l'administrateur de votre serveur d'accueil.",
+ "Legal": "Légal",
+ "This room has been replaced and is no longer active.": "Ce salon a été remplacé et n'est plus actif.",
+ "The conversation continues here.": "La discussion continue ici.",
+ "Upgrade room to version %(ver)s": "Mettre à niveau le salon vers la version %(ver)s",
+ "This room is a continuation of another conversation.": "Ce salon est la suite d'une autre discussion.",
+ "Click here to see older messages.": "Cliquer ici pour voir les vieux messages.",
+ "Failed to upgrade room": "Échec de la mise à niveau du salon",
+ "The room upgrade could not be completed": "La mise à niveau du salon n'a pas pu être effectuée",
+ "Upgrade this room to version %(version)s": "Mettre à niveau ce salon vers la version %(version)s",
+ "Forces the current outbound group session in an encrypted room to be discarded": "Force la session de groupe sortante actuelle dans un salon chiffré à être rejetée",
+ "Error Discarding Session": "Erreur lors du rejet de la session",
+ "Registration Required": "Enregistrement nécessaire",
+ "You need to register to do this. Would you like to register now?": "Vous devez vous enregistrer pour faire cela. Voulez-vous créer un compte maintenant ?",
+ "Unable to query for supported registration methods": "Impossible de demander les méthodes d'enregistrement prises en charge",
+ "Unable to connect to Homeserver. Retrying...": "Impossible de se connecter au serveur d'accueil. Reconnexion...",
+ "%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|one": "%(senderName)s a ajouté %(addedAddresses)s comme adresse pour ce salon.",
+ "%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|other": "%(senderName)s a ajouté %(addedAddresses)s comme adresses pour ce salon.",
+ "%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|one": "%(senderName)s a supprimé %(removedAddresses)s comme adresse pour ce salon.",
+ "%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|other": "%(senderName)s a supprimé %(removedAddresses)s comme adresses pour ce salon.",
+ "%(senderName)s added %(addedAddresses)s and removed %(removedAddresses)s as addresses for this room.": "%(senderName)s a ajouté %(addedAddresses)s et supprimé %(removedAddresses)s comme adresses pour ce salon.",
+ "%(senderName)s set the canonical address for this room to %(address)s.": "%(senderName)s a défini l'adresse canonique de ce salon comme %(address)s.",
+ "%(senderName)s removed the canonical address for this room.": "%(senderName)s a supprimé l'adresse canonique de ce salon.",
+ "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s à défini l'adresse principale pour ce salon comme %(address)s.",
+ "%(senderName)s removed the main address for this room.": "%(senderName)s a supprimé l'adresse principale de ce salon.",
+ "Riot now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "Riot utilise maintenant 3 à 5 fois moins de mémoire, en ne chargeant les informations des autres utilisateurs que quand elles sont nécessaires. Veuillez patienter pendant que l'on se resynchronise avec le serveur !",
+ "Updating Riot": "Mise à jour de Riot",
+ "Before submitting logs, you must create a GitHub issue to describe your problem.": "Avant de soumettre vos journaux, vous devez créer une « issue » sur GitHub pour décrire votre problème.",
+ "What GitHub issue are these logs for?": "Pour quelle « issue » Github sont ces journaux ?",
+ "HTML for your community's page \r\n\r\n Use the long description to introduce new members to the community, or distribute\r\n some important links \r\n
\r\n\r\n You can even use 'img' tags\r\n
\r\n": "HTML pour votre page de communauté \n\n Utilisez la description longue pour présenter la communauté aux nouveaux membres,\n ou fournir des liens importants\n
\n\n Vous pouvez même utiliser des balises « img »\n
\n",
+ "Submit Debug Logs": "Envoyer les journaux de débogage",
+ "An email address is required to register on this homeserver.": "Une adresse e-mail est nécessaire pour s'enregistrer sur ce serveur d'accueil.",
+ "A phone number is required to register on this homeserver.": "Un numéro de téléphone est nécessaire pour s'enregistrer sur ce serveur d'accueil.",
+ "You've previously used Riot on %(host)s with lazy loading of members enabled. In this version lazy loading is disabled. As the local cache is not compatible between these two settings, Riot needs to resync your account.": "Vous avez utilisé auparavant Riot sur %(host)s avec le chargement différé activé. Dans cette version le chargement différé est désactivé. Comme le cache local n'est pas compatible entre ces deux réglages, Riot doit resynchroniser votre compte.",
+ "If the other version of Riot is still open in another tab, please close it as using Riot on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "Si l'autre version de Riot est encore ouverte dans un autre onglet, merci de le fermer car l'utilisation de Riot sur le même hôte avec le chargement différé activé et désactivé à la fois causera des problèmes.",
+ "Incompatible local cache": "Cache local incompatible",
+ "Clear cache and resync": "Vider le cache et resynchroniser"
}
diff --git a/src/i18n/strings/gl.json b/src/i18n/strings/gl.json
index fdab066031..932ca95ca9 100644
--- a/src/i18n/strings/gl.json
+++ b/src/i18n/strings/gl.json
@@ -1,31 +1,31 @@
{
- "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",
+ "This email address is already in use": "Xa se está a usar este correo",
+ "This phone number is already in use": "Xa se está a usar este teléfono",
"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",
+ "Unable to capture screen": "Non se puido capturar a pantalla",
+ "Existing Call": "Rexistro de chamadas",
"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",
+ "VoIP is unsupported": "Sen soporte para VoIP",
+ "You cannot place VoIP calls in this browser.": "Non pode establecer chamadas VoIP neste navegador.",
+ "You cannot place a call with yourself.": "Non pode facer unha chamada a si mesmo.",
+ "Conference calls are not supported in this client": "Non pode establecer chamadas de reunión neste 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.",
+ "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.",
"Call Failed": "Fallou a chamada",
- "There are unknown devices in this room: if you proceed without verifying them, it will be possible for someone to eavesdrop on your call.": "Hai dispositivos descoñecidos en esta sala: si sigue adiante sen verificalos, pode ser posible que alguén bote un ollo a súa chamada.",
+ "There are unknown devices in this room: if you proceed without verifying them, it will be possible for someone to eavesdrop on your call.": "Hai dispositivos descoñecidos en esta sala: se segue adiante sen verificalos, pode ser posible que alguén bote un ollo a súa chamada.",
"Review Devices": "Revisar dispositivos",
"Call Anyway": "Chamar igualmente",
- "Answer Anyway": "Respostar igualmente",
+ "Answer Anyway": "Responder igualmente",
"Call": "Chamar",
- "Answer": "Respostar",
- "Call Timeout": "Finou a chamada",
- "The file '%(fileName)s' failed to upload": "O ficheiro '%(fileName)s' non se puido subir",
- "The file '%(fileName)s' exceeds this home server's size limit for uploads": "O ficheiro '%(fileName)s' excede o límite establecido polo servidor para subidas",
- "Upload Failed": "Fallou a subida",
+ "Answer": "Resposta",
+ "Call Timeout": "Tempo de resposta de chamada",
+ "The file '%(fileName)s' failed to upload": "Non se puido subir o ficheiro '%(fileName)s'",
+ "The file '%(fileName)s' exceeds this home server's size limit for uploads": "O ficheiro '%(fileName)s' excede o límite de tamaño establecido para este servidor",
+ "Upload Failed": "Fallou o envío",
"Sun": "Dom",
"Mon": "Lun",
"Tue": "Mar",
@@ -50,66 +50,65 @@
"%(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?": "A quén lle gustaría engadir a esta comunidade?",
- "Warning: any person you add to a community will be publicly visible to anyone who knows the community ID": "Aviso: calquer persoa que vostede engada a unha comunidade será públicamente visible para calquera que coñeza o ID da comunidade",
- "Invite new community members": "Convidar a novos membros da comunidade",
+ "Who would you like to add to this community?": "A quen quere engadir a esta comunidade?",
+ "Warning: any person you add to a community will be publicly visible to anyone who knows the community ID": "Aviso: calquera persoa que engada a unha comunidade estará publicamente visible para calquera que coñeza a ID da comunidade",
+ "Invite new community members": "Convidará comunidade a novos participantes",
"Name or matrix ID": "Nome ou ID matrix",
- "Invite to Community": "Convide a comunidade",
- "Which rooms would you like to add to this community?": "Qué salas desexaría engadir a esta comunidade?",
- "Show these rooms to non-members on the community page and room list?": "Mostrar estas salas a non-membros na páxina da comunidade e lista de salas?",
- "Add rooms to the community": "Engadir salas a comunidade",
+ "Invite to Community": "Convidar á comunidade",
+ "Which rooms would you like to add to this community?": "Que salas desexaría engadir a esta comunidade?",
+ "Show these rooms to non-members on the community page and room list?": "Quere que estas salas se lle mostren a outros membros de fóra da comunidade na lista de salas?",
+ "Add rooms to the community": "Engadir salas á comunidade",
"Room name or alias": "Nome da sala ou alcume",
- "Add to community": "Engadir a comunidade",
- "Failed to invite the following users to %(groupId)s:": "Fallo ao convidar as seguintes usuarias a %(groupId)s:",
- "Failed to invite users to community": "Fallou o convite de usuarias a comunidade",
- "Failed to invite users to %(groupId)s": "Fallou o convite de usuarias a %(groupId)s",
+ "Add to community": "Engadir á comunidade",
+ "Failed to invite the following users to %(groupId)s:": "Fallo ao convidar os seguintes usuarios a %(groupId)s:",
+ "Failed to invite users to community": "Houbo un fallo convidando usuarios á comunidade",
+ "Failed to invite users to %(groupId)s": "Houbo un fallo convidando usuarios a %(groupId)s",
"Failed to add the following rooms to %(groupId)s:": "Fallo ao engadir as seguintes salas a %(groupId)s:",
- "Riot does not have permission to send you notifications - please check your browser settings": "Riot non ten permiso para enviarlle notificacións - por favor comprobe os axustes do navegador",
- "Riot was not given permission to send notifications - please try again": "Riot non ten permiso para enviar notificacións - inténteo de novo",
- "Unable to enable Notifications": "Non se puideron habilitar as notificacións",
+ "Riot does not have permission to send you notifications - please check your browser settings": "Riot non ten permiso para enviarlle notificacións: comprobe os axustes do navegador",
+ "Riot was not given permission to send notifications - please try again": "Riot non ten permiso para enviar notificacións: inténteo de novo",
+ "Unable to enable Notifications": "Non se puideron activar as notificacións",
"This email address was not found": "Non se atopou este enderezo de correo",
- "Your email address does not appear to be associated with a Matrix ID on this Homeserver.": "O seu enderezo de correo semella non estar asociado a un ID Matrix en este servidor.",
- "Default": "Por omisión",
+ "Your email address does not appear to be associated with a Matrix ID on this Homeserver.": "O seu enderezo de correo semella non estar asociado a un ID Matrix neste servidor.",
+ "Default": "Por defecto",
"Restricted": "Restrinxido",
"Moderator": "Moderador",
"Admin": "Administrador",
"Start a chat": "Iniciar unha conversa",
- "Who would you like to communicate with?": "Con quén desexa comunicarse?",
+ "Who would you like to communicate with?": "Con quen desexa comunicarse?",
"Email, name or matrix ID": "Correo, nome ou ID matrix",
"Start Chat": "Iniciar conversa",
- "Invite new room members": "Convidar a sala a novos membros",
- "Who would you like to add to this room?": "A quén desexaría engadir a esta sala?",
+ "Invite new room members": "Convidar a novos participantes",
+ "Who would you like to add to this room?": "A quen desexaría engadir a esta sala?",
"Send Invites": "Enviar convites",
"Failed to invite user": "Fallo ao convidar usuaria",
"Operation failed": "Fallou a operación",
"Failed to invite": "Fallou o convite",
- "Failed to invite the following users to the %(roomName)s room:": "Non se puideron convidar as seguintes usuarias a sala %(roomName)s:",
+ "Failed to invite the following users to the %(roomName)s room:": "Houbo un fallo convidando os seguintes usuarios á sala %(roomName)s:",
"You need to be logged in.": "Precisa estar conectada.",
- "You need to be able to invite users to do that.": "Vostede precisa estar autorizada a convidar usuarias para facer iso.",
- "Unable to create widget.": "Non se puido crear o widget.",
+ "You need to be able to invite users to do that.": "Precisa autorización para convidar a outros usuarias para poder facer iso.",
+ "Unable to create widget.": "Non se puido crear o trebello.",
"Failed to send request.": "Fallo ao enviar a petición.",
"This room is not recognised.": "Non se recoñece esta sala.",
"Power level must be positive integer.": "O nivel de poder ten que ser un enteiro positivo.",
- "You are not in this room.": "Vostede non está en esta sala.",
- "You do not have permission to do that in this room.": "Non ten permiso para facer eso en esta sala.",
+ "You are not in this room.": "Non está nesta sala.",
+ "You do not have permission to do that in this room.": "Non ten permiso para facer iso nesta sala.",
"Missing room_id in request": "Falta o room_id na petición",
- "Must be viewing a room": "Debería estar vendo unha sala",
"Room %(roomId)s not visible": "A sala %(roomId)s non é visible",
- "Missing user_id in request": "Falata o user_id na petición",
+ "Missing user_id in request": "Falta o user_id na petición",
"Usage": "Uso",
"/ddg is not a command": "/ddg non é unha orde",
"To use it, just wait for autocomplete results to load and tab through them.": "Para utilizala, agarde que carguen os resultados de autocompletado e escolla entre eles.",
"Unrecognised room alias:": "Alcumes de sala non recoñecidos:",
"Ignored user": "Usuaria ignorada",
"You are now ignoring %(userId)s": "Agora está a ignorar %(userId)s",
- "Unignored user": "Usuarias non ignorada",
+ "Unignored user": "Usuarios non ignorados",
"You are no longer ignoring %(userId)s": "Xa non está a ignorar a %(userId)s",
"Unknown (user, device) pair:": "Parella descoñecida (dispositivo, usuaria):",
"Device already verified!": "Dispositivo xa verificado!",
- "WARNING: Device already verified, but keys do NOT MATCH!": "AVISO: o dispositivo xa está verificado, que as chaves NON CONCORDAN!",
- "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!": "AVISO: FALLOU A VERIFICACIÓN DE CHAVES! A chave de firma para %(userId)s e dispositivo %(deviceId)s é \"%(fprint)s\" que non concorda coa chave proporcionada \"%(fingerprint)s\". Esto podería significar que as súas comunicacións están a ser interceptadas!",
+ "WARNING: Device already verified, but keys do NOT MATCH!": "Aviso: o dispositivo xa está verificado só que as chaves NON CONCORDAN!",
+ "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!": "AVISO: FALLOU A VERIFICACIÓN DE CHAVES! A chave de firma para o %(userId)s e dispositivo %(deviceId)s é \"%(fprint)s\" que non concorda coa chave proporcionada \"%(fingerprint)s\". Isto podería significar que as súas comunicacións están a ser interceptadas!",
"Verified key": "Chave verificada",
- "The signing key you provided matches the signing key you received from %(userId)s's device %(deviceId)s. Device marked as verified.": "A chave de firma que proporcionou concorda coa chave de firma que recibeu do dispositivo %(deviceId)s de %(userId)s. Dispositivo marcado como verificado.",
+ "The signing key you provided matches the signing key you received from %(userId)s's device %(deviceId)s. Device marked as verified.": "A chave de firma que proporcionou concorda coa chave de firma que recibiu do dispositivo %(deviceId)s de %(userId)s. Dispositivo marcado como verificado.",
"Unrecognised command:": "Orde non recoñecida:",
"Reason": "Razón",
"%(targetName)s accepted the invitation for %(displayName)s.": "%(targetName)s aceptou o convite para %(displayName)s.",
@@ -123,7 +122,7 @@
"%(senderName)s changed their profile picture.": "%(senderName)s cambiou a súa imaxe de perfil.",
"%(senderName)s set a profile picture.": "%(senderName)s estableceu a imaxe de perfil.",
"VoIP conference started.": "Comezou a conferencia VoIP.",
- "%(targetName)s joined the room.": "%(targetName)s uneuse a sala.",
+ "%(targetName)s joined the room.": "%(targetName)s uniuse a sala.",
"VoIP conference finished.": "Rematou a conferencia VoIP.",
"%(targetName)s rejected the invitation.": "%(targetName)s rexeitou a invitación.",
"%(targetName)s left the room.": "%(targetName)s deixou a sala.",
@@ -143,25 +142,25 @@
"%(senderName)s ended the call.": "%(senderName)s rematou a chamada.",
"%(senderName)s placed a %(callType)s call.": "%(senderName)s estableceu unha chamada %(callType)s.",
"%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s enviou un convite a %(targetDisplayName)s para unirse a sala.",
- "%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s fixo o historial da sala visible para toda a membresía, desde o punto en que foron convidadas.",
- "%(senderName)s made future room history visible to all room members, from the point they joined.": "%(senderName)s estableceu o historial futuro visible a toda a membresía, desde o punto en que se uniron.",
- "%(senderName)s made future room history visible to all room members.": "%(senderName)s fixo visible para toda a membresía o historial futuro da sala.",
+ "%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s fixo o historial da sala visible para todos os participantes, desde o punto en que foron convidadas.",
+ "%(senderName)s made future room history visible to all room members, from the point they joined.": "%(senderName)s estableceu o historial futuro visible a todos os participantes, desde o punto en que se uniron.",
+ "%(senderName)s made future room history visible to all room members.": "%(senderName)s fixo visible para todos participantes o historial futuro da sala.",
"%(senderName)s made future room history visible to anyone.": "%(senderName)s fixo visible para calquera o historial futuro da sala.",
"%(senderName)s made future room history visible to unknown (%(visibility)s).": "%(senderName)s fixo visible o historial futuro da sala para descoñecidos (%(visibility)s).",
- "%(senderName)s turned on end-to-end encryption (algorithm %(algorithm)s).": "%(senderName)s activou o cifrado extremo-a-extremo (algoritmo %(algorithm)s).",
+ "%(senderName)s turned on end-to-end encryption (algorithm %(algorithm)s).": "%(senderName)s activou o cifrado de par-a-par (algoritmo %(algorithm)s).",
"%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s desde %(fromPowerLevel)s a %(toPowerLevel)s",
"%(senderName)s changed the power level of %(powerLevelDiffText)s.": "%(senderName)s cambiou o nivel de autoridade a %(powerLevelDiffText)s.",
"%(senderName)s changed the pinned messages for the room.": "%(senderName)s cambiou as mensaxes fixadas para a sala.",
- "%(widgetName)s widget modified by %(senderName)s": "O engadido %(widgetName)s modificado por %(senderName)s",
- "%(widgetName)s widget added by %(senderName)s": "O %(widgetName)s engadido por %(senderName)s",
+ "%(widgetName)s widget modified by %(senderName)s": "O trebello %(widgetName)s modificado por %(senderName)s",
+ "%(widgetName)s widget added by %(senderName)s": "O trebello %(widgetName)s engadido por %(senderName)s",
"%(widgetName)s widget removed by %(senderName)s": "%(widgetName)s eliminado por %(senderName)s",
"%(displayName)s is typing": "%(displayName)s está a escribir",
"%(names)s and %(count)s others are typing|other": "%(names)s e %(count)s outras están a escribir",
"%(names)s and %(count)s others are typing|one": "%(names)s e outra está a escribir",
"%(names)s and %(lastPerson)s are typing": "%(names)s e %(lastPerson)s están a escribir",
- "Failure to create room": "Fallo ao crear a sala",
+ "Failure to create room": "Fallou a creación da sala",
"Server may be unavailable, overloaded, or you hit a bug.": "O servidor podería non estar dispoñible, con sobrecarga ou ter un fallo.",
- "Send anyway": "Enviar de todos xeitos",
+ "Send anyway": "Enviar de todos os xeitos",
"Send": "Enviar",
"Unnamed Room": "Sala sen nome",
"Your browser does not support the required cryptography extensions": "O seu navegador non soporta as extensións de criptografía necesarias",
@@ -169,8 +168,7 @@
"Authentication check failed: incorrect password?": "Fallou a comprobación de autenticación: contrasinal incorrecto?",
"Failed to join room": "Non se puido unir a sala",
"Message Pinning": "Fixando mensaxe",
- "Tag Panel": "Panel de etiquetas",
- "Disable Emoji suggestions while typing": "Deshabilitar a suxestión de Emoji mentras escribe",
+ "Disable Emoji suggestions while typing": "Desactivar a suxestión de Emoji mentres escribe",
"Use compact timeline layout": "Utilizar a disposición compacta da liña temporal",
"Hide removed messages": "Ocultar mensaxes eliminadas",
"Hide join/leave messages (invites/kicks/bans unaffected)": "Ocultar mensaxes de unión/saída (convites/expulsións/bloqueos non afectados)",
@@ -178,19 +176,19 @@
"Hide display name changes": "Ocultar cambios no nome público",
"Hide read receipts": "Ocultar avisos de recepción",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Mostrar marcas de tempo con formato 12 horas (ex. 2:30pm)",
- "Always show message timestamps": "Mostar sempre marcas de tempo",
+ "Always show message timestamps": "Mostrar sempre marcas de tempo",
"Autoplay GIFs and videos": "Reprodución automática de GIFs e vídeos",
- "Enable automatic language detection for syntax highlighting": "Habilitar a detección automática de idioma para o resalte da sintaxe",
+ "Enable automatic language detection for syntax highlighting": "Activar a detección automática de idioma para o resalte da sintaxe",
"Hide avatars in user and room mentions": "Ocultar avatares nas mencións de usuarios e salas",
- "Disable big emoji in chat": "Deshabilitar emojis grandes nas conversas",
+ "Disable big emoji in chat": "Desactivar emojis grandes nas conversas",
"Don't send typing notifications": "Non enviar notificacións de escritura",
"Automatically replace plain text Emoji": "Substituír automaticamente Emoji en texto plano",
- "Disable Peer-to-Peer for 1:1 calls": "Deshabilitar Peer-to-Peer para chamadas 1:1",
- "Never send encrypted messages to unverified devices from this device": "Non enviar mensaxes cifradas a dispositivos non verificados desde este dispositivo",
- "Never send encrypted messages to unverified devices in this room from this device": "Non enviar mensaxes cifradas a dispositivos non verificados en esta sala desde este dispositivo",
- "Enable inline URL previews by default": "Habilitar por omisión vistas previas en liña de URL",
- "Enable URL previews for this room (only affects you)": "Habilitar vista previa de URL en esta sala (só lle afecta a vostede)",
- "Enable URL previews by default for participants in this room": "Habilitar vista previa de URL por omisión para as participantes en esta sala",
+ "Disable Peer-to-Peer for 1:1 calls": "Desactivar Peer-to-Peer para chamadas 1:1",
+ "Never send encrypted messages to unverified devices from this device": "Nunca enviar mensaxes cifradas aos dispositivos que non estean verificados neste dispositivo",
+ "Never send encrypted messages to unverified devices in this room from this device": "Nunca enviar mensaxes cifradas aos dispositivos que non estean verificados nesta sala desde este dispositivo",
+ "Enable inline URL previews by default": "Activar por defecto as vistas previas en liña de URL",
+ "Enable URL previews for this room (only affects you)": "Activar avista previa de URL nesta sala (só lle afecta a vostede)",
+ "Enable URL previews by default for participants in this room": "Activar a vista previa de URL por defecto para as participantes nesta sala",
"Room Colour": "Cor da sala",
"Active call (%(roomName)s)": "Chamada activa (%(roomName)s)",
"unknown caller": "interlocutora descoñecida",
@@ -211,8 +209,8 @@
"Upload new:": "Subir nova:",
"No display name": "Sen nome público",
"New passwords don't match": "Os contrasinais novos non coinciden",
- "Passwords can't be empty": "Os contranais non poden estar baldeiros",
- "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.": "Ao cambiar o contrasinal restablecerá todas as chaves de cifrado extremo-a-extremo en todos os dispositivos, facendo ilexible o historial da conversa a menos que primeiro exporte as chaves da sala e posteriormente as importe. No futuro melloraremos esto.",
+ "Passwords can't be empty": "Os contrasinais non poden estar baleiros",
+ "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.": "Ao cambiar o contrasinal restablecerá todas as chaves de cifrado extremo-a-extremo en todos os dispositivos, facendo ilexible o historial da conversa a menos que primeiro exporte as chaves da sala e posteriormente as importe. No futuro melloraremos isto.",
"Continue": "Continuar",
"Export E2E room keys": "Exportar chaves E2E da sala",
"Do you want to set an email address?": "Quere establecer un enderezo de correo electrónico?",
@@ -231,14 +229,13 @@
"Last seen": "Visto por última vez",
"Select devices": "Escolla dispositivos",
"Failed to set display name": "Fallo ao establecer o nome público",
- "Disable Notifications": "Deshabilitar notificacións",
- "Enable Notifications": "Habilitar notificacións",
+ "Disable Notifications": "Desactivar notificacións",
+ "Enable Notifications": "Activar ass notificacións",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s",
- "Message Replies": "Respostas a mensaxe",
"Mirror local video feed": "Copiar fonte de vídeo local",
- "Cannot add any more widgets": "Non pode engadir máis widgets",
- "The maximum permitted number of widgets have already been added to this room.": "Xa se engadeu o número máximo de widgets a esta sala.",
- "Add a widget": "Engadir widget",
+ "Cannot add any more widgets": "Non pode engadir máis trebellos",
+ "The maximum permitted number of widgets have already been added to this room.": "Xa se lle engadiron o número máximo de trebellos a esta sala.",
+ "Add a widget": "Engadir un trebello",
"Drop File Here": "Solte aquí o ficheiro",
"Drop file here to upload": "Solte aquí o ficheiro para subilo",
" (unsupported)": " (non soportado)",
@@ -246,7 +243,7 @@
"Ongoing conference call%(supportedText)s.": "Chamada de conferencia en curso%(supportedText)s.",
"%(senderName)s sent an image": "%(senderName)s enviou unha imaxe",
"%(senderName)s sent a video": "%(senderName)s enviou un vídeo",
- "%(senderName)s uploaded a file": "%(senderName)s subeu un ficheiro",
+ "%(senderName)s uploaded a file": "%(senderName)s subiu un ficheiro",
"Options": "Axustes",
"Undecryptable": "Non descifrable",
"Encrypted by a verified device": "Cifrado por un dispositivo verificado",
@@ -271,7 +268,7 @@
"Failed to toggle moderator status": "Fallo ao mudar a estado de moderador",
"Failed to change power level": "Fallo ao cambiar o nivel de permisos",
"Are you sure?": "Está segura?",
- "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Non poderá desfacer este cambio xa que está promovendo a usaria a ter o mesmo nivel de permisos que vostede.",
+ "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Non poderá desfacer este cambio xa que lle estará promocionando e outorgándolle a outra persoa os mesmos permisos que os seus.",
"No devices with registered encryption keys": "Sen dispositivos con chaves de cifrado rexistradas",
"Devices": "Dispositivos",
"Unignore": "Non ignorar",
@@ -290,7 +287,7 @@
"and %(count)s others...|other": "e %(count)s outras...",
"and %(count)s others...|one": "e outra máis...",
"Invited": "Convidada",
- "Filter room members": "Filtrar membros da conversa",
+ "Filter room members": "Filtrar os participantes da conversa",
"%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (permiso %(powerLevelNumber)s)",
"Attachment": "Anexo",
"Upload Files": "Subir ficheiros",
@@ -306,9 +303,9 @@
"Send a reply (unencrypted)…": "Enviar unha resposta (non cifrada)…",
"Send an encrypted message…": "Enviar unha mensaxe cifrada…",
"Send a message (unencrypted)…": "Enviar unha mensaxe (non cifrada)…",
- "You do not have permission to post to this room": "Non ten permiso para comentar en esta sala",
- "Turn Markdown on": "Habilitar Markdown",
- "Turn Markdown off": "Deshabilitar Markdown",
+ "You do not have permission to post to this room": "Non ten permiso para comentar nesta sala",
+ "Turn Markdown on": "Activar Markdown",
+ "Turn Markdown off": "Desactivar Markdown",
"Hide Text Formatting Toolbar": "Agochar barra de formato de texto",
"Server error": "Fallo no servidor",
"Server unavailable, overloaded, or something else went wrong.": "Servidor non dispoñible, sobrecargado, ou outra cousa puido fallar.",
@@ -321,8 +318,8 @@
"quote": "cita",
"bullet": "lista",
"numbullet": "lista numerada",
- "Markdown is disabled": "Markdown deshabilitado",
- "Markdown is enabled": "Markdown habilitado",
+ "Markdown is disabled": "Markdown desactivado",
+ "Markdown is enabled": "Markdown activado",
"Unpin Message": "Desfixar mensaxe",
"Jump to message": "Ir a mensaxe",
"No pinned messages.": "Sen mensaxes fixadas.",
@@ -340,7 +337,7 @@
"Idle": "En pausa",
"Offline": "Fóra de liña",
"Unknown": "Descoñecido",
- "Replying": "Respostando",
+ "Replying": "Respondendo",
"Seen by %(userName)s at %(dateTime)s": "Visto por %(userName)s as %(dateTime)s",
"No rooms to show": "Sen salas que mostrar",
"Unnamed room": "Sala sen nome",
@@ -357,11 +354,11 @@
"Forget room": "Esquecer sala",
"Search": "Busca",
"Show panel": "Mostra panel",
- "Drop here to favourite": "Solte aqui para favorito",
+ "Drop here to favourite": "Solte aquí para favorito",
"Drop here to tag direct chat": "Solte aquí para etiquetar chat directo",
"Drop here to restore": "Solte aquí para restablecer",
"Drop here to tag %(section)s": "Solte aquí para etiquetar %(section)s",
- "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Non poderá desfacer este cambio xa que está a diminuír a súa autoridade, si vostede é a única usuaria con autorización na sala será imposible voltar a obter privilexios.",
+ "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Non poderá desfacer este cambio xa que está a diminuír a súa autoridade, se é a única persoa con autorización na sala será imposible volver a obter privilexios.",
"Drop here to demote": "Arrastre aquí para degradar",
"Press to start a chat with someone": "Pulse para iniciar a conversa con alguén",
"You're not in any rooms yet! Press to make a room or to browse the directory": "Aínda non está en ningunha sala! Pulse para crear unha sala ou para buscar no directorio",
@@ -377,75 +374,75 @@
"You have been invited to join this room by %(inviterName)s": "Foi convidada por %(inviterName)s a unirse a esta sala",
"Would you like to accept or decline this invitation?": "Quere aceptar ou rexeitar este convite?",
"Reason: %(reasonText)s": "Razón: %(reasonText)s",
- "Rejoin": "Voltar a unirse",
+ "Rejoin": "Volver a unirse",
"You have been kicked from %(roomName)s by %(userName)s.": "Foi expulsada de %(roomName)s por %(userName)s.",
- "You have been kicked from this room by %(userName)s.": "Foi expulsada de esta sala por %(userName)s.",
+ "You have been kicked from this room by %(userName)s.": "Foi expulsada desta sala por %(userName)s.",
"You have been banned from %(roomName)s by %(userName)s.": "Non se lle permite acceder a %(roomName)s por %(userName)s.",
"You have been banned from this room by %(userName)s.": "Non se lle permite o acceso a esta sala por %(userName)s.",
"This room": "Esta sala",
"%(roomName)s does not exist.": "%(roomName)s non existe.",
- "%(roomName)s is not accessible at this time.": "%(roomName)s non está accesible en este momento.",
+ "%(roomName)s is not accessible at this time.": "%(roomName)s non está accesible neste momento.",
"You are trying to access %(roomName)s.": "Está intentando acceder a %(roomName)s.",
"You are trying to access a room.": "Está intentando acceder a unha sala.",
"Click here to join the discussion!": "Pulse aquí para unirse a conversa!",
- "This is a preview of this room. Room interactions have been disabled": "Esta é unha vista previa de esta sala. Desactiváronse as interaccións coa sala",
+ "This is a preview of this room. Room interactions have been disabled": "Esta é unha vista previa desta sala. Desactiváronse as interaccións coa sala",
"To change the room's avatar, you must be a": "Para cambiar o avatar da sala, debe ser",
"To change the room's name, you must be a": "Para cambiar o nome da sala, debe ser",
"To change the room's main address, you must be a": "Para cambiar o enderezo principal da sala, debe ser",
"To change the room's history visibility, you must be a": "Para cambiar a visibilidade do histórico da sala, debe ser",
"To change the permissions in the room, you must be a": "Para cambiar os permisos na sala, debe ser",
"To change the topic, you must be a": "Para cambiar o asunto, debe ser",
- "To modify widgets in the room, you must be a": "Para modificar os widgets da sala, debe ser",
+ "To modify widgets in the room, you must be a": "Para modificar os trebellos da sala, debe ser",
"Failed to unban": "Fallou eliminar a prohibición",
"Banned by %(displayName)s": "Non aceptado por %(displayName)s",
"Privacy warning": "Aviso de intimidade",
- "Changes to who can read history will only apply to future messages in this room": "Os cambios sobre quen pode ler o histórico serán de aplicación a futuras mensaxes en esta sala",
+ "Changes to who can read history will only apply to future messages in this room": "Os cambios sobre quen pode ler o histórico serán de aplicación para as futuras mensaxes nesta sala",
"The visibility of existing history will be unchanged": "A visibilidade do histórico existente non cambiará",
"unknown error code": "código de fallo descoñecido",
"Failed to forget room %(errCode)s": "Fallo ao esquecer sala %(errCode)s",
- "End-to-end encryption is in beta and may not be reliable": "O cifrado de extremo-a-extremo está en beta e podería non ser fiable",
+ "End-to-end encryption is in beta and may not be reliable": "O cifrado de par-a-par está en beta e podería non ser fiable",
"You should not yet trust it to secure data": "Polo de agora non debería confiarlle datos seguros",
"Devices will not yet be able to decrypt history from before they joined the room": "Os dispositivos non poderán descifrar o histórico anterior a que se uniron a sala",
- "Once encryption is enabled for a room it cannot be turned off again (for now)": "Unha vez habilitado o cifrado para unha sala non se poderá desactivar (por agora)",
+ "Once encryption is enabled for a room it cannot be turned off again (for now)": "Unha vez activou o cifrado para unha sala non se poderá desactivar (por agora)",
"Encrypted messages will not be visible on clients that do not yet implement encryption": "As mensaxes cifradas non será visibles en clientes que non aínda non teñan implementado o cifrado",
- "Enable encryption": "Habilitar cifrado",
- "(warning: cannot be disabled again!)": "(aviso: non se pode deshabilitar!)",
- "Encryption is enabled in this room": "O cifrado está habilitado en esta sala",
- "Encryption is not enabled in this room": "O cifrado non se habilitou para esta sala",
+ "Enable encryption": "Activar o cifrado",
+ "(warning: cannot be disabled again!)": "(aviso: non se pode desactivar!)",
+ "Encryption is enabled in this room": "O cifrado está activado nesta sala",
+ "Encryption is not enabled in this room": "Non se activou o cifrado nesta sala",
"Privileged Users": "Usuarios con privilexios",
- "No users have specific privileges in this room": "Non hai usuarias con privilexios específicos en esta sala",
- "Banned users": "Usuarias non permitidas",
+ "No users have specific privileges in this room": "Non hai usuarios con privilexios específicos nesta sala",
+ "Banned users": "Usuarios excluídos",
"This room is not accessible by remote Matrix servers": "Esta sala non é accesible por servidores Matrix remotos",
"Leave room": "Deixar a sala",
"Favourite": "Favorita",
"Tagged as: ": "Etiquetada como: ",
"To link to a room it must have an address .": "Para ligar a unha sala deberá ter un enderezo .",
- "Guests cannot join this room even if explicitly invited.": "As convidadas non se poden unir a esta sala incluso se foro explicitamente convidadas.",
+ "Guests cannot join this room even if explicitly invited.": "Os convidados non se poden unir a esta sala inda que fosen convidados explicitamente.",
"Click here to fix": "Pulse aquí para solución",
- "Who can access this room?": "Quén pode acceder a esta sala?",
+ "Who can access this room?": "Quen pode acceder a esta sala?",
"Only people who have been invited": "Só persoas que foron convidadas",
"Anyone who knows the room's link, apart from guests": "Calquera que coñeza o enderezo da sala, aparte das convidadas",
"Anyone who knows the room's link, including guests": "Calquera que coñeza a ligazón a sala, incluíndo as convidadas",
"Publish this room to the public in %(domain)s's room directory?": "Publicar esta sala no directorio público de salas de %(domain)s?",
- "Who can read history?": "Quén pode ler o histórico?",
+ "Who can read history?": "Quen pode ler o histórico?",
"Anyone": "Calquera",
"Members only (since the point in time of selecting this option)": "Só membros (desde o momento en que se selecciona esta opción)",
"Members only (since they were invited)": "Só membros (desde que foron convidados)",
"Members only (since they joined)": "Só membros (desde que se uniron)",
"Permissions": "Permisos",
- "The default role for new room members is": "Por omisión o rol na sala para novos membros é",
+ "The default role for new room members is": "O rol por defecto na sala para novos participantes é",
"To send messages, you must be a": "Para enviar mensaxes, deberá ser",
- "To invite users into the room, you must be a": "Para convidar a usuarias a esta sala, debe ser",
+ "To invite users into the room, you must be a": "Para convidar a usuarios a esta sala, debe ser",
"To configure the room, you must be a": "Para configurar a sala, debe ser",
- "To kick users, you must be a": "Para expulsar usuarias, debe ser",
- "To ban users, you must be a": "Para prohibir usuarias, debe ser",
- "To remove other users' messages, you must be a": "Para eliminar mensaxes de outras usuarias, debe ser",
+ "To kick users, you must be a": "Para expulsar usuarios, debe ser",
+ "To ban users, you must be a": "Para prohibir usuarios, debe ser",
+ "To remove other users' messages, you must be a": "Para eliminar mensaxes doutras usuarios, debe ser",
"To send events of type , you must be a": "Para enviar eventos de tipo , debe ser",
"Advanced": "Avanzado",
- "This room's internal ID is": "O ID interno de esta sala é",
+ "This room's internal ID is": "O ID interno desta sala é",
"Add a topic": "Engadir asunto",
"Cancel": "Cancelar",
- "Scroll to unread messages": "Desplace ate mensaxes non lidas",
+ "Scroll to unread messages": "Desprazarse ate mensaxes non lidas",
"Jump to first unread message.": "Ir a primeira mensaxe non lida.",
"Close": "Pechar",
"Invalid alias format": "Formato de alias non válido",
@@ -463,10 +460,10 @@
"Invalid community ID": "ID da comunidade non válido",
"'%(groupId)s' is not a valid community ID": "'%(groupId)s' non é un ID de comunidade válido",
"New community ID (e.g. +foo:%(localDomain)s)": "Novo ID da comunidade (ex. +foo:%(localDomain)s)",
- "You have enabled URL previews by default.": "Vostede habilitou a vista previa de URL por omisión.",
- "You have disabled URL previews by default.": "Vostede desactivou a vista previa de URL por omisión.",
- "URL previews are enabled by default for participants in this room.": "As vistas previas de URL están habilitadas por omisión para os participantes de esta sala.",
- "URL previews are disabled by default for participants in this room.": "As vistas previas de URL están desactivadas por omisión para os participantes de esta sala.",
+ "You have enabled URL previews by default.": "Activou a vista previa de URL por defecto.",
+ "You have disabled URL previews by default.": "Desactivou a vista previa de URL por defecto.",
+ "URL previews are enabled by default for participants in this room.": "As vistas previas de URL están activas por defecto para os participantes desta sala.",
+ "URL previews are disabled by default for participants in this room.": "As vistas previas de URL están desactivadas por defecto para os participantes desta sala.",
"URL Previews": "Vista previa de URL",
"Error decrypting audio": "Fallo ao descifrar audio",
"Error decrypting attachment": "Fallo descifrando o anexo",
@@ -486,17 +483,17 @@
"Message removed by %(userId)s": "Mensaxe eliminada por %(userId)s",
"Message removed": "Mensaxe eliminada",
"Robot check is currently unavailable on desktop - please use a web browser ": "Comprobación por Robot non está dispoñible en escritorio - por favor utilice un navegador web ",
- "This Home Server would like to make sure you are not a robot": "Este Servidor quere asegurarse de que vostede non é un robot",
+ "This Home Server would like to make sure you are not a robot": "Este servidor quere asegurarse de que vostede non é un robot",
"Sign in with CAS": "Conectarse con CAS",
"Custom Server Options": "Opcións personalizadas do servidor",
"You can use the custom server options to sign into other Matrix servers by specifying a different Home server URL.": "Pode utilizar as opcións personalizadas do servidor para conectarse a outros servidores Matrix indicando un URL de servidor de inicio diferente.",
- "This allows you to use this app with an existing Matrix account on a different home server.": "Así pode utilizar este aplicativo con unha conta Matrix existente en un servidor de incio diferente.",
- "You can also set a custom identity server but this will typically prevent interaction with users based on email address.": "Tamén pode establecer un servidor de identidade personalizado pero esto normalmente dificulta a interacción con usuarias basándose non enderezo de correo.",
+ "This allows you to use this app with an existing Matrix account on a different home server.": "Así pode utilizar este aplicativo con unha conta Matrix existente en un servidor de inicio diferente.",
+ "You can also set a custom identity server but this will typically prevent interaction with users based on email address.": "Tamén pode establecer un servidor de identidade personalizado pero isto normalmente dificulta a interacción con usuarios baseándose non enderezo de correo.",
"Dismiss": "Rexeitar",
"To continue, please enter your password.": "Para continuar, por favor introduza o seu contrasinal.",
"Password:": "Contrasinal:",
"An email has been sent to %(emailAddress)s": "Enviouse un correo a %(emailAddress)s",
- "Please check your email to continue registration.": "Por favor comprobe o seu correo para continuar co rexistro.",
+ "Please check your email to continue registration.": "Comprobe o seu correo para continuar co rexistro.",
"Token incorrect": "Testemuño incorrecto",
"A text message has been sent to %(msisdn)s": "Enviouse unha mensaxe de texto a %(msisdn)s",
"Please enter the code it contains:": "Por favor introduza o código que contén:",
@@ -510,22 +507,22 @@
"Sign in with": "Conectarse con",
"Email address": "Enderezo de correo",
"Sign in": "Conectar",
- "If you don't specify an email address, you won't be able to reset your password. Are you sure?": "Si non indica un enderezo de correo non poderá restablecer o contrasinal, está segura?",
+ "If you don't specify an email address, you won't be able to reset your password. Are you sure?": "Se non indica un enderezo de correo non poderá restablecer o contrasinal, está seguro?",
"Email address (optional)": "Enderezo de correo (opcional)",
"You are registering with %(SelectedTeamName)s": "Estase a rexistrar con %(SelectedTeamName)s",
"Mobile phone number (optional)": "Número de teléfono móbil (opcional)",
- "Register": "Rexistar",
- "Default server": "Servidor por omisión",
+ "Register": "Rexistrar",
+ "Default server": "Servidor por defecto",
"Custom server": "Servidor personalizado",
"Home server URL": "URL do servidor de inicio",
"Identity server URL": "URL do servidor de identidade",
- "What does this mean?": "Qué significa esto?",
+ "What does this mean?": "Que significa isto?",
"Remove from community": "Eliminar da comunidade",
"Disinvite this user from community?": "Retirar o convite a comunidade a esta usuaria?",
"Remove this user from community?": "Quitar a esta usuaria da comunidade?",
"Failed to withdraw invitation": "Fallo ao retirar o convite",
"Failed to remove user from community": "Fallo ao quitar a usuaria da comunidade",
- "Filter community members": "Filtrar membros da comunidade",
+ "Filter community members": "Filtrar participantes na comunidade",
"Are you sure you want to remove '%(roomName)s' from %(groupId)s?": "Está segura de que quere eliminar '%(roomName)s' de %(groupId)s?",
"Removing a room from the community will also remove it from the community page.": "Eliminar unha sala da comunidade tamén a quitará da páxina da comunidade.",
"Remove": "Eliminar",
@@ -535,18 +532,18 @@
"The visibility of '%(roomName)s' in %(groupId)s could not be updated.": "A visibilidade de '%(roomName)s' en %(groupId)s non se puido actualizar.",
"Visibility in Room List": "Visibilidade na Lista de Salas",
"Visible to everyone": "Visible para todo o mundo",
- "Only visible to community members": "Só visible para membros da comunidade",
+ "Only visible to community members": "Só visible para os participantes da comunidade",
"Filter community rooms": "Filtrar salas da comunidade",
"Something went wrong when trying to get your communities.": "Algo fallou ao intentar obter as súas comunidades.",
"You're not currently a member of any communities.": "Ate o momento non é membro de ningunha comunidade.",
"Unknown Address": "Enderezo descoñecido",
- "NOTE: Apps are not end-to-end encrypted": "NOTA: As Apps non están cifradas de extremo-a-extremo",
- "Do you want to load widget from URL:": "Quere cargar o widget da URL:",
+ "NOTE: Apps are not end-to-end encrypted": "NOTA: As Apps non están cifradas de par-a-par",
+ "Do you want to load widget from URL:": "Quere cargar o trebello da URL:",
"Allow": "Permitir",
- "Delete Widget": "Eliminar Widget",
- "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Quitando un widget eliminao para todas as usuarias de esta sala. Está segura de querer eliminar este widget?",
- "Delete widget": "Eliminar widget",
- "Revoke widget access": "Retirar acceso ao widget",
+ "Delete Widget": "Eliminar trebello",
+ "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Quitando un trebello elimínao para todas os usuarios desta sala. Está seguro de querer eliminar este trebello?",
+ "Delete widget": "Eliminar trebello",
+ "Revoke widget access": "Retirar acceso ao trebello",
"Minimize apps": "Minimizar apps",
"Edit": "Editar",
"Create new room": "Crear unha nova sala",
@@ -565,25 +562,25 @@
"%(severalUsers)sjoined %(count)s times|other": "%(severalUsers)s uníronse %(count)s veces",
"%(severalUsers)sjoined %(count)s times|one": "%(severalUsers)s uníronse",
"%(oneUser)sjoined %(count)s times|other": "%(oneUser)s uniuse %(count)s veces",
- "%(oneUser)sjoined %(count)s times|one": "%(oneUser)s uníuse",
+ "%(oneUser)sjoined %(count)s times|one": "%(oneUser)s uniuse",
"%(severalUsers)sleft %(count)s times|other": "%(severalUsers)s saíron %(count)s veces",
"%(severalUsers)sleft %(count)s times|one": "%(severalUsers)s saíron",
- "%(oneUser)sleft %(count)s times|other": "%(oneUser)s saiu %(count)s veces",
- "%(oneUser)sleft %(count)s times|one": "%(oneUser)s saiu",
+ "%(oneUser)sleft %(count)s times|other": "%(oneUser)s saíu %(count)s veces",
+ "%(oneUser)sleft %(count)s times|one": "%(oneUser)s saio",
"%(severalUsers)sjoined and left %(count)s times|other": "%(severalUsers)s uníronse e saíron %(count)s veces",
"%(severalUsers)sjoined and left %(count)s times|one": "%(severalUsers)s uníronse e saíron",
- "%(oneUser)sjoined and left %(count)s times|other": "%(oneUser)s uniuse e saiu %(count)s veces",
- "%(oneUser)sjoined and left %(count)s times|one": "%(oneUser)s uníuse e saiu",
- "%(severalUsers)sleft and rejoined %(count)s times|other": "%(severalUsers)s saíron e voltaron %(count)s veces",
- "%(severalUsers)sleft and rejoined %(count)s times|one": "%(severalUsers)s saíron e voltaron",
- "%(oneUser)sleft and rejoined %(count)s times|other": "%(oneUser)s saiu e voltou %(count)s veces",
- "%(oneUser)sleft and rejoined %(count)s times|one": "%(oneUser)s saiu e voltou",
+ "%(oneUser)sjoined and left %(count)s times|other": "%(oneUser)s uniuse e saio %(count)s veces",
+ "%(oneUser)sjoined and left %(count)s times|one": "%(oneUser)s uniuse e saíu",
+ "%(severalUsers)sleft and rejoined %(count)s times|other": "%(severalUsers)s saíron e volveron %(count)s veces",
+ "%(severalUsers)sleft and rejoined %(count)s times|one": "%(severalUsers)s saíron e votaron",
+ "%(oneUser)sleft and rejoined %(count)s times|other": "%(oneUser)s saíu e volveu %(count)s veces",
+ "%(oneUser)sleft and rejoined %(count)s times|one": "%(oneUser)s saíu e volveu",
"%(severalUsers)srejected their invitations %(count)s times|other": "%(severalUsers)s rexeitaron convites %(count)s veces",
"%(severalUsers)srejected their invitations %(count)s times|one": "%(severalUsers)s rexeitaron os seus convites",
"%(oneUser)srejected their invitation %(count)s times|other": "%(oneUser)s rexeitou o seu convite %(count)s veces",
"%(oneUser)srejected their invitation %(count)s times|one": "%(oneUser)s rexeitou o seu convite",
"%(severalUsers)shad their invitations withdrawn %(count)s times|other": "retiróuselle o convite a %(severalUsers)s %(count)s veces",
- "%(severalUsers)shad their invitations withdrawn %(count)s times|one": "retirouselle o convite a %(severalUsers)s",
+ "%(severalUsers)shad their invitations withdrawn %(count)s times|one": "retiróuselle o convite a %(severalUsers)s",
"%(oneUser)shad their invitation withdrawn %(count)s times|other": "retiróuselle o convite a %(oneUser)s %(count)s veces",
"%(oneUser)shad their invitation withdrawn %(count)s times|one": "retiróuselle o convite a %(oneUser)s",
"were invited %(count)s times|other": "foron convidados %(count)s veces",
@@ -594,9 +591,9 @@
"were banned %(count)s times|one": "foron prohibidas",
"was banned %(count)s times|other": "foi prohibida %(count)s veces",
"was banned %(count)s times|one": "foi prohibida",
- "were unbanned %(count)s times|other": "retirouselle a prohibición %(count)s veces",
- "were unbanned %(count)s times|one": "retirouselle a prohibición",
- "was unbanned %(count)s times|other": "retirouselle a prohibición %(count)s veces",
+ "were unbanned %(count)s times|other": "retiróuselle a prohibición %(count)s veces",
+ "were unbanned %(count)s times|one": "retrouseille a prohibición",
+ "was unbanned %(count)s times|other": "retrouseille a prohibición %(count)s veces",
"was unbanned %(count)s times|one": "retiróuselle a prohibición",
"were kicked %(count)s times|other": "foron expulsadas %(count)s veces",
"were kicked %(count)s times|one": "foron expulsadas",
@@ -626,7 +623,7 @@
"Matrix Room ID": "ID sala Matrix",
"email address": "enderezo de correo",
"Try using one of the following valid address types: %(validTypesList)s.": "Intentar utilizar algún dos seguintes tipos de enderezo válidos: %(validTypesList)s.",
- "You have entered an invalid address.": "Introduxo un enderezo non válido.",
+ "You have entered an invalid address.": "Introduciu un enderezo non válido.",
"Create a new chat or reuse an existing one": "Crear un novo chat ou reutilizar un xa existente",
"Start new chat": "Iniciar un novo chat",
"You already have existing direct chats with this user:": "Xa ten unha conversa directa con esta usuaria:",
@@ -634,10 +631,10 @@
"Click on the button below to start chatting!": "Pulse non botón inferior para iniciar a conversar!",
"Start Chatting": "Iniciar a conversa",
"Confirm Removal": "Confirme a retirada",
- "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.": "Está certa de que quere quitar (eliminar) este evento? Sepa que si elimina un nome de sala ou cambia o asunto, podería desfacer o cambio.",
+ "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.": "Está certa de que quere quitar (eliminar) este evento? Saiba que si elimina un nome de sala ou cambia o asunto, podería desfacer o cambio.",
"Community IDs may only contain characters a-z, 0-9, or '=_-./'": "Os ID de comunidade só poden conter caracteres a-z, 0-9, or '=_-./'",
- "Community IDs cannot not be empty.": "O ID de comunidade non pode quedar baldeiro.",
- "Something went wrong whilst creating your community": "Algo fallou mentras se creaba a súa comunidade",
+ "Community IDs cannot be empty.": "O ID de comunidade non pode quedar baldeiro.",
+ "Something went wrong whilst creating your community": "Algo fallou mentres se creaba a súa comunidade",
"Create Community": "Crear comunidade",
"Community Name": "Nome da comunidade",
"Example": "Exemplo",
@@ -647,37 +644,37 @@
"Create Room": "Crear sala",
"Room name (optional)": "Nome da sala (opcional)",
"Advanced options": "Axustes avanzados",
- "Block users on other matrix homeservers from joining this room": "Evitar que usuarias de outros servidores matrix se unan a esta sala",
+ "Block users on other matrix homeservers from joining this room": "Evitar que usuarios doutros servidores matrix se unan a esta sala",
"This setting cannot be changed later!": "Esta preferencia non se pode cambiar máis tarde!",
"Unknown error": "Fallo descoñecido",
"Incorrect password": "Contrasinal incorrecto",
"Deactivate Account": "Desactivar conta",
"Unable to ascertain that the address this invite was sent to matches one associated with your account.": "Non se pode determinar si o enderezo ao que foi enviado este convite coincide con un dos asociados a súa conta.",
- "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:": "Para verificar que se pode confiar en este dispositivo, contacte co seu dono utilizando algún outro medio (ex. en persoa ou chamada de teléfono) e pregúntelle si a chave que ven nos Axustes de Usuaria do se dispositivo coincide coa chave inferior:",
+ "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:": "Para verificar que se pode confiar neste dispositivo, contacte co seu dono utilizando algún outro medio (ex. en persoa ou chamada de teléfono) e pregúntelle se a clave que ven nos axustes de usuario do se dispositivo coincide coa clave inferior:",
"Device name": "Nome do dispositivo",
"Device key": "Chave do dispositivo",
- "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.": "Si concorda, pulse o botón verificar. Si non, entón alguén está interceptando este dispositivo e probablemente vostede desexe pulsar o botón lista negra.",
+ "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.": "Se concorda, pulse o botón verificar. Si non, entón alguén está interceptando este dispositivo e probablemente vostede desexe pulsar o botón lista negra.",
"In future this verification process will be more sophisticated.": "No futuro este proceso de verificación será máis sofisticado.",
"Verify device": "Verificar dispositivo",
"I verify that the keys match": "Certifico que coinciden as chaves",
"An error has occurred.": "Algo fallou.",
"OK": "OK",
- "You added a new device '%(displayName)s', which is requesting encryption keys.": "Engadeu un novo dispositivo '%(displayName)s', que está a solicitar as chaves de cifrado.",
+ "You added a new device '%(displayName)s', which is requesting encryption keys.": "Engadiu un novo dispositivo '%(displayName)s', que está a solicitar as chaves de cifrado.",
"Your unverified device '%(displayName)s' is requesting encryption keys.": "O seu dispositivo non verificado '%(displayName)s' está solicitando chaves de cifrado.",
"Start verification": "Iniciar verificación",
- "Share without verifying": "Compartir sin verificar",
+ "Share without verifying": "Compartir sen verificar",
"Ignore request": "Ignorar petición",
"Loading device info...": "Cargando información do dispositivo...",
"Encryption key request": "Petición de chave de cifrado",
"Unable to restore session": "Non se puido restaurar a sesión",
- "If you have previously used a more recent version of Riot, your session may be incompatible with this version. Close this window and return to the more recent version.": "Si anteriormente utilizou unha versión máis recente de Riot, a súa sesión podería non ser compatible con esta versión. Peche esta ventá e volte a versión máis recente.",
- "Invalid Email Address": "Enderezo de email non válido",
- "This doesn't appear to be a valid email address": "Este non semella ser un enderezo de email válido",
+ "If you have previously used a more recent version of Riot, your session may be incompatible with this version. Close this window and return to the more recent version.": "Si anteriormente utilizou unha versión máis recente de Riot, a súa sesión podería non ser compatible con esta versión. Peche esta ventá e volva a versión máis recente.",
+ "Invalid Email Address": "Enderezo de correo non válido",
+ "This doesn't appear to be a valid email address": "Este non semella ser un enderezo de correo válido",
"Verification Pending": "Verificación pendente",
- "Please check your email and click on the link it contains. Once this is done, click continue.": "Por favor comprobe o seu email e pulse na ligazón que contén. Unha vez feito, pulse continuar.",
- "Unable to add email address": "Non se puido engadir enderezo de email",
- "Unable to verify email address.": "Non se puido verificar enderezo de email.",
- "This will allow you to reset your password and receive notifications.": "Esto permitiralle restablecer o seu contrasinal e recibir notificacións.",
+ "Please check your email and click on the link it contains. Once this is done, click continue.": "Comprobe o seu correo electrónico e pulse na ligazón que contén. Unha vez feito iso prema continuar.",
+ "Unable to add email address": "Non se puido engadir enderezo de correo",
+ "Unable to verify email address.": "Non se puido verificar enderezo de correo electrónico.",
+ "This will allow you to reset your password and receive notifications.": "Isto permitiralle restablecer o seu contrasinal e recibir notificacións.",
"Skip": "Saltar",
"User names may only contain letters, numbers, dots, hyphens and underscores.": "Os nomes de usuaria só poden conter letras, números, puntos e guión alto e baixo.",
"Username not available": "Nome de usuaria non dispoñible",
@@ -686,8 +683,8 @@
"Username available": "Nome de usuaria dispoñible",
"To get started, please pick a username!": "Para comezar, escolla un nome de usuaria!",
"This will be your account name on the homeserver, or you can pick a different server .": "Este será o nome da súa conta no servidor, ou pode escoller un servidor diferente .",
- "If you already have a Matrix account you can log in instead.": "Si xa ten unha conta Matrix entón pode conectarse .",
- "You are currently blacklisting unverified devices; to send messages to these devices you must verify them.": "En este momento está por na lista negra os dispositivos non verificados; para enviar mensaxes a eses dispositivos debe verificalos.",
+ "If you already have a Matrix account you can log in instead.": "Se xa ten unha conta Matrix entón pode conectarse .",
+ "You are currently blacklisting unverified devices; to send messages to these devices you must verify them.": "Neste momento está por na lista negra os dispositivos non verificados; para enviar mensaxes a eses dispositivos debe verificalos.",
"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.": "Recomendámoslle que vaia ao proceso de verificación para cada dispositivo para confirmar que pertencen ao seu dono lexítimos, pero se o prefire pode enviar a mensaxe sen ter verificado.",
"Room contains unknown devices": "A sala contén dispositivos descoñecidos",
"\"%(RoomName)s\" contains devices that you haven't seen before.": "\"%(RoomName)s\" contén dispositivos que vostede non vira antes.",
@@ -699,22 +696,22 @@
"Name": "Nome",
"Topic": "Asunto",
"Make this room private": "Facer que esta sala sexa privada",
- "Share message history with new users": "Compartir o histórico de mensaxes coas novas usuarias",
- "Encrypt room": "Cifrar sala",
+ "Share message history with new users": "Compartir o histórico de mensaxes cos novos usuarios",
+ "Encrypt room": "Cifrar a sala",
"You must register to use this functionality": "Debe rexistrarse para utilizar esta función",
"You must join the room to see its files": "Debe unirse a sala para ver os seus ficheiros",
- "There are no visible files in this room": "Non hai ficheiros visibles en esta sala",
+ "There are no visible files in this room": "Non hai ficheiros visibles nesta sala",
"HTML for your community's page \n\n Use the long description to introduce new members to the community, or distribute\n some important links \n
\n\n You can even use 'img' tags\n
\n": "HTML para a páxina da súa comunidade \n\n Utilice a descrición longa para presentar novos membros a comunidade, ou publicar algunha ligazón importante\n \n
\n\n Tamén pode utilizar etiquetas 'img'\n
\n",
"Add rooms to the community summary": "Engadir salas ao resumo da comunidade",
- "Which rooms would you like to add to this summary?": "Qué salas desexa engadir a este resumo?",
+ "Which rooms would you like to add to this summary?": "Que salas desexa engadir a este resumo?",
"Add to summary": "Engadir ao resumo",
"Failed to add the following rooms to the summary of %(groupId)s:": "Algo fallou ao engadir estas salas ao resumo de %(groupId)s:",
"Add a Room": "Engadir unha sala",
"Failed to remove the room from the summary of %(groupId)s": "Algo fallou ao quitar a sala do resumo de %(groupId)s",
"The room '%(roomName)s' could not be removed from the summary.": "A sala '%(roomName)s' non se puido eliminar do resumo.",
- "Add users to the community summary": "Engadir usuarias ao resumo da comunidade",
- "Who would you like to add to this summary?": "A quén desexa engadir a este resumo?",
- "Failed to add the following users to the summary of %(groupId)s:": "Algo fallou ao engadir as seguintes usuarias ao resumo de %(groupId)s:",
+ "Add users to the community summary": "Engadir usuarios ao resumo da comunidade",
+ "Who would you like to add to this summary?": "A quen desexa engadir a este resumo?",
+ "Failed to add the following users to the summary of %(groupId)s:": "Algo fallou ao engadir aos seguintes usuarios ao resumo de %(groupId)s:",
"Add a User": "Engadir unha usuaria",
"Failed to remove a user from the summary of %(groupId)s": "Algo fallou ao eliminar a usuaria do resumo de %(groupId)s",
"The user '%(displayName)s' could not be removed from the summary.": "A usuaria '%(displayName)s' non se puido eliminar do resumo.",
@@ -726,14 +723,14 @@
"Leave %(groupName)s?": "Deixar %(groupName)s?",
"Leave": "Saír",
"Community Settings": "Axustes da comunidade",
- "These rooms are displayed to community members on the community page. Community members can join the rooms by clicking on them.": "Estas salas son mostradas aos membros da comunidade na páxina da comunidade. Os membros da comunidade poden unirse as salas pulsando en elas.",
+ "These rooms are displayed to community members on the community page. Community members can join the rooms by clicking on them.": "Estas salas móstranselle aos membros da comunidade na páxina da comunidade.Os participantes da comunidade poden unirse ás salas premendo nelas.",
"Add rooms to this community": "Engadir salas a esta comunidade",
"Featured Rooms:": "Salas destacadas:",
- "Featured Users:": "Usuarias destacadas:",
+ "Featured Users:": "Usuarios destacados:",
"%(inviter)s has invited you to join this community": "%(inviter)s convidouna a unirse a esta comunidade",
"You are an administrator of this community": "Vostede administra esta comunidade",
- "You are a member of this community": "Vostede é membro de esta comunidade",
- "Your community hasn't got a Long Description, a HTML page to show to community members. Click here to open settings and give it one!": "A súa comunidade non ten unha Descrición Longa, unha páxina HTML para mostrar aos membros. Pulse aquí para abrir os axustes e publicar unha!",
+ "You are a member of this community": "É membro desta comunidade",
+ "Your community hasn't got a Long Description, a HTML page to show to community members. Click here to open settings and give it one!": "A súa comunidade non ten unha descrición longa, ou unha páxina HTML que lle mostrar aos seus participantes. Pulse aquí para abrir os axustes e publicar unha!",
"Long Description (HTML)": "Descrición longa (HTML)",
"Description": "Descrición",
"Community %(groupId)s not found": "Non se atopou a comunidade %(groupId)s",
@@ -749,13 +746,11 @@
"Old cryptography data detected": "Detectouse o uso de criptografía sobre datos antigos",
"Logout": "Desconectar",
"Your Communities": "As súas Comunidades",
- "Error whilst fetching joined communities": "Fallo mentras se obtiñas as comunidades unidas",
+ "Error whilst fetching joined communities": "Fallo mentres se obtiñas as comunidades unidas",
"Create a new community": "Crear unha nova comunidade",
"Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.": "Crear unha comunidade para agrupar usuarias e salas! Poña unha páxina de inicio personalizada para destacar o seu lugar no universo Matrix.",
- "Join an existing community": "Unirse a unha comunidade existente",
- "To join an existing community you'll have to know its community identifier; this will look something like +example:matrix.org .": "Para unirse a unha comunidade existente deberá coñecer o identificador de esa comunidade; terá un aspecto como +exemplo:matrix.org .",
"You have no visible notifications": "Non ten notificacións visibles",
- "Scroll to bottom of page": "Desplácese ate o final da páxina",
+ "Scroll to bottom of page": "Desprácese ate o final da páxina",
"Message not sent due to unknown devices being present": "Non se enviou a mensaxe porque hai dispositivos non coñecidos",
"Show devices , send anyway or cancel .": "Mostrar dispositivos , enviar igualmente ou cancelar .",
"%(count)s of your messages have not been sent.|other": "Algunha das súas mensaxes non foron enviadas.",
@@ -764,7 +759,7 @@
"%(count)s Resend all or cancel all now. You can also select individual messages to resend or cancel.|one": "Reenviar mensaxe ou cancelar mensaxe agora.",
"Warning": "Aviso",
"Connectivity to the server has been lost.": "Perdeuse a conexión ao servidor.",
- "Sent messages will be stored until your connection has returned.": "As mensaxes enviadas gardaránse ate que retome a conexión.",
+ "Sent messages will be stored until your connection has returned.": "As mensaxes enviadas gardaranse ate que retome a conexión.",
"%(count)s new messages|other": "%(count)s novas mensaxes",
"%(count)s new messages|one": "%(count)s nova mensaxe",
"Active call": "Chamada activa",
@@ -785,19 +780,19 @@
"Click to mute video": "Pulse para acalar video",
"Click to unmute audio": "Pulse para escoitar audio",
"Click to mute audio": "Pulse para acalar audio",
- "Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Intentouse cargar un punto concreto do historial de esta sala, pero vostede non ten permiso para ver a mensaxe en cuestión.",
- "Tried to load a specific point in this room's timeline, but was unable to find it.": "Intentouse cargar un punto específico do historial de esta sala, pero non se puido atopar.",
+ "Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Intentouse cargar un punto concreto do historial desta sala, pero non ten permiso para ver a mensaxe en cuestión.",
+ "Tried to load a specific point in this room's timeline, but was unable to find it.": "Intentouse cargar un punto específico do historial desta sala, pero non se puido atopar.",
"Failed to load timeline position": "Fallo ao cargar posición da liña temporal",
"Uploading %(filename)s and %(count)s others|other": "Subindo %(filename)s e %(count)s máis",
"Uploading %(filename)s and %(count)s others|zero": "Subindo %(filename)s",
"Uploading %(filename)s and %(count)s others|one": "Subindo %(filename)s e %(count)s máis",
"Light theme": "Decorado claro",
- "Dark theme": "Decorado oscuro",
+ "Dark theme": "Decorado escuro",
"Status.im theme": "Decorado Status.im",
"Can't load user settings": "Non se puideron cargar os axustes de usuaria",
"Server may be unavailable or overloaded": "O servidor podería non está dispoñible ou sobrecargado",
"Sign out": "Desconectar",
- "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.": "Por seguridade, ao desconectarse borrará todas as chaves de cifrado extremo-a-extremo en este navegador. Si quere poder descifrar o historial da conversa en futuras sesións en Riot, por favor exporte as chaves da sala e gárdeas en lugar seguro.",
+ "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.": "Por seguridade, ao desconectarse borrará todas as chaves de cifrado par-a-par ste navegador. Se quere poder descifrar o historial da conversa en futuras sesións en Riot, por favor exporte as chaves da sala e gárdeas en lugar seguro.",
"Failed to change password. Is your password correct?": "Fallo ao cambiar o contrasinal. É correcto o contrasinal?",
"Success": "Parabéns",
"Your password was successfully changed. You will not receive push notifications on other devices until you log back in to them": "O seu contrasinal cambiouse correctamente. Non recibirá notificacións tipo push en outros dispositivos ate que se conecte novamente en eles",
@@ -807,17 +802,17 @@
"Refer a friend to Riot:": "Convide a un amigo a Riot:",
"Interface Language": "Idioma da Interface",
"User Interface": "Interface de usuaria",
- "Autocomplete Delay (ms):": "Retraso no autocompletado (ms):",
+ "Autocomplete Delay (ms):": "Atraso no autocompletado (ms):",
"": "",
"Import E2E room keys": "Importar chaves E2E da sala",
"Cryptography": "Criptografía",
"Device ID:": "ID de dispositivo:",
"Device key:": "Chave do dispositivo:",
- "Ignored Users": "Usuarias ignoradas",
+ "Ignored Users": "Usuarios ignorados",
"Analytics": "Analytics",
"Riot collects anonymous analytics to allow us to improve the application.": "Riot recolle información analítica anónima para permitirnos mellorar o aplicativo.",
"Privacy is important to us, so we don't collect any personal or identifiable data for our analytics.": "A intimidade impórtanos, así que non recollemos información personal ou identificable nos datos dos nosos análises.",
- "Learn more about how we use analytics.": "Saber máis sobre cómo utilizamos analytics.",
+ "Learn more about how we use analytics.": "Saber máis sobre como utilizamos analytics.",
"Labs": "Labs",
"These are experimental features that may break in unexpected ways": "Estas son características experimentais que poderían dar lugar a fallos non agardados",
"Use with caution": "Utilice con precaución",
@@ -828,24 +823,24 @@
"Check for update": "Comprobar actualización",
"Reject all %(invitedRooms)s invites": "Rexeitar todos os %(invitedRooms)s convites",
"Bulk Options": "Opcións en bloque",
- "Desktop specific": "Específicas de escritorio",
- "Start automatically after system login": "Iniciar automáticamente despóis de iniciar sesión",
+ "Desktop specific": "Configuracións de escritorio",
+ "Start automatically after system login": "Iniciar automaticamente despois de iniciar sesión",
"No media permissions": "Sen permisos de medios",
"You may need to manually permit Riot to access your microphone/webcam": "Igual ten que permitir manualmente a Riot acceder ao seus micrófono e cámara",
"Missing Media Permissions, click here to request.": "Faltan permisos de medios, pulse aquí para solicitalos.",
"No Microphones detected": "Non se detectaron micrófonos",
"No Webcams detected": "Non se detectaron cámaras",
- "Default Device": "Dispositivo por omisión",
+ "Default Device": "Dispositivo por defecto",
"Microphone": "Micrófono",
"Camera": "Cámara",
"VoIP": "VoIP",
- "Email": "Correo-e",
- "Add email address": "Engadir enderezo correo-e",
+ "Email": "Correo electrónico",
+ "Add email address": "Engadir enderezo correo electrónico",
"Notifications": "Notificacións",
"Profile": "Perfil",
"Display name": "Nome mostrado",
"Account": "Conta",
- "To return to your account in future you need to set a password": "Estableza un contrasinal para voltar a súa conta con posterioridade",
+ "To return to your account in future you need to set a password": "Estableza un contrasinal para volver a súa conta con posterioridade",
"Logged in as:": "Conectada como:",
"Access Token:": "Testemuño de acceso:",
"click to reveal": "pulse para revelar",
@@ -854,32 +849,31 @@
"matrix-react-sdk version:": "versión matrix-react-sdk:",
"riot-web version:": "versión riot-web:",
"olm version:": "versión olm:",
- "Failed to send email": "Fallo ao enviar correo-e",
- "The email address linked to your account must be entered.": "Debe introducir o correo-e ligado a súa conta.",
+ "Failed to send email": "Fallo ao enviar correo electrónico",
+ "The email address linked to your account must be entered.": "Debe introducir o correo electrónico ligado a súa conta.",
"A new password must be entered.": "Debe introducir un novo contrasinal.",
"New passwords must match each other.": "Os novos contrasinais deben ser coincidentes.",
- "Data from an older version of Riot has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Detectáronse datos de una versión anterior de Riot. Esto causará un mal funcionamento da criptografía extremo-a-extremo na versión antiga. As mensaxes cifradas extremo-a-extremo intercambiadas mentras utilizaba a versión anterior poderían non ser descifrables en esta versión. Esto tamén podería causar que mensaxes intercambiadas con esta versión tampouco funcionasen. Si ten problemas, desconéctese e conéctese de novo. Para manter o historial de mensaxes, exporte e reimporte as súas chaves.",
- "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.": "O restablecemento do contrasinal restablecerá tamén as chaves de cifrado extremo-a-extremo en todos os dispositivos, facendo o historial de chat cifrado non lexible, a menos que primeiro exporte as chaves da sala e as reimporte posteriormente. No futuro melloraremos esto.",
- "An email has been sent to %(emailAddress)s. Once you've followed the link it contains, click below.": "Enviouse un email a %(emailAddress)s. Unha vez siga a ligazón que contén, pulse abaixo.",
- "I have verified my email address": "Validei o meu enderezo de correo-e",
+ "Data from an older version of Riot has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Detectáronse datos de una versión anterior de Riot. Isto causará un mal funcionamento da criptografía extremo-a-extremo na versión antiga. As mensaxes cifradas extremo-a-extremo intercambiadas mentres utilizaba a versión anterior poderían non ser descifrables en esta versión. Isto tamén podería causar que mensaxes intercambiadas con esta versión tampouco funcionasen. Se ten problemas, desconéctese e conéctese de novo. Para manter o historial de mensaxes, exporte e reimporte as súas chaves.",
+ "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.": "O restablecemento do contrasinal restablecerá tamén as chaves de cifrado extremo-a-extremo en todos os dispositivos, facendo o historial de chat cifrado non lexible, a menos que primeiro exporte as chaves da sala e as reimporte posteriormente. No futuro melloraremos isto.",
+ "An email has been sent to %(emailAddress)s. Once you've followed the link it contains, click below.": "Enviouse un correo a %(emailAddress)s. Unha vez siga a ligazón que contén, pulse abaixo.",
+ "I have verified my email address": "Validei o meu enderezo de correo electrónico",
"Your password has been reset": "Restableceuse o seu contrasinal",
"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": "Foi desconectado de todos os seus dispositivos e xa non recibirá notificacións push. Para reactivar as notificacións, conéctese de novo en cada dispositivo",
- "Return to login screen": "Voltar a pantalla de conexión",
+ "Return to login screen": "Volver a pantalla de conexión",
"To reset your password, enter the email address linked to your account": "Para restablecer o seu contrasinal, introduza o enderezo de correo electrónico ligado a súa conta",
"New password": "Novo contrasinal",
"Confirm your new password": "Confirme o seu novo contrasinal",
- "Send Reset Email": "Enviar correo-e de restablecemento",
+ "Send Reset Email": "Enviar correo electrónico de restablecemento",
"Create an account": "Crear unha conta",
- "This Home Server does not support login using email address.": "Este servidor non soporta a conexión utilizando un enderezo de correo-e.",
+ "This Home Server does not support login using email address.": "Este servidor non soporta a conexión utilizando un enderezo de correo electrónico.",
"Incorrect username and/or password.": "Nome de usuaria ou contrasinal non válidos.",
"Please note you are logging into the %(hs)s server, not matrix.org.": "Teña en conta que se está a conectar ao servidor %(hs)s, non a matrix.org.",
- "Guest access is disabled on this Home Server.": "O acceso de convidados está deshabilitado en este servidor de inicio.",
+ "Guest access is disabled on this Home Server.": "O acceso de convidados está desactivado neste servidor de inicio.",
"The phone number entered looks invalid": "O número de teléfono introducido non semella ser válido",
"This homeserver doesn't offer any login flows which are supported by this client.": "Este servidor non ofrece ningún sistema de conexión que soporte este cliente.",
"Error: Problem communicating with the given homeserver.": "Fallo: problema ao comunicarse con servidor proporcionado.",
"Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts .": "Non se pode conectar ao servidor vía HTTP cando na barra de enderezos do navegador está HTTPS. Utilice HTTPS ou active scripts non seguros .",
- "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Non se conectou ao servidor - por favor comprobe a conexión, asegúrese de o certificado SSL do servidor é de confianza, e que ningún engadido do navegador está bloqueando as peticións.",
- "Login as guest": "Conexión como convidado",
+ "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Non se conectou ao servidor - por favor comprobe a conexión, asegúrese de que ocertificado SSL do servidor sexa de confianza, e que ningún engadido do navegador estea bloqueando as peticións.",
"Sign in to get started": "Conéctese para iniciar",
"Failed to fetch avatar URL": "Fallo ao obter o URL do avatar",
"Set a display name:": "Establecer nome público:",
@@ -888,7 +882,7 @@
"Missing password.": "Falta contrasinal.",
"Passwords don't match.": "Non coinciden os contrasinais.",
"Password too short (min %(MIN_PASSWORD_LENGTH)s).": "Contrasinal demasiado curto (min %(MIN_PASSWORD_LENGTH)s).",
- "This doesn't look like a valid email address.": "Non semella ser un enderezo de correo-e válido.",
+ "This doesn't look like a valid email address.": "Non semella ser un enderezo de correo electrónico válido.",
"This doesn't look like a valid phone number.": "Non semella ser un número de teléfono válido.",
"You need to enter a user name.": "É preciso que introduza un nome de usuaria.",
"An unknown error occurred.": "Aconteceu un erro descoñecido.",
@@ -911,8 +905,8 @@
"Results from DuckDuckGo": "Resultados desde DuckDuckGo",
"Emoji": "Emoji",
"Notify the whole room": "Notificar a toda a sala",
- "Room Notification": "Notificación da Sala",
- "Users": "Usuarias",
+ "Room Notification": "Notificación da sala",
+ "Users": "Usuarios",
"unknown device": "dispositivo descoñecido",
"NOT verified": "Non validado",
"verified": "validado",
@@ -932,86 +926,85 @@
"Passphrases must match": "As frases de paso deben coincidir",
"Passphrase must not be empty": "A frase de paso non pode quedar baldeira",
"Export room keys": "Exportar chaves da sala",
- "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.": "Este proceso permítelle exportar a un ficheiro local as chaves para as mensaxes que recibeu en salas cifradas. Posteriormente permitiralle importar as chaves en outro cliente Matrix no futuro, así o cliente poderá descifrar esas mensaxes.",
- "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.": "O ficheiro exportado permitiralle a calquera que poida lelo descifrar e cifrar mensaxes que vostede ve, así que debería ter coidado e gardalo de xeito seguro. Para axudarlle, debe introducir unha frase de paso aquí abaixo que será utilizada para cifrar os datos exportados. Só será posible importar os datos utilizando a misma frase de paso.",
+ "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.": "Este proceso permítelle exportar a un ficheiro local as chaves para as mensaxes que recibiu en salas cifradas. Posteriormente permitiralle importar as chaves en outro cliente Matrix no futuro, así o cliente poderá descifrar esas mensaxes.",
+ "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.": "O ficheiro exportado permitiralle a calquera que poida lelo descifrar e cifrar mensaxes que vostede ve, así que debería ter coidado e gardalo de xeito seguro. Para axudarlle, debe introducir unha frase de paso aquí abaixo que será utilizada para cifrar os datos exportados. Só será posible importar os datos utilizando a mesma frase de paso.",
"Enter passphrase": "Introduza a frase de paso",
"Confirm passphrase": "Confirme a frase de paso",
"Export": "Exportar",
"Import room keys": "Importar chaves de sala",
- "This process allows you to import encryption keys that you had previously exported from another Matrix client. You will then be able to decrypt any messages that the other client could decrypt.": "Este proceso permítelle importar chaves de cifrado que vostede exportou de outro cliente Matrix. Así poderá descifrar calquer mensaxe que o outro cliente puidese cifrar.",
+ "This process allows you to import encryption keys that you had previously exported from another Matrix client. You will then be able to decrypt any messages that the other client could decrypt.": "Este proceso permítelle importar chaves de cifrado que vostede exportou de outro cliente Matrix. Así poderá descifrar calquera mensaxe que o outro cliente puidese cifrar.",
"The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "O ficheiro exportado estará protexido con unha frase de paso. Debe introducir aquí esa frase de paso para descifrar o ficheiro.",
"File to import": "Ficheiro a importar",
"Import": "Importar",
"The information being sent to us to help make Riot.im better includes:": "A información enviada a Riot.im para axudarnos a mellorar inclúe:",
- "Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "Si esta páxina inclúe información identificable como ID de grupo, usuario ou sala, estes datos son eliminados antes de ser enviados ao servidor.",
+ "Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "Se esta páxina inclúe información identificable como ID de grupo, usuario ou sala, estes datos son eliminados antes de ser enviados ao servidor.",
"The platform you're on": "A plataforma na que está",
"The version of Riot.im": "A versión de Riot.im",
- "Whether or not you're logged in (we don't record your user name)": "Si está ou non conectada (non gardamos o nome de usuaria)",
+ "Whether or not you're logged in (we don't record your user name)": "Se está ou non conectado/a (non gardamos os nomes de usuarios)",
"Your language of choice": "A súa preferencia de idioma",
- "Which officially provided instance you are using, if any": "Qué instancia oficial está a utilizar, si algunha",
- "Whether or not you're using the Richtext mode of the Rich Text Editor": "Si utiliza o modo Richtext ou non do Editor Rich Text",
+ "Which officially provided instance you are using, if any": "Se a houbese, que instancia oficial está a utilizar",
+ "Whether or not you're using the Richtext mode of the Rich Text Editor": "Se utiliza o modo Richtext ou non do editor de texto enriquecido",
"Your homeserver's URL": "O URL do seu servidor de inicio",
"Your identity server's URL": "O URL da súa identidade no servidor",
"In reply to ": "En resposta a ",
- "This room is not public. You will not be able to rejoin without an invite.": "Esta sala non é pública. Non poderá voltar a ela sin un convite.",
+ "This room is not public. You will not be able to rejoin without an invite.": "Esta sala non é pública. Non poderá volver a ela sen un convite.",
"This room is not showing flair for any communities": "Esta sala non mostra popularidade para as comunidades",
"%(oldDisplayName)s changed their display name to %(displayName)s.": "%(oldDisplayName)s cambiou o seu nome mostrado a %(displayName)s.",
"Clear filter": "Quitar filtro",
"Failed to set direct chat tag": "Fallo ao establecer etiqueta do chat directo",
"Failed to remove tag %(tagName)s from room": "Fallo ao eliminar a etiqueta %(tagName)s da sala",
"Failed to add tag %(tagName)s to room": "Fallo ao engadir a etiqueta %(tagName)s a sala",
- "Failed to lookup current room": "Fallo ao bloquear a sala actual",
"Disable Community Filter Panel": "Deshabilitar o panel de filtro de comunidades",
"Your key share request has been sent - please check your other devices for key share requests.": "Enviouse a solicitude de compartir chave - por favor comprobe as peticións de compartir chaves nos seus outros dispositivos.",
- "Key share requests are sent to your other devices automatically. If you rejected or dismissed the key share request on your other devices, click here to request the keys for this session again.": "As peticións de compartir chaves envíanse de xeito automático aos seus outros dispositivos. Si rexeita o obvia estas peticións nos outros dispositivos, pulse aquí para solicitar novamente as chaves para esta sesión.",
- "If your other devices do not have the key for this message you will not be able to decrypt them.": "Si os seus outros dispositivos non teñen as chaves para est mensaxe non poderán descifrala.",
+ "Key share requests are sent to your other devices automatically. If you rejected or dismissed the key share request on your other devices, click here to request the keys for this session again.": "As peticións de compartir chaves envíanse de xeito automático aos seus outros dispositivos. Se rexeita o obvia estas peticións nos outros dispositivos, pulse aquí para solicitar novamente as chaves para esta sesión.",
+ "If your other devices do not have the key for this message you will not be able to decrypt them.": "Se os seus outros dispositivos non teñen as chaves para este mensaxe non poderán descifrala.",
"Key request sent.": "Petición de chave enviada.",
- "Re-request encryption keys from your other devices.": "Voltar a pedir chaves de cifrado desde os outros dispositivos.",
+ "Re-request encryption keys from your other devices.": "Volver a pedir chaves de cifrado desde os outros dispositivos.",
"%(user)s is a %(userRole)s": "%(user)s é %(userRole)s",
"Flair": "Aura",
- "Showing flair for these communities:": "Mostrar o aura para estas comunidades:",
- "Flair will appear if enabled in room settings": "O Aura aparecerá si está habilitada nas preferencias da sala",
- "Flair will not appear": "O Aura non aparecerá",
- "Display your community flair in rooms configured to show it.": "Mostrar o aura da súa comunidade en salas configuradas para mostralo.",
+ "Showing flair for these communities:": "Mostrar a aura para estas comunidades:",
+ "Flair will appear if enabled in room settings": "A aura aparecerá se está activada nas preferencias da sala",
+ "Flair will not appear": "A aura non aparecerá",
+ "Display your community flair in rooms configured to show it.": "Mostrar a aura da súa comunidade nas salas configuradas para que a mostren.",
"Did you know: you can use communities to filter your Riot.im experience!": "Sabía que pode utilizar as comunidades para mellorar a súa experiencia con Riot.im!",
- "To set up a filter, drag a community avatar over to the filter panel on the far left hand side of the screen. You can click on an avatar in the filter panel at any time to see only the rooms and people associated with that community.": "Para establecer un filtro, arrastre un avatar da comunidade sobre o panel de filtros na parte esquerda da pantalla. Pode pulsar nun avatar no panel de filtrado en calquer moemento para ver só salas e xente asociada a esa comunidade.",
- "Deops user with given id": "Degradar usuaria co id dado",
+ "To set up a filter, drag a community avatar over to the filter panel on the far left hand side of the screen. You can click on an avatar in the filter panel at any time to see only the rooms and people associated with that community.": "Para establecer un filtro, arrastre un avatar da comunidade sobre o panel de filtros na parte esquerda da pantalla. Pode pulsar nun avatar no panel de filtrado en calquera momento para ver só salas e xente asociada a esa comunidade.",
+ "Deops user with given id": "Degradar o usuario con esa ID",
"Seen by %(displayName)s (%(userName)s) at %(dateTime)s": "Visto por %(displayName)s(%(userName)s en %(dateTime)s",
"Code": "Código",
"Unable to join community": "Non se puido unir a comunidade",
"Unable to leave community": "Non se puido deixar a comunidade",
- "Changes made to your community name and avatar might not be seen by other users for up to 30 minutes.": "Os cambios realizados a súa comunidade name e avatar name and avatar might not be seen by other users for up to 30 minutes.": "Os cambios realizados a súa comunidade name e avatar poida que non os vexan outros usuarios ate dentro de 30 minutos.",
"Join this community": "Únase a esta comunidade",
"Leave this community": "Deixar esta comunidade",
"Debug Logs Submission": "Envío de rexistro de depuración",
- "If you've submitted a bug via GitHub, debug logs can help us track down the problem. Debug logs contain application usage data including your username, the IDs or aliases of the rooms or groups you have visited and the usernames of other users. They do not contain messages.": "Si enviou un reporte de fallo a través de GitHub, os informes poden axudarnos a examinar o problema. Os informes de fallo conteñen datos do uso do aplicativo incluíndo o seu nome de usuaria, os IDs ou alcumes das salas e grupos que visitou e os nomes de usuaria de outras personas. Non conteñen mensaxes.",
+ "If you've submitted a bug via GitHub, debug logs can help us track down the problem. Debug logs contain application usage data including your username, the IDs or aliases of the rooms or groups you have visited and the usernames of other users. They do not contain messages.": "Si enviou un reporte de fallo a través de GitHub, os informes poden axudarnos a examinar o problema. Os informes de fallo conteñen datos do uso do aplicativo incluíndo o seu nome de usuaria, os IDs ou alcumes das salas e grupos que visitou e os nomes de usuaria de outras persoas. Non conteñen mensaxes.",
"Submit debug logs": "Enviar informes de depuración",
- "Opens the Developer Tools dialog": "Abre o cadro de Ferramentas de Desenvolvedoras",
- "Stickerpack": "Peganitas",
- "You don't currently have any stickerpacks enabled": "Non ten paquetes de pegatinas habilitados",
- "Add a stickerpack": "Engadir un paquete de pegatinas",
- "Hide Stickers": "Agochar pegatinas",
- "Show Stickers": "Mostrar pegatinas",
- "Who can join this community?": "Quén pode unirse a esta comunidade?",
+ "Opens the Developer Tools dialog": "Abre o cadro de Ferramentas de desenvolvemento",
+ "Stickerpack": "Iconas",
+ "You don't currently have any stickerpacks enabled": "Non ten paquetes de iconas activados",
+ "Add a stickerpack": "Engadir un paquete de iconas",
+ "Hide Stickers": "Agochar iconas",
+ "Show Stickers": "Mostrar iconas",
+ "Who can join this community?": "Quen pode unirse a esta comunidade?",
"Everyone": "Todo o mundo",
"Fetching third party location failed": "Fallo ao obter a localización de terceiros",
"A new version of Riot is available.": "Está dispoñible unha nova versión de Riot.",
"Couldn't load home page": "Non se cargou a páxina de inicio",
"Send Account Data": "Enviar datos da conta",
- "All notifications are currently disabled for all targets.": "Todas as notificacións están deshabilitadas para todos os destinos.",
+ "All notifications are currently disabled for all targets.": "Todas as notificacións están desactivadas para todos os destinos.",
"Uploading report": "Informe da subida",
"Sunday": "Domingo",
- "Notification targets": "Obxetivos das notificacións",
+ "Notification targets": "Obxectivos das notificacións",
"Today": "Hoxe",
"Failed to get protocol list from Home Server": "Fallo ao obter a lista de protocolo desde o servidor",
"You are not receiving desktop notifications": "Non está a recibir notificacións de escritorio",
"Friday": "Venres",
"Update": "Actualizar",
- "What's New": "Qué hai de novo",
+ "What's New": "Que hai de novo",
"Add an email address above to configure email notifications": "Engada un enderezo de correo electrónico para configurar as notificacións",
"Expand panel": "Expandir panel",
"On": "On",
- "%(count)s Members|other": "%(count)s Membros",
+ "%(count)s Members|other": "%(count)s participantes",
"Filter room names": "Filtrar nomes de sala",
"Changelog": "Rexistro de cambios",
"Waiting for response from server": "Agardando pola resposta do servidor",
@@ -1019,14 +1012,14 @@
"Advanced notification settings": "Axustes avanzados de notificación",
"Failed to send logs: ": "Fallo ao enviar os informes: ",
"delete the alias.": "borrar alcume.",
- "To return to your account in future you need to set a password ": "Para voltar a súa conta no futuro debe establecer un contrasinal>/u>",
+ "To return to your account in future you need to set a password ": "Para volver a súa conta no futuro debe establecer un contrasinal>/u>",
"Forget": "Esquecer",
"#example": "#exemplo",
"Hide panel": "Agochar panel",
"You cannot delete this image. (%(code)s)": "Non pode eliminar esta imaxe. (%(code)s)",
"Cancel Sending": "Cancelar o envío",
"This Room": "Esta sala",
- "The Home Server may be too old to support third party networks": "O servidor de inicio podería ser demasiando antigo como para aceptar redes de terceiros",
+ "The Home Server may be too old to support third party networks": "O servidor de inicio podería ser demasiado antigo como para aceptar redes de terceiros",
"Noisy": "Ruidoso",
"Error saving email notification preferences": "Fallo ao cargar os axustes de notificacións",
"Messages containing my display name": "Mensaxes que conteñen o meu nome público",
@@ -1036,25 +1029,25 @@
"Failed to update keywords": "Fallo ao actualizar as palabras chave",
"Notes:": "Notas:",
"remove %(name)s from the directory.": "eliminar %(name)s do directorio.",
- "Notifications on the following keywords follow rules which can’t be displayed here:": "Notificacións das reglas de seguimento das seguintes palabras que non se mostrarán aquí:",
+ "Notifications on the following keywords follow rules which can’t be displayed here:": "Notificacións das regras de seguimento das seguintes palabras que non se mostrarán aquí:",
"Safari and Opera work too.": "Safari e Opera tamén funcionan.",
"Please set a password!": "Por favor estableza un contrasinal!",
"You have successfully set a password!": "Mudou con éxito o seu contrasinal!",
- "An error occurred whilst saving your email notification preferences.": "Algo fallou mentras se gardaban as súas preferencias de notificaicón.",
+ "An error occurred whilst saving your email notification preferences.": "Algo fallou mentres se gardaban as súas preferencias de notificación.",
"Explore Room State": "Explorar estado da sala",
"Search for a room": "Buscar unha sala",
"Source URL": "URL fonte",
"Messages sent by bot": "Mensaxes enviadas por bot",
"Filter results": "Filtrar resultados",
- "Members": "Membresía",
+ "Members": "Participantes",
"No update available.": "Sen actualizacións.",
- "Resend": "Voltar a enviar",
+ "Resend": "Volver a enviar",
"Files": "Ficheiros",
"Collecting app version information": "Obtendo información sobre a versión da app",
"Delete the room alias %(alias)s and remove %(name)s from the directory?": "Eliminar o alcume da sala %(alias)s e borrar %(name)s do directorio?",
- "This will allow you to return to your account after signing out, and sign in on other devices.": "Esto permitiralle voltar a súa conta tras desconectarse, e conectarse en outros dispositivos.",
+ "This will allow you to return to your account after signing out, and sign in on other devices.": "Isto permitiralle volver a súa conta tras desconectarse, e conectarse en outros dispositivos.",
"Keywords": "Palabras chave",
- "Enable notifications for this account": "Habilitar notificacións para esta conta",
+ "Enable notifications for this account": "Activar notificacións para esta conta",
"Directory": "Directorio",
"Invite to this community": "Convidar a esta comunidade",
"Failed to get public room list": "Fallo ao obter a lista de salas públicas",
@@ -1064,22 +1057,22 @@
"Enter keywords separated by a comma:": "Introduza palabras chave separadas por vírgulas:",
"Search…": "Buscar…",
"Remove %(name)s from the directory?": "Eliminar %(name)s do directorio?",
- "Riot uses many advanced browser features, some of which are not available or experimental in your current browser.": "Riot utiliza características avanzadas do navegador, algunhas das cales non están dispoñibles ou son experimentales no seu navegador actual.",
+ "Riot uses many advanced browser features, some of which are not available or experimental in your current browser.": "Riot utiliza características avanzadas do navegador, algunhas das cales non están dispoñibles ou son experimentais no seu navegador actual.",
"Developer Tools": "Ferramentas para desenvolver",
"Preparing to send logs": "Preparándose para enviar informe",
- "Enable desktop notifications": "Habilitar notificacións de escritorio",
- "Remember, you can always set an email address in user settings if you change your mind.": "Lembre, sempre poderá poñer un enderezo de correo nos axustes de usuario si cambia de idea.",
+ "Enable desktop notifications": "Activar as notificacións de escritorio",
+ "Remember, you can always set an email address in user settings if you change your mind.": "Lembre que sempre poderá poñer un enderezo de correo nos axustes de usuario se cambiase de idea.",
"Explore Account Data": "Explorar datos da conta",
"All messages (noisy)": "Todas as mensaxes (alto)",
"Saturday": "Sábado",
- "I understand the risks and wish to continue": "Entendos os riscos e desexo continuar",
+ "I understand the risks and wish to continue": "Entendo os riscos e desexo continuar",
"Direct Chat": "Chat directo",
"The server may be unavailable or overloaded": "O servidor podería non estar dispoñible ou sobrecargado",
"Reject": "Rexeitar",
"Failed to set Direct Message status of room": "Fallo ao establecer o estado Mensaxe Directa da sala",
"Monday": "Luns",
"Remove from Directory": "Eliminar do directorio",
- "Enable them now": "Habilitalas agora",
+ "Enable them now": "Activalos agora",
"Messages containing my user name": "Mensaxes que conteñen o meu nome de usuaria",
"Toolbox": "Ferramentas",
"Collecting logs": "Obtendo rexistros",
@@ -1098,10 +1091,10 @@
"Downloading update...": "Descargando actualización...",
"You have successfully set a password and an email address!": "Estableceu correctamente un contrasinal e enderezo de correo!",
"Failed to send custom event.": "Fallo ao enviar evento personalizado.",
- "What's new?": "Qué hai de novo?",
- "Notify me for anything else": "Notificarme todo o demáis",
+ "What's new?": "Que hai de novo?",
+ "Notify me for anything else": "Notificarme todo o demais",
"When I'm invited to a room": "Cando son convidado a unha sala",
- "Can't update user notification settings": "Non se poden actualizar os axutes de notificación",
+ "Can't update user notification settings": "Non se poden actualizar os axustes de notificación",
"Notify for all other messages/rooms": "Notificar para todas as outras mensaxes/salas",
"Unable to look up room ID from server": "Non se puido atopar o ID da sala do servidor",
"Couldn't find a matching Matrix room": "Non coincide con ningunha sala de Matrix",
@@ -1113,8 +1106,8 @@
"Back": "Atrás",
"Reply": "Resposta",
"Show message in desktop notification": "Mostrar mensaxe nas notificacións de escritorio",
- "Debug logs contain application usage data including your username, the IDs or aliases of the rooms or groups you have visited and the usernames of other users. They do not contain messages.": "Os informes de depuración conteñen datos de utilización do aplicativo como o seu nome de usuaria, os IDs ou alcumes de salas e grupos que vostede visitou e os nomes de usuaria de outras usuarias. Non conteñen mensaxes.",
- "Unhide Preview": "Desagochar a vista previsa",
+ "Debug logs contain application usage data including your username, the IDs or aliases of the rooms or groups you have visited and the usernames of other users. They do not contain messages.": "Os informes de depuración conteñen datos de utilización do aplicativo como o seu nome de usuario, os IDs ou alcumes de salas e grupos que vostede visitou e os nomes de usuarios doutras usuarias. Non conteñen mensaxes.",
+ "Unhide Preview": "Desagochar a vista previa",
"Unable to join network": "Non se puido conectar a rede",
"You might have configured them in a client other than Riot. You cannot tune them in Riot but they still apply": "Pode que os configurase nun cliente diferente de Riot. Non pode establecelos desde Riot pero aínda así aplicaranse",
"Sorry, your browser is not able to run Riot.": "Desculpe, o seu navegador non pode executar Riot.",
@@ -1124,41 +1117,40 @@
"Error encountered (%(errorDetail)s).": "Houbo un erro (%(errorDetail)s).",
"Login": "Conectar",
"Low Priority": "Baixa prioridade",
- "Unable to fetch notification target list": "Non se puido procesar a lista de obxetivo de notificacións",
+ "Unable to fetch notification target list": "Non se puido procesar a lista de obxectivo de notificacións",
"Set Password": "Establecer contrasinal",
- "Enable audible notifications in web client": "Habilitar notificacións audibles no cliente web",
- "Permalink": "Ligazón permanente",
+ "Enable audible notifications in web client": "Activar as notificacións audibles no cliente web",
"Off": "Off",
- "Riot does not know how to join a room on this network": "Riot non sabe cómo conectar con unha sala en esta rede",
+ "Riot does not know how to join a room on this network": "Riot non sabe como conectar cunha sala nesta rede",
"Mentions only": "Só mencións",
- "You can now return to your account after signing out, and sign in on other devices.": "Pode voltar a súa contra tras desconectarse, e conectarse en outros dispositivos.",
- "Enable email notifications": "Habilitar notificacións de correo",
+ "You can now return to your account after signing out, and sign in on other devices.": "Pode volver a súa contra tras desconectarse, e conectarse en outros dispositivos.",
+ "Enable email notifications": "Activar notificacións de correo",
"Event Type": "Tipo de evento",
"Download this file": "Descargue este ficheiro",
"Pin Message": "Fixar mensaxe",
"Failed to change settings": "Fallo ao cambiar os axustes",
"View Community": "Ver Comunidade",
- "%(count)s Members|one": "%(count)s Membro",
+ "%(count)s Members|one": "%(count)s participante",
"Event sent!": "Evento enviado!",
"View Source": "Ver fonte",
"Event Content": "Contido do evento",
"Thank you!": "Grazas!",
"Collapse panel": "Agochar panel",
- "With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "Co seu navegador actual a apareciencia e uso do aplicativo poderían estar totalmente falseadas, e algunhas características poderían non funcionar. Se quere pode continuar, pero debe ser consciente de que poden haber fallos!",
+ "With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "Co seu navegador actual a aparencia e uso do aplicativo poderían estar totalmente falseadas, e algunhas características poderían non funcionar. Se quere pode continuar, pero debe ser consciente de que poden haber fallos!",
"Checking for an update...": "Comprobando as actualizacións...",
"There are advanced notifications which are not shown here": "Existen notificacións avanzadas que non se mostran aquí",
- "Every page you use in the app": "Cada páxina que vostede utiliza no aplicativo",
- "e.g. ": "ex. ",
- "Your User Agent": "User Agent",
+ "Every page you use in the app": "Cada páxina que use na aplicación",
+ "e.g. ": "p.ex. ",
+ "Your User Agent": "Axente de usuario",
"Your device resolution": "Resolución do dispositivo",
- "Missing roomId.": "Falta o id da sala.",
+ "Missing roomId.": "Falta o ID da sala.",
"Always show encryption icons": "Mostra sempre iconas de cifrado",
- "At this time it is not possible to reply with a file so this will be sent without being a reply.": "En este intre non é posible respostar con un ficheiro así que este será enviado sin ser considerado resposta.",
- "Unable to reply": "Non puido respostar",
- "At this time it is not possible to reply with an emote.": "En este intre non é posible respostar con un emote.",
- "Popout widget": "Widget emerxente",
+ "At this time it is not possible to reply with a file so this will be sent without being a reply.": "Neste intre non é posible responder con un ficheiro así que este será enviado sen ser considerado resposta.",
+ "Unable to reply": "Non puido responder",
+ "At this time it is not possible to reply with an emote.": "Neste intre non é posible responder con un emote.",
+ "Popout widget": "trebello emerxente",
"Picture": "Imaxe",
- "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Non se cargou o evento ao que respostaba, ou non existe ou non ten permiso para velo.",
+ "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Non se cargou o evento ao que respondía, ou non existe ou non ten permiso para velo.",
"Riot bugs are tracked on GitHub: create a GitHub issue .": "Os fallos de Riot séguense en GitHub: crear un informe en GitHub .",
"Log out and remove encryption keys?": "Desconectar e eliminar as chaves de cifrado?",
"Send Logs": "Enviar informes",
@@ -1166,5 +1158,87 @@
"Refresh": "Actualizar",
"We encountered an error trying to restore your previous session.": "Atopamos un fallo intentando restablecer a súa sesión anterior.",
"Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Limpando o almacenamento do navegador podería resolver o problema, pero desconectarao e non poderá ler o historial cifrado da conversa.",
- "Collapse Reply Thread": "Comprimir o fío de respostas"
+ "Collapse Reply Thread": "Comprimir o fío de respostas",
+ "e.g. %(exampleValue)s": "p.ex. %(exampleValue)s",
+ "Send analytics data": "Enviar datos de análises",
+ "Enable widget screenshots on supported widgets": "Activar as capturas de trebellos para aqueles que as permiten",
+ "Encrypting": "Cifrando",
+ "Encrypted, not sent": "Cifrado, sen enviar",
+ "Share Link to User": "Compartir a ligazón co usuario",
+ "Share room": "Compartir sala",
+ "To notify everyone in the room, you must be a": "Para avisar a todos os da sala ten que ser",
+ "Muted Users": "Usuarios silenciados",
+ "Please help improve Riot.im by sending anonymous usage data . This will use a cookie (please see our Cookie Policy ).": "Mellore Riot.im enviando os datos anónimos de uso . Iso suporá o emprego dunha cookie (véxase a nosa Política de Cookies ).",
+ "Please help improve Riot.im by sending anonymous usage data . This will use a cookie.": "Mellore Riot.im enviando o uso de datos anónimo . Iso usará unha cookie.",
+ "Yes, I want to help!": "Si, quero axuda",
+ "Warning: This widget might use cookies.": "Aviso: este trebello podería usar algunha cookie.",
+ "Reload widget": "Volver a cargar o trebello",
+ "Failed to indicate account erasure": "Non se deu indicado a eliminación de conta",
+ "This will make your account permanently unusable. You will not be able to log in, and no one will be able to re-register the same user ID. This will cause your account to leave all rooms it is participating in, and it will remove your account details from your identity server. This action is irreversible. ": "Iso fará que a súa deixe de ter uso de xeito permanente. Non poderá acceder e ninguén vai a poder volver a rexistrar esa mesma ID de usuario. Suporá que saía de todas as salas de conversas nas que estaba e eliminará os detalles da súa conta do servidores de identificación.Isto non se poderá desfacer ",
+ "Deactivating your account does not by default cause us to forget messages you have sent. If you would like us to forget your messages, please tick the box below.": "Desactivando a súa conta non supón que por defecto esquezamos as súas mensaxes enviadas. Se quere que nos esquezamos das súas mensaxes, prema na caixa de embaixo.",
+ "To continue, please enter your password:": "Para continuar introduza o seu contrasinal:",
+ "password": "contrasinal",
+ "Message visibility in Matrix is similar to email. Our forgetting your messages means that messages you have sent will not be shared with any new or unregistered users, but registered users who already have access to these messages will still have access to their copy.": "A visibilidade das mensaxes en Matrix é parecida ás dos correos electrónicos. Que esquezamos as súas mensaxes significa que as súas mensaxes non se van a compartir con ningún novo membro ou usuario que non estea rexistrado. Mais aqueles usuarios que xa tiveron acceso a estas mensaxes si que seguirán tendo acceso as súas propias copias desas mensaxes.",
+ "Please forget all messages I have sent when my account is deactivated (Warning: this will cause future users to see an incomplete view of conversations)": "Esquezan todas as mensaxes que eu enviara no momento en que elimine a miña conta. (Aviso : iso suporá que os seguintes participantes só verán unha versión incompleta das conversas.)",
+ "Share Room": "Compartir sala",
+ "Link to most recent message": "Ligazón ás mensaxes máis recentes",
+ "Share User": "Compartir usuario",
+ "Share Community": "Compartir comunidade",
+ "Share Room Message": "Compartir unha mensaxe da sala",
+ "Link to selected message": "Ligazón á mensaxe escollida",
+ "COPY": "Copiar",
+ "Share Message": "Compartir mensaxe",
+ "Can't leave Server Notices room": "Non se pode saír da sala de información do servidor",
+ "This room is used for important messages from the Homeserver, so you cannot leave it.": "Esta sala emprégase para mensaxes importantes do servidor da sala, as que non pode saír dela.",
+ "Terms and Conditions": "Termos e condicións",
+ "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Para continuar usando o servidor %(homeserverDomain)s ten que revisar primeiro os seus termos e condicións e logo aceptalos.",
+ "Review terms and conditions": "Revise os termos e condicións",
+ "No Audio Outputs detected": "Non se detectou unha saída de audio",
+ "Audio Output": "Saída de audio",
+ "Try the app first": "Probe a aplicación primeiro",
+ "Jitsi Conference Calling": "Chamada para conferencia con Jitsi",
+ "A conference call could not be started because the intgrations server is not available": "Non se puido comezar a chamada por mor de que o servidor de integración non está activo",
+ "Call in Progress": "Chamada en progreso",
+ "A call is already in progress!": "Xa hai unha chamada en progreso!",
+ "Permission Required": "Precísase de permisos",
+ "You do not have permission to start a conference call in this room": "Non ten permisos para comezar unha chamada de conferencia nesta sala",
+ "Show empty room list headings": "Amosar a cabeceira da lista de salas baleiras",
+ "This event could not be displayed": "Non se puido amosar este evento",
+ "Demote yourself?": "Baixarse a si mesmo de rango?",
+ "Demote": "Baixar de rango",
+ "deleted": "eliminado",
+ "underlined": "subliñado",
+ "inline-code": "código en liña",
+ "block-quote": "bloque de citas",
+ "bulleted-list": "lista de puntos",
+ "numbered-list": "lista numérica",
+ "You have no historical rooms": "Ton ten salas anteriores",
+ "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "Nas salas cifradas, como é esta, está desactivado por defecto a previsualización das URL co fin de asegurarse de que o servidor local (que é onde se gardan as previsualizacións) non poida recoller información sobre das ligazóns que se ven nesta sala.",
+ "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Cando alguén pon unha URL na mensaxe, esta previsualízarase para que así se coñezan xa cousas delas como o título, a descrición ou as imaxes que inclúe ese sitio web.",
+ "The email field must not be blank.": "Este campo de correo non pode quedar en branco.",
+ "The user name field must not be blank.": "O campo de nome de usuario non pode quedar en branco.",
+ "The phone number field must not be blank.": "O número de teléfono non pode quedar en branco.",
+ "The password field must not be blank.": "O campo do contrasinal non pode quedar en branco.",
+ "You can't send any messages until you review and agree to our terms and conditions .": "Non vai poder enviar mensaxes ata que revise e acepte os nosos termos e condicións .",
+ "A call is currently being placed!": "Xa se estableceu a chamada!",
+ "Sorry, your homeserver is too old to participate in this room.": "Lametámolo, o seu servidor de inicio é vello de máis para participar en esta sala.",
+ "Please contact your homeserver administrator.": "Por favor, contacte coa administración do seu servidor.",
+ "Increase performance by only loading room members on first view": "Aumente o rendemento cargando só membros da sala na vista inicial",
+ "System Alerts": "Alertas do Sistema",
+ "Internal room ID: ": "ID interno da sala: ",
+ "Room version number: ": "Número de versión da sala: ",
+ "Please contact your service administrator to continue using the service.": "Por favor contacte coa administración do servizo para seguir utilizando o servizo.",
+ "This homeserver has hit its Monthly Active User limit.": "Este servidor acadou o límite mensual de usuarias activas.",
+ "This homeserver has exceeded one of its resource limits.": "Este servidor excedeu un dos seus límites de recursos.",
+ "Please contact your service administrator to get this limit increased.": "Por favor contacte coa administración do servizo para incrementar este límite.",
+ "This homeserver has hit its Monthly Active User limit so some users will not be able to log in .": "Este servidor acadou o Límite Mensual de usuarias activas polo que algunhas usuarias non poderán conectar .",
+ "This homeserver has exceeded one of its resource limits so some users will not be able to log in .": "Este servidor excedeu un dos límites de recursos polo que algunhas usuarias no poderán conectar .",
+ "Failed to remove widget": "Fallo ao eliminar o widget",
+ "An error ocurred whilst trying to remove the widget from the room": "Algo fallou mentras se intentaba eliminar o widget da sala",
+ "Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please contact your service administrator to continue using the service.": "A súa mensaxe non foi enviada porque este servidor acadou o Límite Mensual de Usuaria Activa. Por favor contacte coa administración do servizo para continuar utilizando o servizo.",
+ "Your message wasn't sent because this homeserver has exceeded a resource limit. Please contact your service administrator to continue using the service.": "A súa mensaxe non foi enviada porque o servidor superou o límite de recursos. Por favor contacte coa administración do servizo para continuar utilizando o servizo.",
+ "Lazy loading members not supported": "A cargar preguiceira de membros non está soportada",
+ "Lazy loading is not supported by your current homeserver.": "A carga preguiceira non está soportada polo servidor actual.",
+ "Legal": "Legal",
+ "Please contact your service administrator to continue using this service.": "Por favor contacte coa administración do servizo para continuar utilizando o servizo."
}
diff --git a/src/i18n/strings/he.json b/src/i18n/strings/he.json
index dbae2858a9..7d96dfa089 100644
--- a/src/i18n/strings/he.json
+++ b/src/i18n/strings/he.json
@@ -221,7 +221,6 @@
"Unable to fetch notification target list": "לא ניתן לאחזר רשימת יעדי התראה",
"Set Password": "הגדר סיסמא",
"Enable audible notifications in web client": "אפשר התראות קוליות בדפדפן",
- "Permalink": "קישור קבוע",
"Off": "סגור",
"Riot does not know how to join a room on this network": "Riot אינו יודע כיצד להצטרף לחדר ברשת זו",
"Mentions only": "מאזכר בלבד",
diff --git a/src/i18n/strings/hu.json b/src/i18n/strings/hu.json
index f2aaac9a81..51105ed5c5 100644
--- a/src/i18n/strings/hu.json
+++ b/src/i18n/strings/hu.json
@@ -71,8 +71,8 @@
"Blacklisted": "Fekete listára téve",
"Bulk Options": "Tömeges beállítások",
"Call Timeout": "Hívás időtúllépés",
- "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Nem lehet kapcsolódni a saját szerverhez - ellenőrizd a kapcsolatot, biztosítsd, hogy a saját szerver tanúsítványa hiteles legyen, és a böngésző kiterjesztések ne blokkolják a kéréseket.",
- "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts .": "Nem lehet csatlakozni a saját szerverhez HTTP-n keresztül ha HTTPS van a böngésző címsorában. Vagy használj HTTPS-t vagy engedélyezd a nem biztonságos script-et .",
+ "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Nem lehet kapcsolódni a Matrix szerverhez - ellenőrizd a kapcsolatot, biztosítsd, hogy a Matrix szerver tanúsítványa hiteles legyen, és a böngésző kiterjesztések ne blokkolják a kéréseket.",
+ "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts .": "Nem lehet csatlakozni a Matrix szerverhez HTTP-n keresztül ha HTTPS van a böngésző címsorában. Vagy használj HTTPS-t vagy engedélyezd a nem biztonságos script-et .",
"Can't load user settings": "A felhasználói beállítások nem tölthetők be",
"Change Password": "Jelszó megváltoztatása",
"%(senderName)s changed their profile picture.": "%(senderName)s megváltoztatta a profil képét.",
@@ -156,7 +156,7 @@
"Enter Code": "Kód megadása",
"Enter passphrase": "Jelmondat megadása",
"Error decrypting attachment": "Csatolmány visszafejtése sikertelen",
- "Error: Problem communicating with the given homeserver.": "Hiba: Probléma van az saját szerverrel való kommunikációval.",
+ "Error: Problem communicating with the given homeserver.": "Hiba: Probléma van a Matrix szerverrel való kommunikációval.",
"Event information": "Esemény információ",
"Existing Call": "Hívás folyamatban",
"Export": "Mentés",
@@ -168,7 +168,6 @@
"Failed to kick": "Kirúgás nem sikerült",
"Failed to leave room": "A szobát nem sikerült elhagyni",
"Failed to load timeline position": "Az idővonal pozíciót nem sikerült betölteni",
- "Failed to lookup current room": "Az aktuális szoba felkeresése sikertelen",
"Failed to mute user": "A felhasználót nem sikerült hallgatásra bírni",
"Failed to reject invite": "A meghívót nem sikerült elutasítani",
"Failed to reject invitation": "A meghívót nem sikerült elutasítani",
@@ -192,14 +191,14 @@
"For security, this session has been signed out. Please sign in again.": "A biztonság érdekében ez a kapcsolat le lesz bontva. Légy szíves jelentkezz be újra.",
"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.": "A biztonság érdekében a kilépéskor a ponttól pontig való (E2E) titkosításhoz szükséges kulcsok törlésre kerülnek a böngészőből. Ha a régi üzeneteket továbbra is el szeretnéd olvasni, kérlek mentsed ki a szobákhoz tartozó kulcsot.",
"%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s : %(fromPowerLevel)s -> %(toPowerLevel)s",
- "Guest access is disabled on this Home Server.": "Vendég belépés tiltva van a Saját szerveren.",
+ "Guest access is disabled on this Home Server.": "Vendég belépés tiltva van a Matrix szerveren.",
"Guests cannot join this room even if explicitly invited.": "Vendégek akkor sem csatlakozhatnak ehhez a szobához ha külön meghívók kaptak.",
"Hangup": "Megszakít",
"Hide read receipts": "Olvasási visszajelzés elrejtése",
"Hide Text Formatting Toolbar": "Szövegformázási menü elrejtése",
"Historical": "Archív",
"Home": "Kezdőlap",
- "Homeserver is": "Saját szerver:",
+ "Homeserver is": "Matrix szerver:",
"Identity Server is": "Azonosítási szerver:",
"I have verified my email address": "Ellenőriztem az e-mail címemet",
"Import": "Betöltés",
@@ -238,7 +237,6 @@
"Level:": "Szint:",
"Local addresses for this room:": "A szoba helyi címe:",
"Logged in as:": "Bejelentkezve mint:",
- "Login as guest": "Belépés vendégként",
"Logout": "Kilép",
"Low priority": "Alacsony prioritás",
"%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s elérhetővé tette a szoba új üzeneteit nekik minden résztvevő a szobában, amióta meg van hívva.",
@@ -256,7 +254,6 @@
"Mobile phone number": "Mobil telefonszám",
"Mobile phone number (optional)": "Mobill telefonszám (opcionális)",
"Moderator": "Moderátor",
- "Must be viewing a room": "Meg kell nézni a szobát",
"%(serverName)s Matrix ID": "%(serverName)s Matrix azonosítóm",
"Name": "Név",
"Never send encrypted messages to unverified devices from this device": "Soha ne küldj titkosított üzenetet ellenőrizetlen eszközre erről az eszközről",
@@ -362,10 +359,10 @@
"The email address linked to your account must be entered.": "A fiókodhoz kötött e-mail címet add meg.",
"Press to start a chat with someone": "Nyomd meg a gombot ha szeretnél csevegni valakivel",
"Privacy warning": "Adatvédelmi figyelmeztetés",
- "The file '%(fileName)s' exceeds this home server's size limit for uploads": "'%(fileName)s' fájl túllépte a Saját szerverben beállított feltöltési méret határt",
+ "The file '%(fileName)s' exceeds this home server's size limit for uploads": "'%(fileName)s' fájl túllépte a Matrix szerverben beállított feltöltési méret határt",
"The file '%(fileName)s' failed to upload": "'%(fileName)s' fájl feltöltése sikertelen",
"The remote side failed to pick up": "A hívott fél nem vette fel",
- "This Home Server does not support login using email address.": "A Saját szerver nem támogatja a belépést e-mail címmel.",
+ "This Home Server does not support login using email address.": "A Matrix szerver nem támogatja a belépést e-mail címmel.",
"This invitation was sent to an email address which is not associated with this account:": "A meghívó olyan e-mail címre lett küldve ami nincs összekötve ezzel a fiókkal:",
"This room has no local addresses": "Ennek a szobának nincs helyi címe",
"This room is not recognised.": "Ez a szoba nem ismerős.",
@@ -464,7 +461,7 @@
"You need to be able to invite users to do that.": "Hogy ezt csinálhasd meg kell tudnod hívni felhasználókat.",
"You need to be logged in.": "Be kell jelentkezz.",
"You need to enter a user name.": "Be kell írnod a felhasználói nevet.",
- "Your email address does not appear to be associated with a Matrix ID on this Homeserver.": "Ez az e-mail cím, úgy néz ki, nincs összekötve a Matrix azonosítóval ezen a saját szerveren.",
+ "Your email address does not appear to be associated with a Matrix ID on this Homeserver.": "Ez az e-mail cím, úgy néz ki, nincs összekötve a Matrix azonosítóval ezen a Matrix szerveren.",
"Your password has been reset": "A jelszavad visszaállítottuk",
"Your password was successfully changed. You will not receive push notifications on other devices until you log back in to them": "A jelszavadat sikeresen megváltoztattuk. Nem kapsz \"push\" értesítéseket amíg a többi eszközön vissza nem jelentkezel",
"Unable to ascertain that the address this invite was sent to matches one associated with your account.": "A címről amire a meghívót elküldtük nem állapítható meg, hogy a fiókoddal összeköttetésben áll-e.",
@@ -472,7 +469,7 @@
"You seem to be uploading files, are you sure you want to quit?": "Úgy tűnik fájlokat töltesz fel, biztosan kilépsz?",
"You should not yet trust it to secure data": "Még ne bízz meg a titkosításban",
"You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Nem leszel képes visszavonni ezt a változtatást mivel a felhasználót ugyanarra a szintre emeled amin te vagy.",
- "Your home server does not support device management.": "A Saját szervered nem támogatja az eszközök kezelését.",
+ "Your home server does not support device management.": "A Matrix szervered nem támogatja az eszközök kezelését.",
"Sun": "Vas",
"Mon": "Hé",
"Tue": "K",
@@ -567,7 +564,7 @@
"Verify...": "Ellenőrzés...",
"ex. @bob:example.com": "pl.: @bob:example.com",
"Add User": "Felhasználó hozzáadás",
- "This Home Server would like to make sure you are not a robot": "A Saját szerver meg szeretne győződni arról, hogy nem vagy robot",
+ "This Home Server would like to make sure you are not a robot": "A Matrix szerver meg szeretne győződni arról, hogy nem vagy robot",
"Sign in with CAS": "Belépés CAS-sal",
"Please check your email to continue registration.": "Ellenőrizd az e-mailedet a regisztráció folytatásához.",
"Token incorrect": "Helytelen token",
@@ -575,7 +572,7 @@
"You are registering with %(SelectedTeamName)s": "%(SelectedTeamName)s névvel regisztrálsz",
"Default server": "Alapértelmezett szerver",
"Custom server": "Egyedi szerver",
- "Home server URL": "Saját szerver URL",
+ "Home server URL": "Matrix szerver URL",
"Identity server URL": "Azonosítási szerver URL",
"What does this mean?": "Ez mit jelent?",
"Error decrypting audio": "Hiba a hang visszafejtésénél",
@@ -617,12 +614,12 @@
"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.": "Ha egy újabb Riot verziót használtál valószínűleg ez kapcsolat nem lesz kompatibilis vele. Zárd be az ablakot és térj vissza az újabb verzióhoz.",
"You are currently blacklisting unverified devices; to send messages to these devices you must verify them.": "Jelenleg fekete listára teszel minden ismeretlen eszközt. Ha üzenetet szeretnél küldeni ezekre az eszközökre először ellenőrizned kell őket.",
"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.": "Azt javasoljuk, hogy menj végig ellenőrző folyamaton minden eszköznél, hogy meg megerősítsd minden eszköz a jogos tulajdonosához tartozik, de újraküldheted az üzenetet ellenőrzés nélkül, ha úgy szeretnéd.",
- "You can use the custom server options to sign into other Matrix servers by specifying a different Home server URL.": "Használhatod az Otthoni szerver opciót, hogy más Matrix szerverre csatlakozz Saját szerver URL megadásával.",
- "This allows you to use this app with an existing Matrix account on a different home server.": "Ezzel használhatod ezt az alkalmazást a meglévő Matrix fiókoddal és másik Saját szerveren.",
+ "You can use the custom server options to sign into other Matrix servers by specifying a different Home server URL.": "Használhatod az Matrix szerver opciót, hogy más Matrix szerverre csatlakozz Matrix szerver URL megadásával.",
+ "This allows you to use this app with an existing Matrix account on a different home server.": "Ezzel használhatod ezt az alkalmazást a meglévő Matrix fiókoddal és másik Matrix szerveren.",
"You can also set a custom identity server but this will typically prevent interaction with users based on email address.": "Beállíthatsz egy egyedi azonosító szervert is de ez tulajdonképpen meggátolja az együttműködést e-mail címmel azonosított felhasználókkal.",
"If you don't specify an email address, you won't be able to reset your password. Are you sure?": "Ha nem állítasz be e-mail címet nem fogod tudni a jelszavadat alaphelyzetbe állítani. Biztos vagy benne?",
"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?": "Azonosítás céljából egy harmadik félhez leszel irányítva (%(integrationsUrl)s). Folytatod?",
- "This will be your account name on the homeserver, or you can pick a different server .": "Ez lesz a felhasználói neved a saját szerveren, vagy választhatsz egy másik szervert .",
+ "This will be your account name on the homeserver, or you can pick a different server .": "Ez lesz a felhasználói neved a Matrix szerveren, vagy választhatsz egy másik szervert .",
"Disable Peer-to-Peer for 1:1 calls": "Közvetlen kapcsolat tiltása az 1:1 hívásoknál",
"To return to your account in future you need to set a password": "Ahhoz hogy később visszatérj a fiókodba be kell állítanod egy jelszót",
"Skip": "Kihagy",
@@ -780,11 +777,9 @@
"Long Description (HTML)": "Hosszú leírás (HTML)",
"Community Settings": "Közösségi beállítások",
"Community %(groupId)s not found": "%(groupId)s közösség nem található",
- "This Home server does not support communities": "Ez a saját szerver nem támogatja a közösségeket",
+ "This Home server does not support communities": "Ez a Matrix szerver nem támogatja a közösségeket",
"Error whilst fetching joined communities": "Hiba a csatlakozott közösségek betöltésénél",
"Create a new community": "Új közösség létrehozása",
- "Join an existing community": "Meglévő közösséghez csatlakozás",
- "To join an existing community you'll have to know its community identifier; this will look something like +example:matrix.org .": "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: +pelda:matrix.org .",
"example": "példa",
"Failed to load %(groupId)s": "Nem sikerült betölteni: %(groupId)s",
"Your Communities": "Közösségeid",
@@ -918,8 +913,7 @@
"Flair will not appear": "Jelvények nem jelennek meg",
"Something went wrong when trying to get your communities.": "Valami nem sikerült a közösségeid elérésénél.",
"Display your community flair in rooms configured to show it.": "Közösségi jelvényeid megjelenítése azokban a szobákban ahol ez engedélyezett.",
- "This homeserver doesn't offer any login flows which are supported by this client.": "Ez a saját szerver egyetlen bejelentkezési metódust sem támogat amit ez a kliens ismer.",
- "Tag Panel": "Címke panel",
+ "This homeserver doesn't offer any login flows which are supported by this client.": "Ez a Matrix szerver egyetlen bejelentkezési metódust sem támogat amit ez a kliens ismer.",
"Addresses": "Címek",
"collapse": "becsuk",
"expand": "kinyit",
@@ -938,7 +932,6 @@
"%(count)s of your messages have not been sent.|one": "Az üzeneted nem lett elküldve.",
"%(count)s Resend all or cancel all now. You can also select individual messages to resend or cancel.|other": "Újraküldöd mind vagy elveted mind . Az üzeneteket egyenként is elküldheted vagy elvetheted.",
"%(count)s Resend all or cancel all now. You can also select individual messages to resend or cancel.|one": "Üzenet újraküldése vagy üzenet elvetése most.",
- "Message Replies": "Üzenet válaszok",
"Send an encrypted reply…": "Titkosított válasz küldése…",
"Send a reply (unencrypted)…": "Válasz küldése (titkosítatlanul)…",
"Send an encrypted message…": "Titkosított üzenet küldése…",
@@ -955,12 +948,12 @@
"Your language of choice": "A használt nyelv",
"Which officially provided instance you are using, if any": "Milyen hivatalosan nyújtott verziót használsz",
"Whether or not you're using the Richtext mode of the Rich Text Editor": "Használod-e a Richtext módot a szerkesztőben vagy nem",
- "Your homeserver's URL": "Az egyedi szerver URL-t",
+ "Your homeserver's URL": "A Matrix szerver URL-t",
"Your identity server's URL": "Az azonosítási szerver URL-t",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(fullYear)s. %(monthName)s %(day)s, %(weekDayName)s",
"This room is not public. You will not be able to rejoin without an invite.": "Ez a szoba nem nyilvános. Kilépés után csak újabb meghívóval tudsz újra belépni a szobába.",
"Show devices , send anyway or cancel .": "Eszközök listája , mindenképpen küld vagy szakítsd meg .",
- "Community IDs cannot not be empty.": "A közösségi azonosító nem lehet üres.",
+ "Community IDs cannot be empty.": "A közösségi azonosító nem lehet üres.",
"In reply to ": "Válaszolva neki ",
"%(oldDisplayName)s changed their display name to %(displayName)s.": "%(oldDisplayName)s megváltoztatta a nevét erre: %(displayName)s.",
"Failed to set direct chat tag": "Nem sikerült a közvetlen beszélgetés jelzést beállítani",
@@ -1026,7 +1019,7 @@
"You cannot delete this image. (%(code)s)": "Nem törölheted ezt a képet. (%(code)s)",
"Cancel Sending": "Küldés megszakítása",
"This Room": "Ebben a szobában",
- "The Home Server may be too old to support third party networks": "Lehet, hogy a saját szerver túl régi és nem támogatja a csatlakozást más hálózatokhoz",
+ "The Home Server may be too old to support third party networks": "Lehet, hogy a Matrix szerver túl régi és nem támogatja a csatlakozást más hálózatokhoz",
"Resend": "Küldés újra",
"Room not found": "A szoba nem található",
"Messages containing my display name": "A profilnevemet tartalmazó üzenetek",
@@ -1048,7 +1041,7 @@
"Members": "Résztvevők",
"No update available.": "Nincs elérhető frissítés.",
"Noisy": "Hangos",
- "Failed to get protocol list from Home Server": "Nem sikerült a protokoll listát lekérni a saját szerverről",
+ "Failed to get protocol list from Home Server": "Nem sikerült a protokoll listát lekérni a Matrix szerverről",
"Collecting app version information": "Alkalmazás verzió információk összegyűjtése",
"Delete the room alias %(alias)s and remove %(name)s from the directory?": "Törlöd a szoba nevét (%(alias)s) és eltávolítod a listából ezt: %(name)s?",
"This will allow you to return to your account after signing out, and sign in on other devices.": "Így kijelentkezés után is vissza tudsz lépni a fiókodba, illetve más készülékekről is be tudsz lépni.",
@@ -1126,7 +1119,6 @@
"Unable to fetch notification target list": "Nem sikerült letölteni az értesítési célok listáját",
"Set Password": "Jelszó beállítása",
"Enable audible notifications in web client": "Hangértesítések engedélyezése a webkliensben",
- "Permalink": "Állandó hivatkozás",
"Off": "Ki",
"Riot does not know how to join a room on this network": "A Riot nem tud csatlakozni szobához ezen a hálózaton",
"Mentions only": "Csak ha megemlítenek",
@@ -1169,25 +1161,135 @@
"Collapse Reply Thread": "Beszélgetés szál becsukása",
"Enable widget screenshots on supported widgets": "Ahol az a kisalkalmazásban támogatott ott képernyőkép készítés engedélyezése",
"Send analytics data": "Analitikai adatok küldése",
- "Help improve Riot by sending usage data? This will use a cookie. (See our cookie and privacy policies ).": "Szeretnél segíteni a Riot javításában analitikai adatok elküldésével? Ez sütit (cookie) használ. (Nézd meg a sütikről és titoktartási irányelvekről szóló leírást).",
- "Help improve Riot by sending usage data? This will use a cookie.": "Szeretnél segíteni a Riot javításában analitikai adatok elküldésével? Ez sütit (cookie) használ.",
- "Yes please": "Igen, kérlek",
"Muted Users": "Elnémított felhasználók",
"Warning: This widget might use cookies.": "Figyelmeztetés: Ez a kisalkalmazás sütiket (cookies) használhat.",
"Terms and Conditions": "Általános Szerződési Feltételek",
"To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "A %(homeserverDomain)s szerver használatának folytatásához el kell olvasnod és el kell fogadnod az általános szerződési feltételeket.",
"Review terms and conditions": "Általános Szerződési Feltételek elolvasása",
"Failed to indicate account erasure": "A fiók törlésének jelzése sikertelen",
- "This will make your account permanently unusable. You will not be able to log in, and no one will be able to re-register the same user ID. This action is irreversible. ": "Ezzel a felhasználói fiókod végleg használhatatlanná válik. Nem tudsz bejelentkezni, és senki más sem fog tudni újra regisztrálni ugyanezzel az azonosítóval. Ez a művelet visszafordíthatatlan. ",
- "Deactivating your account does not by default erase messages you have sent. If you would like to erase your messages, please tick the box below.": "A felhasználói fiók felfüggesztése alapértelmezetten nem töröli semelyik általad küldött üzenetet. Ha az elküldött üzeneteidet törölni szeretnéd pipáld be a jelölőnégyzetet alul.",
- "Message visibility in Matrix is similar to email. Erasing your messages means that messages have you sent will not be shared with any new or unregistered users, but registered users who already had access to these messages will still have access to their copy.": "Az üzenetek láthatósága a Matrixban olyan mint az e-mail. Az üzeneted törlése azt jelenti, hogy amit elküldtél már nem lesz megosztva új- vagy vendég felhasználóval, de azok a regisztrált felhasználók akik már látták az üzenetet továbbra is hozzáférnek a saját példányukhoz.",
"To continue, please enter your password:": "Folytatáshoz add meg a jelszavad:",
"password": "jelszó",
- "Please erase all messages I have sent when my account is deactivated. (Warning: this will cause future users to see an incomplete view of conversations, which is a bad experience).": "Töröld az összes üzenetet amit küldtem amikor felfüggeszted a felhasználói fiókomat. (Figyelem: ezzel a jövőbeni felhasználók csak részleges beszélgetést láthatnak majd, ami rosszul eshet).",
"This will make your account permanently unusable. You will not be able to log in, and no one will be able to re-register the same user ID. This will cause your account to leave all rooms it is participating in, and it will remove your account details from your identity server. This action is irreversible. ": "Ez végleg használhatatlanná teszi a fiókodat. Ezután nem fogsz tudni bejelentkezni, és más sem tud majd ezzel az azonosítóval fiókot létrehozni. Minden szobából amibe beléptél ki fogsz lépni, és törölni fogja minden fiók adatod az \"identity\" szerverről. Ez a művelet visszafordíthatatlan. ",
"Deactivating your account does not by default cause us to forget messages you have sent. If you would like us to forget your messages, please tick the box below.": "A fiókod felfüggesztése nem jelenti alapértelmezetten azt, hogy az általad küldött üzenetek elfelejtődnek. Ha törölni szeretnéd az általad küldött üzeneteket, pipáld be a jelölőnégyzetet alul.",
"Message visibility in Matrix is similar to email. Our forgetting your messages means that messages you have sent will not be shared with any new or unregistered users, but registered users who already have access to these messages will still have access to their copy.": "Az üzenetek láthatósága a Matrixban hasonlít az emailhez. Az általad küldött üzenet törlése azt jelenti, hogy nem osztjuk meg új-, vagy vendég felhasználóval de a már regisztrált felhasználók akik már hozzáfértek az üzenethez továbbra is elérik a saját másolatukat.",
"Please forget all messages I have sent when my account is deactivated (Warning: this will cause future users to see an incomplete view of conversations)": "Kérlek töröld az összes általam küldött üzenetet amikor a fiókomat felfüggesztem (Figyelem: ez azt eredményezheti, hogy a jövőbeni felhasználók csak részleges beszélgetést látnak majd)",
"e.g. %(exampleValue)s": "pl. %(exampleValue)s",
- "Help improve Riot by sending usage data ? This will use a cookie. (See our cookie and privacy policies ).": "Segítesz jobbá tenni a Riotot használati adat küldésével? Ez sütit (cookie) fog használni. (Nézd meg az Általános Szerződési Feltételeket )."
+ "Reload widget": "Kisalkalmazás újratöltése",
+ "Please help improve Riot.im by sending anonymous usage data . This will use a cookie (please see our Cookie Policy ).": "Kérlek segíts javítani a Riot.im-et azzal, hogy anonim felhasználási adatokat küldesz. Ez szütit (cookie) fog használni (lásd a sütire vonatkozó szabályozásunkat ).",
+ "Please help improve Riot.im by sending anonymous usage data . This will use a cookie.": "Kérlek segíts javítani a Riot.im-et azzal, hogy anonim felhasználási adatokat küldesz. Ez szütit (cookie) fog használni.",
+ "Yes, I want to help!": "Igen, segítek!",
+ "Can't leave Server Notices room": "Nem lehet elhagyni a Szerver Üzenetek szobát",
+ "This room is used for important messages from the Homeserver, so you cannot leave it.": "Ez a szoba fontos szerverüzenetek közlésére jött létre, nem tudsz kilépni belőle.",
+ "To notify everyone in the room, you must be a": "Hogy mindenkinek tudj üzenni ahhoz ilyen szinten kell lenned:",
+ "Try the app first": "Először próbáld ki az alkalmazást",
+ "Encrypting": "Titkosít",
+ "Encrypted, not sent": "Titkosítva, de nincs elküldve",
+ "No Audio Outputs detected": "Nem található hang kimenet",
+ "Audio Output": "Hang kimenet",
+ "Share Link to User": "Hivatkozás megosztása felhasználóval",
+ "Share room": "Szoba megosztása",
+ "Share Room": "Szoba megosztása",
+ "Link to most recent message": "A legfrissebb üzenetre hivatkozás",
+ "Share User": "Felhasználó megosztás",
+ "Share Community": "Közösség megosztás",
+ "Share Room Message": "Szoba üzenet megosztás",
+ "Link to selected message": "Hivatkozás a kijelölt üzenetre",
+ "COPY": "Másol",
+ "Share Message": "Üzenet megosztása",
+ "Jitsi Conference Calling": "Jitsi konferencia hívás",
+ "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "Az olyan titkosított szobákban, mint ez is, az URL előnézet alapértelmezetten ki van kapcsolva, hogy biztosított legyen, hogy a matrix szerver (ahol az előnézet készül) ne tudjon információt gyűjteni arról, hogy milyen linkeket látsz ebben a szobában.",
+ "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Ha valaki URL linket helyez az üzenetébe, lehetőség van egy előnézet megjelenítésére amivel további információt kaphatunk a linkről, mint cím, leírás és a weboldal képe.",
+ "The email field must not be blank.": "Az e-mail mező nem lehet üres.",
+ "The user name field must not be blank.": "A felhasználói név mező nem lehet üres.",
+ "The phone number field must not be blank.": "A telefonszám mező nem lehet üres.",
+ "The password field must not be blank.": "A jelszó mező nem lehet üres.",
+ "Call in Progress": "Hívás folyamatban",
+ "A call is already in progress!": "A hívás már folyamatban van!",
+ "You have no historical rooms": "Nincsenek archív szobáid",
+ "You can't send any messages until you review and agree to our terms and conditions .": "Nem tudsz üzenetet küldeni amíg nem olvasod el és nem fogadod el a felhasználási feltételeket .",
+ "Demote yourself?": "Lefokozod magad?",
+ "Demote": "Lefokozás",
+ "Show empty room list headings": "Üres szobalista fejléc mutatása",
+ "This event could not be displayed": "Az eseményt nem lehet megjeleníteni",
+ "deleted": "törölt",
+ "underlined": "aláhúzott",
+ "inline-code": "kód",
+ "block-quote": "idézet",
+ "bulleted-list": "rendezetlen lista",
+ "numbered-list": "rendezett lista",
+ "A conference call could not be started because the intgrations server is not available": "A konferencia hívást nem lehet elkezdeni mert az integrációs szerver nem érhető el",
+ "Permission Required": "Engedély szükséges",
+ "You do not have permission to start a conference call in this room": "Nincs jogosultságod konferencia hívást kezdeményezni ebben a szobában",
+ "A call is currently being placed!": "A hívás indítás alatt!",
+ "Failed to remove widget": "A kisalkalmazás törlése sikertelen",
+ "An error ocurred whilst trying to remove the widget from the room": "A kisalkalmazás szobából való törlése közben hiba történt",
+ "System Alerts": "Rendszer figyelmeztetések",
+ "This homeserver has hit its Monthly Active User limit. Please contact your service administrator to continue using the service.": "Ez a matrix szerver elérte a havi aktív felhasználói korlátot. Kérlek vedd fel a kapcsolatot a szolgáltatás adminisztrátorával ha a továbbiakban is igénybe szeretnéd venni a szolgáltatást.",
+ "Your message wasn’t sent because this homeserver has hit its Monthly Active User Limit. Please contact your service administrator to continue using the service.": "Az üzeneted nem lett elküldve mert a Matrix szerver elérte a havi aktív felhasználói korlátot. Kérlek vedd fel a kapcsolatot a szolgáltatás adminisztrátorával ha a továbbiakban is igénybe szeretnéd venni a szolgáltatást.",
+ "This homeserver has hit its Monthly Active User limit": "Ez a Matrix szerver elérte a havi aktív felhasználói korlátot",
+ "Please contact your service administrator to continue using this service.": "Kérlek vedd fel a kapcsolatot a szolgáltatás adminisztrátorával ha a továbbiakban is igénybe szeretnéd venni a szolgáltatást.",
+ "This homeserver has hit its Monthly Active User limit. Please contact your service administrator to continue using the service.": "Ez a Matrix szerver elérte a havi aktív felhasználói korlátot. Kérlek vedd fel a kapcsolatot a szolgáltatás adminisztrátorával a szolgáltatás további használatához.",
+ "This homeserver has hit its Monthly Active User limit so some users will not be able to log in. Please contact your service administrator to get this limit increased.": "Ez a Matrix szerver elérte a havi aktív felhasználói korlátot, így néhány felhasználó nem fog tudni bejelentkezni. Kérlek vedd fel a kapcsolatot a szolgáltatás adminisztrátorával , hogy a korlátot felemeljék.",
+ "Internal room ID: ": "Belső szoba azonosító: ",
+ "Room version number: ": "Szoba verziószáma: ",
+ "There is a known vulnerability affecting this room.": "Ez a szoba ismert sérülékenységgel rendelkezik.",
+ "This room version is vulnerable to malicious modification of room state.": "A szoba ezen verziójában a szoba állapota ártó szándékkal módosítható.",
+ "Click here to upgrade to the latest room version and ensure room integrity is protected.": "Kattints ide a szoba legújabb verziójára való frissítéshez, hogy a szoba integritása védve legyen.",
+ "Only room administrators will see this warning": "Csak a szoba adminisztrátorai látják ezt a figyelmeztetést",
+ "Please contact your service administrator to continue using the service.": "A szolgáltatás további használata érdekében kérlek vedd fel a kapcsolatot a szolgáltatás adminisztrátorával .",
+ "This homeserver has hit its Monthly Active User limit.": "A Matrix szerver elérte a havi aktív felhasználói korlátot.",
+ "This homeserver has exceeded one of its resource limits.": "A Matrix szerver túllépte valamelyik erőforrás korlátját.",
+ "Please contact your service administrator to get this limit increased.": "A korlát emelése érdekében kérlek vedd fel a kapcsolatot a szolgáltatás adminisztrátorával .",
+ "This homeserver has hit its Monthly Active User limit so some users will not be able to log in .": "Ez a Matrix szerver elérte a havi aktív felhasználói korlátját néhány felhasználó nem fog tudni bejelentkezni .",
+ "This homeserver has exceeded one of its resource limits so some users will not be able to log in .": "Ez a Matrix szerver túllépte valamelyik erőforrás korlátját így néhány felhasználó nem tud majd bejelentkezni .",
+ "Upgrade Room Version": "Szoba verziójának frissítése",
+ "Upgrading this room requires closing down the current instance of the room and creating a new room it its place. To give room members the best possible experience, we will:": "A szoba frissítése miatt ezt a szobát be kell zárni és egy új szobát kell nyitni a helyében. Hogy a felhasználóknak ne legyen rossz tapasztalata ezért ezt fogjuk tenni:",
+ "Create a new room with the same name, description and avatar": "Készíts egy új szobát ugyanazzal a névvel, leírással és profilképpel",
+ "Update any local room aliases to point to the new room": "Állíts át minden helyi alternatív nevet erre a szobára",
+ "Stop users from speaking in the old version of the room, and post a message advising users to move to the new room": "A felhasználóknak tiltsd meg, hogy a régi szobában beszélgessenek. Küldj egy üzenetet amiben megkéred a felhasználókat, hogy menjenek át az új szobába",
+ "Put a link back to the old room at the start of the new room so people can see old messages": "Tegyél egy linket az új szoba elejére ami visszamutat a régi szobára, hogy az emberek lássák a régi üzeneteket",
+ "Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please contact your service administrator to continue using the service.": "Az üzeneted nincs elküldve, mert ez a Matrix szerver elérte a havi aktív felhasználói korlátot. A szolgáltatás további igénybevétele végett kérlek vedd fel a kapcsolatot a szolgáltatás adminisztrátorával .",
+ "Your message wasn't sent because this homeserver has exceeded a resource limit. Please contact your service administrator to continue using the service.": "Az üzeneted nem került elküldésre mert ez a Matrix szerver túllépte valamelyik erőforrás korlátját. A szolgáltatás további igénybevétele végett kérlek vedd fel a kapcsolatot a szolgáltatás adminisztrátorával .",
+ "Please contact your service administrator to continue using this service.": "A szolgáltatás további használatához kérlek vedd fel a kapcsolatot a szolgáltatás adminisztrátorával .",
+ "Increase performance by only loading room members on first view": "A teljesítmény növelése érdekében a szoba tagsága csak az első megtekintéskor töltődik be",
+ "Lazy loading members not supported": "A tagok késleltetett betöltése nem támogatott",
+ "Lazy loading is not supported by your current homeserver.": "A késleltetett betöltés nem támogatott ennél a Matrix szervernél.",
+ "Sorry, your homeserver is too old to participate in this room.": "Sajnáljuk, a Matrix szervered nem elég friss ahhoz, hogy részt vegyen ebben a szobában.",
+ "Please contact your homeserver administrator.": "Kérlek vedd fel a kapcsolatot a Matrix szerver adminisztrátorával.",
+ "Legal": "Jogi",
+ "This room has been replaced and is no longer active.": "Ezt a szobát lecseréltük és nem aktív többé.",
+ "The conversation continues here.": "A beszélgetés itt folytatódik.",
+ "Upgrade room to version %(ver)s": "A szoba frissítése %(ver)s verzióra",
+ "This room is a continuation of another conversation.": "Ebben a szobában folytatódik egy másik beszélgetés.",
+ "Click here to see older messages.": "Ide kattintva megnézheted a régi üzeneteket.",
+ "Failed to upgrade room": "A szoba frissítése sikertelen",
+ "The room upgrade could not be completed": "A szoba frissítését nem sikerült befejezni",
+ "Upgrade this room to version %(version)s": "A szoba frissítése %(version)s verzióra",
+ "Error Discarding Session": "Hiba a munkamenet törlésénél",
+ "Forces the current outbound group session in an encrypted room to be discarded": "A jelenlegi csoport munkamenet törlését kikényszeríti a titkosított szobában",
+ "Registration Required": "Regisztrációt igényel",
+ "You need to register to do this. Would you like to register now?": "Hogy ezt megtedd regisztrálnod kell. Szeretnél regisztrálni?",
+ "Unable to query for supported registration methods": "A támogatott regisztrációs folyamatok listáját nem sikerült lekérdezni",
+ "Unable to connect to Homeserver. Retrying...": "A matrix szerverrel nem lehet felvenni a kapcsolatot. Újrapróbálkozás...",
+ "%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|one": "%(senderName)s szoba címnek beállította: %(addedAddresses)s.",
+ "%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|other": "%(senderName)s szoba címnek hozzáadta: %(addedAddresses)s.",
+ "%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|one": "%(senderName)s törölte a szoba címek közül: %(removedAddresses)s.",
+ "%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|other": "%(senderName)s törölte a szoba címek közül: %(removedAddresses)s.",
+ "%(senderName)s added %(addedAddresses)s and removed %(removedAddresses)s as addresses for this room.": "%(senderName)s hozzáadta a szoba címekhez: %(addedAddresses)s és törölte a címek közül: %(removedAddresses)s.",
+ "%(senderName)s set the canonical address for this room to %(address)s.": "%(senderName)s olvasható címet allított be a szobához: %(address)s.",
+ "%(senderName)s removed the canonical address for this room.": "%(senderName)s törölte a szoba olvasható címét.",
+ "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s elsődleges szoba címnek beállította: %(address)s.",
+ "%(senderName)s removed the main address for this room.": "A szoba elsődleges címét %(senderName)s törölte.",
+ "Before submitting logs, you must create a GitHub issue to describe your problem.": "Mielőtt a naplót elküldöd, egy Github jegyet kell nyitni amiben leírod a problémádat.",
+ "What GitHub issue are these logs for?": "Melyik Github jegyhez tartozik a napló?",
+ "Riot now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "3-, 5-ször kevesebb memóriát használ a Riot azzal, hogy csak akkor tölti be az információkat a felhasználókról amikor arra szükség van. Kérlek várd meg amíg újraszinkronizáljuk a szerverrel!",
+ "Updating Riot": "Riot frissítése",
+ "HTML for your community's page \r\n\r\n Use the long description to introduce new members to the community, or distribute\r\n some important links \r\n
\r\n\r\n You can even use 'img' tags\r\n
\r\n": "HTML a közösségi oldaladhoz \n\n Mutasd be a közösségedet az újoncoknak vagy ossz meg\n pár fontos linket \n
\n\n Még „img” tag-et is használhatsz.\n
\n",
+ "An email address is required to register on this homeserver.": "Erre a Matrix szerverre való regisztrációhoz az e-mail címet meg kell adnod.",
+ "A phone number is required to register on this homeserver.": "Erre a Matrix szerverre való regisztrációhoz a telefonszámot meg kell adnod.",
+ "Submit Debug Logs": "Hibakeresési napló elküldése",
+ "You've previously used Riot on %(host)s with lazy loading of members enabled. In this version lazy loading is disabled. As the local cache is not compatible between these two settings, Riot needs to resync your account.": "Előzőleg a szoba tagság késleltetett betöltésének engedélyével itt használtad a Riotot: %(host)s. Ebben a verzióban viszont a késleltetett betöltés nem engedélyezett. Mivel a két gyorsítótár nem kompatibilis egymással így Riotnak újra kell szinkronizálnia a fiókot.",
+ "If the other version of Riot is still open in another tab, please close it as using Riot on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "Ha a másik Riot verzió fut még egy másik fülön, kérlek zárd be, mivel ha ugyanott használod a Riotot bekapcsolt késleltetett betöltéssel és kikapcsolva is akkor problémák adódhatnak.",
+ "Incompatible local cache": "A helyi gyorsítótár nem kompatibilis ezzel a verzióval",
+ "Clear cache and resync": "Gyorsítótár törlése és újraszinkronizálás"
}
diff --git a/src/i18n/strings/id.json b/src/i18n/strings/id.json
index 9db1a4a99c..0d4d1ea1a5 100644
--- a/src/i18n/strings/id.json
+++ b/src/i18n/strings/id.json
@@ -62,7 +62,6 @@
"Sign in with": "Masuk dengan",
"Leave room": "Meninggalkan ruang",
"Level:": "Tingkat:",
- "Login as guest": "Masuk sebagai tamu",
"Logout": "Keluar",
"Low priority": "Prioritas rendah",
"Markdown is disabled": "Markdown dinonaktifkan",
@@ -152,7 +151,7 @@
"Access Token:": "Token Akses:",
"Active call (%(roomName)s)": "Panggilan aktif (%(roomName)s)",
"Admin": "Admin",
- "Admin Tools": "Alat admin",
+ "Admin Tools": "Peralatan Admin",
"VoIP": "VoIP",
"Missing Media Permissions, click here to request.": "Tidak ada Izin Media, klik disini untuk meminta.",
"No Webcams detected": "Tidak ada Webcam terdeteksi",
@@ -324,7 +323,6 @@
"Unable to fetch notification target list": "Tidak dapat mengambil daftar notifikasi target",
"Set Password": "Ubah Password",
"Enable audible notifications in web client": "Aktifkan notifikasi suara di klien web",
- "Permalink": "Permalink",
"Off": "Mati",
"Riot does not know how to join a room on this network": "Riot tidak tau bagaimana gabung ruang di jaringan ini",
"Mentions only": "Hanya jika disinggung",
@@ -343,5 +341,39 @@
"Collapse panel": "Lipat panel",
"With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "Dengan browser ini, tampilan dari aplikasi mungkin tidak sesuai, dan beberapa atau bahkan semua fitur mungkin tidak berjalan. Jika Anda ingin tetap mencobanya, Anda bisa melanjutkan, tapi Anda tanggung sendiri jika muncul masalah yang terjadi!",
"Checking for an update...": "Cek pembaruan...",
- "There are advanced notifications which are not shown here": "Ada notifikasi lanjutan yang tidak ditampilkan di sini"
+ "There are advanced notifications which are not shown here": "Ada notifikasi lanjutan yang tidak ditampilkan di sini",
+ "This email address is already in use": "Alamat email ini telah terpakai",
+ "This phone number is already in use": "Nomor telepon ini telah terpakai",
+ "Failed to verify email address: make sure you clicked the link in the email": "Gagal memverifikasi alamat email: pastikan Anda telah menekan link di dalam email",
+ "The version of Riot.im": "Versi Riot.im",
+ "Your language of choice": "Pilihan bahasamu",
+ "Your homeserver's URL": "URL Homeserver Anda",
+ "Your identity server's URL": "URL Server Identitas Anda",
+ "e.g. %(exampleValue)s": "",
+ "Every page you use in the app": "Setiap halaman yang digunakan di app",
+ "e.g. ": "e.g. ",
+ "Your User Agent": "User Agent Anda",
+ "Your device resolution": "Resolusi perangkat Anda",
+ "Analytics": "Analitik",
+ "The information being sent to us to help make Riot.im better includes:": "Informasi yang dikirim membantu kami memperbaiki Riot.im, termasuk:",
+ "Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "Apabila terdapat informasi yang dapat digunakan untuk pengenalan pada halaman ini, seperti ruang, pengguna, atau ID grup, kami akan menghapusnya sebelum dikirim ke server.",
+ "Call Failed": "Panggilan Gagal",
+ "There are unknown devices in this room: if you proceed without verifying them, it will be possible for someone to eavesdrop on your call.": "Ada perangkat yang belum dikenal di ruang ini: apabila Anda melanjutkan tanpa memverifikasi terlebih dahulu, pembicaraan Anda dapat disadap orang yang tidak diinginkan.",
+ "Review Devices": "Telaah Perangkat",
+ "Call Anyway": "Tetap Panggil",
+ "Answer Anyway": "Tetap Jawab",
+ "Call": "Panggilan",
+ "Answer": "Jawab",
+ "Call Timeout": "Masa Berakhir Panggilan",
+ "The remote side failed to pick up": "Gagal jawab oleh pihak lain",
+ "Unable to capture screen": "Tidak dapat menangkap tampilan",
+ "Existing Call": "Panggilan Berlangsung",
+ "VoIP is unsupported": "VoIP tidak didukung",
+ "You cannot place VoIP calls in this browser.": "Anda tidak dapat melakukan panggilan VoIP di browser ini.",
+ "A conference call could not be started because the intgrations server is not available": "Panggilan massal tidak dapat dimulai karena server integrasi tidak tersedia",
+ "Call in Progress": "Panggilan Berlangsung",
+ "A call is currently being placed!": "Sedang melakukan panggilan sekarang!",
+ "A call is already in progress!": "Masih ada panggilan berlangsung!",
+ "Permission Required": "Permisi Dibutuhkan",
+ "You do not have permission to start a conference call in this room": "Anda tidak memiliki permisi untuk memulai panggilan massal di ruang ini"
}
diff --git a/src/i18n/strings/is.json b/src/i18n/strings/is.json
new file mode 100644
index 0000000000..6770a0ea25
--- /dev/null
+++ b/src/i18n/strings/is.json
@@ -0,0 +1,645 @@
+{
+ "This email address is already in use": "Þetta tölvupóstfang er nú þegar í notkun",
+ "This phone number is already in use": "Þetta símanúmer er nú þegar í notkun",
+ "Failed to verify email address: make sure you clicked the link in the email": "Gat ekki sannprófað tölvupóstfang: gakktu úr skugga um að þú hafir smellt á tengilinn í tölvupóstinum",
+ "e.g. %(exampleValue)s": "t.d. %(exampleValue)s",
+ "e.g. ": "t.d. ",
+ "Your User Agent": "Kennisstrengur þinn",
+ "Your device resolution": "Skjáupplausn tækisins þíns",
+ "Analytics": "Greiningar",
+ "Call Anyway": "hringja samt",
+ "Answer Anyway": "Svara samt",
+ "Call": "Samtal",
+ "Answer": "Svara",
+ "The remote side failed to pick up": "Ekki var svarað á fjartengda endanum",
+ "VoIP is unsupported": "Enginn stuðningur við VoIP",
+ "Conference calls are not supported in encrypted rooms": "Símafundir eru ekki studdir í dulrituðum spjallrásum",
+ "Warning!": "Aðvörun!",
+ "Conference calling is in development and may not be reliable.": "Símafundir eru í þróun og gætu verið óáreiðanlegir.",
+ "Upload Failed": "Upphleðsla mistókst",
+ "Sun": "sun",
+ "Mon": "mán",
+ "Tue": "þri",
+ "Wed": "mið",
+ "Thu": "fim",
+ "Fri": "fös",
+ "Sat": "lau",
+ "Jan": "jan",
+ "Feb": "feb",
+ "Mar": "mar",
+ "Apr": "apr",
+ "May": "maí",
+ "Jun": "jún",
+ "Jul": "júl",
+ "Aug": "ágú",
+ "Sep": "sep",
+ "Oct": "okt",
+ "Nov": "nóv",
+ "Dec": "des",
+ "PM": "e.h.",
+ "AM": "f.h.",
+ "%(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": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s",
+ "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s",
+ "Room name or alias": "Nafn eða samnefni spjallrásar",
+ "Default": "Sjálfgefið",
+ "Restricted": "Takmarkað",
+ "Moderator": "Umsjónarmaður",
+ "Admin": "Stjórnandi",
+ "Start a chat": "Hefja spjall",
+ "Email, name or matrix ID": "Tölvupóstfang, nafn eða Matrix-auðkenni",
+ "Start Chat": "Hefja spjall",
+ "Operation failed": "Aðgerð tókst ekki",
+ "You need to be logged in.": "Þú þarft að vera skráð/ur inn.",
+ "Unable to create widget.": "Gat ekki búið til viðmótshluta.",
+ "Failed to send request.": "Mistókst að senda beiðni.",
+ "This room is not recognised.": "Spjallrás er ekki þekkt.",
+ "Power level must be positive integer.": "Völd verða að vera jákvæð heiltala.",
+ "You are not in this room.": "Þú ert ekki á þessari spjallrás.",
+ "You do not have permission to do that in this room.": "Þú hefur ekki réttindi til þess að gera þetta á þessari spjallrás.",
+ "Missing room_id in request": "Vantar spjallrásarauðkenni í beiðni",
+ "Missing user_id in request": "Vantar notandaauðkenni í beiðni",
+ "Usage": "Notkun",
+ "Reason": "Ástæða",
+ "VoIP conference started.": "VoIP-símafundur hafinn.",
+ "VoIP conference finished.": "VoIP-símafundi lokið.",
+ "Someone": "Einhver",
+ "(not supported by this browser)": "(Ekki stutt af þessum vafra)",
+ "(no answer)": "(ekkert svar)",
+ "Send anyway": "Senda samt",
+ "Send": "Senda",
+ "Unnamed Room": "Nafnlaus spjallrás",
+ "Hide join/leave messages (invites/kicks/bans unaffected)": "Fela taka-þátt/hætta skilaboð (hefur ekki áhrif á boð/spörk/bönn)",
+ "Hide read receipts": "Fela leskvittanir",
+ "Show timestamps in 12 hour format (e.g. 2:30pm)": "Birta tímamerki á 12 stunda sniði (t.d. 2:30 fh)",
+ "Always show message timestamps": "Alltaf birta tímamerki skilaboða",
+ "Send analytics data": "Senda greiningargögn",
+ "Never send encrypted messages to unverified devices from this device": "Aldrei senda dulrituð skilaboð af þessu tæki til ósannvottaðra tækja",
+ "Never send encrypted messages to unverified devices in this room from this device": "Aldrei senda dulrituð skilaboð af þessu tæki til ósannvottaðra tækja á þessari spjallrás",
+ "Enable inline URL previews by default": "Sjálfgefið virkja forskoðun innfelldra vefslóða",
+ "Room Colour": "Litur spjallrásar",
+ "Collecting app version information": "Safna upplýsingum um útgáfu forrits",
+ "Collecting logs": "Safna atvikaskrám",
+ "Uploading report": "Sendi inn skýrslu",
+ "Waiting for response from server": "Bíð eftir svari frá vefþjóni",
+ "Messages containing my display name": "Skilaboð sem innihalda birtingarnafn mitt",
+ "Messages containing my user name": "Skilaboð sem innihalda notandanafn mitt",
+ "Messages in one-to-one chats": "Skilaboð í maður-á-mann spjalli",
+ "Messages in group chats": "Skilaboð í hópaspjalli",
+ "When I'm invited to a room": "Þegar mér er boðið á spjallrás",
+ "Call invitation": "Boð um þátttöku",
+ "Messages sent by bot": "Skilaboð send af vélmennum",
+ "unknown caller": "Óþekktur símnotandi",
+ "Incoming voice call from %(name)s": "Innhringing raddsamtals frá %(name)s",
+ "Incoming video call from %(name)s": "Innhringing myndsamtals frá %(name)s",
+ "Decline": "Hafna",
+ "Accept": "Samþykkja",
+ "Error": "Villa",
+ "Enter Code": "Settu inn kóða",
+ "Submit": "Senda inn",
+ "Phone": "Sími",
+ "Add phone number": "Bæta við símanúmeri",
+ "Add": "Bæta við",
+ "Continue": "Halda áfram",
+ "Export E2E room keys": "Flytja út E2E dulritunarlykla spjallrásar",
+ "Current password": "Núverandi lykilorð",
+ "Password": "Lykilorð",
+ "New Password": "Nýtt lykilorð",
+ "Confirm password": "Staðfestu lykilorðið",
+ "Change Password": "Breyta lykilorði",
+ "Authentication": "Auðkenning",
+ "Delete %(count)s devices|other": "Eyða %(count)s tækjum",
+ "Delete %(count)s devices|one": "Eyða tæki",
+ "Device ID": "Auðkenni tækis",
+ "Device Name": "Heiti tækis",
+ "Last seen": "Sást síðast",
+ "Enable Notifications": "Virkja tilkynningar",
+ "Error saving email notification preferences": "Villa við að vista valkosti pósttilkynninga",
+ "An error occurred whilst saving your email notification preferences.": "Villa kom upp við að vista valkosti tilkynninga í tölvupósti.",
+ "Keywords": "Stikkorð",
+ "Enter keywords separated by a comma:": "Settu inn stikkorð aðskilin með kommu:",
+ "OK": "Í lagi",
+ "Failed to change settings": "Mistókst að breyta stillingum",
+ "Can't update user notification settings": "Gat ekki uppfært stillingar á tilkynningum notandans",
+ "Failed to update keywords": "Mistókst að uppfæra stikkorð",
+ "Messages containing keywords ": "Skilaboð sem innihalda kstikkorð ",
+ "Notify for all other messages/rooms": "Senda tilkynningar fyrir öll önnur skilaboð/spjallrásir",
+ "Notify me for anything else": "Senda mér tilkynningar fyrir allt annað",
+ "Enable notifications for this account": "Virkja tilkynningar fyrir þennan notandaaðgang",
+ "Add an email address above to configure email notifications": "Settu inn tölvupóstfang hér fyrir ofan til að stilla tilkynningar með tölvupósti",
+ "Enable email notifications": "Virkja tilkynningar í tölvupósti",
+ "Notification targets": "Markmið tilkynninga",
+ "Advanced notification settings": "Ítarlegar stillingar á tilkynningum",
+ "Enable desktop notifications": "Virkja tilkynningar á skjáborði",
+ "Show message in desktop notification": "Birta tilkynningu í innbyggðu kerfistilkynningakerfi",
+ "Enable audible notifications in web client": "Virkja hljóðtilkynningar í vefviðmóti",
+ "Off": "Slökkt",
+ "On": "Kveikt",
+ "Noisy": "Hávært",
+ "Add a widget": "Bæta við viðmótshluta",
+ "Drop File Here": "Slepptu skrá hérna",
+ "Drop file here to upload": "Slepptu hér skrá til að senda inn",
+ " (unsupported)": " (óstutt)",
+ "%(senderName)s sent an image": "%(senderName)s sendi mynd",
+ "%(senderName)s sent a video": "%(senderName)s sendi myndskeið",
+ "%(senderName)s uploaded a file": "%(senderName)s sendi inn skrá",
+ "Options": "Valkostir",
+ "Unencrypted message": "Ódulrituð skilaboð",
+ "Blacklisted": "Á bannlista",
+ "Verified": "Sannreynt",
+ "Unverified": "Óstaðfest",
+ "device id: ": "Auðkenni tækis: ",
+ "Kick": "Sparka",
+ "Unban": "Afbanna",
+ "Ban": "Banna",
+ "Unban this user?": "Taka þennan notanda úr banni?",
+ "Ban this user?": "Banna þennan notanda?",
+ "Are you sure?": "Ertu viss?",
+ "Devices": "Tæki",
+ "Unignore": "Byrja að fylgjast með á ný",
+ "Ignore": "Hunsa",
+ "Mention": "Minnst á",
+ "Invite": "Bjóða",
+ "User Options": "User Options",
+ "Direct chats": "Beint spjall",
+ "Unmute": "Kveikja á hljóði",
+ "Mute": "Þagga hljóð",
+ "Make Moderator": "Gera að umsjónarmanni",
+ "Admin Tools": "Kerfisstjóratól",
+ "Level:": "Stig:",
+ "Invited": "Boðið",
+ "Filter room members": "Sía meðlimi spjallrásar",
+ "Attachment": "Viðhengi",
+ "Upload Files": "Senda inn skrár",
+ "Hangup": "Leggja á",
+ "Voice call": "Raddsamtal",
+ "Video call": "_Myndsímtal",
+ "Upload file": "Hlaða inn skrá",
+ "Send an encrypted message…": "Senda dulrituð skilaboð…",
+ "Send a message (unencrypted)…": "Senda skilaboð (ódulrituð)…",
+ "You do not have permission to post to this room": "Þú hefur ekki heimild til að senda skilaboð á þessa spjallrás",
+ "Server error": "Villa á þjóni",
+ "Command error": "Skipanavilla",
+ "bold": "feitletrað",
+ "italic": "skáletrað",
+ "strike": "yfirstrikað",
+ "underline": "undirstrikað",
+ "code": "kóði",
+ "quote": "tilvitnun",
+ "bullet": "áherslumerki",
+ "Loading...": "Hleð inn...",
+ "Online": "Nettengt",
+ "Idle": "Iðjulaust",
+ "Offline": "Ónettengt",
+ "Unknown": "Óþekkt",
+ "No rooms to show": "Engar spjallrásir sem hægt er að birta",
+ "Unnamed room": "Nafnlaus spjallrás",
+ "World readable": "Lesanlegt öllum",
+ "Guests can join": "Gestir geta tekið þátt",
+ "Save": "Vista",
+ "Join Room": "Taka þátt í spjallrás",
+ "Settings": "Stillingar",
+ "Forget room": "Gleyma spjallrás",
+ "Search": "Leita",
+ "Invites": "Boðsgestir",
+ "Favourites": "Eftirlæti",
+ "People": "Fólk",
+ "Rooms": "Spjallrásir",
+ "Low priority": "Lítill forgangur",
+ "Historical": "Ferilskráning",
+ "Rejoin": "Taka þátt aftur",
+ "This room": "Þessi spjallrás",
+ "This is a preview of this room. Room interactions have been disabled": "Þetta er forskoðun á spjallrásinni. Samskipti spjallrásarinnar hafa verið gerð óvirk",
+ "Privacy warning": "Aðvörun vegna gagnaleyndar",
+ "unknown error code": "óþekktur villukóði",
+ "Failed to forget room %(errCode)s": "Mistókst að gleyma spjallrásinni %(errCode)s",
+ "Encryption is enabled in this room": "Dulritun er virk í þessari spjallrás",
+ "Encryption is not enabled in this room": "Dulritun er ekki virk í þessari spjallrás",
+ "Banned users": "Bannaðir notendur",
+ "Leave room": "Fara af spjallrás",
+ "Favourite": "Eftirlæti",
+ "Tagged as: ": "Merkt sem: ",
+ "To link to a room it must have an address .": "Til að tengja við spjallrás verður hún að vera með vistfang .",
+ "Who can access this room?": "Hver hefur aðgang að þessari spjallrás?",
+ "Only people who have been invited": "Aðeins fólk sem hefur verið boðið",
+ "Anyone who knows the room's link, apart from guests": "Hver sá sem þekkir slóðina á spjallrásina, fyrir utan gesti",
+ "Anyone who knows the room's link, including guests": "Hver sá sem þekkir slóðina á spjallrásina, að gestum meðtöldum",
+ "Who can read history?": "Hver getur lesið ferilskráningu?",
+ "Anyone": "Hver sem er",
+ "Members only (since the point in time of selecting this option)": "Einungis meðlimir (síðan þessi kostur var valinn)",
+ "Members only (since they were invited)": "Einungis meðlimir (síðan þeim var boðið)",
+ "Members only (since they joined)": "Einungis meðlimir (síðan þeir skráðu sig)",
+ "Permissions": "Heimildir",
+ "Advanced": "Nánar",
+ "Search…": "Leita…",
+ "This Room": "Þessi spjallrás",
+ "All Rooms": "Allar spjallrásir",
+ "Cancel": "Hætta við",
+ "Jump to first unread message.": "Fara í fyrstu ólesin skilaboð.",
+ "Close": "Loka",
+ "Invalid alias format": "Ógilt snið samnefnis",
+ "not specified": "ekki tilgreint",
+ "not set": "ekki stillt",
+ "Addresses": "Vistföng",
+ "Invalid community ID": "Ógilt auðkenni samfélags",
+ "Flair": "Hlutverksmerki",
+ "This room is not showing flair for any communities": "Þessi spjallrás sýnir ekki hlutverksmerki fyrir nein samfélög",
+ "Sunday": "Sunnudagur",
+ "Monday": "Mánudagur",
+ "Tuesday": "Þriðjudagur",
+ "Wednesday": "Miðvikudagur",
+ "Thursday": "Fimmtudagur",
+ "Friday": "Föstudagur",
+ "Saturday": "Laugardagur",
+ "Today": "Í dag",
+ "Yesterday": "Í gær",
+ "Error decrypting attachment": "Villa við afkóðun viðhengis",
+ "Copied!": "Afritað",
+ "This Home Server would like to make sure you are not a robot": "Þessi heimavefþjónn vill ganga úr skugga um að þú sért ekki vélmenni",
+ "Custom Server Options": "Sérsniðnir valkostir vefþjóns",
+ "Dismiss": "Hunsa",
+ "To continue, please enter your password.": "Til að halda áfram, settu inn lykilorðið þitt.",
+ "Password:": "Lykilorð:",
+ "Please check your email to continue registration.": "Skoðaðu tölvupóstinn þinn til að geta haldið áfram með skráningu.",
+ "Code": "Kóði",
+ "powered by Matrix": "keyrt með Matrix",
+ "User name": "Notandanafn",
+ "Forgot your password?": "Gleymdirðu lykilorðinu?",
+ "Email address": "Tölvupóstfang",
+ "Sign in": "Skrá inn",
+ "Email address (optional)": "Tölvupóstfang (valfrjálst)",
+ "Register": "Nýskrá",
+ "Home server URL": "Slóð á heimaþjón",
+ "Identity server URL": "Slóð á auðkennisþjón",
+ "What does this mean?": "Hvað þýðir þetta?",
+ "Filter community members": "Sía meðlimi samfélags",
+ "Remove": "Fjarlægja",
+ "Something went wrong!": "Eitthvað fór úrskeiðis!",
+ "Filter community rooms": "Sía spjallrásir samfélags",
+ "Yes, I want to help!": "Já, ég vil hjálpa til",
+ "You are not receiving desktop notifications": "Þú færð ekki tilkynningar á skjáborði",
+ "Enable them now": "Virkja þetta núna",
+ "What's New": "Nýtt á döfinni",
+ "Update": "Uppfæra",
+ "What's new?": "Hvað er nýtt á döfinni?",
+ "A new version of Riot is available.": "Ný útgáfa af Riot er tiltæk.",
+ "Set Password": "Setja lykilorð",
+ "Error encountered (%(errorDetail)s).": "Villa fannst (%(errorDetail)s).",
+ "Checking for an update...": "Athuga með uppfærslu...",
+ "No update available.": "Engin uppfærsla tiltæk.",
+ "Downloading update...": "Sæki uppfærslu...",
+ "Warning": "Aðvörun",
+ "Allow": "Leyfa",
+ "Picture": "Mynd",
+ "Edit": "Breyta",
+ "Unblacklist": "Taka af bannlista",
+ "Blacklist": "Bannlisti",
+ "Unverify": "Afturkalla sannvottun",
+ "Verify...": "Sannreyna...",
+ "No results": "Engar niðurstöður",
+ "Delete": "Eyða",
+ "Communities": "Samfélög",
+ "Home": "Heim",
+ "You cannot delete this image. (%(code)s)": "Þú getur ekki eytt þessari mynd. (%(code)s)",
+ "Uploaded on %(date)s by %(user)s": "Sent inn %(date)s af %(user)s",
+ "Download this file": "Sækja þessa skrá",
+ "collapse": "fella saman",
+ "expand": "fletta út",
+ "In reply to ": "Sem svar til ",
+ "Room directory": "Skrá yfir spjallrásir",
+ "Start chat": "Hefja spjall",
+ "Add User": "Bæta við notanda",
+ "email address": "tölvupóstfang",
+ "Preparing to send logs": "Undirbý sendingu atvikaskráa",
+ "Logs sent": "Sendi atvikaskrár",
+ "Thank you!": "Takk fyrir!",
+ "Failed to send logs: ": "Mistókst að senda atvikaskrár: ",
+ "Submit debug logs": "Senda inn aflúsunarannála",
+ "GitHub issue link:": "Slóð villutilkynningar á GitHub:",
+ "Notes:": "Athugasemdir:",
+ "Send logs": "Senda atvikaskrá",
+ "Unavailable": "Ekki tiltækt",
+ "Changelog": "Breytingaskrá",
+ "Start new chat": "Hefja nýtt spjall",
+ "Start Chatting": "Hefja spjall",
+ "Confirm Removal": "Staðfesta fjarlægingu",
+ "Create Community": "Búa til samfélag",
+ "Community Name": "Heiti samfélags",
+ "Example": "Dæmi",
+ "Community ID": "Auðkenni samfélags",
+ "example": "dæmi",
+ "Create": "Búa til",
+ "Create Room": "Búa til spjallrás",
+ "Room name (optional)": "Heiti spjallrásar (valkvætt)",
+ "Advanced options": "Ítarlegir valkostir",
+ "Unknown error": "Óþekkt villa",
+ "Incorrect password": "Rangt lykilorð",
+ "Deactivate Account": "Gera notandaaðgang óvirkann",
+ "To continue, please enter your password:": "Til að halda áfram, settu inn lykilorðið þitt:",
+ "password": "lykilorð",
+ "Device name": "Heiti tækis",
+ "Device key": "Dulritunarlykill tækis",
+ "Verify device": "Sannreyna tæki",
+ "I verify that the keys match": "Ég staðfesti að dulritunarlyklarnir samsvari",
+ "Back": "Til baka",
+ "Send Account Data": "Senda upplýsingar um notandaaðgang",
+ "Filter results": "Sía niðurstöður",
+ "Toolbox": "Verkfærakassi",
+ "Developer Tools": "Forritunartól",
+ "An error has occurred.": "Villa kom upp.",
+ "Start verification": "Hefja sannvottun",
+ "Share without verifying": "Deila án sannvottunar",
+ "Ignore request": "Hunsa beiðni",
+ "Encryption key request": "Beiðni um dulritunarlykil",
+ "Sign out": "Skrá út",
+ "Send Logs": "Senda atvikaskrár",
+ "Refresh": "Endurlesa",
+ "Invalid Email Address": "Ógilt tölvupóstfang",
+ "Verification Pending": "Sannvottun í bið",
+ "Please check your email and click on the link it contains. Once this is done, click continue.": "Skoðaðu tölvupóstinn þinn og smelltu á tengilinn sem hann inniheldur. Þegar því er lokið skaltu smella á að halda áfram.",
+ "Skip": "Sleppa",
+ "User names may only contain letters, numbers, dots, hyphens and underscores.": "Notendanöfn mega einungis innihalda bókstafi, tölustafi, punkta, bandstrik eða undirstrik.",
+ "Username not available": "Notandanafnið er ekki tiltækt",
+ "Username available": "Notandanafnið er tiltækt",
+ "You have successfully set a password!": "Þér tókst að setja lykilorð!",
+ "You have successfully set a password and an email address!": "Þér tókst að setja lykilorð og tölvupóstfang!",
+ "Failed to change password. Is your password correct?": "Mistókst að breyta lykilorðinu. Er lykilorðið rétt?",
+ "(HTTP status %(httpStatus)s)": "(HTTP staða %(httpStatus)s)",
+ "Please set a password!": "Stilltu lykilorð!",
+ "Room contains unknown devices": "Spjallrás inniheldur óþekkt tæki",
+ "Unknown devices": "Óþekkt tæki",
+ "Custom": "Sérsniðið",
+ "Alias (optional)": "Samnefni (valfrjálst)",
+ "You cannot delete this message. (%(code)s)": "Þú getur ekki eytt þessum skilaboðum. (%(code)s)",
+ "Resend": "Endursenda",
+ "Cancel Sending": "Hætta við sendingu",
+ "Forward Message": "Áframsenda skeyti",
+ "Reply": "Svara",
+ "Pin Message": "Festa skeyti",
+ "View Source": "Skoða frumkóða",
+ "View Decrypted Source": "Skoða afkóðaða upprunaskrá",
+ "Unhide Preview": "Birta forskoðun",
+ "Quote": "Tilvitnun",
+ "Source URL": "Upprunaslóð",
+ "All messages (noisy)": "Öll skilaboð (hávært)",
+ "All messages": "Öll skilaboð",
+ "Mentions only": "Aðeins minnst á",
+ "Leave": "Fara út",
+ "Forget": "Gleyma",
+ "Reject": "Hafna",
+ "Low Priority": "Lítill forgangur",
+ "Direct Chat": "Beint spjall",
+ "View Community": "Skoða samfélag",
+ "Please install Chrome or Firefox for the best experience.": "Endilega settu upp Chrome eða Firefox til að þetta gangi sem best.",
+ "Safari and Opera work too.": "Safari og Opera virka líka ágætlega.",
+ "I understand the risks and wish to continue": "Ég skil áhættuna og vil halda áfram",
+ "Name": "Nafn",
+ "Topic": "Umfjöllunarefni",
+ "Failed to upload image": "Gat ekki sent inn mynd",
+ "Add rooms to this community": "Bæta spjallrásum í þetta samfélag",
+ "Featured Users:": "Notendur í sviðsljósinu:",
+ "Everyone": "Allir",
+ "Description": "Lýsing",
+ "Login": "Innskráning",
+ "Signed Out": "Skráð/ur út",
+ "Terms and Conditions": "Skilmálar og kvaðir",
+ "Logout": "Útskráning",
+ "Members": "Meðlimir",
+ "%(count)s Members|other": "%(count)s þátttakendur",
+ "%(count)s Members|one": "%(count)s þátttakandi",
+ "Invite to this room": "Bjóða inn á þessa spjallrás",
+ "Files": "Skrár",
+ "Notifications": "Tilkynningar",
+ "Hide panel": "Fela spjald",
+ "Invite to this community": "Bjóða í þetta samfélag",
+ "The server may be unavailable or overloaded": "Netþjónninn gæti verið undir miklu álagi eða ekki til taks",
+ "Room not found": "Spjallrás fannst ekki",
+ "Directory": "Efnisskrá",
+ "Search for a room": "Leita að spjallrás",
+ "#example": "#dæmi",
+ "Connectivity to the server has been lost.": "Tenging við vefþjón hefur rofnað.",
+ "Active call": "Virkt samtal",
+ "more": "meira",
+ "Failed to upload file": "Gat ekki sent inn skrá",
+ "Search failed": "Leit mistókst",
+ "Room": "Spjallrás",
+ "Fill screen": "Fylla skjáinn",
+ "Expand panel": "Fletta út spjaldi",
+ "Collapse panel": "Fella saman spjald",
+ "Filter room names": "Sía heiti spjallrása",
+ "Clear filter": "Hreinsa síu",
+ "Light theme": "Ljóst þema",
+ "Dark theme": "Dökkt þema",
+ "Success": "Tókst",
+ "Interface Language": "Tungumál notandaviðmóts",
+ "User Interface": "Notandaviðmót",
+ "Import E2E room keys": "Flytja inn E2E dulritunarlykla spjallrásar",
+ "Cryptography": "Dulritun",
+ "Device ID:": "Auðkenni tækis:",
+ "Device key:": "Dulritunarlykill tækis:",
+ "Ignored Users": "Hunsaðir notendur",
+ "Riot collects anonymous analytics to allow us to improve the application.": "Riot safnar nafnlausum greiningargögnum til að gera okkur kleift að bæta forritið.",
+ "Labs": "Tilraunir",
+ "Deactivate my account": "Gera notandaaðganginn minn óvirkann",
+ "Clear Cache": "Hreinsa skyndiminni",
+ "Updates": "Uppfærslur",
+ "Check for update": "Athuga með uppfærslu",
+ "Default Device": "Sjálfgefið tæki",
+ "Microphone": "Hljóðnemi",
+ "Camera": "Myndavél",
+ "VoIP": "VoIP",
+ "Email": "Tölvupóstfang",
+ "Add email address": "Bæta við tölvupóstfangi",
+ "Profile": "Notandasnið",
+ "Display name": "Birtingarnafn",
+ "Account": "Notandaaðgangur",
+ "Logged in as:": "Skráð inn sem:",
+ "Access Token:": "Aðgangsteikn:",
+ "click to reveal": "smelltu til að birta",
+ "Identity Server is": "Auðkennisþjónn er",
+ "matrix-react-sdk version:": "Útgáfa matrix-react-sdk:",
+ "riot-web version:": "Útgáfa riot-web:",
+ "olm version:": "Útgáfa olm:",
+ "Failed to send email": "Mistókst að senda tölvupóst",
+ "The email address linked to your account must be entered.": "Það þarf að setja inn tölvupóstfangið sem tengt er notandaaðgangnum þínum.",
+ "A new password must be entered.": "Það verður að setja inn nýtt lykilorð.",
+ "New passwords must match each other.": "Nýju lykilorðin verða að vera þau sömu.",
+ "I have verified my email address": "Ég hef staðfest tölvupóstfangið mitt",
+ "Return to login screen": "Fara aftur í innskráningargluggann",
+ "To reset your password, enter the email address linked to your account": "Til að endursetja lykilorðið þitt, settu þá inn tölvupóstfangið sem tengt er notandaaðgangnum þínum",
+ "New password": "Nýtt lykilorð",
+ "Confirm your new password": "Staðfestu nýtt lykilorð",
+ "Send Reset Email": "Senda endurstillingarpóst",
+ "Create an account": "Stofna notandaaðgang",
+ "Incorrect username and/or password.": "Rangt notandanafn og/eða lykilorð.",
+ "Upload an avatar:": "Hlaða inn auðkennismynd:",
+ "Missing password.": "Lykilorð vantar.",
+ "Passwords don't match.": "Lykilorðin samsvara ekki.",
+ "This doesn't look like a valid email address.": "Þetta lítur ekki út eins og gilt tölvupóstfang.",
+ "This doesn't look like a valid phone number.": "Þetta lítur ekki út eins og gilt símanúmer.",
+ "An unknown error occurred.": "Óþekkt villa kom upp.",
+ "Commands": "Skipanir",
+ "Users": "Notendur",
+ "unknown device": "óþekkt tæki",
+ "NOT verified": "EKKI sannreynt",
+ "verified": "sannreynt",
+ "Verification": "Sannvottun",
+ "Ed25519 fingerprint": "Ed25519 fingrafar",
+ "User ID": "Notandaauðkenni",
+ "Curve25519 identity key": "Curve25519 auðkennislykill",
+ "none": "ekkert",
+ "Claimed Ed25519 fingerprint key": "Tilkynnti Ed25519 fingrafarslykil",
+ "Algorithm": "Reiknirit",
+ "unencrypted": "ódulritað",
+ "Decryption error": "Afkóðunarvilla",
+ "Session ID": "Auðkenni setu",
+ "End-to-end encryption information": "Enda-í-enda dulritunarupplýsingar",
+ "Event information": "Upplýsingar um atburð",
+ "Sender device information": "Upplýsingar um tæki sendanda",
+ "Export room keys": "Flytja út dulritunarlykla spjallrásar",
+ "Enter passphrase": "Settu inn lykilsetningu (passphrase)",
+ "Confirm passphrase": "Staðfestu lykilsetningu",
+ "Export": "Flytja út",
+ "Import room keys": "Flytja inn dulritunarlykla spjallrásar",
+ "File to import": "Skrá til að flytja inn",
+ "Import": "Flytja inn",
+ "The platform you're on": "Stýrikerfið sem þú ert á",
+ "The version of Riot.im": "Útgáfan af Riot.im",
+ "Your language of choice": "Tungumálið þitt",
+ "Your homeserver's URL": "Vefslóð á heimaþjóninn þinn",
+ "Your identity server's URL": "Vefslóð á auðkenningarþjóninn þinn",
+ "Review Devices": "Yfirfara tæki",
+ "Call Timeout": "Tímamörk hringingar",
+ "Unable to capture screen": "Get ekki tekið skjámynd",
+ "Name or matrix ID": "Nafn eða Matrix-auðkenni",
+ "Invite to Community": "Bjóða í samfélag",
+ "Add rooms to the community": "Bæta spjallrásum í þetta samfélag",
+ "Add to community": "Bæta í samfélag",
+ "Unable to enable Notifications": "Tekst ekki að virkja tilkynningar",
+ "This email address was not found": "Tölvupóstfangið fannst ekki",
+ "Existing Call": "Fyrirliggjandi samtal",
+ "You are already in a call.": "Þú ert nú þegar í samtali.",
+ "Failed to set up conference call": "Mistókst að setja upp símafund",
+ "Invite new community members": "Bjóða nýjum meðlimum í samfélag",
+ "Which rooms would you like to add to this community?": "Hvaða spjallrásum myndir þú vilja bæta í þetta samfélag?",
+ "Invite new room members": "Bjóða nýjum meðlimum á spjallrás",
+ "Who would you like to add to this room?": "Hverjum myndir þú vilja bæta á þessa spjallrás?",
+ "Send Invites": "Senda boðskort",
+ "Failed to invite user": "Mistókst að bjóða notanda",
+ "Failed to invite": "Mistókst að bjóða",
+ "Reload widget": "Endurlesa viðmótshluta",
+ "Missing roomId.": "Vantar spjallrásarauðkenni.",
+ "/ddg is not a command": "/ddg er ekki skipun",
+ "Ignored user": "Hunsaður notandi",
+ "Device already verified!": "Tæki er þegar sannreynt!",
+ "Verified key": "Staðfestur dulritunarlykill",
+ "Unrecognised command:": "Óþekkt skipun:",
+ "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s breytti umræðuefninu í \"%(topic)s\".",
+ "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s fjarlægði heiti spjallrásarinnar.",
+ "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s breytti heiti spjallrásarinnar í %(roomName)s.",
+ "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s sendi mynd.",
+ "%(senderName)s answered the call.": "%(senderName)s svaraði símtalinu.",
+ "Disinvite": "Taka boð til baka",
+ "Unknown Address": "Óþekkt vistfang",
+ "Delete Widget": "Eyða viðmótshluta",
+ "Delete widget": "Eyða viðmótshluta",
+ "Create new room": "Búa til nýja spjallrás",
+ "were invited %(count)s times|one": "var boðið",
+ "was invited %(count)s times|one": "var boðið",
+ "And %(count)s more...|other": "Og %(count)s til viðbótar...",
+ "ex. @bob:example.com": "t.d. @jon:netfang.is",
+ "Matrix ID": "Matrix-auðkenni",
+ "Matrix Room ID": "Matrix-auðkenni spjallrásar",
+ "Start chatting": "Hefja spjall",
+ "This setting cannot be changed later!": "Ekki er hægt að breyta þessari stillingu síðar!",
+ "Send Custom Event": "Senda sérsniðið atvik",
+ "Event sent!": "Atvik sent!",
+ "State Key": "Stöðulykill",
+ "Explore Room State": "Skoða stöðu spjallrásar",
+ "Explore Account Data": "Skoða aðgangsgögn",
+ "You added a new device '%(displayName)s', which is requesting encryption keys.": "Þú bættir við nýju tæki '%(displayName)s', sem er að krefjast dulritunarlykla.",
+ "Your unverified device '%(displayName)s' is requesting encryption keys.": "ósannvottaða tækið þitt '%(displayName)s' er að krefjast dulritunarlykla.",
+ "Loading device info...": "Hleð inn upplýsingum um tæki...",
+ "Log out and remove encryption keys?": "Skrá út og fjarlægja dulritunarlykla?",
+ "Clear Storage and Sign Out": "Hreinsa gagnageymslu og skrá út",
+ "Unable to restore session": "Tókst ekki að endurheimta setu",
+ "This doesn't appear to be a valid email address": "Þetta lítur ekki út eins og gilt tölvupóstfang",
+ "Unable to add email address": "Get ekki bætt við tölvupóstfangi",
+ "Unable to verify email address.": "Get ekki sannreynt tölvupóstfang.",
+ "Username invalid: %(errMessage)s": "Notandanafn er ógilt: %(errMessage)s",
+ "An error occurred: %(error_string)s": "Villa kom upp: %(error_string)s",
+ "To get started, please pick a username!": "Til að komast í gang, veldu fyrst notandanafn!",
+ "\"%(RoomName)s\" contains devices that you haven't seen before.": "\"%(RoomName)s\" inniheldur tæki sem þú hefur ekki séð áður.",
+ "Private Chat": "Einkaspjall",
+ "Public Chat": "Opinbert spjall",
+ "Collapse Reply Thread": "Fella saman svarþráð",
+ "Sorry, your browser is not able to run Riot.": "Því miður, vafrinn þinn getur ekki keyrt Riot.",
+ "Make this room private": "Gera þessa spjallrás einka",
+ "Encrypt room": "Dulrita spjallrás",
+ "Add a Room": "Bæta við spjallrás",
+ "Add a User": "Bæta við notanda",
+ "Unable to accept invite": "Mistókst að þiggja boð",
+ "Unable to reject invite": "Mistókst að hafna boði",
+ "Unable to join community": "Tókst ekki að ganga í samfélag",
+ "Leave Community": "Hætta í samfélagi",
+ "Leave %(groupName)s?": "Hætta í %(groupName)s?",
+ "Unable to leave community": "Tókst ekki að hætta í samfélagi",
+ "Community Settings": "Samfélagsstillingar",
+ "Featured Rooms:": "Spjallrásir í sviðsljósinu:",
+ "%(inviter)s has invited you to join this community": "%(inviter)s hefur boðið þér að taka þátt í þessu samfélagi",
+ "Join this community": "Taka þátt í þessu samfélagi",
+ "Leave this community": "Hætta í þessu samfélagi",
+ "You are an administrator of this community": "Þú ert kerfisstjóri í þessu samfélagi",
+ "You are a member of this community": "Þú ert meðlimur í þessum hópi",
+ "Who can join this community?": "Hverjir geta tekið þátt í þessu samfélagi?",
+ "Long Description (HTML)": "Tæmandi lýsing (HTML)",
+ "Failed to load %(groupId)s": "Mistókst að hlaða inn %(groupId)s",
+ "Couldn't load home page": "Gat ekki hlaðið inn heimasíðu",
+ "Reject invitation": "Hafna boði",
+ "Are you sure you want to reject the invitation?": "Ertu viss um að þú viljir hafna þessu boði?",
+ "Failed to reject invitation": "Mistókst að hafna boði",
+ "Scroll to bottom of page": "Skruna neðst á síðu",
+ "No more results": "Ekki fleiri niðurstöður",
+ "Unknown room %(roomId)s": "Óþekkt spjallrás %(roomId)s",
+ "Failed to save settings": "Mistókst að vista stillingar",
+ "Failed to reject invite": "Mistókst að hafna boði",
+ "Click to unmute video": "Smelltu til að virkja hljóð í myndskeiði",
+ "Click to mute video": "Smelltu til að þagga niður í myndskeiði",
+ "Click to unmute audio": "Smelltu til að virkja hljóð",
+ "Click to mute audio": "Smelltu til að þagga niður hljóð",
+ "Failed to load timeline position": "Mistókst að hlaða inn staðsetningu á tímalínu",
+ "Uploading %(filename)s and %(count)s others|other": "Sendi inn %(filename)s og %(count)s til viðbótar",
+ "Uploading %(filename)s and %(count)s others|zero": "Sendi inn %(filename)s",
+ "Uploading %(filename)s and %(count)s others|one": "Sendi inn %(filename)s og %(count)s til viðbótar",
+ "Status.im theme": "Status.im þema",
+ "Can't load user settings": "Gat ekki hlaði inn notandastillingum",
+ "Server may be unavailable or overloaded": "Netþjónninn gæti verið undir miklu álagi eða ekki til taks",
+ "Remove Contact Information?": "Fjarlægja upplýsingar um tengilið?",
+ "Remove %(threePid)s?": "Fjarlægja %(threePid)s?",
+ "Unable to remove contact information": "Ekki tókst að fjarlægja upplýsingar um tengilið",
+ "Refer a friend to Riot:": "Mæla með Riot við vin:",
+ "Autocomplete Delay (ms):": "Töf við sjálfvirka klárun (msek):",
+ "": "",
+ "These are experimental features that may break in unexpected ways": "Þetta eru eiginleikar á tilraunastigi sem gætu bilað á óvæntan hátt",
+ "Use with caution": "Notist með varúð",
+ "Clear Cache and Reload": "Hreinsa skyndiminni og endurhlaða",
+ "No Microphones detected": "Engir hljóðnemar fundust",
+ "No Webcams detected": "Engar vefmyndavélar fundust",
+ "Homeserver is": "Heimanetþjónn er",
+ "Sign in to get started": "Skráðu þig inn til að komast í gang",
+ "Failed to fetch avatar URL": "Ekki tókst að sækja slóð á auðkennismynd",
+ "Set a display name:": "Stilltu birtingarnafn:",
+ "Password too short (min %(MIN_PASSWORD_LENGTH)s).": "Lykilorð er of stutt (lágmark %(MIN_PASSWORD_LENGTH)s).",
+ "You need to enter a user name.": "Þú þarft að setja inn notandanafn.",
+ "I already have an account": "Ég er nú þegar með notandaaðgang",
+ "Displays action": "Birtir aðgerð",
+ "Changes your display nickname": "Breytir birtu gælunafni þínu",
+ "Searches DuckDuckGo for results": "Leitar í DuckDuckGo að niðurstöðum",
+ "Results from DuckDuckGo": "Leitarniðurstöður frá DuckDuckGo",
+ "Emoji": "Tjáningartáknmynd",
+ "Notify the whole room": "Tilkynna öllum á spjallrásinni",
+ "Room Notification": "Tilkynning á spjallrás",
+ "Passphrases must match": "Lykilfrasar verða að stemma",
+ "Passphrase must not be empty": "Lykilfrasi má ekki vera auður"
+}
diff --git a/src/i18n/strings/it.json b/src/i18n/strings/it.json
index 068ad01ff1..d877be6c9e 100644
--- a/src/i18n/strings/it.json
+++ b/src/i18n/strings/it.json
@@ -13,8 +13,8 @@
"Cancel": "Annulla",
"Close": "Chiudi",
"Create new room": "Crea una nuova stanza",
- "Custom Server Options": "Opzioni Server Personalizzate",
- "Dismiss": "Scarta",
+ "Custom Server Options": "Opzioni server personalizzate",
+ "Dismiss": "Chiudi",
"Error": "Errore",
"Favourite": "Preferito",
"OK": "OK",
@@ -48,7 +48,7 @@
"Edit": "Modifica",
"This email address is already in use": "Questo indirizzo e-mail è già in uso",
"This phone number is already in use": "Questo numero di telefono è già in uso",
- "Failed to verify email address: make sure you clicked the link in the email": "Impossibile verificare l'indirizzo e-mail: accertati di aver cliccato il link nella e-mail",
+ "Failed to verify email address: make sure you clicked the link in the email": "Impossibile verificare l'indirizzo e-mail: assicurati di aver cliccato il link nell'e-mail",
"VoIP is unsupported": "VoIP non supportato",
"You cannot place VoIP calls in this browser.": "Non puoi effettuare chiamate VoIP con questo browser.",
"You cannot place a call with yourself.": "Non puoi chiamare te stesso.",
@@ -95,10 +95,10 @@
"The version of Riot.im": "La versione di Riot.im",
"Whether or not you're logged in (we don't record your user name)": "Se hai eseguito l'accesso o meno (non registriamo il tuo nome utente)",
"Your language of choice": "La lingua scelta",
- "Which officially provided instance you are using, if any": "Quale istanza fornita ufficialmente stai usando, se presente",
- "Whether or not you're using the Richtext mode of the Rich Text Editor": "Se stai usando o meno la modalità Richtext dell'editor Rich Text",
- "Your homeserver's URL": "L'URL del tuo homeserver",
- "Your identity server's URL": "L'URL del tuo server di identità",
+ "Which officially provided instance you are using, if any": "Quale istanza ufficialmente fornita stai usando, se ne usi una",
+ "Whether or not you're using the Richtext mode of the Rich Text Editor": "Se stai usando o meno la modalità richtext dell'editor con testo arricchito",
+ "Your homeserver's URL": "L'URL del tuo server home",
+ "Your identity server's URL": "L'URL del tuo server identità",
"Analytics": "Statistiche",
"The information being sent to us to help make Riot.im better includes:": "Le informazioni inviate per aiutarci a migliorare Riot.im includono:",
"Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "Se questa pagina include informazioni identificabili, come una stanza, utente o ID di gruppo, questi dati sono rimossi prima che vengano inviati al server.",
@@ -160,10 +160,8 @@
"You are not in this room.": "Non sei in questa stanza.",
"You do not have permission to do that in this room.": "Non hai l'autorizzazione per farlo in questa stanza.",
"Missing room_id in request": "Manca l'id_stanza nella richiesta",
- "Must be viewing a room": "Devi vedere una stanza",
"Room %(roomId)s not visible": "Stanza %(roomId)s non visibile",
"Missing user_id in request": "Manca l'id_utente nella richiesta",
- "Failed to lookup current room": "Impossibile cercare la stanza attuale",
"Usage": "Utilizzo",
"/ddg is not a command": "/ddg non è un comando",
"To use it, just wait for autocomplete results to load and tab through them.": "Per usarlo, attendi l'autocompletamento dei risultati e selezionali con tab.",
@@ -212,9 +210,9 @@
"%(senderName)s made future room history visible to all room members.": "%(senderName)s ha reso visibile la futura cronologia della stanza a tutti i membri della stanza.",
"%(senderName)s made future room history visible to anyone.": "%(senderName)s ha reso visibile la futura cronologia della stanza a tutti.",
"%(senderName)s made future room history visible to unknown (%(visibility)s).": "%(senderName)s ha reso visibile la futura cronologia della stanza a (%(visibility)s) sconosciuto.",
- "%(senderName)s turned on end-to-end encryption (algorithm %(algorithm)s).": "%(senderName)s ha attivato la crottografia end-to-end (algoritmo %(algorithm)s).",
+ "%(senderName)s turned on end-to-end encryption (algorithm %(algorithm)s).": "%(senderName)s ha attivato la crittografia end-to-end (algoritmo %(algorithm)s).",
"%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s da %(fromPowerLevel)s a %(toPowerLevel)s",
- "%(senderName)s changed the pinned messages for the room.": "%(senderName)s ha cambiato il messaggio ancorato della stanza.",
+ "%(senderName)s changed the pinned messages for the room.": "%(senderName)s ha cambiato i messaggi ancorati della stanza.",
"%(widgetName)s widget modified by %(senderName)s": "Widget %(widgetName)s modificato da %(senderName)s",
"%(widgetName)s widget added by %(senderName)s": "Widget %(widgetName)s aggiunto da %(senderName)s",
"%(widgetName)s widget removed by %(senderName)s": "Widget %(widgetName)s rimosso da %(senderName)s",
@@ -231,7 +229,6 @@
"Not a valid Riot keyfile": "Non è una chiave di Riot valida",
"Authentication check failed: incorrect password?": "Controllo di autenticazione fallito: password sbagliata?",
"Failed to join room": "Accesso alla stanza fallito",
- "Tag Panel": "Pannello etichette",
"Disable Emoji suggestions while typing": "Disattiva i suggerimenti delle emoji durante la digitazione",
"Use compact timeline layout": "Usa impaginazione cronologia compatta",
"Hide join/leave messages (invites/kicks/bans unaffected)": "Nascondi i messaggi di entrata/uscita (inviti/kick/ban esclusi)",
@@ -677,7 +674,7 @@
"Start Chatting": "Inizia a chattare",
"Confirm Removal": "Conferma la rimozione",
"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.": "Sei sicuro di volere rimuovere (eliminare) questo evento? Nota che se elimini il nome di una stanza o la modifica di un argomento, potrebbe annullare la modifica.",
- "Community IDs cannot not be empty.": "Gli ID della comunità non possono essere vuoti.",
+ "Community IDs cannot be empty.": "Gli ID della comunità non possono essere vuoti.",
"Community IDs may only contain characters a-z, 0-9, or '=_-./'": "Gli ID della comunità devono contenere solo caratteri a-z, 0-9, or '=_-./'",
"Something went wrong whilst creating your community": "Qualcosa è andato storto nella creazione della tua comunità",
"Create Community": "Crea una comunità",
@@ -794,8 +791,6 @@
"Error whilst fetching joined communities": "Errore nella rilevazione delle comunità a cui ti sei unito",
"Create a new community": "Crea una nuova comunità",
"Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.": "Crea una comunità per raggruppare utenti e stanze! Crea una pagina iniziale personalizzata per stabilire il tuo spazio nell'universo di Matrix.",
- "Join an existing community": "Unisciti ad una comunità esistente",
- "To join an existing community you'll have to know its community identifier; this will look something like +example:matrix.org .": "Per unirti ad una comunità esistente devi conoscere il suo identificativo; è qualcosa del tipo +esempio:matrix.org .",
"You have no visible notifications": "Non hai alcuna notifica visibile",
"Scroll to bottom of page": "Scorri in fondo alla pagina",
"Message not sent due to unknown devices being present": "Messaggio non inviato data la presenza di dispositivi sconosciuti",
@@ -909,7 +904,6 @@
"Error: Problem communicating with the given homeserver.": "Errore: problema di comunicazione con l'homeserver dato.",
"Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts .": "Impossibile connettersi all'homeserver via HTTP quando c'è un URL HTTPS nella barra del tuo browser. Usa HTTPS o attiva gli script non sicuri .",
"Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Impossibile connettersi all'homeserver - controlla la tua connessione, assicurati che il certificato SSL dell'homeserver sia fidato e che un'estensione del browser non stia bloccando le richieste.",
- "Login as guest": "Accedi come ospite",
"Sign in to get started": "Accedi per iniziare",
"Failed to fetch avatar URL": "Ricezione URL dell'avatar fallita",
"Set a display name:": "Imposta un nome visualizzato:",
@@ -1117,12 +1111,11 @@
"Messages in group chats": "Messaggi nelle chat di gruppo",
"Yesterday": "Ieri",
"Error encountered (%(errorDetail)s).": "Errore riscontrato (%(errorDetail)s).",
- "Login": "Entra",
+ "Login": "Accedi",
"Low Priority": "Priorità bassa",
"What's New": "Novità",
"Set Password": "Imposta Password",
"Enable audible notifications in web client": "Abilita notifiche audio nel client web",
- "Permalink": "Link permanente",
"Off": "Spento",
"#example": "#esempio",
"Mentions only": "Solo le citazioni",
@@ -1159,11 +1152,141 @@
"Refresh": "Aggiorna",
"We encountered an error trying to restore your previous session.": "Abbiamo riscontrato un errore tentando di ripristinare la tua sessione precedente.",
"Send analytics data": "Invia dati statistici",
- "Help improve Riot by sending usage data? This will use a cookie. (See our cookie and privacy policies ).": "Aiutare a migliorare Riot inviando statistiche d'uso? Verrà usato un cookie. (Vedi la nostra politica sui cookie e sulla privacy ).",
- "Help improve Riot by sending usage data? This will use a cookie.": "Aiutare a migliorare Riot inviando statistiche d'uso? Verrà usato un cookie.",
- "Yes please": "Sì grazie",
"Clear Storage and Sign Out": "Elimina lo storage e disconnetti",
"Send Logs": "Invia i log",
"Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Eliminare lo storage del browser potrebbe risolvere il problema, ma verrai disconnesso e la cronologia delle chat criptate sarà illeggibile.",
- "Collapse Reply Thread": "Riduci finestra di risposta"
+ "Collapse Reply Thread": "Riduci finestra di risposta",
+ "e.g. %(exampleValue)s": "es. %(exampleValue)s",
+ "Reload widget": "Ricarica widget",
+ "To notify everyone in the room, you must be a": "Per notificare chiunque nella stanza, devi essere un",
+ "Please help improve Riot.im by sending anonymous usage data . This will use a cookie (please see our Cookie Policy ).": "Per favore aiuta a migliorare Riot.im inviando dati di utilizzo anonimi . Verrà usato un cookie (vedi la nostra politica sui cookie ).",
+ "Please help improve Riot.im by sending anonymous usage data . This will use a cookie.": "Per favore aiutaci a migliorare Riot.im inviando dati di utilizzo anonimi . Verrà usato un cookie.",
+ "Yes, I want to help!": "Sì, voglio aiutare!",
+ "Warning: This widget might use cookies.": "Attenzione: questo widget potrebbe usare cookie.",
+ "This will make your account permanently unusable. You will not be able to log in, and no one will be able to re-register the same user ID. This will cause your account to leave all rooms it is participating in, and it will remove your account details from your identity server. This action is irreversible. ": "Il tuo account sarà permanentemente inutilizzabile. Non potrai accedere e nessuno potrà ri-registrare lo stesso ID utente. Il tuo account abbandonerà tutte le stanze a cui partecipa e i dettagli del tuo account saranno rimossi dal server di identità. Questa azione è irreversibile. ",
+ "Deactivating your account does not by default cause us to forget messages you have sent. If you would like us to forget your messages, please tick the box below.": "Disattivare il tuo account non eliminerà in modo predefinito i messaggi che hai inviato . Se vuoi che noi dimentichiamo i tuoi messaggi, seleziona la casella sotto.",
+ "Message visibility in Matrix is similar to email. Our forgetting your messages means that messages you have sent will not be shared with any new or unregistered users, but registered users who already have access to these messages will still have access to their copy.": "La visibilità dei messaggi in Matrix è simile alle email. Se dimentichiamo i messaggi significa che quelli che hai inviato non verranno condivisi con alcun utente nuovo o non registrato, ma gli utenti registrati che avevano già accesso ai messaggi avranno ancora accesso alla loro copia.",
+ "Please forget all messages I have sent when my account is deactivated (Warning: this will cause future users to see an incomplete view of conversations)": "Per favore dimenticate tutti i messaggi che ho inviato quando il mio account viene disattivato (Attenzione: gli utenti futuri vedranno un elenco incompleto di conversazioni)",
+ "To continue, please enter your password:": "Per continuare, inserisci la tua password:",
+ "password": "password",
+ "Can't leave Server Notices room": "Impossibile abbandonare la stanza Notifiche Server",
+ "This room is used for important messages from the Homeserver, so you cannot leave it.": "Questa stanza viene usata per messaggi importanti dall'homeserver, quindi non puoi lasciarla.",
+ "Terms and Conditions": "Termini e condizioni",
+ "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Per continuare a usare l'homeserver %(homeserverDomain)s devi leggere e accettare i nostri termini e condizioni.",
+ "Review terms and conditions": "Leggi i termini e condizioni",
+ "Muted Users": "Utenti silenziati",
+ "Message Pinning": "Messaggi appuntati",
+ "Mirror local video feed": "Feed video dai ripetitori locali",
+ "Replying": "Rispondere",
+ "Popout widget": "Oggetto a comparsa",
+ "Failed to indicate account erasure": "Impossibile indicare la cancellazione dell'account",
+ "Bulk Options": "Opzioni applicate in massa",
+ "Encrypting": "Cifratura...",
+ "Encrypted, not sent": "Cifrato, non inviato",
+ "Share Link to User": "Condividi link con utente",
+ "Share room": "Condividi stanza",
+ "Share Room": "Condividi stanza",
+ "Link to most recent message": "Link al messaggio più recente",
+ "Share User": "Condividi utente",
+ "Share Community": "Condividi comunità",
+ "Share Room Message": "Condividi messaggio stanza",
+ "Link to selected message": "Link al messaggio selezionato",
+ "COPY": "COPIA",
+ "Share Message": "Condividi messaggio",
+ "No Audio Outputs detected": "Nessuna uscita audio rilevata",
+ "Audio Output": "Uscita audio",
+ "Try the app first": "Prova prima l'app",
+ "A conference call could not be started because the intgrations server is not available": "La chiamata di gruppo non può essere iniziata perchè il server di integrazione non è disponibile",
+ "Call in Progress": "Chiamata in corso",
+ "A call is already in progress!": "Una chiamata è già in corso!",
+ "Permission Required": "Permesso richiesto",
+ "You do not have permission to start a conference call in this room": "Non hai il permesso di iniziare una chiamata di gruppo in questa stanza",
+ "Jitsi Conference Calling": "Chiamata di gruppo Jitsi",
+ "Show empty room list headings": "Mostra le intestazioni dell'elenco delle stanze vuote",
+ "This event could not be displayed": "Questo evento non può essere mostrato",
+ "Demote yourself?": "Retrocedi?",
+ "Demote": "Retrocedi",
+ "deleted": "cancellato",
+ "underlined": "sottolineato",
+ "inline-code": "codice in linea",
+ "block-quote": "citazione",
+ "bulleted-list": "lista a punti",
+ "numbered-list": "lista a numeri",
+ "You have no historical rooms": "Non ci sono stanze storiche",
+ "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "Nelle stanze criptate, come questa, le anteprime degli URL sono disabilitate di default per garantire che il tuo server di casa (dove vengono generate le anteprime) non possa raccogliere informazioni sui collegamenti che vedi in questa stanza.",
+ "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Quando qualcuno inserisce un URL nel proprio messaggio, è possibile mostrare un'anteprima dell'URL per fornire maggiori informazioni su quel collegamento, come il titolo, la descrizione e un'immagine dal sito web.",
+ "The email field must not be blank.": "Il campo email non deve essere vuoto.",
+ "The user name field must not be blank.": "Il campo nome utente non deve essere vuoto.",
+ "The phone number field must not be blank.": "Il campo telefono non deve essere vuoto.",
+ "The password field must not be blank.": "Il campo passwordl non deve essere vuoto.",
+ "You can't send any messages until you review and agree to our terms and conditions .": "Non è possibile inviare alcun messaggio fino a quando non si esaminano e si accettano i nostri termini e condizioni permissionLink>.",
+ "A call is currently being placed!": "Attualmente è in corso una chiamata!",
+ "System Alerts": "Avvisi di sistema",
+ "This homeserver has hit its Monthly Active User limit. Please contact your service administrator to continue using the service.": "L'homeserver ha raggiunto il suo limite di utenti attivi mensili. Contatta l'amministratore del servizio per continuare ad usarlo.",
+ "This homeserver has hit its Monthly Active User limit so some users will not be able to log in. Please contact your service administrator to get this limit increased.": "Questo homeserver ha raggiunto il suo limite di utenti attivi mensili, perciò alcuni utenti non potranno accedere. Contatta l'amministratore del servizio per fare aumentare questo limite.",
+ "Failed to remove widget": "Rimozione del widget fallita",
+ "An error ocurred whilst trying to remove the widget from the room": "Si è verificato un errore tentando di rimuovere il widget dalla stanza",
+ "Your message wasn’t sent because this homeserver has hit its Monthly Active User Limit. Please contact your service administrator to continue using the service.": "Il tuo messaggio non è stato inviato perchè questo homeserver ha raggiunto il suo limite di utenti attivi mensili. Contatta l'amministratore del servizio per continuare ad usarlo.",
+ "This homeserver has hit its Monthly Active User limit": "Questo homeserver ha raggiunto il suo limite di utenti attivi mensili",
+ "Please contact your service administrator to continue using this service.": "Contatta l'amministratore del servizio per continuare ad usarlo.",
+ "Internal room ID: ": "ID interno della stanza: ",
+ "Room version number: ": "Numero di versione della stanza: ",
+ "There is a known vulnerability affecting this room.": "C'è una vulnerabilità nota che affligge questa stanza.",
+ "This room version is vulnerable to malicious modification of room state.": "La versione di questa stanza è vulnerabile a modifiche malevole dello stato della stanza.",
+ "Click here to upgrade to the latest room version and ensure room integrity is protected.": "Clicca qui per aggiornare all'ultima versione ed assicurare che l'integrità della stanza sia protetta.",
+ "Only room administrators will see this warning": "Solo gli amministratori della stanza vedranno questo avviso",
+ "Please contact your service administrator to continue using the service.": "Contatta l'amministratore del servizio per continuare ad usarlo.",
+ "This homeserver has hit its Monthly Active User limit.": "Questo homeserver ha raggiunto il suo limite di utenti attivi mensili.",
+ "This homeserver has exceeded one of its resource limits.": "Questo homeserver ha oltrepassato uno dei suoi limiti di risorse.",
+ "Please contact your service administrator to get this limit increased.": "Contatta l'amministratore del servizio per fare aumentare questo limite.",
+ "This homeserver has hit its Monthly Active User limit so some users will not be able to log in .": "Questo homeserver ha raggiunto il suo limite di utenti attivi mensili, perciò alcuni utenti non potranno accedere .",
+ "This homeserver has exceeded one of its resource limits so some users will not be able to log in .": "Questo homeserver ha oltrepassato uno dei suoi limiti di risorse, perciò alcuni utenti non potranno accedere .",
+ "Upgrade Room Version": "Aggiorna versione stanza",
+ "Upgrading this room requires closing down the current instance of the room and creating a new room it its place. To give room members the best possible experience, we will:": "L'aggiornamento di questa stanza richiede la chiusura dell'istanza attuale e la creazione di una nuova stanza al suo posto. Per offrire la migliore esperienza possibile ai membri della stanza, noi:",
+ "Create a new room with the same name, description and avatar": "Creeremo una nuova stanza con lo stesso nome, descrizione e avatar",
+ "Update any local room aliases to point to the new room": "Aggiorneremo qualsiasi alias di stanza in modo che punti a quella nuova",
+ "Stop users from speaking in the old version of the room, and post a message advising users to move to the new room": "Eviteremo che gli utenti parlino nella vecchia versione della stanza e posteremo un messaggio avvisando gli utenti di spostarsi in quella nuova",
+ "Put a link back to the old room at the start of the new room so people can see old messages": "Inseriremo un link alla vecchia stanza all'inizio della di quella nuova in modo che la gente possa vedere i messaggi precedenti",
+ "Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please contact your service administrator to continue using the service.": "Il tuo messaggio non è stato inviato perchè questo homeserver ha raggiunto il suo limite di utenti attivi mensili. Contatta l'amministratore del servizio per continuare ad usarlo.",
+ "Your message wasn't sent because this homeserver has exceeded a resource limit. Please contact your service administrator to continue using the service.": "Il tuo messaggio non è stato inviato perchè questo homeserver ha oltrepassato un limite di risorse. Contatta l'amministratore del servizio per continuare ad usarlo.",
+ "Please contact your service administrator to continue using this service.": "Contatta l'amministratore del servizio per continuare ad usarlo.",
+ "Increase performance by only loading room members on first view": "Aumenta le prestazioni caricando solo i membri della stanza alla prima occhiata",
+ "Sorry, your homeserver is too old to participate in this room.": "Spiacenti, il tuo homeserver è troppo vecchio per partecipare a questa stanza.",
+ "Please contact your homeserver administrator.": "Contatta l'amministratore del tuo homeserver.",
+ "Lazy loading members not supported": "Il caricamento lento dei membri non è supportato",
+ "Lazy loading is not supported by your current homeserver.": "Il caricamento lento non è supportato dal tuo attuale homeserver.",
+ "Legal": "Informazioni legali",
+ "Forces the current outbound group session in an encrypted room to be discarded": "Forza l'eliminazione dell'attuale sessione di gruppo in uscita in una stanza criptata",
+ "Error Discarding Session": "Errore nell'eliminazione della sessione",
+ "This room has been replaced and is no longer active.": "Questa stanza è stata sostituita e non è più attiva.",
+ "The conversation continues here.": "La conversazione continua qui.",
+ "Upgrade room to version %(ver)s": "Aggiorna la stanza alla versione %(ver)s",
+ "This room is a continuation of another conversation.": "Questa stanza è la continuazione di un'altra conversazione.",
+ "Click here to see older messages.": "Clicca qui per vedere i messaggi precedenti.",
+ "Failed to upgrade room": "Aggiornamento stanza fallito",
+ "The room upgrade could not be completed": "Non è stato possibile completare l'aggiornamento della stanza",
+ "Upgrade this room to version %(version)s": "Aggiorna questa stanza alla versione %(version)s",
+ "Registration Required": "Registrazione necessaria",
+ "You need to register to do this. Would you like to register now?": "Devi registrarti per eseguire questa azione. Vuoi registrarti ora?",
+ "Unable to connect to Homeserver. Retrying...": "Impossibile connettersi all'homeserver. Riprovo...",
+ "Unable to query for supported registration methods": "Impossibile richiedere i metodi di registrazione supportati",
+ "%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|one": "%(senderName)s ha aggiunto %(addedAddresses)s come indirizzo per questa stanza.",
+ "%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|other": "%(senderName)s ha aggiunto %(addedAddresses)s come indirizzi per questa stanza.",
+ "%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|one": "%(senderName)s ha rimosso %(removedAddresses)s tra gli indirizzi di questa stanza.",
+ "%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|other": "%(senderName)s ha rimosso %(removedAddresses)s tra gli indirizzi di questa stanza.",
+ "%(senderName)s added %(addedAddresses)s and removed %(removedAddresses)s as addresses for this room.": "%(senderName)s ha aggiunto %(addedAddresses)s e rimosso %(removedAddresses)s tra gli indirizzi di questa stanza.",
+ "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s ha messo %(address)s come indirizzo principale per questa stanza.",
+ "%(senderName)s removed the main address for this room.": "%(senderName)s ha rimosso l'indirizzo principale di questa stanza.",
+ "Before submitting logs, you must create a GitHub issue to describe your problem.": "Prima di inviare i log, devi creare una segnalazione su GitHub per descrivere il tuo problema.",
+ "What GitHub issue are these logs for?": "Per quale segnalazione su GitHub sono questi log?",
+ "Riot now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "Riot ora usa da 3 a 5 volte meno memoria, caricando le informazioni degli altri utenti solo quando serve. Si prega di attendere mentre ci risincronizziamo con il server!",
+ "Updating Riot": "Aggiornamento di Riot",
+ "HTML for your community's page \r\n\r\n Use the long description to introduce new members to the community, or distribute\r\n some important links \r\n
\r\n\r\n You can even use 'img' tags\r\n
\r\n": "HTML per la pagina della tua comunità \n\n Usa la descrizione estesa per introdurre i nuovi membri alla comunità, o distribuire alcuni link importanti\n
\n\n Puoi anche usare i tag 'img'\n
\n",
+ "Submit Debug Logs": "Invia log di debug",
+ "An email address is required to register on this homeserver.": "È necessario un indirizzo email per registrarsi in questo homeserver.",
+ "A phone number is required to register on this homeserver.": "È necessario un numero di telefono per registrarsi in questo homeserver.",
+ "You've previously used Riot on %(host)s with lazy loading of members enabled. In this version lazy loading is disabled. As the local cache is not compatible between these two settings, Riot needs to resync your account.": "Hai usato Riot precedentemente su %(host)s con il caricamento lento dei membri attivato. In questa versione il caricamento lento è disattivato. Dato che la cache locale non è compatibile tra queste due impostazioni, Riot deve risincronizzare il tuo account.",
+ "If the other version of Riot is still open in another tab, please close it as using Riot on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "Se l'altra versione di Riot è ancora aperta in un'altra scheda, chiudila perchè usare Riot nello stesso host con il caricamento lento sia attivato che disattivato può causare errori.",
+ "Incompatible local cache": "Cache locale non compatibile",
+ "Clear cache and resync": "Svuota cache e risincronizza"
}
diff --git a/src/i18n/strings/ja.json b/src/i18n/strings/ja.json
index 80bd4f1ff5..741de4b551 100644
--- a/src/i18n/strings/ja.json
+++ b/src/i18n/strings/ja.json
@@ -223,7 +223,6 @@
"Event Type": "イベントの形式",
"What's New": "新着",
"Enable audible notifications in web client": "ウェブクライアントで音による通知を有効化",
- "Permalink": "パーマリンク",
"remove %(name)s from the directory.": "ディレクトリから %(name)s を消去する。",
"Riot does not know how to join a room on this network": "Riotはこのネットワークで部屋に参加する方法を知りません",
"You can now return to your account after signing out, and sign in on other devices.": "サインアウト後にあなたの\nアカウントに戻る、また、他の端末でサインインすることができます。",
diff --git a/src/i18n/strings/jbo.json b/src/i18n/strings/jbo.json
new file mode 100644
index 0000000000..8286a3f70b
--- /dev/null
+++ b/src/i18n/strings/jbo.json
@@ -0,0 +1,315 @@
+{
+ "This email address is already in use": ".i ca'o pilno le ve samymri",
+ "This phone number is already in use": ".i ca'o pilno le fonjudri",
+ "Failed to verify email address: make sure you clicked the link in the email": ".i na pu facki lo du'u xu kau do ponse le skami te mrilu .i ko birti lo du'u do pu skami cuxna le urli pe le se samymri",
+ "The platform you're on": "le ciste poi do pilno",
+ "The version of Riot.im": "le farvi tcini be la nu zunti",
+ "Whether or not you're logged in (we don't record your user name)": "lo du'u xu kau do cmisau to na vreji le do plicme toi",
+ "Your language of choice": "le se cuxna be fi lo'i bangu",
+ "Which officially provided instance you are using, if any": "le klesi poi ca'irselzau se sabji poi do pilno",
+ "Whether or not you're using the Richtext mode of the Rich Text Editor": "lo du'u xu kau do pilno la .markdaun. lo nu ciski",
+ "Your homeserver's URL": "le urli be le do samtcise'u",
+ "Your identity server's URL": "le urli be le do prenu datni samtcise'u",
+ "e.g. %(exampleValue)s": "mu'a zoi gy. %(exampleValue)s .gy.",
+ "Every page you use in the app": "ro lo pagbu poi do pilno pe le samtci",
+ "e.g. ": "mu'a zoi urli. .urli",
+ "Your User Agent": "le datni be lo do kibyca'o",
+ "Your device resolution": "le ni vidnysle",
+ "Analytics": "lo se lanli datni",
+ "The information being sent to us to help make Riot.im better includes:": ".i ti liste lo datni poi se dunda fi lo favgau te zu'e lo nu xagzengau la nu zunti",
+ "Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": ".i pu lo nu benji fi lo samtcise'u cu vimcu lo datni poi termi'u no'u mu'a lo termi'u be lo kumfa pe'a .o nai lo pilno .o nai lo girzu",
+ "Call Failed": ".i pu fliba lo nu fonjo'e",
+ "There are unknown devices in this room: if you proceed without verifying them, it will be possible for someone to eavesdrop on your call.": ".i da poi no'e slabu samtciselse'u cu zvati le kumfa pe'a .i je lo nu lo drata cu tirna lo nu fonjo'e cu cumki lo nu do na'e lacri da",
+ "Review Devices": "za'u re'u viska lo liste be lo samtciselse'u",
+ "Call Anyway": "je'e fonjo'e",
+ "Answer Anyway": "je'e spuda",
+ "Call": "fonjo'e",
+ "Answer": "spuda",
+ "You are already in a call.": ".i do ca'o pu zvati lo nu fonjo'e",
+ "VoIP is unsupported": ".i na kakne tu'a la .voip.",
+ "You cannot place VoIP calls in this browser.": ".i le kibyca'o na kakne tu'a la .voip.",
+ "You cannot place a call with yourself.": ".i lo nu do fonjo'e do na cumki",
+ "Call in Progress": ".i ca'o nu fonjo'e",
+ "A call is currently being placed!": ".i pu'o nu fonjo'e",
+ "A call is already in progress!": ".i ca'o drata nu fonjo'e",
+ "Permission Required": ".i do notci lo nu curmi",
+ "You do not have permission to start a conference call in this room": ".i na curmi lo nu do co'a nunjmaji fonjo'e ne'i le kumfa pe'a",
+ "The file '%(fileName)s' failed to upload": ".i pu fliba lo nu kibdu'a la'o ly. %(fileName)s .ly.",
+ "The file '%(fileName)s' exceeds this home server's size limit for uploads": ".i le datnyvei no'u la'o ly. %(fileName)s .ly. zmadu lo jimte be lo se kibdu'a bei lo ka barda be'o pe le samtcise'u",
+ "Upload Failed": ".i pu fliba lo nu kibdu'a",
+ "Failure to create room": ".i fliba lo nu zbasu lo kumfa pe'a",
+ "Call Timeout": ".i mutce temci lo nu co'a fonjo'e",
+ "The remote side failed to pick up": ".i lo se fonjo'e na pu spuda",
+ "Unable to capture screen": ".i na kakne lo nu benji lo vidvi be lo vidni",
+ "Existing Call": ".i ca'o pu fonjo'e",
+ "Could not connect to the integration server": ".i na kakne lo nu co'a samjo'e le jmina samtcise'u",
+ "A conference call could not be started because the intgrations server is not available": ".i na kakne lo nu co'a jmaji fonjo'e kei ri'a lo nu na kakne lo nu co'a samjo'e le jmina samtcise'u",
+ "Server may be unavailable, overloaded, or you hit a bug.": ".i la'a cu'i lo samtcise'u cu spofu gi'a mutce gunka .i ja samcfi",
+ "Send anyway": "je'e benji",
+ "Send": "benji",
+ "Sun": "nondei",
+ "Mon": "pavdei",
+ "Tue": "reldei",
+ "Wed": "cibdei",
+ "Thu": "vondei",
+ "Fri": "mumdei",
+ "Sat": "xavdei",
+ "Jan": "pa",
+ "Feb": "re",
+ "Mar": "ci",
+ "Apr": "vo",
+ "May": "mu",
+ "Jun": "xa",
+ "Jul": "ze",
+ "Aug": "bi",
+ "Sep": "so",
+ "Oct": "pa no",
+ "Nov": "pa pa",
+ "Dec": "pa re",
+ "PM": "su'i pa re",
+ "AM": "su'i no",
+ "%(weekDayName)s %(time)s": "de'i lo %(weekDayName)s ti'u li %(time)s",
+ "%(weekDayName)s, %(monthName)s %(day)s %(time)s": "de'i li %(day)s pi'e %(monthName)s noi %(weekDayName)s ge'u ti'u li %(time)s",
+ "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "de'i li %(day)s pi'e %(monthName)s pi'e %(fullYear)s noi %(weekDayName)s",
+ "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "de'i li %(day)s pi'e %(monthName)s pi'e %(fullYear)s noi %(weekDayName)s ge'u ti'u li %(time)s",
+ "Who would you like to add to this community?": ".i do djica lo nu jmina ma le girzu",
+ "Warning: any person you add to a community will be publicly visible to anyone who knows the community ID": ".i ju'i lo djuno be lo judri be lo girzu cu kakne lo nu viska lo liste be ro lo prenu poi se jmina do gy.",
+ "Invite new community members": "vi'ecpe lo prenu poi cnino le girzu",
+ "Name or matrix ID": "lo cmene .o nai lo judri be fi la nacmeimei",
+ "Invite to Community": "vi'ecpe fi le girzu",
+ "Which rooms would you like to add to this community?": ".i do djica lo nu jmina ma poi kumfa pe'a po'u le girzu",
+ "Show these rooms to non-members on the community page and room list?": ".i .au pei le kumfa cu gubni zvati le girzu pagbu .e le liste be lo'i kumfa pe'a",
+ "Add rooms to the community": "jmina lo kumfa pe'a le girzu",
+ "Room name or alias": "lo cmene ja datcme be lo kumfa",
+ "Add to community": "jmina fi le girzu",
+ "Failed to invite the following users to %(groupId)s:": "lo pilno poi fliba lo nu vi'ecpe ke'a la'o ny. %(groupId)s .ny.",
+ "Failed to invite users to community": ".i pu fliba lo nu vi'ecpe lo pilno le girzu",
+ "Failed to invite users to %(groupId)s": ".i pu fliba lo nu vi'ecpe lo pilno la'o ny. %(groupId)s .ny.",
+ "Failed to add the following rooms to %(groupId)s:": "lo kumfa pe'a poi fliba lo nu jmina ke'a la'o ny. %(groupId)s .ny.",
+ "Unnamed Room": "lo kumfa pe'a noi no da cmene",
+ "Riot does not have permission to send you notifications - please check your browser settings": ".i na curmi lo nu la nu zunti cu benji lo sajgau do .i .e'o do cipcta lo te cuxna pe le do kibyca'o",
+ "Riot was not given permission to send notifications - please try again": ".i na pu curmi lo nu la nu zunti cu benji lo sajgau .i .e'o do za'u re'u troci",
+ "Unable to enable Notifications": ".i na kakne lo nu co'a kakne lo nu benji lo sajgau",
+ "This email address was not found": ".i na pu facki fi le ve samymri",
+ "Your email address does not appear to be associated with a Matrix ID on this Homeserver.": ".i za'a le ve samymri be fo do cu ckini no lo judri be fi la nacmeimei be'o pe le samtcise'u",
+ "Registration Required": ".i .ei do se cmeveigau",
+ "You need to register to do this. Would you like to register now?": ".i lo nu cmeveigau do sarcu ti .i do ca .au pei cmeveigau do",
+ "Register": "cmeveigau",
+ "Default": "lo zmiselcu'a",
+ "Restricted": "li so'u",
+ "Moderator": "li so'i",
+ "Admin": "li ro",
+ "Start a chat": "lo nu co'a tavla",
+ "Who would you like to communicate with?": ".i .au dai do tavla ma",
+ "Email, name or matrix ID": "lo ve samymri .o nai lo cmene .o nai lo judri be fi la nacmeimei",
+ "Start Chat": "co'a tavla",
+ "Invite new room members": "vi'ecpe lo cnino prenu",
+ "Who would you like to add to this room?": ".i .au dai do jmina ma le kumfa pe'a",
+ "Send Invites": "mrilu lo ve vi'ecpe",
+ "Power level must be positive integer.": ".i .ei lo ni vlipa cu kacna'u",
+ "%(senderName)s changed the power level of %(powerLevelDiffText)s.": ".i la'o ly. %(senderName)s .ly. gafygau %(powerLevelDiffText)s",
+ "Failed to change power level": ".i pu fliba lo nu gafygau lo ni vlipa",
+ "%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "lo ni la'o ny. %(userId)s .ny. vlipa noi pu du %(fromPowerLevel)s ku %(toPowerLevel)s",
+ "Failed to invite user": ".i pu fliba lo nu vi'ecpe le pilno",
+ "Operation failed": ".i pu fliba",
+ "Failed to invite": ".i pu fliba lo nu vi'ecpe",
+ "Failed to invite the following users to the %(roomName)s room:": "lo pilno poi fliba lo nu vi'ecpe ke'a la'o ly. %(roomName)s .ly. noi kumfa pe'a",
+ "You need to be logged in.": ".i .ei do cmisau",
+ "You need to be able to invite users to do that.": ".i lo nu do kakne lo nu vi'ecpe lo pilno cu sarcu ta",
+ "Unable to create widget.": ".i na kakne lo nu zbasu lo uidje",
+ "Missing roomId.": ".i claxu lo judri be lo kumfa pe'a",
+ "Failed to send request.": ".i pu fliba lo nu benji lo ve cpedu",
+ "This room is not recognised.": ".i na sanji le kumfa pe'a",
+ "You are not in this room.": ".i do na zvati le kumfa pe'a",
+ "You do not have permission to do that in this room.": ".i ne'i le kumfa pe'a na curmi ta poi do troci",
+ "Missing room_id in request": ".i lo ve cpedu cu claxu lo judri be lo kumfa pe'a",
+ "Room %(roomId)s not visible": ".i na kakne lo nu viska la'o ly. %(roomId)s .ly. noi kumfa pe'a",
+ "Missing user_id in request": ".i lo ve cpedu cu claxu lo judri be lo pilno",
+ "Usage": "lo tadji be lo nu pilno",
+ "Searches DuckDuckGo for results": ".i sisku se pi'o la datkysisku",
+ "/ddg is not a command": "zoi ny. /ddg .ny. na nu minde",
+ "Changes your display nickname": ".i galfi le do cmene",
+ "Changes colour scheme of current room": ".i gafygau lo se skari be le kumfa pe'a",
+ "Sets the room topic": ".i ninga'igau lo se casnu pe le kumfa pe'a",
+ "Invites user with given id to current room": ".i vi'ecpe lo pilno poi se judri ti ku le kumfa pe'a",
+ "Joins room with given alias": ".i drata judri le kumfa pe'a",
+ "Leave room": "cliva le kumfa pe'a",
+ "Unrecognised room alias:": "lo drata judri poi na se sanji",
+ "Kicks user with given id": ".i rinka lo nu lo pilno poi se judri ti cu cliva",
+ "Bans user with given id": ".i rinka lo nu lo pilno poi se judri ti cu vitno cliva",
+ "Unbans user with given id": ".i xruti fo lo nu lo pilno poi se judri ti cu vitno cliva",
+ "Ignores a user, hiding their messages from you": ".i rinka lo nu no'e jundi lo pilno gi'e mipri lo notci be fi py. do",
+ "Ignored user": ".i do no'e jundi le pilno",
+ "You are now ignoring %(userId)s": ".i do ca no'e jundi la'o ny. %(userId)s .ny.",
+ "Stops ignoring a user, showing their messages going forward": ".i sisti lo nu no'e jundi lo pilno gi'e mipri lo notci be fi py. do",
+ "Unignored user": ".i do sisti lo nu no'e jundi le pilno",
+ "You are no longer ignoring %(userId)s": ".i do ca sisti lo nu no'e jundi la'o ny. %(userId)s .ny.",
+ "Define the power level of a user": ".i ninga'igau lo ni lo pilno cu vlipa",
+ "Deops user with given id": ".i xruti lo ni lo pilno poi se judri ti cu vlipa",
+ "Opens the Developer Tools dialog": ".i samymo'i lo favgau se pilno uidje",
+ "Verifies a user, device, and pubkey tuple": ".i xusra lo du'u do lacri lo pilno joi lo samtciselse'u joi lo gubni termifckiku",
+ "Unknown (user, device) pair:": "lo pilno ce'o lo samtciselse'u vu'o poi na te djuno",
+ "Device already verified!": ".i do ca'o pu lacri le samtciselse'u",
+ "WARNING: Device already verified, but keys do NOT MATCH!": ".i ju'i cai do ca'o pu lacri le samtciselse'u .i je ku'i lo termifckiku ba'e na mapti",
+ "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!": ".i ju'i cai pu fliba lo nu lacri lo termifckiku .i zoi ny. %(fprint)s .ny. noi se ponse la'o ny. %(userId)s .ny. .e la'o ny. %(deviceId)s .ny. noi samtciselse'u cu termi'u termifckiku gi'e na mapti le termifckiku poi do dunda no'u zoi ny. %(fingerprint)s .ny. .i la'a cu'i lo drata ju'i prenu cu tcidu lo se mrilu be do",
+ "Verified key": "lo termifckiku poi se lacri",
+ "The signing key you provided matches the signing key you received from %(userId)s's device %(deviceId)s. Device marked as verified.": ".i lo termi'u termifckiku poi do dunda cu mapti lo termi'u termifckiku poi do te benji la'o ny. %(deviceId)s .ny. noi samtciselse'u po'e la'o ny. %(userId)s .ny. .i do co'a lacri le samtciselse'u",
+ "Displays action": ".i mrilu lo nu do gasnu",
+ "Forces the current outbound group session in an encrypted room to be discarded": ".i macnu vimcu lo ca barkla termifckiku gunma lo kumfa pe'a poi mifra",
+ "Unrecognised command:": "lo se minde poi na te djuno",
+ "Reason": "lo krinu",
+ "%(targetName)s accepted the invitation for %(displayName)s.": ".i la'o ly. %(targetName)s .ly. fitytu'i lo ve vi'ecpe be fi la'o ly. %(displayName)s .ly.",
+ "%(targetName)s accepted an invitation.": ".i la'o ly. %(targetName)s .ly. fitytu'i lo ve vi'ecpe",
+ "%(senderName)s requested a VoIP conference.": ".i la'o ly. %(senderName)s .ly. cpedu lo .voip. zei nunjmaji",
+ "%(senderName)s invited %(targetName)s.": ".i la'o ly. %(senderName)s .ly. vi'ecpe la'o ly. %(targetName)s .ly.",
+ "%(senderName)s banned %(targetName)s.": ".i la'o ly. %(senderName)s .ly. gasnu lo nu la'o ly. %(targetName)s .ly. vitno cliva",
+ "%(oldDisplayName)s changed their display name to %(displayName)s.": ".i la'o ly. %(oldDisplayName)s .ly. gafygau lo cmene be ri zoi ly. %(displayName)s .ly.",
+ "%(senderName)s set their display name to %(displayName)s.": ".i la'o ny. %(senderName)s .ny. jmina lo cmene be ri be'o no'u zoi ly. %(displayName)s .ly.",
+ "%(senderName)s removed their display name (%(oldDisplayName)s).": ".i la'o ny. %(senderName)s .ny. vimcu lo cmene be ri be'o no'u zoi ly. %(oldDisplayName)s .ly.",
+ "%(senderName)s removed their profile picture.": ".i la'o ly. %(senderName)s .ly. vimcu lo predatni pixra pe ri",
+ "%(senderName)s changed their profile picture.": ".i la'o ly. %(senderName)s .ly. gafygau lo predatni pixra pe ri",
+ "%(senderName)s set a profile picture.": ".i la'o ly. %(senderName)s .ly. jmina lo predatni pixra pe ri",
+ "VoIP conference started.": ".i co'a .voip. zei nunjmaji",
+ "%(targetName)s joined the room.": ".i la'o ly. %(targetName)s .ly. binxo lo cmima be le kumfa pe'a",
+ "VoIP conference finished.": ".i mo'u .voip. zei nunjmaji",
+ "%(targetName)s rejected the invitation.": ".i la'o ly. %(targetName)s .ly. fitytoltu'i lo ve vi'ecpe",
+ "%(targetName)s left the room.": ".i la'o ly. %(targetName)s .ly. cliva le kumfa pe'a",
+ "%(senderName)s unbanned %(targetName)s.": ".i la'o ly. %(senderName)s .ly. xruti fo lo nu la'o ly. %(targetName)s .ly. vitno cliva",
+ "%(senderName)s kicked %(targetName)s.": ".i la'o ly. %(senderName)s .ly. gasnu lo nu la'o ly. %(targetName)s .ly. cliva",
+ "%(senderName)s withdrew %(targetName)s's invitation.": ".i la'o ly. %(senderName)s .ly. lebna lo ve vi'ecpe be la'o ly. %(targetName)s .ly.",
+ "%(senderDisplayName)s changed the topic to \"%(topic)s\".": ".i la'o ly. %(senderDisplayName)s .ly. gafygau lo se casnu pe le kumfa pe'a zoi ly. %(topic)s .ly.",
+ "%(senderDisplayName)s removed the room name.": ".i la'o ly. %(senderDisplayName)s .ly. vimcu lo cmene be le kumfa pe'a",
+ "%(senderDisplayName)s changed the room name to %(roomName)s.": ".i la'o ly. %(senderDisplayName)s .ly. gafygau lo cmene be le kumfa zoi ly. %(roomName)s .ly.",
+ "%(senderDisplayName)s sent an image.": ".i la'o ly. %(senderDisplayName)s .ly. mrilu lo pixra",
+ "%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|other": ".i la'o ly. %(senderName)s .ly. jmina zoi ny. %(addedAddresses)s .ny. lo'i judri be le kumfa pe'a",
+ "%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|one": ".i la'o ly. %(senderName)s .ly. jmina zoi ny. %(addedAddresses)s .ny. lo'i judri be le kumfa pe'a",
+ "%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|other": ".i la'o ly. %(senderName)s .ly. vimcu zoi ny. %(removedAddresses)s .ny. lo'i judri be le kumfa pe'a",
+ "%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|one": ".i la'o ly. %(senderName)s .ly. vimcu zoi ny. %(removedAddresses)s .ny. lo'i judri be le kumfa pe'a",
+ "%(senderName)s added %(addedAddresses)s and removed %(removedAddresses)s as addresses for this room.": ".i la'o ly. %(senderName)s .ly. jmina zoi ny. %(addedAddresses)s .ny. lo'i judri be le kumfa pe'a gi'e vimcu zoi ny. %(removedAddresses)s .ny. jy.",
+ "%(senderName)s set the main address for this room to %(address)s.": ".i la'o ly. %(senderName)s .ly. gafygau lo ralju cmene be le kumfa pe'a zoi ny. %(address)s .ny.",
+ "%(senderName)s removed the main address for this room.": ".i la'o ly. %(senderName)s .ly. vimcu lo ralju cmene be le kumfa pe'a",
+ "Someone": "da poi prenu",
+ "(not supported by this browser)": "to le do kibyca'o na kakne toi",
+ "%(senderName)s answered the call.": ".i la'o ly. %(senderName)s .ly. spuda lo nu fonjo'e",
+ "(could not connect media)": "to na kakne lo nu ganvi samjongau toi",
+ "(no answer)": "to na spuda toi",
+ "(unknown failure: %(reason)s)": "to na'e te djuno nu fliba fi'o ve skicu zoi gy. %(reason)s .gy. toi",
+ "%(senderName)s ended the call.": ".i la'o ly. %(senderName)s .ly. sisti lo nu fonjo'e",
+ "%(senderName)s placed a %(callType)s call.": ".i la'o ly. %(senderName)s .ly. co'a %(callType)s fonjo'e",
+ "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": ".i la'o ly. %(senderName)s .ly. vi'ecpe la'o ly. %(targetDisplayName)s .ly. le kumfa pe'a",
+ "%(senderName)s made future room history visible to all room members, from the point they are invited.": ".i la'o ly. %(senderName)s .ly. gasnu lo nu ro lo cmima ka'e viska ro lo notci be ba lo mu'e cy. se vi'ecpe",
+ "%(senderName)s made future room history visible to all room members, from the point they joined.": ".i la'o ly. %(senderName)s .ly. gasnu lo nu ro lo cmima ka'e viska ro lo notci be ba lo mu'e cy. cmibi'o",
+ "%(senderName)s made future room history visible to all room members.": ".i la'o ly. %(senderName)s .ly. gasnu lo nu ro lo cmima ka'e viska ro lo ba notci",
+ "%(senderName)s made future room history visible to anyone.": ".i la'o ly. %(senderName)s .ly. gasnu lo nu ro lo prenu ka'e viska ro lo ba notci",
+ "%(senderName)s made future room history visible to unknown (%(visibility)s).": ".i la'o ly. %(senderName)s .ly. gasnu lo nu zo'e ka'e viska lo notci to cuxna zoi ny. %(visibility)s .ny. toi",
+ "%(senderName)s turned on end-to-end encryption (algorithm %(algorithm)s).": ".i gau la'o ly. %(senderName)s .ly. co'a mulno mifra fi la'o ny. %(algorithm)s .ny.",
+ "%(senderName)s changed the pinned messages for the room.": ".i la'o ly. %(senderName)s .ly. gafygau lo vitno notci pe le kumfa pe'a",
+ "%(widgetName)s widget modified by %(senderName)s": ".i la'o ly. %(senderName)s .ly. gafygau la'o ny. %(widgetName)s .ny. noi uidje",
+ "%(widgetName)s widget added by %(senderName)s": ".i la'o ly. %(senderName)s .ly. jmina la'o ny. %(widgetName)s .ny. noi uidje",
+ "%(widgetName)s widget removed by %(senderName)s": ".i la'o ly. %(senderName)s .ly. vimcu la'o ny. %(widgetName)s .ny. noi uidje",
+ "%(displayName)s is typing": ".i la'o ly. %(displayName)s .ly. ca'o ciska",
+ "%(names)s and %(count)s others are typing|other": ".i la'o ly. %(names)s .ly. .e %(count)s lo drata ca'o ciska",
+ "%(names)s and %(count)s others are typing|one": ".i la'o ly. %(names)s .ly. .e pa lo drata ca'o ciska",
+ "%(names)s and %(lastPerson)s are typing": ".i la'o ly. %(names)s .ly. .e la'o ly. %(lastPerson)s .ly. ca'o ciska",
+ "This homeserver has hit its Monthly Active User limit.": ".i le samtcise'u cu bancu lo masti jimte be ri bei lo ni ca'o pilno",
+ "This homeserver has exceeded one of its resource limits.": ".i le samtcise'u cu bancu pa lo jimte be ri",
+ "Please contact your service administrator to continue using the service.": ".i .e'o ko tavla lo do te selfu admine .i ja nai do djica lo nu ca'o pilno le te selfu",
+ "Unable to connect to Homeserver. Retrying...": ".i pu fliba lo nu samjo'e le samtcise'u .i za'u re'u ca'o troci",
+ "Your browser does not support the required cryptography extensions": ".i le do kibyca'o na kakne tu'a le te mifra ciste noi se nitcu",
+ "Not a valid Riot keyfile": ".i na'e drani ckiku datnyvei",
+ "Authentication check failed: incorrect password?": ".i pu fliba lo nu birti lo du'u curmi lo nu do jonse .i na'e drani xu japyvla",
+ "Sorry, your homeserver is too old to participate in this room.": ".i .uu le do samtcise'u cu dukse lo ka laldo ku ja'e lo du'u sy. na kakne lo nu pagbu le kumfa pe'a",
+ "Please contact your homeserver administrator.": ".i .e'o ko tavla lo admine be le samtcise'u",
+ "Failed to join room": ".i pu fliba lo nu cmibi'o le kumfa pe'a",
+ "Message Pinning": "lo du'u xu kau kakne lo nu mrilu lo vitno notci",
+ "Increase performance by only loading room members on first view": "lo du'u xu kau zenba lo ka sutra ku ta'i lo nu samymo'i lo cmima be lo kumfa pe'a ba po'o lo nu viska cy.",
+ "Disable Emoji suggestions while typing": "lo du'u xu kau na stidi lo pixra lerfu ca lo nu ciska",
+ "Use compact timeline layout": "lo du'u xu kau lo liste be lo notci cu tagji",
+ "Hide removed messages": "lo du'u xu kau mipri lo notci poi se vimcu",
+ "Hide join/leave messages (invites/kicks/bans unaffected)": "lo du'u xu kau mipri lo cmibi'o ja cliva notci to na mipri lo vi'ecpe ja gasnu bo cliva notci toi",
+ "Hide avatar changes": "lo du'u xu kau mipri lo nu galfi lo predatni pixra",
+ "Hide display name changes": "lo du'u xu kau mipri lo nu galfi lo cmene",
+ "Hide read receipts": "lo du'u xu kau mipri lo te benji datni",
+ "Show timestamps in 12 hour format (e.g. 2:30pm)": "lo du'u xu kau lo tcika cu se tarmi mu'a lu ti'u li re pi'e ci no su'i pa re li'u",
+ "Always show message timestamps": "lo du'u xu kau do ro roi viska ka'e lo tcika be tu'a lo notci",
+ "Autoplay GIFs and videos": "lo du'u xu kau lo vidvi cu zmiku cfari",
+ "Always show encryption icons": "lo du'u xu kau jarco ro lo ka mifra",
+ "Enable automatic language detection for syntax highlighting": "lo du'u xu kau zmiku facki lo du'u ma kau bangu ku te zu'e lo nu skari ba'argau lo gensu'a",
+ "Hide avatars in user and room mentions": "lo du'u xu kau mipri lo pixra pe lo nu casnu lo pilno .a lo kumfa pe'a",
+ "Disable big emoji in chat": "lo du'u xu kau lo pixra lerfu poi cmalu cu basti lo pixra lerfu poi barda",
+ "Don't send typing notifications": "lo du'u xu kau na benji lo datni be lo nu ciska",
+ "Automatically replace plain text Emoji": "lo du'u xu kau zmiku basti lo cinmo lerpoi",
+ "Mirror local video feed": "lo du'u xu kau minra lo diklo vidvi",
+ "Disable Community Filter Panel": "lo du'u xu kau na viska le girzu cuxselgre uidje",
+ "Disable Peer-to-Peer for 1:1 calls": "lo du'u xu kau na sirji samjo'e ca lo nu pa da fonjo'e pa de",
+ "Send analytics data": "lo du'u xu kau benji lo se lanli datni",
+ "Never send encrypted messages to unverified devices from this device": "lo du'u xu kau no roi benji lo notci poi mifra ku lo samtciselse'u poi na'e lacri ku ti poi samtciselse'u",
+ "Never send encrypted messages to unverified devices in this room from this device": "lo du'u xu kau no roi benji lo notci poi mifra ku lo samtciselse'u poi na'e lacri poi zvati le kumfa pe'a ku'o ti poi samtciselse'u",
+ "Enable inline URL previews by default": "lo zmiselcu'a pe lo du'u xu kau zmiku purzga lo se urli",
+ "Enable URL previews for this room (only affects you)": "lo du'u xu kau do zmiku purzga lo se urli ne'i le kumfa pe'a",
+ "Enable URL previews by default for participants in this room": "lo zmiselcu'a pe lo du'u xu kau lo cmima be le kumfa pe'a cu zmiku purzga lo se urli",
+ "Room Colour": "lo se skari be le kumfa pe'a",
+ "Enable widget screenshots on supported widgets": "lo du'u xu kau kakne lo nu co'a pixra lo uidje kei lo nu kakne tu'a .ubu",
+ "Show empty room list headings": "lo du'u xu kau viska lo tcita be lo liste be lo kumfa pe'a be'o poi kunti ca lo nu cuxselgre",
+ "Collecting app version information": ".i ca'o crepu lo datni be lo favytcinymupli",
+ "Collecting logs": ".i ca'o crepu lo vreji",
+ "Uploading report": ".i ca'o kibdu'a lo datnynoi",
+ "Waiting for response from server": ".i ca'o denpa lo nu le samtcise'u cu spuda",
+ "Messages containing my display name": "lo notci poi vasru lo cmene be mi",
+ "Messages containing my user name": "lo notci poi vasru lo plicme be mi",
+ "Messages in one-to-one chats": "lo notci be fi pa lo prenu bei pa lo prenu",
+ "Messages in group chats": "lo notci pe lo girzu tavla",
+ "When I'm invited to a room": "lo nu vi'ecpe mi lo kumfa pe'a",
+ "Call invitation": "lo nu vi'ecpe mi lo nu fonjo'e",
+ "Messages sent by bot": "lo notci be fi lo sampre",
+ "Active call (%(roomName)s)": "le ca fonjo'e ne la'o ly. %(roomName)s .ly.",
+ "unknown caller": "lo fonjo'e noi na'e te djuno",
+ "Incoming voice call from %(name)s": ".i la'o ly. %(name)s .ly. ca'o snavi fonjo'e",
+ "Incoming video call from %(name)s": ".i la'o ly. %(name)s .ly. ca'o vidvi fonjo'e",
+ "Incoming call from %(name)s": ".i la'o ly. %(name)s .ly. ca'o fonjo'e",
+ "Decline": "fitytoltu'i",
+ "Accept": "fitytu'i",
+ "Error": "lo se srera",
+ "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains": ".i pu mrilu fi lo se fonjudri be zoi fy. +%(msisdn)s .fy. fu la .symysys. .i .e'o ko ciska lo lacri lerpoi po le se mrilu",
+ "Incorrect verification code": ".i na'e drani ke lacri lerpoi",
+ "Enter Code": ".i ko ciska le lerpoi",
+ "Submit": "benji",
+ "Phone": "lo fonxa",
+ "Add phone number": "lo fonjudri",
+ "Add": "jmina",
+ "Failed to upload profile picture!": ".i pu fliba lo nu kibdu'a lo predatni pixra",
+ "No display name": ".i no da cmene",
+ "New passwords don't match": ".i le'i japyvla poi cnino na simxu lo nu mintu",
+ "Passwords can't be empty": ".i lu li'u .e'a nai japyvla",
+ "Warning!": ".i ju'i",
+ "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.": ".i lo nu galfi lo japyvla cu rinka lo nu galfi ro lo termifckiku pe lo samtciselse'u kei .e lo nu na kakne lo nu tolmifygau .i ja do barbei lo do kumfa pe'a termifckiku gi'e ba nerbei ri .i ta'o le ti pruce ba zenba lo ka frili",
+ "Export E2E room keys": "barbei lo kumfa pe'a termifckiku",
+ "Continue": "",
+ "Do you want to set an email address?": ".i .au pei do jmina lo te samymri",
+ "Current password": "lo ca japyvla",
+ "Password": "lo japyvla",
+ "New Password": "lo japyvla poi cnino",
+ "Confirm password": "lo za'u re'u japyvla poi cnino",
+ "Change Password": "galfi lo japyvla",
+ "Your home server does not support device management.": ".i le do samtcise'u na kakne lo nu jitro lo samtciselse'u",
+ "Unable to load device list": ".i na kakne lo nu samymo'i lo liste be lo'i samtciselse'u",
+ "Authentication": "lo nu facki lo du'u do du ma kau",
+ "Delete %(count)s devices|other": "vimcu %(count)s lo samtciselse'u",
+ "Delete %(count)s devices|one": "vimcu le samtciselse'u",
+ "Device ID": "lo judri be lo samtciselse'u",
+ "Device Name": "lo cmene be lo samtciselse'u",
+ "Last seen": "lo ro re'u nu viska",
+ "Select devices": "lo du'u xu kau cuxna lo samtciselse'u",
+ "Failed to set display name": ".i pu fliba lo nu galfi lo cmene",
+ "Disable Notifications": "na sajgau",
+ "Enable Notifications": "sajgau",
+ "Error saving email notification preferences": ".i pu fliba lo nu co'a vreji lo se cuxna pe lo nu samymri",
+ "An error occurred whilst saving your email notification preferences.": ".i pu fliba lo nu co'a vreji lo se cuxna pe lo nu samymri sajgau",
+ "Keywords": "lo midvla",
+ "Enter keywords separated by a comma:": ".i ko ciska lo midvla ta'i lo nu sepli fi lo lerkoma",
+ "OK": "je'e",
+ "Failed to change settings": ".i pu fliba lo nu galfi lo se cuxna",
+ "Can't update user notification settings": ".i pu fliba lo nu galfi lo se cuxna pe lo nu sajgau",
+ "Failed to update keywords": ".i pu fliba lo nu galfi lo midvla",
+ "Messages containing keywords ": "lo notci poi vasru lo midvla "
+}
diff --git a/src/i18n/strings/ka.json b/src/i18n/strings/ka.json
new file mode 100644
index 0000000000..0967ef424b
--- /dev/null
+++ b/src/i18n/strings/ka.json
@@ -0,0 +1 @@
+{}
diff --git a/src/i18n/strings/ko.json b/src/i18n/strings/ko.json
index 4e0a988223..be87edcdfa 100644
--- a/src/i18n/strings/ko.json
+++ b/src/i18n/strings/ko.json
@@ -5,16 +5,16 @@
"Custom Server Options": "사용자 지정 서버 설정",
"Dismiss": "없애기",
"Error": "오류",
- "Mute": "알림 끄기",
+ "Mute": "음소거",
"Notifications": "알림",
- "powered by Matrix": "매트릭스의 지원을 받고 있어요",
- "Remove": "지우기",
+ "powered by Matrix": "Matrix의 지원을 받고 있습니다",
+ "Remove": "제거",
"Room directory": "방 목록",
"Search": "찾기",
"Settings": "설정",
- "Start chat": "이야기하기",
+ "Start chat": "대화하기",
"unknown error code": "알 수 없는 오류 코드",
- "OK": "알았어요",
+ "OK": "네",
"Continue": "게속하기",
"Accept": "수락",
"Account": "계정",
@@ -23,306 +23,303 @@
"Add phone number": "전화번호 추가하기",
"Admin": "관리자",
"Admin Tools": "관리 도구",
- "VoIP": "인터넷전화",
- "No Microphones detected": "마이크를 찾지 못했어요",
- "No Webcams detected": "카메라를 찾지 못했어요",
- "No media permissions": "저장소 권한이 없어요",
- "Default Device": "기본 장치",
+ "VoIP": "VoIP",
+ "No Microphones detected": "마이크를 찾지 못했습니다.",
+ "No Webcams detected": "카메라를 찾지 못했습니다.",
+ "No media permissions": "미디어 권한이 없습니다.",
+ "Default Device": "기본 기기",
"Microphone": "마이크",
"Camera": "카메라",
"Advanced": "고급",
"Algorithm": "알고리즘",
- "Hide removed messages": "지운 메시지 숨기기",
- "Always show message timestamps": "항상 메시지에 시간을 보이기",
+ "Hide removed messages": "제거된 메시지 숨기기",
+ "Always show message timestamps": "항상 메시지의 시간을 보여주기",
"Authentication": "인증",
"Alias (optional)": "별명 (선택)",
"A new password must be entered.": "새 비밀번호를 입력해주세요.",
- "An error has occurred.": "오류가 일어났어요.",
+ "An error has occurred.": "오류가 일어났습니다.",
"Anyone": "누구나",
"Are you sure?": "정말이세요?",
"Are you sure you want to leave the room '%(roomName)s'?": "정말로 '%(roomName)s'를 떠나시겠어요?",
"Attachment": "붙이기",
"Are you sure you want to upload the following files?": "다음 파일들을 올리시겠어요?",
"Autoplay GIFs and videos": "GIF와 동영상을 자동으로 재생하기",
- "Ban": "차단",
- "Banned users": "차단한 사용자",
- "Blacklisted": "요주의",
- "Can't load user settings": "사용사 설정을 불러올 수 없어요",
+ "Ban": "차단하기",
+ "Banned users": "차단된 사용자",
+ "Blacklisted": "블랙리스트에 올려짐",
+ "Can't load user settings": "사용사 설정을 불러올 수 없습니다.",
"Change Password": "비밀번호 바꾸기",
- "Changes your display nickname": "보여줄 별명을 바꾸기",
- "Clear Cache and Reload": "캐시를 지우고 다시 불러오기",
+ "Changes your display nickname": "별명 바꾸기",
+ "Clear Cache and Reload": "캐시 지우고 다시 시작하기",
"Clear Cache": "캐시 지우기",
"Confirm password": "비밀번호 확인",
"Confirm your new password": "새 비밀번호 확인",
"Create Room": "방 만들기",
"Create an account": "게정 만들기",
"Custom": "사용자 지정",
- "Device ID": "장치 ID",
+ "Device ID": "기기 ID",
"Default": "기본",
- "Device already verified!": "장치를 이미 확인했어요!",
- "device id: ": "장치 id: ",
- "Devices": "장치",
- "Direct chats": "직접 여러 명에게 이야기하기",
+ "Device already verified!": "이미 인증한 기기입니다!",
+ "device id: ": "기기 id: ",
+ "Devices": "기기",
+ "Direct chats": "직접 대화하기",
"Disable Notifications": "알림 끄기",
"Display name": "별명",
"Don't send typing notifications": "입력 중이라는 알림 보내지 않기",
"Email": "이메일",
"Email address": "이메일 주소",
"Email, name or matrix ID": "이메일, 이름 혹은 매트릭스 ID",
- "Failed to forget room %(errCode)s": "방 %(errCode)s를 잊지 못했어요",
+ "Failed to forget room %(errCode)s": "%(errCode)s 방을 지우지 못했습니다.",
"Favourite": "즐겨찾기",
"Operation failed": "작업 실패",
- "Failed to change password. Is your password correct?": "비밀번호를 바꾸지 못했어요. 이 비밀번호가 정말 맞으세요?",
- "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains": "+%(msisdn)s로 문자 메시지를 보냈어요. 인증 번호를 입력해주세요",
- "%(targetName)s accepted an invitation.": "%(targetName)s님이 초대를 수락했어요.",
- "%(targetName)s accepted the invitation for %(displayName)s.": "%(targetName)s님이 %(displayName)s님에게서 초대를 수락했어요.",
+ "Failed to change password. Is your password correct?": "비밀번호를 바꾸지 못했습니다. 이 비밀번호가 맞나요?",
+ "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains": "+%(msisdn)s로 문자 메시지를 보냈습니다. 인증 번호를 입력해주세요.",
+ "%(targetName)s accepted an invitation.": "%(targetName)s님이 초대를 수락했습니다.",
+ "%(targetName)s accepted the invitation for %(displayName)s.": "%(targetName)s님이 %(displayName)s 초대를 수락했습니다.",
"Access Token:": "접근 토큰:",
- "Active call (%(roomName)s)": "(%(roomName)s)에서 전화를 걸고 받을 수 있어요",
+ "Active call (%(roomName)s)": "(%(roomName)s)에서 전화를 걸고 받을 수 있습니다.",
"Add a topic": "주제 추가",
- "Missing Media Permissions, click here to request.": "저장소 권한을 잃었어요, 여기를 눌러 다시 요청해주세요.",
- "You may need to manually permit Riot to access your microphone/webcam": "수동으로 라이엇에 마이크와 카메라를 허용해야 할 수도 있어요",
+ "Missing Media Permissions, click here to request.": "미디어 권한이 없습니다. 여기를 눌러 다시 요청해주세요.",
+ "You may need to manually permit Riot to access your microphone/webcam": "수동으로 Riot에 마이크와 카메라를 허용할 수도 있습니다",
"%(items)s and %(lastItem)s": "%(items)s과 %(lastItem)s",
"and %(count)s others...|one": "그리고 다른 하나...",
"and %(count)s others...|other": "그리고 %(count)s...",
"%(names)s and %(lastPerson)s are typing": "%(names)s님과 %(lastPerson)s님이 입력중",
- "%(senderName)s answered the call.": "%(senderName)s님이 전화를 받았어요.",
+ "%(senderName)s answered the call.": "%(senderName)s님이 전화를 받았습니다.",
"Anyone who knows the room's link, apart from guests": "손님을 제외하고, 방의 주소를 아는 누구나",
"Anyone who knows the room's link, including guests": "손님을 포함하여, 방의 주소를 아는 누구나",
"Are you sure you want to reject the invitation?": "초대를 거절하시겠어요?",
- "%(senderName)s banned %(targetName)s.": "%(senderName)s님이 %(targetName)s님을 차단하셨어요.",
+ "%(senderName)s banned %(targetName)s.": "%(senderName)s님이 %(targetName)s님을 차단했습니다.",
"Bans user with given id": "받은 ID로 사용자 차단하기",
"Bulk Options": "대규모 설정",
"Call Timeout": "전화 대기 시간 초과",
- "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "홈 서버에 연결할 수 없어요 - 연결을 확인해주시고, 홈 서버의 SSL 인증서 가 믿을 수 있는지 확인하시고, 브라우저 확장기능이 요청을 차단하고 있는지 확인해주세요.",
- "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts .": "주소창에 HTTPS URL이 있을 때는 HTTP로 홈 서버를 연결할 수 없어요. HTTPS를 쓰거나 안전하지 않은 스크립트를 허용해주세요 .",
- "%(senderName)s changed their profile picture.": "%(senderName)s님이 자기 소개 사진을 바꾸셨어요.",
- "%(senderName)s changed the power level of %(powerLevelDiffText)s.": "%(senderName)s님이 %(powerLevelDiffText)s의 권한 등급을 바꾸셨어요.",
- "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s님이 방 이름을 %(roomName)s로 바꾸셨어요.",
- "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s님이 방 이름을 지우셨어요.",
- "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s님이 주제를 \"%(topic)s\"로 바꾸셨어요.",
- "Changes to who can read history will only apply to future messages in this room": "방의 이후 메시지부터 기록을 읽을 수 있는 조건의 변화가 적용되어요",
- "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.": "비밀번호를 바꾸면 현재 모든 장치의 종단간 암호화 키가 다시 설정되고, 먼저 방의 키를 내보내고 나중에 다시 불러오지 않는 한, 암호화한 이야기 기록을 읽을 수 없게 되어요. 앞으로는 이 기능을 더 좋게 만들 거에요.",
+ "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "홈 서버에 연결할 수 없으니 연결을 확인하고, 홈 서버의 SSL 인증서 가 믿을 수 있는지 확인하고, 브라우저 확장기능이 요청을 차단하고 있는지 확인해 주세요.",
+ "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts .": "주소창에 HTTPS URL이 있을 때는 HTTP로 홈 서버를 연결할 수 없습니다. HTTPS를 쓰거나 안전하지 않은 스크립트를 허용해주세요 .",
+ "%(senderName)s changed their profile picture.": "%(senderName)s님이 프로필 사진을 바꿨습니다.",
+ "%(senderName)s changed the power level of %(powerLevelDiffText)s.": "%(senderName)s님이 %(powerLevelDiffText)s의 권한 등급을 바꿨습니다.",
+ "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s님이 방 이름을 %(roomName)s(으)로 바꿨습니다.",
+ "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s님이 방 이름을 제거했습니다.",
+ "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s님이 주제를 \"%(topic)s\"로 바꿨습니다.",
+ "Changes to who can read history will only apply to future messages in this room": "이제부터의 메시지에만 이 방에서 누가 기록을 읽을 수 있는지에 대한 변경 내역이 적용됩니다",
+ "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.": "비밀번호를 바꾸면 현재 모든 기기의 종단 간 암호화 키가 다시 설정되고, 먼저 방의 키를 내보내고 나중에 다시 불러오지 않는 한, 암호화한 대화 기록을 읽을 수 없게 됩니다. 이 부분은 향상시키겠습니다.",
"Claimed Ed25519 fingerprint key": "Ed25519 지문 키가 필요",
"Click here to join the discussion!": "여기 를 눌러서 같이 논의해요!",
"Click here to fix": "해결하려면 여기를 누르세요",
- "Click to mute audio": "소리를 끄려면 누르세요",
- "Click to mute video": "동영상 소리를 끄려면 누르세요",
+ "Click to mute audio": "음소거하려면 누르세요",
+ "Click to mute video": "동영상을 음소거하려면 누르세요",
"click to reveal": "누르면 나타나요",
- "Click to unmute video": "동영상 소리를 켜려면 누르세요",
- "Click to unmute audio": "소리를 켜려면 누르세요",
+ "Click to unmute video": "동영상 음소거를 끄려면 누르세요",
+ "Click to unmute audio": "음소거를 끄려면 누르세요",
"Command error": "명령 오류",
"Commands": "명령",
- "Conference call failed.": "전화 회의를 실패했어요.",
- "Conference calling is in development and may not be reliable.": "전화 회의는 개발 중이며 믿을 수 없어요.",
- "Conference calls are not supported in encrypted rooms": "암호화한 방에서는 전화 회의를 할 수 없어요",
- "Conference calls are not supported in this client": "이 클라이언트에서는 전화 회의를 할 수 없어요",
- "Could not connect to the integration server": "통합 서버에 연결할 수 없어요",
+ "Conference call failed.": "전화 회의를 실패했습니다.",
+ "Conference calling is in development and may not be reliable.": "전화 회의는 개발 중이고, 따라서 신뢰하기 힘들 수 있습니다.",
+ "Conference calls are not supported in encrypted rooms": "암호화된 방에서는 전화 회의가 지원되지 않습니다",
+ "Conference calls are not supported in this client": "이 클라이언트에서는 전화 회의가 지원되지 않습니다",
+ "Could not connect to the integration server": "통합 서버에 연결할 수 없습니다.",
"%(count)s new messages|one": "%(count)s 새 메시지",
"%(count)s new messages|other": "%(count)s 새 메시지",
- "Create a new chat or reuse an existing one": "새 이야기를 시작하거나 기존에 하던 이야기를 이어하세요",
+ "Create a new chat or reuse an existing one": "새 대화를 시작하거나 전에 하던 대화를 계속하세요.",
"Cryptography": "암호화",
"Current password": "현재 비밀번호",
"Curve25519 identity key": "Curve25519 신원 키",
"Custom level": "사용자 지정 단계",
- "/ddg is not a command": "/ddg 는 없는 명령이에요",
+ "/ddg is not a command": "/ddg는 없는 명령입니다",
"Deactivate Account": "계정 정지",
- "Deactivate my account": "내 계정 정지하기",
+ "Deactivate my account": "계정 정지하기",
"Decline": "거절",
"Decrypt %(text)s": "해독 %(text)s",
"Decryption error": "해독 오류",
"Delete": "지우기",
"Deops user with given id": "받은 ID로 사용자의 등급을 낮추기",
- "Device ID:": "장치 ID:",
- "Device key:": "장치 키:",
- "Devices will not yet be able to decrypt history from before they joined the room": "방에 들어가기 전에는 장치에서 기록을 해독할 수 없어요",
+ "Device ID:": "기기 ID:",
+ "Device key:": "기기 열쇠:",
+ "Devices will not yet be able to decrypt history from before they joined the room": "아직 방에 들어가기 전의 기록은 복호화 하지 못 합니다",
"Disinvite": "초대 취소",
"Displays action": "활동 보이기",
"Download %(text)s": "%(text)s 받기",
"Drop File Here": "여기에 파일을 놓아주세요",
- "Drop here to tag %(section)s": "%(section)s 지정하려면 여기에 놓아주세요",
+ "Drop here to tag %(section)s": "%(section)s를(을) 태그하려면 여기에 놓아주세요.",
"Ed25519 fingerprint": "Ed25519 지문",
"Email address (optional)": "이메일 주소 (선택)",
"Emoji": "이모지",
- "Enable encryption": "암호화 켜기",
- "Enable Notifications": "알림 켜기",
- "Encrypted by a verified device": "인증한 장치로 암호화했어요",
- "Encrypted by an unverified device": "인증하지 않은 장치로 암호화했어요",
- "Encrypted messages will not be visible on clients that do not yet implement encryption": "암호화한 메시지는 아직 암호화를 구현하지 않은 클라이언트에서는 볼 수 없어요",
+ "Enable encryption": "암호화 사용하기",
+ "Enable Notifications": "알림 사용하기",
+ "Encrypted by a verified device": "인증된 기기에서 암호화 됐습니다.",
+ "Encrypted by an unverified device": "인증하지 않은 기기에서 암호화 됐습니다.",
+ "Encrypted messages will not be visible on clients that do not yet implement encryption": "암호화 한 메시지는 아직 암호화를 구현하지 않은 클라이언트에서는 볼 수 없습니다.",
"Encrypted room": "암호화한 방",
- "Encryption is enabled in this room": "이 방은 암호화중이에요",
- "Encryption is not enabled in this room": "이 방은 암호화하고 있지 않아요",
- "%(senderName)s ended the call.": "%(senderName)s님이 전화를 끊었어요.",
+ "Encryption is enabled in this room": "이 방에서는 암호화 사용 중입니다.",
+ "Encryption is not enabled in this room": "이 방에서는 암호화를 사용하고 있지 않습니다.",
+ "%(senderName)s ended the call.": "%(senderName)s님이 전화를 끊었습니다.",
"End-to-end encryption information": "종단간 암호화 정보",
- "End-to-end encryption is in beta and may not be reliable": "종단간 암호화는 시험중이며 믿을 수 없어요",
+ "End-to-end encryption is in beta and may not be reliable": "종단 간 암호화는 베타 테스트 중이며 신뢰하기 힘들 수 있습니다.",
"Enter Code": "코드를 입력하세요",
"Enter passphrase": "암호를 입력하세요",
- "Error decrypting attachment": "첨부 파일 해독중 문제가 일어났어요",
- "Error: Problem communicating with the given homeserver.": "오류: 지정한 홈 서버와 통신에 문제가 있어요.",
- "Event information": "사건 정보",
+ "Error decrypting attachment": "첨부 파일 해독중 문제가 일어났습니다",
+ "Error: Problem communicating with the given homeserver.": "오류: 지정한 홈 서버와 통신에 문제가 있습니다.",
+ "Event information": "이벤트 정보",
"Existing Call": "기존 전화",
"Export": "내보내기",
- "Export E2E room keys": "종단간 암호화 방 키 내보내기",
- "Failed to ban user": "사용자를 차단하지 못했어요",
- "Failed to change power level": "권한 등급을 바꾸지 못했어요",
- "Failed to fetch avatar URL": "아바타 URL을 불러오지 못했어요",
- "Failed to join room": "방에 들어가지 못했어요",
- "Failed to kick": "내쫓지 못했어요",
- "Failed to leave room": "방을 떠나지 못했어요",
- "Failed to load timeline position": "타임라인 위치를 불러오지 못했어요",
- "Failed to lookup current room": "현재 방을 찾지 못했어요",
- "Failed to mute user": "사용자의 알림을 끄지 못했어요",
- "Failed to reject invite": "초대를 거절하지 못했어요",
- "Failed to reject invitation": "초대를 거절하지 못했어요",
- "Failed to save settings": "설정을 저장하지 못했어요",
- "Failed to send email": "이메일을 보내지 못했어요",
- "Failed to send request.": "요청을 보내지 못했어요.",
- "Failed to set avatar.": "아바타를 설정하지 못했어요.",
- "Failed to set display name": "별명을 설정하지 못했어요",
- "Failed to set up conference call": "전화 회의를 시작하지 못했어요",
- "Failed to toggle moderator status": "조정자 상태를 설정하지 못했어요",
- "Failed to unban": "차단을 풀지 못했어요",
- "Failed to upload file": "파일을 올리지 못했어요",
- "Failed to upload profile picture!": "자기 소개에 사진을 올리지 못했어요!",
- "Failed to verify email address: make sure you clicked the link in the email": "이메일 주소를 확인하지 못했어요: 메일의 주소를 눌렀는지 확인해보세요",
- "Failure to create room": "방을 만들지 못했어요",
+ "Export E2E room keys": "종단 간 암호화 방 열쇠 내보내기",
+ "Failed to ban user": "사용자를 차단하지 못했습니다",
+ "Failed to change power level": "권한 등급을 바꾸지 못했습니다",
+ "Failed to fetch avatar URL": "아바타 URL을 불러오지 못했습니다.",
+ "Failed to join room": "방에 들어가지 못했습니다",
+ "Failed to kick": "추방하지 못했습니다.",
+ "Failed to leave room": "방을 떠나지 못했습니다",
+ "Failed to load timeline position": "타임라인 위치를 불러오지 못했습니다.",
+ "Failed to mute user": "사용자를 음소거하지 못했습니다.",
+ "Failed to reject invite": "초대를 거절하지 못했습니다.",
+ "Failed to reject invitation": "초대를 거절하지 못했습니다",
+ "Failed to save settings": "설정을 저장하지 못했습니다.",
+ "Failed to send email": "이메일을 보내지 못했습니다.",
+ "Failed to send request.": "요청을 보내지 못했습니다.",
+ "Failed to set avatar.": "아바타를 설정하지 못했습니다.",
+ "Failed to set display name": "별명을 설정하지 못했습니다",
+ "Failed to set up conference call": "전화 회의를 시작하지 못했습니다.",
+ "Failed to toggle moderator status": "조정자 상태를 설정하지 못했습니다",
+ "Failed to unban": "차단을 해제하지 못했습니다.",
+ "Failed to upload file": "파일을 올리지 못했습니다.",
+ "Failed to upload profile picture!": "프로필 사진을 올리지 못했어요!",
+ "Failed to verify email address: make sure you clicked the link in the email": "이메일 주소를 인증하지 못했습니다. 메일에 나온 주소를 눌렀는지 확인해 보세요",
+ "Failure to create room": "방을 만들지 못했습니다",
"Favourites": "즐겨찾기",
"Fill screen": "화면 채우기",
- "Filter room members": "방 구성원 거르기",
- "Forget room": "방 잊기",
+ "Filter room members": "방 구성원 찾기",
+ "Forget room": "방 지우기",
"Forgot your password?": "비밀번호를 잊어버리셨어요?",
- "For security, this session has been signed out. Please sign in again.": "보안을 위해서, 이 세션에서 로그아웃했어요. 다시 로그인해주세요.",
- "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.": "보안을 위해서, 로그아웃하면 이 브라우저에서 모든 종단간 암호화 키를 없앨 거에요. 이후 라이엇에서 이야기를 해독하고 싶으시면, 방 키를 내보내서 안전하게 보관하세요.",
+ "For security, this session has been signed out. Please sign in again.": "안전을 위해서 이 세션에서 로그아웃했습니다. 다시 로그인해주세요.",
+ "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.": "로그아웃하시면 보안을 위해 이 브라우저에 저장된 모든 종단 간 암호화 열쇠가 삭제됩니다. 다음에 Riot을 사용할 때 대화 기록을 복호화할 수 있길 원한다면, 방 열쇠를 내보내서 안전하게 보관하세요.",
"%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s를 %(fromPowerLevel)s에서 %(toPowerLevel)s로",
- "Guest access is disabled on this Home Server.": "손님은 이 홈 서버에 접근하실 수 없어요.",
- "Guests cannot join this room even if explicitly invited.": "손님은 분명하게 초대받았어도 이 방에 들어가실 수 없어요.",
+ "Guest access is disabled on this Home Server.": "이 홈 서버는 손님으로서 접근하실 수 없습니다.",
+ "Guests cannot join this room even if explicitly invited.": "명시적으로 초대 받은 손님이라도 이 방에는 들어가실 수 없습니다.",
"Hangup": "전화 끊기",
"Hide read receipts": "읽음 확인 표시 숨기기",
"Hide Text Formatting Toolbar": "문자 서식 도구 숨기기",
- "Historical": "보관",
- "Home": "중심",
- "Homeserver is": "홈 서버는",
- "Identity Server is": "ID 서버는",
- "I have verified my email address": "제 이메일 주소를 확인했어요",
+ "Historical": "보관한 방",
+ "Home": "홈",
+ "Homeserver is": "홈 서버:",
+ "Identity Server is": "ID 서버:",
+ "I have verified my email address": "제 이메일 주소를 확인했습니다.",
"Import": "불러오기",
- "Import E2E room keys": "종단간 암호화 방 키 불러오기",
+ "Import E2E room keys": "종단 간 암호화 방 키 불러오기",
"Import room keys": "방 키 불러오기",
- "Incoming call from %(name)s": "%(name)s님이 전화를 걸어왔어요",
- "Incoming video call from %(name)s": "%(name)s님이 영상 통화를 걸어왔어요",
- "Incoming voice call from %(name)s": "%(name)s님이 음성 통화를 걸어왔어요",
+ "Incoming call from %(name)s": "%(name)s님에게서 전화가 왔습니다.",
+ "Incoming video call from %(name)s": "%(name)s님으로부터 영상 통화가 왔습니다.",
+ "Incoming voice call from %(name)s": "%(name)s님으로부터 음성 통화가 왔습니다.",
"Incorrect username and/or password.": "사용자 이름 혹은 비밀번호가 맞지 않아요.",
"Incorrect verification code": "인증 번호가 맞지 않아요",
"Interface Language": "인터페이스 언어",
- "Invalid alias format": "가명 형식이 맞지 않아요",
- "Invalid address format": "주소 형식이 맞지 않아요",
- "Invalid Email Address": "이메일 주소가 맞지 않아요",
- "Invalid file%(extra)s": "파일%(extra)s이 맞지 않아요",
- "%(senderName)s invited %(targetName)s.": "%(senderName)s님이 %(targetName)s님을 초대하셨어요.",
+ "Invalid alias format": "잘못된 별칭 형식입니다",
+ "Invalid address format": "잘못된 주소 형식입니다",
+ "Invalid Email Address": "잘못된 이메일 주소입니다",
+ "Invalid file%(extra)s": "잘못된 %(extra)s 파일입니다.",
+ "%(senderName)s invited %(targetName)s.": "%(senderName)s님이 %(targetName)s님을 초대했습니다.",
"Invite new room members": "새 구성원 초대하기",
"Invited": "초대받기",
- "Invites": "초대하기",
+ "Invites": "초대",
"Invites user with given id to current room": "받은 ID로 사용자를 현재 방에 초대하기",
"'%(alias)s' is not a valid format for an address": "'%(alias)s'는 주소에 맞는 형식이 아니에요",
"'%(alias)s' is not a valid format for an alias": "'%(alias)s'는 가명에 맞는 형식이 아니에요",
- "%(displayName)s is typing": "%(displayName)s님이 입력중",
+ "%(displayName)s is typing": "%(displayName)s님이 입력 중",
"Sign in with": "로그인",
"Join as voice or video .": "음성 또는 영상 으로 참여하세요.",
"Join Room": "방에 들어가기",
- "%(targetName)s joined the room.": "%(targetName)s님이 방에 들어오셨어요.",
- "Joins room with given alias": "받은 가명으로 방에 들어가기",
- "Jump to first unread message.": "읽지 않은 첫 메시지로 이동할래요.",
- "%(senderName)s kicked %(targetName)s.": "%(senderName)s님이 %(targetName)s을 내쫓았어요.",
- "Kick": "내쫓기",
- "Kicks user with given id": "받은 ID로 사용자 내쫓기",
+ "%(targetName)s joined the room.": "%(targetName)s님이 방에 들어왔습니다.",
+ "Joins room with given alias": "받은 별칭으로 방에 들어가기",
+ "Jump to first unread message.": "읽지 않은 첫 메시지로 이동하려면 누르세요.",
+ "%(senderName)s kicked %(targetName)s.": "%(senderName)s님이 %(targetName)s님을 추방했습니다.",
+ "Kick": "추방",
+ "Kicks user with given id": "받은 ID로 사용자 추방하기",
"Labs": "실험실",
- "Last seen": "마지막으로 본 곳",
+ "Last seen": "마지막 위치",
"Leave room": "방 떠나기",
- "%(targetName)s left the room.": "%(targetName)s님이 방을 떠나셨어요.",
+ "%(targetName)s left the room.": "%(targetName)s님이 방을 떠났습니다.",
"Level:": "등급:",
"Local addresses for this room:": "이 방의 로컬 주소:",
- "Logged in as:": "로그인:",
- "Login as guest": "손님으로 로그인",
+ "Logged in as:": "아이디:",
"Logout": "로그아웃",
- "Low priority": "낮은 우선순위",
- "%(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).",
+ "Low priority": "숨긴 방",
+ "%(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)이 방의 기록을 볼 수 있게 했습니다.",
"Manage Integrations": "통합 관리",
- "Markdown is disabled": "마크다운이 꺼져있어요",
- "Markdown is enabled": "마크다운이 켜져있어요",
+ "Markdown is disabled": "마크다운이 꺼져 있습니다.",
+ "Markdown is enabled": "마크다운이 켜져 있습니다.",
"matrix-react-sdk version:": "matrix-react-sdk 버전:",
- "Message not sent due to unknown devices being present": "알 수 없는 장치가 있어 메시지를 보내지 못했어요",
- "Missing room_id in request": "요청에서 방_id가 빠졌어요",
- "Missing user_id in request": "요청에서 사용자_id가 빠졌어요",
+ "Message not sent due to unknown devices being present": "알 수 없는 기기가 있어 메시지를 보내지 못했습니다.",
+ "Missing room_id in request": "요청에서 room_id가 빠졌습니다.",
+ "Missing user_id in request": "요청에서 user_id가 빠졌습니다",
"Mobile phone number": "휴대 전화번호",
"Mobile phone number (optional)": "휴대 전화번호 (선택)",
"Moderator": "조정자",
- "Must be viewing a room": "방을 둘러봐야만 해요",
"Name": "이름",
- "Never send encrypted messages to unverified devices from this device": "이 장치에서 인증받지 않은 장치로 암호화한 메시지를 보내지 마세요",
- "Never send encrypted messages to unverified devices in this room from this device": "이 장치에서 이 방의 인증받지 않은 장치로 암호화한 메시지를 보내지 마세요",
+ "Never send encrypted messages to unverified devices from this device": "이 기기에서는 절대 인증받지 않은 기기에게 암호화한 메시지를 보내지 않기",
+ "Never send encrypted messages to unverified devices in this room from this device": "이 기기에서 이 방의 인증받지 않은 기기로 암호화한 메시지를 보내지 마세요",
"New address (e.g. #foo:%(localDomain)s)": "새 주소 (예. #foo:%(localDomain)s)",
"New password": "새 비밀번호",
"New passwords don't match": "새 비밀번호가 맞지 않아요",
"New passwords must match each other.": "새 비밀번호는 서로 같아야 해요.",
"none": "없음",
- "not set": "설정하지 않았어요",
- "not specified": "지정하지 않았어요",
- "(not supported by this browser)": "(이 브라우저에서는 지원하지 않아요)",
+ "not set": "설정하지 않았습니다.",
+ "not specified": "지정하지 않았습니다.",
+ "(not supported by this browser)": "(이 브라우저에서 지원하지 않습니다.)",
"": "<지원하지 않아요>",
"NOT verified": "확인하지 않음",
- "No devices with registered encryption keys": "등록한 암호화 키가 있는 장치가 없어요",
- "No display name": "별명이 없어요",
- "No more results": "더 이상 결과가 없어요",
+ "No devices with registered encryption keys": "등록된 암호화 열쇠가 있는 기기가 없습니다.",
+ "No display name": "별명이 없습니다.",
+ "No more results": "더 이상 결과가 없습니다.",
"No results": "결과 없음",
- "No users have specific privileges in this room": "이 방에 지정한 권한의 사용자가 없어요",
+ "No users have specific privileges in this room": "이 방에 지정한 권한의 사용자가 없습니다.",
"olm version:": "olm 버전:",
"Password": "비밀번호",
"Password:": "비밀번호:",
- "Passwords can't be empty": "비밀번호는 비울 수 없어요",
+ "Passwords can't be empty": "비밀번호를 입력해 주세요.",
"Permissions": "권한",
"People": "사람들",
"Phone": "전화",
- "Once encryption is enabled for a room it cannot be turned off again (for now)": "방을 암호화하면 암호화를 도중에 끌 수 없어요. (현재로서는)",
+ "Once encryption is enabled for a room it cannot be turned off again (for now)": "(현재로서는) 방을 암호화하면 되돌릴 수 없습니다",
"Only people who have been invited": "초대받은 사람만",
- "%(senderName)s placed a %(callType)s call.": "%(senderName)s님이 %(callType)s 전화를 걸었어요.",
+ "%(senderName)s placed a %(callType)s call.": "%(senderName)s님이 %(callType)s 전화를 걸었습니다.",
"Please check your email and click on the link it contains. Once this is done, click continue.": "이메일을 확인하시고 그 안에 있는 주소를 누르세요. 이 일을 하고 나서, 계속하기를 누르세요.",
"Power level must be positive integer.": "권한 등급은 양의 정수여야만 해요.",
"%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (권한 %(powerLevelNumber)s)",
- "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "사용자를 자신과 같은 권한 등급으로 승급시키면 되돌릴 수 없어요.",
+ "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "사용자를 자신과 같은 권한 등급으로 승급시는 것이기에 되돌릴 수 없습니다.",
"Privacy warning": "개인정보 경고",
- "Private Chat": "비공개 이야기",
+ "Private Chat": "비공개 대화",
"Privileged Users": "권한 있는 사용자",
- "Profile": "자기 소개",
- "%(senderName)s removed their profile picture.": "%(senderName)s님이 자기 소개 사진을 지우셨어요.",
- "%(senderName)s set a profile picture.": "%(senderName)s님이 자기 소개 사진을 설정하셨어요.",
- "Public Chat": "공개 이야기",
+ "Profile": "프로필",
+ "%(senderName)s removed their profile picture.": "%(senderName)s님이 프로필 사진을 제거했습니다.",
+ "%(senderName)s set a profile picture.": "%(senderName)s님이 프로필 사진을 설정했습니다.",
+ "Public Chat": "공개 대화",
"Reason": "이유",
"Reason: %(reasonText)s": "이유: %(reasonText)s",
"Revoke Moderator": "조정자 철회",
- "Refer a friend to Riot:": "라이엇을 친구에게 추천해주세요:",
+ "Refer a friend to Riot:": "Riot을 친구에게 추천해주세요:",
"Register": "등록",
- "%(targetName)s rejected the invitation.": "%(targetName)s님이 초대를 거절하셨어요.",
+ "%(targetName)s rejected the invitation.": "%(targetName)s님이 초대를 거절했습니다.",
"Reject invitation": "초대 거절",
"Rejoin": "다시 들어가기",
"Remote addresses for this room:": "이 방의 원격 주소:",
- "Remove Contact Information?": "연락처를 지우시겠어요?",
- "%(senderName)s removed their display name (%(oldDisplayName)s).": "%(senderName)s님이 별명 (%(oldDisplayName)s)을 지우셨어요.",
- "Remove %(threePid)s?": "%(threePid)s 지우시겠어요?",
- "%(senderName)s requested a VoIP conference.": "%(senderName)s님이 인터넷전화 회의를 요청하셨어요.",
- "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.": "비밀번호를 다시 설정하면 현재 모든 장치의 종단간 암호화 키가 다시 설정되고, 먼저 방의 키를 내보내고 나중에 다시 불러오지 않는 한, 암호화한 이야기 기록을 읽을 수 없게 되어요. 앞으로는 이 기능을 더 좋게 만들 거에요.",
+ "Remove Contact Information?": "연락처 정보를 제거하시겠어요?",
+ "%(senderName)s removed their display name (%(oldDisplayName)s).": "%(senderName)s님이 별명(%(oldDisplayName)s)을 제거했습니다.",
+ "Remove %(threePid)s?": "%(threePid)s를(을) 제거하시겠어요?",
+ "%(senderName)s requested a VoIP conference.": "%(senderName)s님이 VoIP 회의를 요청했습니다.",
+ "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.": "비밀번호를 다시 설정하면 현재 모든 기기의 종단 간 암호화 키가 다시 설정되고, 먼저 방의 키를 내보내고 나중에 다시 불러오지 않는 한, 암호화한 대화 기록을 읽을 수 없게 됩니다. 이 부분은 향상시키겠습니다.",
"Results from DuckDuckGo": "덕덕고에서 검색한 결과",
"Return to login screen": "로그인 화면으로 돌아가기",
- "Riot does not have permission to send you notifications - please check your browser settings": "라이엇에게 알릴 권한이 없어요 - 브라우저 설정을 확인해주세요",
- "Riot was not given permission to send notifications - please try again": "라이엇이 알릴 권한을 받지 못했어요 - 다시 해주세요",
- "riot-web version:": "라이엇 웹 버전:",
+ "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 웹 버전:",
"Room %(roomId)s not visible": "방 %(roomId)s은 보이지 않아요",
- "Room Colour": "방 색상",
- "Room contains unknown devices": "방에 알 수 없는 장치가 있어요",
+ "Room Colour": "방 색",
+ "Room contains unknown devices": "방에 알 수 없는 기기가 있습니다.",
"Room name (optional)": "방 이름 (선택)",
"%(roomName)s does not exist.": "%(roomName)s은 없는 방이에요.",
- "%(roomName)s is not accessible at this time.": "현재는 %(roomName)s에 들어갈 수 없어요.",
+ "%(roomName)s is not accessible at this time.": "현재는 %(roomName)s에 들어갈 수 없습니다.",
"Rooms": "방",
"Save": "저장",
"Scroll to bottom of page": "화면 맨 아래로 이동",
@@ -331,90 +328,90 @@
"Searches DuckDuckGo for results": "덕덕고에서 검색",
"Seen by %(userName)s at %(dateTime)s": "%(userName)s님이 %(dateTime)s에 확인",
"Send anyway": "그래도 보내기",
- "Sender device information": "보낸 장치의 정보",
+ "Sender device information": "보낸 기기의 정보",
"Send Invites": "초대 보내기",
"Send Reset Email": "재설정 이메일 보내기",
- "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s님이 사진을 보냈어요.",
- "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s님이 %(targetDisplayName)s님에게 들어오라는 초대를 보냈어요.",
+ "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s님이 사진을 보냈습니다.",
+ "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "방에 들어오라고 %(senderName)s님이 %(targetDisplayName)s님에게 초대를 보냈습니다.",
"Server error": "서버 오류",
- "Server may be unavailable or overloaded": "서버를 쓸 수 없거나 과부하일 수 있어요",
+ "Server may be unavailable or overloaded": "서버가 사용 불가하거나 과부하가 걸렸을 수 있습니다.",
"Server may be unavailable, overloaded, or search timed out :(": "서버를 쓸 수 없거나 과부하거나, 검색 시간을 초과했어요 :(",
"Server may be unavailable, overloaded, or the file too big": "서버를 쓸 수 없거나 과부하거나, 파일이 너무 커요",
- "Server may be unavailable, overloaded, or you hit a bug.": "서버를 쓸 수 없거나 과부하거나, 오류에요.",
- "Server unavailable, overloaded, or something else went wrong.": "서버를 쓸 수 없거나 과부하거나, 다른 문제가 있어요.",
+ "Server may be unavailable, overloaded, or you hit a bug.": "서버를 쓸 수 없거나 과부하거나, 오류입니다.",
+ "Server unavailable, overloaded, or something else went wrong.": "서버를 쓸 수 없거나 과부하거나, 다른 문제가 있습니다.",
"Session ID": "세션 ID",
- "%(senderName)s set their display name to %(displayName)s.": "%(senderName)s님이 별명을 %(displayName)s로 바꾸셨어요.",
+ "%(senderName)s set their display name to %(displayName)s.": "%(senderName)s님이 별명을 %(displayName)s로 설정했습니다.",
"Show panel": "패널 보이기",
"Show Text Formatting Toolbar": "문자 서식 도구 보이기",
- "Show timestamps in 12 hour format (e.g. 2:30pm)": "시간을 12시간제로 보이기 (예. 오후 2:30)",
+ "Show timestamps in 12 hour format (e.g. 2:30pm)": "시간을 12시간제로 보여 주기(예. 오후 2:30)",
"Signed Out": "로그아웃함",
"Sign in": "로그인",
"Sign out": "로그아웃",
- "%(count)s of your messages have not been sent.|other": "일부 메시지는 보내지 못했어요.",
+ "%(count)s of your messages have not been sent.|other": "일부 메시지는 보내지 못했습니다.",
"Someone": "다른 사람",
- "Start a chat": "이야기하기",
+ "Start a chat": "대화 시작하기",
"Start authentication": "인증하기",
- "Start Chat": "이야기하기",
+ "Start Chat": "대화하기",
"Submit": "보내기",
"Success": "성공",
- "Tagged as: ": "지정함: ",
+ "Tagged as: ": "태그: ",
"The default role for new room members is": "방 새 구성원의 기본 역할",
"The main address for this room is": "이 방의 주요 주소",
- "The phone number entered looks invalid": "입력한 전화번호가 잘못된 거 같아요",
- "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에서 받은 서명 키와 일치하네요. 인증한 장치로 표시할게요.",
- "This email address is already in use": "이 이메일 주소는 사용중이에요",
- "This email address was not found": "이 이메일 주소를 찾지 못했어요",
+ "The phone number entered looks invalid": "입력된 전화번호가 잘못된 것 같습니다",
+ "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에서 받은 서명 키와 일치하네요. 인증한 기기라고 표시했습니다.",
+ "This email address is already in use": "이 이메일 주소는 이미 사용 중입니다",
+ "This email address was not found": "이 이메일 주소를 찾지 못했습니다.",
"The email address linked to your account must be entered.": "계정에 연결한 이메일 주소를 입력해야 해요.",
- "The file '%(fileName)s' exceeds this home server's size limit for uploads": "'%(fileName)s' 파일이 홈 서버에 올릴 수 있는 한계 크기를 초과했어요",
- "The file '%(fileName)s' failed to upload": "'%(fileName)s' 파일을 올리지 못했어요",
- "The remote side failed to pick up": "원격 측에서 찾지 못했어요",
+ "The file '%(fileName)s' exceeds this home server's size limit for uploads": "'%(fileName)s' 파일이 홈 서버에 올릴 수 있는 한계 크기를 초과했습니다.",
+ "The file '%(fileName)s' failed to upload": "'%(fileName)s' 파일을 올리지 못했습니다.",
+ "The remote side failed to pick up": "상대방이 받지 못했습니다",
"This Home Server does not support login using email address.": "이 홈 서버는 이메일 주소 로그인을 지원하지 않아요.",
- "This invitation was sent to an email address which is not associated with this account:": "이 초대는 이 계정과 연결되지 않은 이메일 주소로 보냈어요:",
- "This room has no local addresses": "이 방은 로컬 주소가 없어요",
+ "This invitation was sent to an email address which is not associated with this account:": "이 초대는 이 계정과 연결되지 않은 이메일 주소로 보냈습니다:",
+ "This room has no local addresses": "이 방은 로컬 주소가 없습니다.",
"This room is not recognised.": "이 방은 드러나지 않아요.",
- "These are experimental features that may break in unexpected ways": "예상치 못한 방법으로 망가질 지도 모르는 실험 기능이에요",
- "The visibility of existing history will be unchanged": "기존 기록은 볼 수 있는 대상이 바뀌지 않아요",
+ "These are experimental features that may break in unexpected ways": "예상치 못하게 망가질 수 있는 실험적인 기능입니다",
+ "The visibility of existing history will be unchanged": "기존 기록은 이전처럼 계속 볼 수 있습니다",
"This doesn't appear to be a valid email address": "올바르지 않은 이메일 주소로 보여요",
- "This is a preview of this room. Room interactions have been disabled": "방을 미리보는 거에요. 상호작용은 보이지 않아요",
- "This phone number is already in use": "이 전화번호는 사용중이에요",
+ "This is a preview of this room. Room interactions have been disabled": "방을 미리 보고 있습니다. 방에 들어가셔야 방 구성원들과 소통하실 수 있습니다.",
+ "This phone number is already in use": "이 전화번호는 이미 사용 중입니다",
"This room": "이 방",
- "This room is not accessible by remote Matrix servers": "이 방은 원격 매트릭스 서버에 접근할 수 없어요",
+ "This room is not accessible by remote Matrix servers": "이 방은 원격 매트릭스 서버에 접근할 수 없습니다.",
"This room's internal ID is": "방의 내부 ID",
"To link to a room it must have an address .": "방에 연결하려면 주소 가 있어야 해요.",
"To reset your password, enter the email address linked to your account": "비밀번호을 다시 설정하려면, 계정과 연결한 이메일 주소를 입력해주세요",
"To use it, just wait for autocomplete results to load and tab through them.": "이 기능을 사용하시려면, 자동완성 결과가 나오길 기다리신 뒤에 탭으로 움직여주세요.",
- "Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "이 방의 타임라인에서 특정 시점을 불러오려고 했지만, 문제의 메시지를 볼 수 있는 권한이 없어요.",
- "Tried to load a specific point in this room's timeline, but was unable to find it.": "이 방의 타임라인에서 특정 시점을 불러오려고 했지만, 찾을 수 없었어요.",
+ "Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "이 방의 타임라인에서 특정 시점을 불러오려고 했지만, 문제의 메시지를 볼 수 있는 권한이 없습니다.",
+ "Tried to load a specific point in this room's timeline, but was unable to find it.": "이 방의 타임라인에서 특정 시점을 불러오려고 했지만, 찾을 수 없었습니다.",
"Turn Markdown off": "마크다운 끄기",
"Turn Markdown on": "마크다운 켜기",
- "%(senderName)s turned on end-to-end encryption (algorithm %(algorithm)s).": "%(senderName)s님이 종단간 암호화를 켜셨어요 (알고리즘 %(algorithm)s).",
- "Unable to add email address": "이메일 주소를 추가할 수 없어요",
- "Unable to remove contact information": "연락처를 지울 수 없어요",
- "Unable to verify email address.": "이메일 주소를 인증할 수 없어요.",
- "Unban": "차단풀기",
- "%(senderName)s unbanned %(targetName)s.": "%(senderName)s님이 %(targetName)s님의 차단을 푸셨어요.",
- "Unable to ascertain that the address this invite was sent to matches one associated with your account.": "이 이매알 주소가 초대를 받은 계정과 연결된 주소가 맞는지 확인할 수 없어요.",
- "Unable to capture screen": "화면을 찍을 수 없어요",
- "Unable to enable Notifications": "알림을 켤 수 없어요",
- "Unable to load device list": "장치 목록을 불러올 수 없어요",
+ "%(senderName)s turned on end-to-end encryption (algorithm %(algorithm)s).": "%(senderName)s님이 종단 간 암호화를 켰습니다(%(algorithm)s 알고리즘).",
+ "Unable to add email address": "이메일 주소를 추가할 수 없습니다.",
+ "Unable to remove contact information": "연락처 정보를 제거할 수 없습니다.",
+ "Unable to verify email address.": "이메일 주소를 인증할 수 없습니다.",
+ "Unban": "차단 해제",
+ "%(senderName)s unbanned %(targetName)s.": "%(senderName)s님이 %(targetName)s님에 대한 차단을 해제했습니다.",
+ "Unable to ascertain that the address this invite was sent to matches one associated with your account.": "이 이매알 주소가 초대를 받은 계정과 연결된 주소가 맞는지 확인할 수 없습니다.",
+ "Unable to capture screen": "화면을 찍을 수 없습니다",
+ "Unable to enable Notifications": "알림을 사용할 수 없습니다.",
+ "Unable to load device list": "기기 목록을 불러올 수 없습니다.",
"Undecryptable": "해독할 수 없는",
"Unencrypted room": "암호화하지 않은 방",
"unencrypted": "암호화하지 않음",
"Unencrypted message": "암호화하지 않은 메시지",
"unknown caller": "알 수 없는 발신자",
- "unknown device": "알 수 없는 장치",
+ "unknown device": "알 수 없는 기기",
"Unknown room %(roomId)s": "알 수 없는 방 %(roomId)s",
- "Unknown (user, device) pair:": "알 수 없는 (사용자, 장치) 연결:",
- "Unmute": "소리 켜기",
+ "Unknown (user, device) pair:": "알 수 없는 (사용자, 기기) 연결:",
+ "Unmute": "음소거 끄기",
"Unnamed Room": "이름 없는 방",
"Unrecognised command:": "인식 할 수 없는 명령:",
- "Unrecognised room alias:": "인식할 수 없는 방 가명:",
+ "Unrecognised room alias:": "인식할 수 없는 방 별칭:",
"Unverified": "인증하지 않음",
"Uploading %(filename)s and %(count)s others|zero": "%(filename)s 올리는 중",
"Uploading %(filename)s and %(count)s others|one": "%(filename)s 외 %(count)s 올리는 중",
"Uploading %(filename)s and %(count)s others|other": "%(filename)s 외 %(count)s 올리는 중",
"Upload avatar": "아바타 올리기",
- "Upload Failed": "파일을 올리지 못했어요",
+ "Upload Failed": "파일을 올리지 못했습니다.",
"Upload Files": "파일 올리기",
"Upload file": "파일 올리기",
"Upload new:": "새로 올리기:",
@@ -424,58 +421,58 @@
"User ID": "사용자 ID",
"User Interface": "사용자 인터페이스",
"User name": "사용자 이름",
- "Username invalid: %(errMessage)s": "사용자 이름을 인식할 수 없어요: %(errMessage)s",
+ "Username invalid: %(errMessage)s": "잘못된 사용자 이름입니다: %(errMessage)s",
"Users": "사용자들",
"Verification Pending": "인증을 기다리는 중",
"Verification": "인증",
"verified": "인증함",
"Verified": "인증함",
- "Verified key": "인증한 키",
- "Video call": "영상통화",
- "Voice call": "음성통화",
- "VoIP conference finished.": "인터넷전화 회의를 마쳤어요.",
- "VoIP conference started.": "인터넷전화 회의를 시작했어요.",
- "VoIP is unsupported": "인터넷전화를 지원하지 않아요",
- "(could not connect media)": "(미디어에 연결할 수 없어요)",
+ "Verified key": "인증한 열쇠",
+ "Video call": "영상 통화하기",
+ "Voice call": "음성 통화하기",
+ "VoIP conference finished.": "VoIP 회의를 마쳤습니다.",
+ "VoIP conference started.": "VoIP 회의를 시작했습니다.",
+ "VoIP is unsupported": "VoIP는 지원하지 않습니다",
+ "(could not connect media)": "(미디어에 연결할 수 없었습니다.)",
"(no answer)": "(응답 없음)",
"(unknown failure: %(reason)s)": "(알 수 없는 오류: %(reason)s)",
"(warning: cannot be disabled again!)": "(주의: 다시 끌 수 없어요!)",
"Warning!": "주의!",
- "WARNING: Device already verified, but keys do NOT MATCH!": "주의: 장치는 이미 인증했지만, 키가 맞지 않아요!",
+ "WARNING: Device already verified, but keys do NOT MATCH!": "주의: 기기는 이미 인증했지만, 열쇠가 맞지 않아요!",
"Who can access this room?": "누가 이 방에 들어올 수 있나요?",
"Who can read history?": "누가 기록을 읽을 수 있나요?",
"Who would you like to add to this room?": "이 방에 누구를 초대하고 싶으세요?",
- "Who would you like to communicate with?": "누구와 이야기하고 싶으세요?",
- "%(senderName)s withdrew %(targetName)s's invitation.": "%(senderName)s님이 %(targetName)s니의 초대를 취소하셨어요.",
+ "Who would you like to communicate with?": "누구와 대화하고 싶으세요?",
+ "%(senderName)s withdrew %(targetName)s's invitation.": "%(senderName)s님이 %(targetName)s님의 초대를 거절했습니다.",
"Would you like to accept or decline this invitation?": "초대를 받아들이거나 거절 하시겠어요?",
- "You already have existing direct chats with this user:": "이미 이 사용자와 직접 이야기하는 중이에요:",
- "You are already in a call.": "이미 자신이 통화 중이네요.",
- "Press to start a chat with someone": "다른 사람과 이야기하려면 을 누르세요",
- "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!": "주의: 키 확인 실패! %(userId)s와 장치 %(deviceId)s의 서명 키 \"%(fprint)s\"는 주어진 키 \"%(fingerprint)s\"와 맞지 않아요. 누가 이야기를 가로채는 중일 수도 있어요!",
- "You're not in any rooms yet! Press to make a room or to browse the directory": "어떤 방에도 들어가 있지 않으세요! 을 눌러서 방을 만들거나 를 눌러 목록에서 방을 찾아보세요",
- "You are trying to access %(roomName)s.": "%(roomName)s에 들어가려고 하는 중이에요.",
- "You cannot place a call with yourself.": "자신에게 전화를 걸 수는 없어요.",
- "You cannot place VoIP calls in this browser.": "이 브라우저에서는 인터넷전화를 걸 수 없어요.",
- "You do not have permission to post to this room": "이 방에서 글을 올릴 권한이 없어요",
- "You have been banned from %(roomName)s by %(userName)s.": "%(userName)s님이 %(roomName)s에서 차단하셨어요.",
- "You have been invited to join this room by %(inviterName)s": "%(inviterName)s님이 이 방에 초대하셨어요",
- "You have been kicked from %(roomName)s by %(userName)s.": "%(userName)s님이 %(roomName)s에서 추방하셨어요.",
- "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": "모든 장치에서 로그아웃되었고 더 이상 알림을 받지 않으실 거에요. 다시 알림을 받으시려면, 각 장치에 로그인해주세요",
- "You have disabled URL previews by default.": "URL 미리보기 쓰지 않기 를 기본으로 하셨어요.",
- "You have enabled URL previews by default.": "URL 미리보기 쓰기 를 기본으로 하셨어요.",
- "You have no visible notifications": "보여드릴 알림이 없어요",
- "You may wish to login with a different account, or add this email to this account.": "다른 계정으로 로그인하거나, 이 이메일을 이 계정에 추가할 수도 있어요.",
+ "You already have existing direct chats with this user:": "이미 직접 대화 중인 사용자:",
+ "You are already in a call.": "이미 통화하고 계시잖아요.",
+ "Press to start a chat with someone": "다른 사람과 대화하려면 을 누르세요.",
+ "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!": "주의: 열쇠 확인에 실패했습니다! %(userId)s와 %(deviceId)s 기기의 서명 키 \"%(fprint)s\"는 주어진 키 \"%(fingerprint)s\"와 맞지 않습니다. 누군가 대화를 엿듣는 중일 수도 있습니다!",
+ "You're not in any rooms yet! Press to make a room or to browse the directory": "아직 어떤 방에도 들어가 있지 않아요! 을 눌러서 방을 만들거나 을 눌러 목록에서 방을 찾아보세요",
+ "You are trying to access %(roomName)s.": "%(roomName)s에 들어가려고 하는 중입니다.",
+ "You cannot place a call with yourself.": "자기 자신에게는 전화를 걸 수 없습니다.",
+ "You cannot place VoIP calls in this browser.": "이 브라우저에서는 VoIP 전화를 걸 수 없습니다.",
+ "You do not have permission to post to this room": "이 방에서 글을 올릴 권한이 없습니다.",
+ "You have been banned from %(roomName)s by %(userName)s.": "%(userName)s님에 의해 %(roomName)s에서 차단당했습니다.",
+ "You have been invited to join this room by %(inviterName)s": "%(inviterName)s님이 이 방에 초대하셨습니다.",
+ "You have been kicked from %(roomName)s by %(userName)s.": "%(userName)s님에 의해 %(roomName)s에서 추방당했습니다.",
+ "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": "모든 기기에서 로그아웃되었고 더 이상 알림을 받지 않으실 거에요. 다시 알림을 받으시려면, 각 기기에 로그인해주세요.",
+ "You have disabled URL previews by default.": "기본으로 URL 미리보기를 사용 중지 했습니다.",
+ "You have enabled URL previews by default.": "URL 미리보기를 기본으로 사용 했습니다.",
+ "You have no visible notifications": "보여줄 수 있는 알림이 없습니다.",
+ "You may wish to login with a different account, or add this email to this account.": "다른 계정으로 로그인하거나, 이 이메일을 이 계정에 추가할 수도 있습니다.",
"You must register to use this functionality": "이 기능을 쓰시려면 계정을 등록 하셔야 해요",
"You need to be able to invite users to do that.": "그러려면 사용자를 초대하실 수 있어야 해요.",
"You need to be logged in.": "로그인하셔야 해요.",
"You need to enter a user name.": "사용자 이름을 입력하셔야 해요.",
- "Your email address does not appear to be associated with a Matrix ID on this Homeserver.": "이메일 주소가 이 홈 서버의 매트릭스 ID와 관련이 없어요.",
- "Your password has been reset": "비밀번호를 다시 설정했어요",
- "Your password was successfully changed. You will not receive push notifications on other devices until you log back in to them": "비밀번호를 바꾸었어요. 다른 장치에서 다시 로그인할 때까지 알림을 받지 않을 거에요",
+ "Your email address does not appear to be associated with a Matrix ID on this Homeserver.": "이메일 주소가 이 홈 서버의 매트릭스 ID와 관련이 없는 것 같습니다.",
+ "Your password has been reset": "비밀번호를 다시 설정했습니다.",
+ "Your password was successfully changed. You will not receive push notifications on other devices until you log back in to them": "비밀번호를 바꿨습니다. 다른 기기에서는 다시 로그인할 때까지 푸시 알림을 받지 않을 겁니다",
"You seem to be in a call, are you sure you want to quit?": "전화 중인데, 끊으시겠어요?",
"You seem to be uploading files, are you sure you want to quit?": "파일을 올리는 중인데, 그만두시겠어요?",
"You should not yet trust it to secure data": "안전한 자료를 위해서는 아직 믿으시면 안돼요",
- "Your home server does not support device management.": "홈 서버가 장치 관리를 지원하지 않아요.",
+ "Your home server does not support device management.": "홈 서버가 기기 관리를 지원하지 않습니다.",
"Sun": "일",
"Mon": "월",
"Tue": "화",
@@ -495,29 +492,29 @@
"Oct": "10월",
"Nov": "11월",
"Dec": "12월",
- "%(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",
+ "%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(monthName)s %(day)s일 %(weekDayName)s요일 %(time)s",
+ "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(fullYear)s년 %(monthName)s %(day)s일 %(weekDayName)s요일 %(time)s",
"%(weekDayName)s %(time)s": "%(weekDayName)s, %(time)s",
- "Set a display name:": "별명 설정:",
+ "Set a display name:": "별명 설정하기:",
"Upload an avatar:": "아바타 올리기:",
- "This server does not support authentication with a phone number.": "이 서버는 전화번호 인증을 지원하지 않아요.",
- "Missing password.": "비밀번호를 틀렸어요.",
+ "This server does not support authentication with a phone number.": "이 서버는 전화번호 인증을 지원하지 않습니다.",
+ "Missing password.": "비밀번호가 없습니다.",
"Passwords don't match.": "비밀번호가 맞지 않아요.",
"Password too short (min %(MIN_PASSWORD_LENGTH)s).": "비밀번호가 너무 짧아요 (min %(MIN_PASSWORD_LENGTH)s).",
"This doesn't look like a valid email address.": "유효한 이메일 주소가 아니에요.",
"This doesn't look like a valid phone number.": "유효한 전화번호가 아니에요.",
- "User names may only contain letters, numbers, dots, hyphens and underscores.": "사용자 이름은 문자, 숫자, 점, -(붙임표), _(밑줄 문자)만 쓸 수 있어요.",
- "An unknown error occurred.": "알 수 없는 오류가 일어났어요.",
- "I already have an account": "이미 계정이 있어요",
- "An error occurred: %(error_string)s": "오류가 일어났어요: %(error_string)s",
+ "User names may only contain letters, numbers, dots, hyphens and underscores.": "사용자 이름은 문자, 숫자, 점, -(붙임표), _(밑줄 문자)만 쓸 수 있습니다.",
+ "An unknown error occurred.": "알 수 없는 오류가 일어났습니다.",
+ "I already have an account": "이미 계정이 있습니다.",
+ "An error occurred: %(error_string)s": "%(error_string)s 오류가 일어났습니다.",
"Topic": "주제",
"Make Moderator": "조정자 임명하기",
"Make this room private": "이 방을 비공개로 만들기",
"Share message history with new users": "메시지 기록을 새 사용자와 공유하기",
"Encrypt room": "암호화한 방",
- "There are no visible files in this room": "이 방에서 보여드릴 파일이 없어요",
+ "There are no visible files in this room": "이 방에는 보여줄 수 있는 파일이 없습니다.",
"Room": "방",
- "Connectivity to the server has been lost.": "서버 연결이 끊어졌어요.",
+ "Connectivity to the server has been lost.": "서버 연결이 끊어졌습니다.",
"Sent messages will be stored until your connection has returned.": "보내신 메시지는 다시 연결될 때까지 저장할 거에요.",
"(~%(count)s results)|one": "(~%(count)s 결과)",
"(~%(count)s results)|other": "(~%(count)s 결과)",
@@ -534,61 +531,61 @@
"New Password": "새 비밀번호",
"Start automatically after system login": "컴퓨터를 시작할 때 자동으로 실행하기",
"Desktop specific": "컴퓨터 설정",
- "Analytics": "정보 수집",
+ "Analytics": "정보 분석",
"Options": "선택권",
- "Riot collects anonymous analytics to allow us to improve the application.": "라이엇은 익명의 정보를 수집해 응용 프로그램을 개선한답니다.",
+ "Riot collects anonymous analytics to allow us to improve the application.": "Riot은 이 앱을 발전시키기 위해 익명으로 정보 분석을 수집합니다.",
"Passphrases must match": "암호가 일치해야 해요",
- "Passphrase must not be empty": "암호를 비우시면 안돼요",
+ "Passphrase must not be empty": "암호를 입력해 주세요.",
"Export room keys": "방 키를 내보내기",
"Confirm passphrase": "암호 확인",
"File to import": "가져올 파일",
"You must join the room to see its files": "파일을 보려면 방에 들어가야만 해요",
"Reject all %(invitedRooms)s invites": "모든 %(invitedRooms)s의 초대를 거절하기",
- "Start new chat": "새로 이야기하기",
- "Failed to invite": "초대하지 못했어요",
- "Failed to invite user": "사용자를 초대하지 못했어요",
- "Failed to invite the following users to the %(roomName)s room:": "다음 사용자들을 %(roomName)s 방으로 초대하지 못했어요:",
+ "Start new chat": "새 대화 시작하기",
+ "Failed to invite": "초대하지 못했습니다.",
+ "Failed to invite user": "사용자를 초대하지 못했습니다.",
+ "Failed to invite the following users to the %(roomName)s room:": "다음 사용자들을 %(roomName)s 방으로 초대하지 못했습니다:",
"Confirm Removal": "삭제 확인",
"Unknown error": "알 수 없는 오류",
"Incorrect password": "맞지 않는 비밀번호",
"To continue, please enter your password.": "계속하시려면, 비밀번호를 입력해주세요.",
- "This process allows you to export the keys for messages you have received in encrypted rooms to a local file. You will then be able to import the file into another Matrix client in the future, so that client will also be able to decrypt these messages.": "이 과정으로 암호화한 방에서 받은 메시지의 키를 로컬 파일로 내보낼 수 있어요. 너중에 다른 매트릭스 클라이언트로 파일을 불러올 수 있기 때문에, 그 클라이언트에서 메시지를 해독할 수도 있지요.",
- "The exported file will allow anyone who can read it to decrypt any encrypted messages that you can see, so you should be careful to keep it secure. To help with this, you should enter a passphrase below, which will be used to encrypt the exported data. It will only be possible to import the data by using the same passphrase.": "내보낸 파일은 누구든지 암호화한 메시지를 해독해서 읽을 수 있게 하므로, 보안에 신경 써 주세요. 이를 위해, 내보낸 파일을 암호화하려하니, 아래에 암호를 입력해주세요. 같은 암호를 쓰셔야만 자료를 불러올 수 있어요.",
- "This process allows you to import encryption keys that you had previously exported from another Matrix client. You will then be able to decrypt any messages that the other client could decrypt.": "이 과정으로 전에 다른 매트릭스 클라이언트에서 내보낸 암호화 키를 불러올 수 있어요. 그 다음에는 다른 클라이언트에서 해독할 수 있던 어떤 메시지라도 해독할 수 있을 거에요.",
- "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "내보낸 파일은 암호로 보호하고 있어요. 파일을 해독하려면, 여기에 암호를 입력해주세요.",
- "Are you sure you wish to remove (delete) this event? Note that if you delete a room name or topic change, it could undo the change.": "이 사건을 지우길 (없애길) 원하세요? 방 이름을 지우거나 주제를 바꾸시면, 되돌릴 수 없다는 걸 명심해주세요.",
- "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:": "이 장치를 믿을 수 있는지 확인하시려면, 몇 가지 방법(예를 들자면 직접 만나거나 전화를 걸어서)으로 소유자에게 연락하시고 그들이 사용자 설정에서 보는 키와 아래 키가 같은지 물어보세요:",
- "Device name": "장치 이름",
- "Device Name": "장치 이름",
- "Device key": "장치 키",
- "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.": "맞다면, 아래 인증 버튼을 누르세요. 맞지 않다면, 다른 사람이 이 장치를 가로채고 있으니 요주의 버튼을 누르시고 싶으실 거 같네요.",
- "In future this verification process will be more sophisticated.": "앞으로는 이 확인 과정이 더 정교해질 거에요.",
- "Verify device": "인증한 장치",
- "I verify that the keys match": "키가 맞는 걸 확인했어요",
- "Unable to restore session": "세션을 복구할 수 없어요",
- "If you have previously used a more recent version of Riot, your session may be incompatible with this version. Close this window and return to the more recent version.": "이전에 더 최근 버전의 라이엇을 쓰셨다면, 이 버전과 맞지 않을 거에요. 창을 닫고 더 최근 버전으로 돌아가세요.",
- "You are currently blacklisting unverified devices; to send messages to these devices you must verify them.": "현재 인증하지 않은 장치를 요주의로 지정하셨어요. 이 장치들에 메시지를 보내려면 인증을 해야 해요.",
- "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.": "각 장치가 알맞은 소유자에게 속해 있는지 인증 과정을 거치길 추천하지만, 원하신다면 그러지 않고 메시지를 다시 보내실 수 있어요.",
- "\"%(RoomName)s\" contains devices that you haven't seen before.": "\"%(RoomName)s\"에 본 적 없는 장치가 있어요.",
- "Unknown devices": "알 수 없는 장치",
+ "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.": "이 과정으로 암호화한 방에서 받은 메시지의 키를 로컬 파일로 내보낼 수 있습니다. 너중에 다른 매트릭스 클라이언트로 파일을 불러올 수 있기 때문에, 그 클라이언트에서 메시지를 해독할 수도 있죠.",
+ "The exported file will allow anyone who can read it to decrypt any encrypted messages that you can see, so you should be careful to keep it secure. To help with this, you should enter a passphrase below, which will be used to encrypt the exported data. It will only be possible to import the data by using the same passphrase.": "내보낸 파일이 있으면 누구든 암호화한 메시지를 해독해서 읽을 수 있으므로, 보안에 신경 써 주세요. 이런 이유로 인해, 아래에 암호를 입력해 내보낸 파일을 암호화하는 걸 추천합니다. 같은 암호를 사용해야만 자료를 불러올 수 있습니다.",
+ "This process allows you to import encryption keys that you had previously exported from another Matrix client. You will then be able to decrypt any messages that the other client could decrypt.": "이 과정으로 전에 다른 매트릭스 클라이언트에서 내보낸 암호화 키를 불러올 수 있습니다. 그 다음에는 다른 클라이언트에서 해독할 수 있던 어떤 메시지라도 해독할 수 있습니다.",
+ "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "내보낸 파일은 암호로 보호하고 있습니다. 파일을 해독하려면, 여기에 암호를 입력해주세요.",
+ "Are you sure you wish to remove (delete) this event? Note that if you delete a room name or topic change, it could undo the change.": "이 이벤트를 제거(삭제)하길 원하세요? 방 이름을 삭제하거나 주제를 바꾸면, 다시 복귀될 수도 있습니다.",
+ "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:": "이 기기를 믿을 수 있는지 인증하시려면, 다른 방법(예를 들자면 직접 만나거나 전화를 걸어서)으로 소유자 분에게 연락해, 사용자 설정에 있는 키가 아래 키와 같은지 물어보세요:",
+ "Device name": "기기 이름",
+ "Device Name": "기기 이름",
+ "Device key": "기기 열쇠",
+ "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.": "키가 동일하다면, 아래의 인증하기 버튼을 누르세요. 혹시 키가 다르다면, 이 기기가 중간자 공격을 받고 있는 중인 것이므로 블랙리스트에 올려야 합니다.",
+ "In future this verification process will be more sophisticated.": "이 인증 과정은 앞으로 더 정교하게 개선시키겠습니다.",
+ "Verify device": "기기 인증하기",
+ "I verify that the keys match": "열쇠가 맞는지 인증합니다",
+ "Unable to restore session": "세션을 복구할 수 없습니다.",
+ "If you have previously used a more recent version of Riot, your session may be incompatible with this version. Close this window and return to the more recent version.": "이전에 더 최근 버전의 Riot을 쓰셨다면, 이 버전과 맞지 않을 거에요. 창을 닫고 더 최근 버전으로 돌아가세요.",
+ "You are currently blacklisting unverified devices; to send messages to these devices you must verify them.": "인증되지 않은 기기를 블랙리스트에 올리고 있습니다. 메시지를 보내려면 인증해야 합니다.",
+ "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.": "각 기기가 알맞은 소유자에게 속해 있는지 인증 과정을 거치길 추천하지만, 원하신다면 그러지 않고도 메시지를 다시 보내실 수 있습니다.",
+ "\"%(RoomName)s\" contains devices that you haven't seen before.": "\"%(RoomName)s\"에 본 적이 없는 기기가 있습니다.",
+ "Unknown devices": "알 수 없는 기기",
"Unknown Address": "알 수 없는 주소",
- "Unblacklist": "요주의 취소",
- "Blacklist": "요주의",
- "Unverify": "확인 취소",
- "Verify...": "확인...",
+ "Unblacklist": "블랙리스트에서 빼기",
+ "Blacklist": "블랙리스트에 올리기",
+ "Unverify": "인증 취소",
+ "Verify...": "인증하기...",
"ex. @bob:example.com": "예. @bob:example.com",
"Add User": "사용자 추가",
- "This Home Server would like to make sure you are not a robot": "이 홈 서버는 당신이 로봇이 아닌지 확인하고 싶다네요",
+ "This Home Server would like to make sure you are not a robot": "이 홈 서버는 당신이 로봇이 아닌지 확인하고 싶다고 합니다.",
"Sign in with CAS": "CAS로 로그인 하기",
"Please check your email to continue registration.": "등록하시려면 이메일을 확인해주세요.",
"Token incorrect": "토큰이 안 맞아요",
"Please enter the code it contains:": "들어있던 코드를 입력해주세요:",
- "If you don't specify an email address, you won't be able to reset your password. Are you sure?": "이메일 주소를 정하지 않으시면, 비밀번호를 다시 설정하실 수 없어요. 괜찮으신가요?",
+ "If you don't specify an email address, you won't be able to reset your password. Are you sure?": "이메일 주소를 정하지 않으면, 비밀번호를 다시 설정할 수 없습니다. 괜찮으신가요?",
"You are registering with %(SelectedTeamName)s": "%(SelectedTeamName)s로 등록할게요",
"Default server": "기본 서버",
"What does this mean?": "무슨 뜻인가요?",
- "You can use the custom server options to sign into other Matrix servers by specifying a different Home server URL.": "사용자 지정 서버 설정에서 다른 홈 서버 URL을 지정해 다른 매트릭스 서버에 로그인 할 수 있어요.",
- "This allows you to use this app with an existing Matrix account on a different home server.": "이를 통해 이 앱과 다른 홈 서버의 기존 매트릭스 계정을 함께 쓸 수 있죠.",
+ "You can use the custom server options to sign into other Matrix servers by specifying a different Home server URL.": "사용자 지정 서버 설정에서 다른 홈 서버 URL을 지정해 다른 매트릭스 서버에 로그인 할 수 있습니다.",
+ "This allows you to use this app with an existing Matrix account on a different home server.": "이를 통해 이 앱과 다른 홈 서버의 기존 매트릭스 계정을 함께 쓸 수 있습니다.",
"You can also set a custom identity server but this will typically prevent interaction with users based on email address.": "사용자 지정 ID 서버를 설정할 수도 있지만 보통 그런 경우엔 이메일 주소를 기반으로 한 사용자와 상호작용이 막힐 거에요.",
"Custom server": "사용자 지정 서버",
"Home server URL": "홈 서버 URL",
@@ -597,8 +594,8 @@
"Error decrypting image": "사진 해독 오류",
"Error decrypting video": "영상 해독 오류",
"Add an Integration": "통합 추가",
- "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "타사 사이트로 이동하는데 %(integrationsUrl)s에서 쓰도록 계정을 인증할 수 있어요. 계속하시겠어요?",
- "Removed or unknown message type": "지웠거나 알 수 없는 메시지 유형",
+ "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "%(integrationsUrl)s에서 쓸 수 있도록 계정을 인증하려고 다른 사이트로 이동하고 있습니다. 계속하시겠어요?",
+ "Removed or unknown message type": "제거했거나 알 수 없는 메시지 유형",
"URL Previews": "URL 미리보기",
"Drop file here to upload": "올릴 파일을 여기에 놓으세요",
" (unsupported)": " (지원하지 않음)",
@@ -608,168 +605,635 @@
"Offline": "미접속",
"Updates": "업데이트",
"Check for update": "업데이트 확인",
- "Start chatting": "이야기하기",
- "Start Chatting": "이야기하기",
- "Click on the button below to start chatting!": "이야기하려면 아래 버튼을 누르세요!",
- "%(senderDisplayName)s changed the room avatar to ": "%(senderDisplayName)s님이 방 아바타를 로 바꾸셨어요",
- "%(senderDisplayName)s removed the room avatar.": "%(senderDisplayName)s님이 방 아바타를 지우셨어요.",
- "%(senderDisplayName)s changed the avatar for %(roomName)s": "%(senderDisplayName)s가 %(roomName)s 방의 아바타를 바꾸셨어요",
+ "Start chatting": "대화하기",
+ "Start Chatting": "대화하기",
+ "Click on the button below to start chatting!": "대화하려면 아래 버튼을 누르세요!",
+ "%(senderDisplayName)s changed the room avatar to ": "%(senderDisplayName)s님이 방 아바타를 로 바꿨습니다",
+ "%(senderDisplayName)s removed the room avatar.": "%(senderDisplayName)s님이 방 아바타를 제거했습니다.",
+ "%(senderDisplayName)s changed the avatar for %(roomName)s": "%(senderDisplayName)s님이 %(roomName)s의 아바타를 바꿨습니다",
"Username available": "쓸 수 있는 사용자 이름",
"Username not available": "쓸 수 없는 사용자 이름",
"Something went wrong!": "문제가 생겼어요!",
"This will be your account name on the homeserver, or you can pick a different server .": "이건 홈 서버의 계정 이름이에요, 다른 서버 를 고를 수도 있다는 거죠.",
"If you already have a Matrix account you can log in instead.": "매트릭스 계정을 가지고 계시면 로그인 하실 수도 있죠.",
- "Your browser does not support the required cryptography extensions": "브라우저가 필요한 암호화 확장 기능을 지원하지 않아요",
- "Not a valid Riot keyfile": "올바른 라이엇 키 파일이 아니에요",
- "Authentication check failed: incorrect password?": "인증 확인 실패: 비밀번호를 틀리셨나요?",
- "Disable Peer-to-Peer for 1:1 calls": "1:1 통화는 P2P 끄기",
+ "Your browser does not support the required cryptography extensions": "필요한 암호화 확장 기능을 브라우저가 지원하지 않습니다",
+ "Not a valid Riot keyfile": "올바른 Riot 열쇠 파일이 아닙니다",
+ "Authentication check failed: incorrect password?": "검증 확인 실패: 비밀번호를 틀리셨나요?",
+ "Disable Peer-to-Peer for 1:1 calls": "1:1 통화할 때는 P2P 비활성화하기",
"Do you want to set an email address?": "이메일 주소를 설정하시겠어요?",
- "This will allow you to reset your password and receive notifications.": "이렇게 하면 비밀번호를 다시 설정하고 알림을 받으실 수 있어요.",
+ "This will allow you to reset your password and receive notifications.": "이렇게 하면 비밀번호를 다시 설정하고 알림을 받으실 수 있습니다.",
"To return to your account in future you need to set a password": "나중에 계정으로 돌아가려면 비밀번호를 설정하셔야 해요",
"Skip": "건너뛰기",
"Start verification": "인증 시작",
"Share without verifying": "인증하지 않고 공유하기",
"Ignore request": "요청 무시하기",
- "You added a new device '%(displayName)s', which is requesting encryption keys.": "새 장치 '%(displayName)s'를 추가했고 암호화 키를 요청하고 있어요.",
- "Your unverified device '%(displayName)s' is requesting encryption keys.": "인증하지 않은 장치 '%(displayName)s'가 암호화 키를 요청하고 있어요.",
+ "You added a new device '%(displayName)s', which is requesting encryption keys.": "암호화 열쇠를 요청하고 있는 새 기기 '%(displayName)s'를(을) 추가했습니다.",
+ "Your unverified device '%(displayName)s' is requesting encryption keys.": "인증되지 않은 기기 '%(displayName)s'가(이) 암호화 키를 요청하고 있습니다.",
"Encryption key request": "암호화 키 요청",
"Edit": "수정하기",
- "Fetching third party location failed": "타사 위치를 불러오지 못했어요",
- "A new version of Riot is available.": "라이엇의 새 버전을 사용하실 수 있어요.",
- "Couldn't load home page": "중심 화면을 불러올 수 없어요",
- "All notifications are currently disabled for all targets.": "현재 모든 알림이 모든 상대에게서 꺼졌어요.",
+ "Fetching third party location failed": "타사 위치를 불러오지 못했습니다.",
+ "A new version of Riot is available.": "Riot의 새 버전을 사용하실 수 있습니다.",
+ "Couldn't load home page": "홈 페이지를 불러올 수 없었습니다",
+ "All notifications are currently disabled for all targets.": "현재 모든 알림이 모든 대상에 대해 비활성화 돼 있습니다.",
"Uploading report": "보고를 올리는 중",
"Sunday": "일요일",
- "Guests can join": "손님이 들어올 수 있어요",
- "Messages sent by bot": "봇이 보낸 메시지",
+ "Guests can join": "손님이 들어올 수 있습니다",
+ "Messages sent by bot": "봇이 보낸 메시지를 받을 때",
"Notification targets": "알림 대상",
- "Failed to set direct chat tag": "직접 이야기 지정을 설정하지 못했어요",
+ "Failed to set direct chat tag": "직접 대화 태그를 설정하지 못했습니다.",
"Today": "오늘",
- "Failed to get protocol list from Home Server": "홈 서버에서 프로토콜 목록을 얻지 못했어요",
- "You are not receiving desktop notifications": "컴퓨터 알림을 받지 않고 있어요",
+ "Failed to get protocol list from Home Server": "홈 서버에서 프로토콜 목록을 얻지 못했습니다.",
+ "You are not receiving desktop notifications": "컴퓨터 알림을 받지 않고 있습니다",
"Friday": "금요일",
"Update": "업데이트",
"What's New": "새로운 점",
"Add an email address above to configure email notifications": "이메일 알림을 설정하기 위해 이메일 주소를 추가해주세요",
"Expand panel": "확장 패널",
"On": "켜기",
- "Filter room names": "방 이름 거르기",
+ "Filter room names": "방 이름 찾기",
"Changelog": "바뀐 점",
"Waiting for response from server": "서버에서 응답을 기다리는 중",
"Leave": "떠나기",
"Advanced notification settings": "고급 알림 설정",
"delete the alias.": "가명을 지울게요.",
"To return to your account in future you need to set a password ": "나중에 계정으로 돌아가려면 비밀번호 설정 을 해야만 해요",
- "Forget": "잊기",
+ "Forget": "지우기",
"World readable": "세계에 보이기",
"Hide panel": "패널 숨기기",
- "You cannot delete this image. (%(code)s)": "이 사진을 지우실 수 없어요. (%(code)s)",
+ "You cannot delete this image. (%(code)s)": "이 사진을 삭제하실 수 없습니다. (%(code)s)",
"Cancel Sending": "보내기 취소",
"Warning": "주의",
"This Room": "방",
- "The Home Server may be too old to support third party networks": "타사 네트워크를 지원하기에는 홈 서버가 너무 오래된 걸 수 있어요",
+ "The Home Server may be too old to support third party networks": "타사 네트워크를 지원하기에는 홈 서버가 너무 오래된 걸 수 있어요.",
"Resend": "다시 보내기",
- "Error saving email notification preferences": "이메일 알림을 설정하는데 오류가 일어났어요",
- "Messages containing my display name": "내 별명이 적힌 메시지",
- "Messages in one-to-one chats": "1:1 이야기의 메시지",
+ "Error saving email notification preferences": "이메일 알림을 설정하는 중에 오류가 났습니다.",
+ "Messages containing my display name": "내 별명이 포함된 메시지를 받을 때",
+ "Messages in one-to-one chats": "1:1 대화 메시지 받을 때",
"Unavailable": "이용할 수 없음",
"View Decrypted Source": "해독된 출처 보기",
"Send": "보내기",
- "remove %(name)s from the directory.": "목록에서 %(name)s을 지웠어요.",
- "Notifications on the following keywords follow rules which can’t be displayed here:": "여기 표시될 수 없는 규칙에 따라 다음 키워드는 알리지 않아요:",
+ "remove %(name)s from the directory.": "목록에서 %(name)s를(을) 제거했습니다.",
+ "Notifications on the following keywords follow rules which can’t be displayed here:": "여기에 표시될 수 없는 규칙에 따르는 다음 키워드에 대한 알림:",
"Please set a password!": "비밀번호를 설정해주세요!",
- "You have successfully set a password!": "비밀번호를 설정했어요!",
- "An error occurred whilst saving your email notification preferences.": "이메일 알림을 설정하다가 오류가 일어났어요.",
+ "You have successfully set a password!": "비밀번호를 설정하셨어요!",
+ "An error occurred whilst saving your email notification preferences.": "이메일 알림 설정을 저장하는 중에 오류가 났습니다.",
"Source URL": "출처 URL",
- "Failed to add tag %(tagName)s to room": "방에 %(tagName)s로 지정하지 못했어요",
+ "Failed to add tag %(tagName)s to room": "방에 %(tagName)s 태그를 달지 못했습니다.",
"Members": "구성원",
- "No update available.": "업데이트가 없어요.",
+ "No update available.": "업데이트가 없습니다.",
"Noisy": "소리",
"Files": "파일",
"Collecting app version information": "앱 버전 정보를 수집하는 중",
- "Delete the room alias %(alias)s and remove %(name)s from the directory?": "방 가명 %(alias)s 을 지우고 목록에서 %(name)s를 지우시겠어요?",
- "This will allow you to return to your account after signing out, and sign in on other devices.": "이런 식으로 로그아웃한 뒤 계정으로 돌아가, 다른 장치에서 로그인하실 수 있어요.",
- "Enable notifications for this account": "이 계정의 알림 받기",
+ "Delete the room alias %(alias)s and remove %(name)s from the directory?": "방 별칭 %(alias)s를(을) 삭제하고 목록에서 %(name)s를(을) 제거하시겠어요?",
+ "This will allow you to return to your account after signing out, and sign in on other devices.": "이런 식으로 로그아웃한 뒤 계정으로 돌아가, 다른 기기에서 로그인하실 수 있습니다.",
+ "Enable notifications for this account": "이 계정의 알림 사용하기",
"Directory": "목록",
"Search for a room": "방에서 찾기",
"Messages containing keywords ": "키워드 가 적힌 메시지",
- "Room not found": "방을 찾지 못했어요",
+ "Room not found": "방을 찾지 못했습니다",
"Tuesday": "화요일",
"Enter keywords separated by a comma:": "키워드를 쉼표로 구분해 입력해주세요:",
"Search…": "찾기…",
- "Remove %(name)s from the directory?": "목록에서 %(name)s을 지우시겠어요?",
- "Riot uses many advanced browser features, some of which are not available or experimental in your current browser.": "라이엇은 많은 고급 브라우저 기능을 사용해요. 일부는 현재 브라우저에서 쓸 수 없거나 실험적이에요.",
+ "Remove %(name)s from the directory?": "목록에서 %(name)s를(을) 제거하시겠어요?",
+ "Riot uses many advanced browser features, some of which are not available or experimental in your current browser.": "Riot은 많은 고급 브라우저 기능을 사용해요. 일부는 현재 브라우저에서 쓸 수 없거나 실험적이에요.",
"Developer Tools": "개발자 도구",
- "Enable desktop notifications": "컴퓨터에서 알림 받기",
+ "Enable desktop notifications": "컴퓨터에서 알림 사용하기",
"Unnamed room": "이름없는 방",
- "Remove from Directory": "목록에서 지우기",
+ "Remove from Directory": "목록에서 제거하기",
"Saturday": "토요일",
"Remember, you can always set an email address in user settings if you change your mind.": "잊지마세요, 마음이 바뀌면 언제라도 사용자 설정에서 이메일 주소를 바꾸실 수 있다는 걸요.",
- "Direct Chat": "직접 이야기하기",
- "The server may be unavailable or overloaded": "서버를 쓸 수 없거나 과부하일 수 있어요",
+ "Direct Chat": "직접 대화하기",
+ "The server may be unavailable or overloaded": "서버가 사용 불가하거나 과부하가 걸렸을 수 있습니다.",
"Reject": "거절하기",
- "Failed to set Direct Message status of room": "방의 쪽지 상태를 설정하지 못했어요",
+ "Failed to set Direct Message status of room": "방의 쪽지 상태를 설정하지 못했습니다.",
"Monday": "월요일",
"All messages (noisy)": "모든 메시지 (크게)",
"Enable them now": "지금 켜기",
"Forward Message": "메시지 전달",
- "Messages containing my user name": "내 사용자 이름이 적힌 메시지",
+ "Messages containing my user name": "내 사용자 이름이 적힌 메시지를 받을 때",
"Toolbox": "도구상자",
"Collecting logs": "로그 수집 중",
"more": "더 보기",
"(HTTP status %(httpStatus)s)": "(HTTP 상태 %(httpStatus)s)",
"All Rooms": "모든 방",
- "Failed to get public room list": "공개한 방 목록을 얻지 못했어요",
+ "Failed to get public room list": "공개한 방 목록을 얻지 못했습니다.",
"Quote": "인용하기",
- "Failed to update keywords": "키워드를 갱신하지 못했어요",
+ "Failed to update keywords": "키워드를 갱신하지 못했습니다.",
"Send logs": "로그 보내기",
"All messages": "모든 메시지",
- "Call invitation": "전화가 왔어요",
+ "Call invitation": "전화가 올 때",
"Downloading update...": "업데이트를 받는 중...",
- "You have successfully set a password and an email address!": "비밀번호와 이메일 주소를 설정했어요!",
+ "You have successfully set a password and an email address!": "비밀번호와 이메일 주소를 설정하셨어요!",
"What's new?": "새로운 점은?",
"Notify me for anything else": "모든 걸 알리기",
"When I'm invited to a room": "방에 초대받았을 때",
"Keywords": "키워드",
- "Can't update user notification settings": "사용자 알림 설정을 갱신할 수 없어요",
+ "Can't update user notification settings": "사용자 알림 설정을 갱신할 수 없습니다.",
"Notify for all other messages/rooms": "다른 모든 메시지/방 알리기",
- "Unable to look up room ID from server": "서버에서 방 ID를 찾아볼 수 없어요",
- "Couldn't find a matching Matrix room": "일치하는 매트릭스 방을 찾을 수 없어요",
+ "Unable to look up room ID from server": "서버에서 방 ID를 찾아볼 수 없습니다.",
+ "Couldn't find a matching Matrix room": "일치하는 매트릭스 방을 찾을 수 없었습니다",
"Invite to this room": "이 방에 초대하기",
- "You cannot delete this message. (%(code)s)": "이 메시지를 지우실 수 없어요. (%(code)s)",
+ "You cannot delete this message. (%(code)s)": "이 메시지를 삭제하실 수 없습니다. (%(code)s)",
"Thursday": "목요일",
"I understand the risks and wish to continue": "위험할 수 있는 걸 알고 계속하기를 바라요",
"Back": "돌아가기",
- "Failed to change settings": "설정을 바꾸지 못했어요",
+ "Failed to change settings": "설정을 바꾸지 못했습니다.",
"Show message in desktop notification": "컴퓨터 알림에서 내용 보이기",
"Unhide Preview": "미리보기를 숨기지 않기",
- "Unable to join network": "네트워크에 들어갈 수 없어요",
- "You might have configured them in a client other than Riot. You cannot tune them in Riot but they still apply": "라이엇이 아닌 다른 클라이언트에서 구성하셨을 수도 있어요. 라이엇에서 조정할 수는 없지만 여전히 적용되있을 거에요",
- "Sorry, your browser is not able to run Riot.": "죄송해요. 브라우저에서 라이엇을 켤 수가 없어요 .",
+ "Unable to join network": "네트워크에 들어갈 수 없습니다.",
+ "You might have configured them in a client other than Riot. You cannot tune them in Riot but they still apply": "Riot이 아닌 다른 클라이언트에서 설정하셨을 수도 있습니다. Riot에서 바꿀 수는 없지만, 여전히 적용돼 있습니다.",
+ "Sorry, your browser is not able to run Riot.": "죄송합니다. 쓰고 계신 브라우저에서는 Riot를 사용할 수 없습니다 .",
"Uploaded on %(date)s by %(user)s": "by %(user)s가 %(date)s에 올림",
- "Messages in group chats": "이야기 모임의 메시지",
+ "Messages in group chats": "그룹 대화 메시지를 받을 때",
"Yesterday": "어제",
- "Error encountered (%(errorDetail)s).": "오류가 일어났어요 (%(errorDetail)s).",
+ "Error encountered (%(errorDetail)s).": "오류가 일어났습니다 (%(errorDetail)s).",
"Low Priority": "낮은 우선순위",
- "Riot does not know how to join a room on this network": "라이엇이 이 네트워크에서 방에 들어가는 법을 알 수 없어요",
+ "Riot does not know how to join a room on this network": "Riot이 이 네트워크에서 방에 들어가는 법을 알 수 없습니다.",
"Set Password": "비밀번호 설정",
- "Enable audible notifications in web client": "웹 클라이언트에서 알림 소리 켜기",
- "Permalink": "고유주소",
+ "Enable audible notifications in web client": "웹 클라이언트에서 알림 소리 사용하기",
"Off": "끄기",
"#example": "#예",
"Mentions only": "답만 하기",
- "Failed to remove tag %(tagName)s from room": "방에서 %(tagName)s 지정을 지우지 못했어요",
+ "Failed to remove tag %(tagName)s from room": "방에서 %(tagName)s 태그를 제거하지 못했습니다.",
"Wednesday": "수요일",
- "You can now return to your account after signing out, and sign in on other devices.": "계정을 로그아웃하신 뒤에 계정으로 돌아가, 다른 장치에서 로그인하실 수 있어요.",
- "Enable email notifications": "이메일로 알림 받기",
+ "You can now return to your account after signing out, and sign in on other devices.": "이제 계정을 로그아웃하신 뒤에 계정으로 돌아가, 다른 기기에서 로그인할 수 있습니다.",
+ "Enable email notifications": "이메일로 알림 사용하기",
"Login": "로그인",
- "No rooms to show": "보여드릴 방이 없어요",
+ "No rooms to show": "보여줄 수 있는 방이 없습니다.",
"Download this file": "이 파일 받기",
"Thank you!": "감사합니다!",
"View Source": "출처 보기",
- "Unable to fetch notification target list": "알림 대상 목록을 불러올 수 없어요",
+ "Unable to fetch notification target list": "알림 대상 목록을 불러올 수 없습니다.",
"Collapse panel": "패널 접기",
- "With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "현재 브라우저에서는, 응용 프로그램의 모양과 기능이 완벽하게 맞지 않거나, 일부 혹은 모든 기능이 작동하지 않을 수 있어요. 계속할 수는 있지만, 맞닥뜨리는 모든 문제는 직접 해결하셔야해요!",
+ "With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "현재 쓰고 계신 브라우저에서는, 보고 느끼기에 응용 프로그램이 완전히 맞지 않거나, 일부 혹은 모든 기능이 작동하지 않을 수 있습니다. 어쨋든 사용하고 싶으시다면 계속할 수는 있지만, 부딛치는 모든 문제는 직접 해결하셔야 해요!",
"Checking for an update...": "업데이트를 확인하는 중...",
- "There are advanced notifications which are not shown here": "여기 보이지 않는 고급 알림이 있어요"
+ "There are advanced notifications which are not shown here": "여기에는 보여지지 않는 고급 알림이 있습니다.",
+ "%(oldDisplayName)s changed their display name to %(displayName)s.": "%(oldDisplayName)s님이 별명을 %(displayName)s(으)로 바꿨습니다.",
+ "%(senderName)s changed the pinned messages for the room.": "%(senderName)s가 방의 고정된 메시지를 바꿨습니다.",
+ "%(severalUsers)schanged their name %(count)s times|other": "%(severalUsers)s님이 이름을 %(count)s번 바꿨습니다",
+ "%(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님이 아바타를 바꿨습니다",
+ "This setting cannot be changed later!": "이 설정은 나중에 바꿀 수 없습니다!",
+ "Data from an older version of Riot has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "이전 버전 Riot의 데이터가 발견됐습니다. 이전 버전에서는 종단 간 암호화에 오작동을 일으켰을 겁니다. 이전 버전을 사용한 최근의 종단 간 암호화된 메시지는 이 버전에서 복호화가 불가능할 수 있습니다. 이 버전과 메시지를 주고받지 못할 수도 있습니다. 문제가 생긴다면 로그아웃하고 다시 로그인 해 보세요. 메시지 기록을 유지하고 싶다면 키를 내보냈다가 다시 불러오세요.",
+ "Hide display name changes": "별명 변경 내역 숨기기",
+ "This event could not be displayed": "이 이벤트는 표시될 수 없었습니다.",
+ "Seen by %(displayName)s (%(userName)s) at %(dateTime)s": "%(displayName)s(%(userName)s)님이 %(dateTime)s에 봄",
+ "Banned by %(displayName)s": "%(displayName)s님이 차단함",
+ "Display your community flair in rooms configured to show it.": "커뮤니티 재능이 보이도록 설정된 방에서 커뮤니티 재능을 표시할 수 있습니다.",
+ "The user '%(displayName)s' could not be removed from the summary.": "사용자 %(displayName)s님을 요약에서 제거하지 못했습니다.",
+ "These rooms are displayed to community members on the community page. Community members can join the rooms by clicking on them.": "이 방들은 커뮤니티 페이지에서 커뮤니티 구성원에게 보여집니다. 커뮤니티 구성원은 방을 클릭해 들어갈 수 있습니다.",
+ "Pinned Messages": "고정된 메시지",
+ "You're not currently a member of any communities.": "지금은 어떤 커뮤니티에도 속해 있지 않습니다.",
+ "Flair": "재능",
+ "Showing flair for these communities:": "이 커뮤니티에 재능을 공개 중:",
+ "This room is not showing flair for any communities": "이 방은 어떤 커뮤니티에도 재능을 보여주지 않습니다",
+ "Flair will appear if enabled in room settings": "방 설정에서 사용하면 재능이 나타날 겁니다.",
+ "Flair will not appear": "재능은 나타나지 않을 겁니다",
+ "The platform you're on": "당신이 사용 중인 플랫폼",
+ "The version of Riot.im": "Riot 버전",
+ "Whether or not you're logged in (we don't record your user name)": "로그인 돼 있는지(사용자 이름을 기록)",
+ "Your language of choice": "선택한 언어",
+ "Which officially provided instance you are using, if any": "(만일 있다면) 사용하고 있는 공식 프로그램",
+ "Whether or not you're using the Richtext mode of the Rich Text Editor": "Rich Text Editor의 Richtext mode를 사용하고 있는지",
+ "Your homeserver's URL": "홈 서버의 URL",
+ "Your identity server's URL": "ID 서버의 URL",
+ "e.g. %(exampleValue)s": "예시: %(exampleValue)s",
+ "Every page you use in the app": "앱에서 이용하는 모든 페이지",
+ "e.g. ": "예시: ",
+ "Your User Agent": "사용자 에이전트",
+ "Your device resolution": "기기 해상도",
+ "The information being sent to us to help make Riot.im better includes:": "Riot을 발전시키기 위해 저희에게 보내는 정보는 다음을 포함합니다:",
+ "Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "이 페이지에서 방, 사용자, 혹은 그룹 ID와 같은 식별 가능한 정보를 포함하는 부분이 있는 데이터는 서버에 보내지기 전에 제거됩니다.",
+ "Call Failed": "전화할 수 없었습니다",
+ "There are unknown devices in this room: if you proceed without verifying them, it will be possible for someone to eavesdrop on your call.": "이 방에는 모르는 기기가 있습니다. 인증하지 않고 계속하면 전화를 도청할 수도 있을 겁니다.",
+ "Review Devices": "기기 검증하기",
+ "Call Anyway": "그냥 걸기",
+ "Answer Anyway": "그냥 받기",
+ "Call": "전화하기",
+ "Answer": "받기",
+ "Call in Progress": "전화 거는 중",
+ "A call is already in progress!": "이미 전화 걸고 계세요!",
+ "PM": "오후",
+ "AM": "오전",
+ "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(fullYear)s년 %(monthName)s %(day)s일 (%(weekDayName)s)",
+ "Who would you like to add to this community?": "이 커뮤니티에 누구를 추가하고 싶으세요?",
+ "Warning: any person you add to a community will be publicly visible to anyone who knows the community ID": "경고: 커뮤니티에 추가한 사람은 커뮤니티 ID를 아는 누구에게나 공개됩니다",
+ "Invite new community members": "새 커뮤니티 구성원 초대하기",
+ "Name or matrix ID": "이름이나 Matrix ID",
+ "Invite to Community": "커뮤니티에 초대하기",
+ "Which rooms would you like to add to this community?": "어떤 방을 이 커뮤니티에 추가하고 싶으세요?",
+ "Show these rooms to non-members on the community page and room list?": "이 방들을 구성원이 아닌 커뮤니티 페이지와 방 리스트에 공개할까요?",
+ "Add rooms to the community": "커뮤니티에 방 추가하기",
+ "Room name or alias": "방 이름 또는 별칭",
+ "Add to community": "커뮤니티에 추가하기",
+ "Failed to invite the following users to %(groupId)s:": "해당 사용자를 %(groupId)s에 초대하지 못했습니다:",
+ "Failed to invite users to community": "사용자를 커뮤니티에 초대하지 못했습니다",
+ "Failed to invite users to %(groupId)s": "%(groupId)s에 사용자를 초대하지 못했습니다",
+ "Failed to add the following rooms to %(groupId)s:": "%(groupId)s에 해당 방을 추가하지 못했습니다:",
+ "Restricted": "제한됨",
+ "Unable to create widget.": "위젯을 만들지 못합니다.",
+ "Missing roomId.": "roomID가 빠졌습니다.",
+ "You are not in this room.": "이 방의 구성원이 아닙니다.",
+ "You do not have permission to do that in this room.": "이 방에서 그걸 할 수 있는 권한이 없습니다.",
+ "Changes colour scheme of current room": "현재 방의 색 구성 바꾸기",
+ "Sets the room topic": "방 주제 설정하기",
+ "Unbans user with given id": "주어진 ID로 사용자 차단 해제하기",
+ "Ignores a user, hiding their messages from you": "사용자 무시하고, 메시지 보지 말기",
+ "Ignored user": "무시당한 사용자",
+ "You are now ignoring %(userId)s": "%(userId)s님을 이제 무시합니다",
+ "Stops ignoring a user, showing their messages going forward": "사용자를 그만 무시하고 이제부터 메시지 보기",
+ "Unignored user": "무시하지 않게 된 사용자",
+ "You are no longer ignoring %(userId)s": "%(userId)s님을 더 이상 무시하고 있지 않습니다",
+ "Define the power level of a user": "사용자의 권한 등급 정의하기",
+ "Opens the Developer Tools dialog": "개발자 도구 대화 열기",
+ "Verifies a user, device, and pubkey tuple": "사용자, 기기, 그리고 공개키 튜플 인증하기",
+ "%(widgetName)s widget modified by %(senderName)s": "%(senderName)s님이 수정한 %(widgetName)s 위젯",
+ "%(widgetName)s widget added by %(senderName)s": "%(senderName)s님이 추가한 %(widgetName)s 위젯",
+ "%(widgetName)s widget removed by %(senderName)s": "%(senderName)s님이 제거한 %(widgetName)s 위젯",
+ "Remove avatar": "아바타 제거하기",
+ "To remove other users' messages, you must be a": "다른 사용자의 메시지를 제거하기 위해서는, 당신은 -가 돼야 한다",
+ "Message removed by %(userId)s": "%(userId)s님에 의해 제거된 메시지",
+ "Message removed": "메시지가 제거됐습니다",
+ "Remove from community": "커뮤니티에서 제거하기",
+ "Remove this user from community?": "이 사용자를 커뮤니티에서 제거하시겠어요?",
+ "Failed to remove user from community": "유저를 커뮤니티에서 제거하지 못했습니다",
+ "Are you sure you want to remove '%(roomName)s' from %(groupId)s?": "확실히 %(roomName)s를(을) %(groupId)s로부터 제거하고 싶으세요?",
+ "Removing a room from the community will also remove it from the community page.": "방을 커뮤니티로부터 삭제하면 커뮤니티 페이지에서도 제거됩니다.",
+ "Failed to remove room from community": "커뮤니티로부터 방을 제거하지 못했습니다",
+ "Failed to remove '%(roomName)s' from %(groupId)s": "%(roomName)s를(을) %(groupId)s(으)로부터 제거하지 못했습니다.",
+ "%(names)s and %(count)s others are typing|other": "%(names)s님과 %(count)s명 더 입력하는 중",
+ "%(names)s and %(count)s others are typing|one": "%(names)s님 외 1명이 입력하는 중",
+ "Message Pinning": "메시지 고정",
+ "Jitsi Conference Calling": "Jitsi 회의 전화",
+ "Disable Emoji suggestions while typing": "입력 중에는 이모지 추천 비활성화하기",
+ "Privacy is important to us, so we don't collect any personal or identifiable data for our analytics.": "저희는 프라이버시를 중요하게 여기기 때문에, 그 어떤 개인적이거나 특정할 수 있는 정보도 정보 분석을 위해 수집하지 않습니다.",
+ "Send analytics data": "정보 분석 데이터 보내기",
+ "Learn more about how we use analytics.": "저희가 어떻게 정보 분석을 이용하는지 알아보세요.",
+ "Debug logs contain application usage data including your username, the IDs or aliases of the rooms or groups you have visited and the usernames of other users. They do not contain messages.": "디버그 로그는 사용자 이름, 방문한 방이나 그룹의 ID나 별칭, 그리고 다른 사용자의 사용자 이름을 포함한 앱 이용 데이터를 포함합니다. 메시지는 포함하지 않습니다.",
+ "Debug Logs Submission": "디버그 로그 제출",
+ "Submit debug logs": "디버그 로그 전송하기",
+ "Select devices": "기기 선택하기",
+ "Enable inline URL previews by default": "기본으로 바로 URL 미리보기 사용하기",
+ "Always show encryption icons": "암호화 아이콘을 언제나 보여주기",
+ "Enable automatic language detection for syntax highlighting": "구문 강조를 위해 자동 언어 감지 사용하기",
+ "Hide avatars in user and room mentions": "사용자와 방 언급할 때 아바타 숨기기",
+ "Disable big emoji in chat": "대화에서 큰 이모지 비활성화하기",
+ "Automatically replace plain text Emoji": "일반 텍스트로 된 이모지 자동으로 변환하기",
+ "Mirror local video feed": "보고 있는 비디오 전송 상태 비추기",
+ "Disable Community Filter Panel": "커뮤니티 필터판 비활성화하기",
+ "Hide avatar changes": "아바타 변경 내역 숨기기",
+ "Changes made to your community name and avatar might not be seen by other users for up to 30 minutes.": "커뮤니티 이름 과 아바타 변경 내역은 최장 30분까지 다른 사용자가 보지 못할 수 있습니다.",
+ "Delete %(count)s devices|one": "기기 지우기",
+ "Addresses": "주소",
+ "Invalid community ID": "잘못된 커뮤니티 ID입니다",
+ "'%(groupId)s' is not a valid community ID": "\"%(groupId)s\"는 바른 커뮤니티 ID가 아닙니다",
+ "New community ID (e.g. +foo:%(localDomain)s)": "새 커뮤니티 ID(예시: +foo:%(localDomain)s)",
+ "URL previews are enabled by default for participants in this room.": "이 방에 참여한 분에게는 URL 미리보기가 기본입니다.",
+ "URL previews are disabled by default for participants in this room.": "이 방에 참여한 분에게는 URL 미리보기가 기본으로 비활성화 돼 있습니다.",
+ "Cannot add any more widgets": "더 이상 위젯을 추가할 수 없습니다",
+ "The maximum permitted number of widgets have already been added to this room.": "이미 이 방에는 허용된 최대 수의 위젯이 추가됐습니다.",
+ "Add a widget": "위젯 추가하기",
+ "%(senderName)s sent an image": "%(senderName)s가 이미지를 보냈습니다",
+ "%(senderName)s sent a video": "%(senderName)s가 비디오를 보냈습니다",
+ "%(senderName)s uploaded a file": "%(senderName)s가 파일을 보냈습니다",
+ "Key request sent.": "키 요청을 보냈습니다.",
+ "If your other devices do not have the key for this message you will not be able to decrypt them.": "당신의 다른 기기에 이 메시지를 읽기 위한 키가 없다면 메시지를 해독할 수 없을 겁니다.",
+ "Encrypting": "암호화 중",
+ "Encrypted, not sent": "암호화 됨, 보내지지 않음",
+ "Disinvite this user?": "이 사용자에 대한 초대를 취소할까요?",
+ "Kick this user?": "이 사용자를 추방할까요?",
+ "Unban this user?": "이 사용자를 차단 해제할까요?",
+ "%(duration)ss": "%(duration)s초",
+ "%(duration)sm": "%(duration)s분",
+ "%(duration)sh": "%(duration)s시간",
+ "%(duration)sd": "%(duration)s일",
+ "Online for %(duration)s": "%(duration)s 동안 온라인",
+ "Idle for %(duration)s": "%(duration)s 동안 대기 중",
+ "Offline for %(duration)s": "%(duration)s 동안 오프라인",
+ "Unknown for %(duration)s": "%(duration)s 동안 어떤지 모름",
+ "Unknown": "모름",
+ "Replying": "답장 중",
+ "Loading...": "로딩 중...",
+ "Unpin Message": "메시지 고정 해제하기",
+ "No pinned messages.": "고정된 메시지가 없습니다.",
+ "At this time it is not possible to reply with an emote.": "지금은 이모트로 답장할 수 없습니다.",
+ "Send a message (unencrypted)…": "(암호화 안 된) 메시지를 보내세요…",
+ "Send an encrypted message…": "메시지를 보내세요…",
+ "Unable to reply": "답장할 수 없습니다",
+ "Send an encrypted reply…": "답장을 보내세요…",
+ "Send a reply (unencrypted)…": "(암호화 안 된) 답장을 보내세요…",
+ "User Options": "사용자 옵션",
+ "Share Link to User": "사용자에게 링크 공유하기",
+ "Invite": "초대하기",
+ "Mention": "언급하기",
+ "Ignore": "무시하기",
+ "Unignore": "그만 무시하기",
+ "Ignored Users": "무시된 사용자",
+ "Demote": "강등하기",
+ "Demote yourself?": "자신을 강등하시겠어요?",
+ "Ban this user?": "이 사용자를 차단할까요?",
+ "To ban users, you must be a": "사용자를 차단하기 위해서 필요한 권한:",
+ "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": "는 차단 해제됐습니다",
+ "Delete %(count)s devices|other": "%(count)s개 기기 지우기",
+ "Drop here to restore": "복원하려면 여기에 떨어뜨리세요",
+ "Drop here to favourite": "즐겨찾으시려면 여기에 떨어뜨리세요.",
+ "Drop here to tag direct chat": "직접 대화를 태그하려면 여기에 떨어뜨리세요.",
+ "You have entered an invalid address.": "잘못된 주소를 입력했습니다.",
+ "This room is not public. You will not be able to rejoin without an invite.": "이 방은 공개되지 않았습니다. 초대 없이는 다시 들어올 수 없습니다.",
+ "Enable URL previews for this room (only affects you)": "이 방에 대해 URL 미리보기 사용하기",
+ "Enable URL previews by default for participants in this room": "이 방에 참여한 모두에게 기본으로 URL 미리보기 사용하기",
+ "Enable widget screenshots on supported widgets": "지원되는 위젯에 대해 위젯 스크린샷 사용하기",
+ "Hide join/leave messages (invites/kicks/bans unaffected)": "들어오거나 떠나는 메시지 숨기기(초대/추방/차단은 그대로)",
+ "Show empty room list headings": "빈 방 목록 표제 보이게 하기",
+ "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "누군가 메시지에 URL을 넣으면 URL 미리보기가 보여져 웹사이트에서 온 제목, 설명, 그리고 이미지 등 그 링크에 대해 더 알 수 있습니다.",
+ "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "지금 이 방처럼, 암호화된 방에서는 홈 서버(미리보기가 만들어지는 곳)에서 이 방에서 보여지는 링크에 대해 알 수 없도록 URL 미리보기가 기본적으로 비활성화돼 있습니다.",
+ "Your key share request has been sent - please check your other devices for key share requests.": "키 공유 요청이 보내졌습니다. 키 공유 요청을 다른 기기에서 받아주세요.",
+ "Key share requests are sent to your other devices automatically. If you rejected or dismissed the key share request on your other devices, click here to request the keys for this session again.": "자동으로 다른 기기에 키 공유 요청을 보냈습니다. 다른 기기에서 키 공유 요청을 거절하거나 묵살하셨으면, 여기를 눌러 이번 세션에 다시 키를 요청하세요.",
+ "Re-request encryption keys from your other devices.": "다른 기기로부터 암호화 키 재요청 ",
+ "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "자기 자신을 강등시키는 것은 다시 되돌릴 수 없고, 자신이 마지막으로 이 방에서 특권을 가진 사용자라면 다시 특권을 얻는 건 불가능합니다.",
+ "Jump to read receipt": "수신 확인으로 건너뛰기",
+ "At this time it is not possible to reply with a file so this will be sent without being a reply.": "현재로서는 파일을 답장할 수 없으므로 답장이 아닌 파일로 보내질 겁니다.",
+ "Jump to message": "메세지로 건너뛰기",
+ "Share room": "방 공유하기",
+ "Drop here to demote": "강등하려면 여기에 떨어뜨리세요",
+ "Community Invites": "커뮤니티 초대",
+ "You have no historical rooms": "보관하고 있는 방이 없습니다",
+ "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.": "방에 접근하고 있습니다.",
+ "To change the room's avatar, you must be a": "방의 아바타를 바꾸려면, -여야 합니다",
+ "To change the room's name, you must be a": "방 이름을 바꾸려면, -여야 합니다.",
+ "To change the room's main address, you must be a": "방의 메인 주소를 바꾸려면, -여야 합니다.",
+ "Members only (since they joined)": "구성원만(구성원들이 참여한 시점부터)",
+ "%(severalUsers)sjoined %(count)s times|one": "%(severalUsers)s님이 들어왔습니다",
+ "%(severalUsers)sjoined %(count)s times|other": "%(severalUsers)s님이 %(count)s번 들어왔습니다",
+ "%(oneUser)sjoined %(count)s times|other": "%(oneUser)s님이 %(count)s번 들어왔습니다",
+ "%(oneUser)sjoined %(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|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님이 나갔다가 다시 들어왔습니다",
+ "%(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)s님이 %(count)s번 나갔다가 들어왔습니다",
+ "%(oneUser)sleft %(count)s times|one": "%(oneUser)s님이 나갔습니다",
+ "%(items)s and %(count)s others|one": "%(items)s, 그리고 하나 더.",
+ "A call is currently being placed!": "전화 걸고 있습니다.",
+ "Permission Required": "권한이 필요합니다.",
+ "A conference call could not be started because the intgrations server is not available": "서버가 연결되지 않아 전화 회의를 시작하지 못했습니다.",
+ "You do not have permission to start a conference call in this room": "이 방에서는 전화 회의를 시작할 권한이 없습니다.",
+ "deleted": "삭제됐습니다.",
+ "underlined": "밑줄 쳤습니다.",
+ "HTML for your community's page \n\n Use the long description to introduce new members to the community, or distribute\n some important links \n
\n\n You can even use 'img' tags\n
\n": "커뮤니티 페이지를 위한 HTML \n\n 커뮤니티에 새 구성원을 소개할 때 길게 설명하거나\n 좀 중요한 링크 로 배포할 수 있습니다.\n
\n\n 'img' 태그를 사용할 수도 있습니다.\n
\n",
+ "Copied!": "복사했습니다!",
+ "Failed to copy": "복사하지 못했습니다.",
+ "Show Stickers": "스티커 보내기",
+ "Hide Stickers": "스티커 숨기기",
+ "Stickerpack": "스티커 팩",
+ "Add a stickerpack": "스티커 팩 추가하기",
+ "You don't currently have any stickerpacks enabled": "사용하고 있는 스티커 팩이 없습니다.",
+ "An email has been sent to %(emailAddress)s": "%(emailAddress)s에 이메일을 보냈습니다.",
+ "Code": "코드",
+ "The email field must not be blank.": "이메일을 써 주십시오.",
+ "The user name field must not be blank.": "사용자 이름을 써 주십시오.",
+ "The phone number field must not be blank.": "전화번호를 써 주십시오.",
+ "The password field must not be blank.": "비밀번호를 써 주십시오.",
+ "Username on %(hs)s": "%(hs)s 사용자 이름",
+ "%(serverName)s Matrix ID": "%(serverName)s의 Matrix ID",
+ "Disinvite this user from community?": "이 사용자에게 보낸 커뮤니티 초대를 취소할까요?",
+ "Failed to withdraw invitation": "초대를 취소하지 못했습니다.",
+ "Filter community members": "커뮤니티 구성원 찾기",
+ "Filter results": "검색 결과",
+ "Filter community rooms": "커뮤니티 방 찾기",
+ "Clear filter": "검색 초기화하기",
+ "Did you know: you can use communities to filter your Riot.im experience!": "모르고 계셨다면: Riot에서의 경험을 커뮤니티 별로 정리할 수 있어요!",
+ "To set up a filter, drag a community avatar over to the filter panel on the far left hand side of the screen. You can click on an avatar in the filter panel at any time to see only the rooms and people associated with that community.": "필터를 사용하고 싶으시다면, 커뮤니티 아바타를 스크린 왼쪽의 필터판에 끌어다 놓으면 됩니다. 언제든지, 필터판에 있는 아바타를 누르면 그 커뮤니티와 괸련된 방과 사람만 볼 수 있습니다.",
+ "Muted Users": "음소거된 사용자",
+ "Delete Widget": "위젯 지우기",
+ "An error ocurred whilst trying to remove the widget from the room": "방에서 위젯을 제거하는 동안 에러가 났습니다.",
+ "Failed to remove widget": "위젯을 제거하지 못했습니다.",
+ "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "위젯을 삭제하면 이 방의 모든 사용자에게도 제거됩니다. 정말 이 위젯을 삭제하고 싶으세요?",
+ "The room '%(roomName)s' could not be removed from the summary.": "'%(roomName)s' 방을 요약에서 제거하지 못했습니다.",
+ "Failed to remove the room from the summary of %(groupId)s": "방을 %(groupId)s의 요약에서 제거하지 못했습니다.",
+ "Log out and remove encryption keys?": "로그아웃하고 암호화 열쇠를 제거하시겠어요?",
+ "Failed to remove a user from the summary of %(groupId)s": "한 사용자를 %(groupId)s의 요약에서 제거하지 못했습니다.",
+ "This will make your account permanently unusable. You will not be able to log in, and no one will be able to re-register the same user ID. This will cause your account to leave all rooms it is participating in, and it will remove your account details from your identity server. This action is irreversible. ": "계정을 일시적으로 사용할 수 없게 됩니다. 로그인할 수 없고, 누구도 같은 사용자 ID를 다시 등록할 수 없습니다. 들어가 있던 모든 방에서 나오게 되고, ID 서버에서 계정 상세 정보도 제거됩니다. 이 결정은 돌이킬 수 없습니다. ",
+ "Yes, I want to help!": "네, 돕고 싶어요!",
+ "NOTE: Apps are not end-to-end encrypted": "참고: 앱은 종단 간 암호화가 돼 있지 않습니다.",
+ "Integrations Error": "통합 에러",
+ "If you've submitted a bug via GitHub, debug logs can help us track down the problem. Debug logs contain application usage data including your username, the IDs or aliases of the rooms or groups you have visited and the usernames of other users. They do not contain messages.": "Github를 통해 버그를 신고하셨다면, 디버그 로그가 문제를 해결하는데 도움을 줍니다. 디버그 로그에는 사용자 이름과 방문했던 방이나 그룹의 ID와 별칭, 그리고 다른 사용자의 사용자 이름이 포함됩니다. 대화 내용은 포함되지 않습니다.",
+ "Warning: This widget might use cookies.": "경고: 이 위젯은 쿠키를 사용할 수도 있습니다.",
+ "Delete widget": "위젯 삭제하기",
+ "Minimize apps": "앱 최소화하기",
+ "Reload widget": "위젯 다시 시작하기",
+ "Popout widget": "위젯 팝업",
+ "Picture": "사진",
+ "Communities": "커뮤니티",
+ "%(severalUsers)srejected their invitations %(count)s times|one": "%(severalUsers)s님이 초대를 거절했습니다.",
+ "%(oneUser)srejected their invitation %(count)s times|other": "%(oneUser)s님이 초대를 %(count)s번 거절했습니다.",
+ "%(oneUser)srejected their invitation %(count)s times|one": "%(oneUser)s님이 초대를 거절했습니다.",
+ "were invited %(count)s times|other": "님이 %(count)s번 초대받았습니다.",
+ "were invited %(count)s times|one": "님이 초대받았습니다.",
+ "%(user)s is a %(userRole)s": "%(user)s님은 %(userRole)s입니다.",
+ "To notify everyone in the room, you must be a": "방의 모두에게 알림을 보내기 위한 권한:",
+ "To kick users, you must be a": "사용자를 추방하기 위한 권한:",
+ "To configure the room, you must be a": "방을 설정하기 위한 권한:",
+ "To invite users into the room, you must be a": "사용자를 방에 초대하기 위한 권한:",
+ "To send messages, you must be a": "메시지를 보내기 위한 권한:",
+ "To modify widgets in the room, you must be a": "방의 위젯을 변경하기 위한 권한:",
+ "To change the topic, you must be a": "주제를 바꾸기 위한 권한:",
+ "To change the permissions in the room, you must be a": "방에서의 권한을 바꾸기 위한 권한:",
+ "To change the room's history visibility, you must be a": "방의 기록을 보이게 하기 위한 권한:",
+ "inline-code": "인라인 코드",
+ "block-quote": "인용 블록",
+ "bulleted-list": "글머리 기호 목록",
+ "numbered-list": "숫자 목록",
+ "To send events of type , you must be a": " 종류의 이벤트를 보내기 위한 권한:",
+ "Event Content": "이벤트 내용",
+ "Event Type": "이벤트 종류",
+ "Failed to send custom event.": "맞춤 이벤트를 보내지 못했습니다.",
+ "Event sent!": "이벤트를 보냈어요!",
+ "You must specify an event type!": "이벤트 종류를 명시해야 해요!",
+ "Send Custom Event": "맞춤 이벤트 보내기",
+ "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "답장 온 이벤트를 가져오지 못했습니다. 이벤트가 아예 없거나, 이벤트를 볼 권한이 없으신 것 같습니다.",
+ "Autocomplete Delay (ms):": "자동입력 지연 시간(ms):",
+ "Light theme": "밝은 테마",
+ "Dark theme": "어두운 테마",
+ "Status.im theme": "Status.im식 테마",
+ "A text message has been sent to %(msisdn)s": "%(msisdn)s님에게 문자 메시지를 보냈습니다.",
+ "Something went wrong when trying to get your communities.": "커뮤니티를 받는 중에 뭔가 잘못됐습니다.",
+ "Please help improve Riot.im by sending anonymous usage data . This will use a cookie.": "익명의 이용자 데이터 를 보내 Riot.im의 발전을 도와주세요. 이 과정에서 쿠키를 사용합니다.",
+ "Allow": "허가하기",
+ "Visible to everyone": "모두에게 보여짐",
+ "Only visible to community members": "커뮤니티 구성원에게만 보여짐",
+ "Visibility in Room List": "방 목록에서의 가시성",
+ "The visibility of '%(roomName)s' in %(groupId)s could not be updated.": "%(groupId)s에 있는 %(roomName)s 방에서의 가시성이 업데이트 되지 않았습니다.",
+ "was invited %(count)s times|one": "님이 초대됐습니다.",
+ "was invited %(count)s times|other": "님이 %(count)s번 초대됐습니다.",
+ "collapse": "줄이기",
+ "expand": "늘이기",
+ "Matrix ID": "Matrix ID",
+ "email address": "이메일 주소",
+ "Matrix Room ID": "Matrix 방 ID",
+ "Preparing to send logs": "로그 보내려고 준비 중",
+ "Logs sent": "로그 보냈습니다.",
+ "Failed to send logs: ": "다음 로그를 보내지 못했습니다: ",
+ "GitHub issue link:": "GitHub 이슈 링크:",
+ "Riot bugs are tracked on GitHub: create a GitHub issue .": "Riot의 버그는 Github에서 트랙됩니다. Github 이슈 만들기 ",
+ "Notes:": "참고:",
+ "Community IDs cannot be empty.": "커뮤니티 ID를 입력해 주세요.",
+ "Community IDs may only contain characters a-z, 0-9, or '=_-./'": "커뮤니티 ID에는 a-z, 0-9, 혹은 '=_-.'만 사용할 수 있습니다.",
+ "Something went wrong whilst creating your community": "커뮤니티를 생성하는 동안 뭔가 잘못됐습니다.",
+ "Create Community": "커뮤니티 만들기",
+ "Community Name": "커뮤니티 이름",
+ "Example": "예시",
+ "Community ID": "커뮤니티 ID",
+ "example": "예시",
+ "Create": "만들기",
+ "Advanced options": "고급 설정",
+ "Block users on other matrix homeservers from joining this room": "다른 Matrix 홈 서버에서 이 방에 들어오려는 사용자 막기",
+ "Failed to indicate account erasure": "계정이 지워졌다는 것을 표시하지 못했습니다.",
+ "Deactivating your account does not by default cause us to forget messages you have sent. If you would like us to forget your messages, please tick the box below.": "계정을 비활성화한다고 해서 보내셨던 메시지가 기본으로 지워지는 건 아닙니다. 저희가 갖고 있는 메시지를 지우시려면 밑의 박스를 눌러주세요.",
+ "There's no one else here! Would you like to invite others or stop warning about the empty room ?": "다른 사람이 아무도 없군요! 다른 사람을 초대하거나 방이 비었다는 걸 그만 알려드릴까요 ?",
+ "To continue, please enter your password:": "계속하려면 비밀번호를 입력해 주세요:",
+ "password": "비밀번호",
+ "Refresh": "새로고침",
+ "To get started, please pick a username!": "시작하시려면, 사용자 이름을 골라주세요!",
+ "Share Room": "방 공유하기",
+ "Share User": "사용자 공유하기",
+ "Share Community": "커뮤니티 공유하기",
+ "Share Room Message": "방 메시지 공유하기",
+ "Link to selected message": "선택한 메시지로 연결하기",
+ "COPY": "복사",
+ "Unable to reject invite": "초대를 거절하지 못했습니다.",
+ "Reply": "답장",
+ "Pin Message": "메시지 고정하기",
+ "Share Message": "메시지 공유하기",
+ "Collapse Reply Thread": "이어지는 답장 줄이기",
+ "View Community": "커뮤니티 보기",
+ "Please install Chrome or Firefox for the best experience.": "크롬 이나 파이어폭스 를 설치하면 가장 좋은 경험을 하실 수 있습니다.",
+ "Safari and Opera work too.": "사파리 나 오페라 도 가능합니다.",
+ "Add rooms to the community summary": "커뮤니티 요약에 방 추가하기",
+ "Everyone": "모두",
+ "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": "님은 추방당했습니다.",
+ "Custom of %(powerLevel)s": "",
+ "And %(count)s more...|other": "%(count)s개 더...",
+ "Add a User": "사용자 추가하기",
+ "Failed to upload image": "이미지를 업로드하지 못했습니다.",
+ "Failed to update community": "커뮤니티를 업데이트하지 못했습니다.",
+ "Unable to accept invite": "초대를 승락하지 못했습니다.",
+ "Unable to join community": "커뮤니티에 들어갈 수 없습니다.",
+ "Leave Community": "커뮤니티 나가기",
+ "Leave %(groupName)s?": "%(groupName)s를(을) 나가시겠어요?",
+ "Unable to leave community": "커뮤니티를 나갈 수 없습니다.",
+ "Community Settings": "커뮤니티 설정",
+ "Add rooms to this community": "이 커뮤니티에 방 추가하기",
+ "Featured Rooms:": "추천하는 방:",
+ "Featured Users:": "추천하는 사용자:",
+ "Join this community": "이 커뮤니티에 들어가기",
+ "Leave this community": "이 커뮤니티에서 나오기",
+ "%(inviter)s has invited you to join this community": "%(inviter)s님이 이 커뮤니티에 초대했습니다.",
+ "You are an administrator of this community": "이 커뮤니티의 관리자이십니다.",
+ "You are a member of this community": "이 커뮤니티의 구성원이십니다.",
+ "Who can join this community?": "누가 이 커뮤니티에 들어올 수 있나요?",
+ "Your community hasn't got a Long Description, a HTML page to show to community members. Click here to open settings and give it one!": "커뮤니티에 긴 설명, 즉 커뮤니티 구성원에게 보여줄 HTML 페이지가 없습니다. 여기를 눌러 설정을 열고 설명을 부여하세요!",
+ "Long Description (HTML)": "긴 설명(HTML)",
+ "Description": "설명",
+ "Community %(groupId)s not found": "%(groupId)s 커뮤니티를 찾지 못했습니다.",
+ "This Home server does not support communities": "이 홈 서버는 커뮤니티를 지원하지 않습니다.",
+ "Failed to load %(groupId)s": "%(groupId)s를 받지 못했습니다.",
+ "Can't leave Server Notices room": "서버 알림 방을 떠날 수 없습니다.",
+ "This room is used for important messages from the Homeserver, so you cannot leave it.": "이 방은 홈 서버로부터 중요한 메시지를 받는 데 쓰이므로 떠나실 수 없습니다.",
+ "Terms and Conditions": "이용 약관",
+ "Review terms and conditions": "이용 약관 읽기",
+ "Old cryptography data detected": "오래된 암호 데이터를 발견했습니다.",
+ "Your Communities": "속한 커뮤니티",
+ "Create a new community": "새 커뮤니티 만들기",
+ "Error whilst fetching joined communities": "속한 커뮤니티를 받는 중, 에러가 났습니다.",
+ "Room Notification": "방 알림",
+ "Notify the whole room": "방 모두에게 알리기",
+ "Sign in to get started": "시작하시려면 로그인하세요.",
+ "Try the app first": "앱을 먼저 써 보세요.",
+ "This homeserver doesn't offer any login flows which are supported by this client.": "이 홈 서버는 이 클라이언트에서 지원되는 로그인 방식을 지원하지 않습니다.",
+ "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "홈 서버 %(homeserverDomain)s를(을) 계속 사용하기 위해서는 저희 이용 약관을 읽어보시고 동의하셔야 합니다.",
+ "State Key": "상태 키",
+ "Send Account Data": "계정 정보 보내기",
+ "Loading device info...": "기기 정보 받는 중...",
+ "Clear Storage and Sign Out": "저장소 지우고 로그아웃하기",
+ "Send Logs": "로그 보내기",
+ "We encountered an error trying to restore your previous session.": "저번 활동을 복구하던 중 에러가 났습니다.",
+ "Add to summary": "요약에 추가하기",
+ "Which rooms would you like to add to this summary?": "이 요약에 어떤 방을 추가하시겠어요?",
+ "Add a Room": "방 추가하기",
+ "Add users to the community summary": "커뮤니티 요약에 사용자 추가하기",
+ "Who would you like to add to this summary?": "이 요약에 누구를 추가하고 싶으세요?",
+ "Link to most recent message": "가장 최근 메시지로 링크 걸기",
+ "Registration Required": "계정 등록이 필요합니다.",
+ "You need to register to do this. Would you like to register now?": "계정을 등록해야합니다. 지금 계정을 만드시겠습니까?",
+ "This homeserver has hit its Monthly Active User limit.": "이 홈서버는 월간 활성 이용자수 한계에 도달했습니다.",
+ "Please contact your service administrator to continue using the service.": "서비스를 계속 사용하려면 서비스 관리자에게 연락 하세요.",
+ "Unable to connect to Homeserver. Retrying...": "홈서버에 연결할 수 없습니다. 다시 시도하는 중...",
+ "Please contact your homeserver administrator.": "홈서버 관리자에게 연락하세요.",
+ "Increase performance by only loading room members on first view": "최초 접속 시의 방 인원만 불러와 성능 향상",
+ "This room has been replaced and is no longer active.": "이 방은 대체되었으며 더 사용할 수 없습니다.",
+ "The conversation continues here.": "이 대화는 여기서 이어가세요.",
+ "System Alerts": "시스템 알림",
+ "Upgrade room to version %(ver)s": "%(ver)s 버전으로 방을 업그레이드",
+ "Members only (since the point in time of selecting this option)": "구성원만(이 설정을 선택한 시점부터)",
+ "Members only (since they were invited)": "구성원만(구성원이 초대받은 시점부터)",
+ "Room version number: ": "방 버전 넘버: ",
+ "There is a known vulnerability affecting this room.": "이 방에 영향을 미치는 알려진 취약점이 있습니다.",
+ "Only room administrators will see this warning": "방 관리자만이 이 경고를 볼 수 있습니다.",
+ "This room is a continuation of another conversation.": "이 방은 다른 대화방의 연장선입니다.",
+ "Click here to see older messages.": "여길 눌러 오래된 메시지를 보세요.",
+ "Robot check is currently unavailable on desktop - please use a web browser ": "로봇 확인은 현재 PC에서는 사용할 수 없습니다 - 웹 브라우저 를 사용해주세요.",
+ "Please help improve Riot.im by sending anonymous usage data . This will use a cookie (please see our Cookie Policy ).": "익명의 이용자 데이터 를 보내 Riot.im의 발전을 도와주세요. 이 과정에서 쿠키를 사용합니다 (우리의 쿠키 정책 을 살펴보세요).",
+ "This homeserver has hit its Monthly Active User limit so some users will not be able to log in .": "이 홈서버는 월간 활성 이용자수 한계에 도달했기 때문에 일부 유저는 로그인할 수 없습니다 .",
+ "Do you want to load widget from URL:": "URL에서 위젯을 불러오시겠습니까:",
+ "Revoke widget access": "위젯 접속 거부",
+ "%(nameList)s %(transitionList)s": "%(nameList)s %(transitionList)s",
+ "%(severalUsers)sleft and rejoined %(count)s times|other": "%(severalUsers)s님이 떠났으며 %(count)s 번 다시 참여했습니다.",
+ " In reply to ": "답장하기 ",
+ "Please forget all messages I have sent when my account is deactivated (Warning: this will cause future users to see an incomplete view of conversations)": "계정을 비활성화한다면 보냈던 모든 메시지는 잊어버리세요 (경고: 이후 이용자들은 불완전한 대화 목록을 볼 수 있을 겁니다)",
+ "Explore Account Data": "계정 자료 탐색하기",
+ "Updating Riot": "Riot 업데이트중",
+ "Upgrade this room to version %(version)s": "이 방을 %(version)s 버전으로 업그레이드",
+ "Upgrade Room Version": "방 버전 업그레이드",
+ "Create a new room with the same name, description and avatar": "이름, 설명, 아바타가 같은 새 방 만들기",
+ "Stop users from speaking in the old version of the room, and post a message advising users to move to the new room": "이전 버전의 방에서 말하는 이용자를 중단시키고, 새 방으로 이동하라는 메시지를 표시합니다.",
+ "Put a link back to the old room at the start of the new room so people can see old messages": "사람들이 오래된 메시지를 볼 수 있게 새 방의 시작 부분에 오래된 방으로 가는 링크를 놓습니다.",
+ "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "브라우저 저장소를 청소한다면 문제가 해결될 수도 있지만, 암호하된 대화 기록을 읽을 수 없게 됩니다.",
+ "Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.": "이용자와 방을 같이 묶는 커뮤니티를 만들어보세요! Matrix 세계에서 당신의 공간을 표시하는 사용자정의 홈페이지도 만드세요.",
+ "%(count)s Members|other": "",
+ "%(count)s Members|one": "",
+ "Invite to this community": "이 커뮤니티에 초대하기",
+ "You can't send any messages until you review and agree to our terms and conditions .": "우리의 약관 을 읽고 동의하시기 전까지는 메시지를 보낼 수 없습니다.",
+ "Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please contact your service administrator to continue using the service.": "이 홈서버가 월간 이용자수 한계에 도달했기 때문에 메시지를 보낼 수 없었습니다. 서비스를 계속 이용하려면 서비스 관리자에게 연락하세요 .",
+ "%(count)s of your messages have not been sent.|one": "메시지가 보내지지 않았습니다.",
+ "%(count)s Resend all or cancel all now. You can also select individual messages to resend or cancel.|other": "지금 전부 다시보내기 or 전부 취소하기 . 각 메시지를 골라 다시 보내거나 취소할 수도 있습니다.",
+ "%(count)s Resend all or cancel all now. You can also select individual messages to resend or cancel.|one": "지금 메시지 다시보내기 혹은 메시지 취소하기 .",
+ "Submit Debug Logs": "디버그 로그 제출",
+ "No Audio Outputs detected": "오디오 출력을 감지하지 못했습니다.",
+ "Audio Output": "오디오 출력",
+ "Please contact your service administrator to continue using this service.": "서비스를 계속 이용하려면 서비스 관리자에게 연락하세요 .",
+ "An email address is required to register on this homeserver.": "이 홈서버에 등록하려면 이메일 주소가 필요합니다.",
+ "A phone number is required to register on this homeserver.": "이 홈서버에 등록하려면 전화번호가 필요합니다."
}
diff --git a/src/i18n/strings/lt.json b/src/i18n/strings/lt.json
index bd46c25ed8..776445e40d 100644
--- a/src/i18n/strings/lt.json
+++ b/src/i18n/strings/lt.json
@@ -13,7 +13,7 @@
"Analytics": "Statistika",
"The information being sent to us to help make Riot.im better includes:": "Informacijoje, kuri yra siunčiama Riot.im tobulinimui yra:",
"Fetching third party location failed": "Nepavyko gauti trečios šalies vietos",
- "A new version of Riot is available.": "Yra nauja Riot versija.",
+ "A new version of Riot is available.": "Yra prieinama nauja Riot versija.",
"I understand the risks and wish to continue": "Aš suprantu riziką ir noriu tęsti",
"Couldn't load home page": "Nepavyksta užkrauti namų puslapio",
"Send Account Data": "Siųsti paskyros duomenis",
@@ -43,10 +43,10 @@
"All notifications are currently disabled for all targets.": "Šiuo metu visi pranešimai visiems objektams yra išjungti.",
"Operation failed": "Operacija nepavyko",
"delete the alias.": "ištrinti slapyvardį.",
- "To return to your account in future you need to set a password ": "Ateityje norėdami prisijungti prie savo paskyros turite susigalvoti slaptažodį ",
+ "To return to your account in future you need to set a password ": "Ateityje, norėdami grįžti prie savo paskyros turite nusistatyti slaptažodį ",
"Forget": "Pamiršti",
"World readable": "Visiems skaitomas",
- "Mute": "Užtildyti",
+ "Mute": "Nutildyti",
"Hide panel": "Slėpti skydelį",
"You cannot delete this image. (%(code)s)": "Jūs negalite ištrinti šio paveikslėlio. (%(code)s)",
"Cancel Sending": "Atšaukti siuntimą",
@@ -64,7 +64,7 @@
"Notifications on the following keywords follow rules which can’t be displayed here:": "Pranešimai šiems raktažodžiams yra uždrausti taisyklėmis:",
"Safari and Opera work too.": "Naudojant Safari ir Opera taip pat gerai veikia.",
"Please set a password!": "Prašau įrašykite slaptažodį!",
- "powered by Matrix": "palaikomas Matrix",
+ "powered by Matrix": "veikia su Matrix",
"You have successfully set a password!": "Jūs sėkmingai įrašėte slaptažodį!",
"Favourite": "Svarbūs",
"All Rooms": "Visi pokalbių kambariai",
@@ -97,7 +97,7 @@
"Riot uses many advanced browser features, some of which are not available or experimental in your current browser.": "Riot naudoja daug išplėstinių naršyklės funkcionalumų, kai kurie iš jų yra neprieinami ar eksperimentinei Jūsų naršyklėje.",
"Event sent!": "Įvykis išsiųstas!",
"Unnamed room": "Kambarys be pavadinimo",
- "Dismiss": "Nutraukti",
+ "Dismiss": "Atmesti",
"Explore Account Data": "Peržiūrėti paskyros duomenis",
"Remove from Directory": "Šalinti iš katalogo",
"Download this file": "Atsisiųsti šį failą",
@@ -109,7 +109,7 @@
"Failed to set Direct Message status of room": "Nepavyko nustatyti tiesioginio pranešimo kambario būklės",
"Monday": "Pirmadienis",
"All messages (noisy)": "Visos žinutės (triukšmingas)",
- "Enable them now": "Įgalinti juos dabar",
+ "Enable them now": "Įjungti juos dabar",
"Enable audible notifications in web client": "Įgalinti garsinius pranešimus internetinėje aplinkoje",
"Messages containing my user name": "Žinutės, kuriose paminėtas mano naudotojo vardas",
"Toolbox": "Įrankinė",
@@ -154,14 +154,13 @@
"Quote": "Citata",
"Messages in group chats": "Žinutės grupės pokalbiuose",
"Yesterday": "Vakar",
- "Error encountered (%(errorDetail)s).": "Gauta klaida (%(errorDetail)s).",
+ "Error encountered (%(errorDetail)s).": "Susidurta su klaida (%(errorDetail)s).",
"Login": "Prisijungti",
"Low Priority": "Nesvarbūs",
"Riot does not know how to join a room on this network": "Riot nežino kaip prisijungti prie kambario šiame tinkle",
"Set Password": "Nustatyti slaptažodį",
"An error occurred whilst saving your email notification preferences.": "Įrašant pranešimų el. paštu nuostatas, įvyko klaida.",
"Unable to join network": "Nepavyko prisijungti prie tinklo",
- "Permalink": "Pastovioji nuoroda",
"Register": "Registruotis",
"Off": "Išjungta",
"Edit": "Koreguoti",
@@ -182,11 +181,696 @@
"%(count)s Members|one": "%(count)s narys",
"Developer Tools": "Programuotojo įrankiai",
"Unhide Preview": "Rodyti paržiūrą",
- "Custom Server Options": "Pasirinktiniai serverio nustatymai",
+ "Custom Server Options": "Tinkinto serverio parametrai",
"Event Content": "Įvykio turinys",
"Thank you!": "Ačiū!",
"Collapse panel": "Suskleisti skydelį",
"With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "Naudojant šią naršyklę aplikacija gali atrodyti ir reaguoti neteisingai. Kai kurios arba visos funkcijos gali neveikti. Jei vis tiek norite pabandyti gali tęsti, tačiau iškilusios problemos yra jūsų pačių reikalas!",
"Checking for an update...": "Tikrinama ar yra atnaujinimų...",
- "There are advanced notifications which are not shown here": "Yra išplėstinių pranešimų, kurie nėra čia rodomi"
+ "There are advanced notifications which are not shown here": "Yra išplėstinių pranešimų, kurie nėra čia rodomi",
+ "e.g. %(exampleValue)s": "pvz., %(exampleValue)s",
+ "e.g. ": "pvz., ",
+ "Your device resolution": "Jūsų įrenginio raiška",
+ "Call Failed": "Skambutis nepavyko",
+ "Call Anyway": "Vis tiek skambinti",
+ "Answer Anyway": "Vis tiek atsiliepti",
+ "Call": "Skambinti",
+ "Answer": "Atsiliepti",
+ "Unable to capture screen": "Nepavyko nufotografuoti ekraną",
+ "You are already in a call.": "Jūs jau dalyvaujate skambutyje.",
+ "VoIP is unsupported": "VoIP yra nepalaikoma",
+ "Could not connect to the integration server": "Nepavyko prisijungti prie integracijos serverio",
+ "Permission Required": "Reikalingas leidimas",
+ "The file '%(fileName)s' failed to upload": "Nepavyko įkelti failo \"%(fileName)s\"",
+ "Upload Failed": "Įkėlimas nepavyko",
+ "Sun": "Sek",
+ "Mon": "Pir",
+ "Tue": "Ant",
+ "Wed": "Tre",
+ "Thu": "Ket",
+ "Fri": "Pen",
+ "Sat": "Šeš",
+ "Jan": "Sau",
+ "Feb": "Vas",
+ "Mar": "Kov",
+ "Apr": "Bal",
+ "May": "Geg",
+ "Jun": "Bir",
+ "Jul": "Lie",
+ "Aug": "Rgp",
+ "Sep": "Rgs",
+ "Oct": "Spa",
+ "Nov": "Lap",
+ "Dec": "Gru",
+ "PM": "PM",
+ "AM": "AM",
+ "%(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": "%(weekDayName)s, %(fullYear)s %(monthName)s %(day)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?": "Ką norėtumėte pridėti į šią bendruomenę?",
+ "Warning: any person you add to a community will be publicly visible to anyone who knows the community ID": "Įspėjimas: bet kuris pridėtas asmuo bus matomas visiems, žinantiems bendruomenės ID",
+ "Name or matrix ID": "Vardas ar matrix ID",
+ "Invite to Community": "Pakviesti į bendruomenę",
+ "Which rooms would you like to add to this community?": "Kuriuos kambarius norėtumėte pridėti į šią bendruomenę?",
+ "Add rooms to the community": "Pridėti kambarius į bendruomenę",
+ "Add to community": "Pridėti į bendruomenę",
+ "Failed to invite the following users to %(groupId)s:": "Nepavyko pakviesti šių naudotojų į %(groupId)s:",
+ "Failed to invite users to community": "Nepavyko pakviesti naudotojus į bendruomenę",
+ "Failed to invite users to %(groupId)s": "Nepavyko pakviesti naudotojų į %(groupId)s",
+ "Failed to add the following rooms to %(groupId)s:": "Nepavyko pridėti šiuos kambarius į %(groupId)s:",
+ "Riot does not have permission to send you notifications - please check your browser settings": "Riot neturi leidimo siųsti jums pranešimus - patikrinkite savo naršyklės nustatymus",
+ "Riot was not given permission to send notifications - please try again": "Riot nebuvo suteiktas leidimas siųsti pranešimus - bandykite dar kartą",
+ "Unable to enable Notifications": "Nepavyko įjungti Pranešimus",
+ "This email address was not found": "Šis el. pašto adresas nebuvo rastas",
+ "Admin": "Administratorius",
+ "Start a chat": "Pradėti pokalbį",
+ "Email, name or matrix ID": "El. paštas, vardas ar matrix ID",
+ "Start Chat": "Pradėti pokalbį",
+ "Who would you like to add to this room?": "Ką norėtumėte pridėti į šį kambarį?",
+ "Send Invites": "Siųsti pakvietimus",
+ "Failed to invite user": "Nepavyko pakviesti naudotojo",
+ "Failed to invite": "Nepavyko pakviesti",
+ "Failed to invite the following users to the %(roomName)s room:": "Nepavyko pakviesti šių naudotojų į kambarį %(roomName)s :",
+ "You need to be logged in.": "Turite būti prisijungę.",
+ "Unable to create widget.": "Nepavyko sukurti valdiklio.",
+ "Failed to send request.": "Nepavyko išsiųsti užklausos.",
+ "This room is not recognised.": "Šis kambarys neatpažintas.",
+ "You are not in this room.": "Jūs nesate šiame kambaryje.",
+ "You do not have permission to do that in this room.": "Jūs neturite leidimo tai atlikti šiame kambaryje.",
+ "Room %(roomId)s not visible": "Kambarys %(roomId)s nematomas",
+ "/ddg is not a command": "/ddg nėra komanda",
+ "Changes your display nickname": "Pakeičia jūsų rodomą slapyvardį",
+ "Sets the room topic": "Nustato kambario temą",
+ "Invites user with given id to current room": "Pakviečia naudotoją su nurodytu id į esamą kambarį",
+ "You are now ignoring %(userId)s": "Dabar nepaisote %(userId)s",
+ "Opens the Developer Tools dialog": "Atveria kūrėjo įrankių dialogą",
+ "Unknown (user, device) pair:": "Nežinoma pora (naudotojas, įrenginys):",
+ "Device already verified!": "Įrenginys jau patvirtintas!",
+ "WARNING: Device already verified, but keys do NOT MATCH!": "ĮSPĖJIMAS: Įrenginys jau patvirtintas, tačiau raktai NESUTAMPA!",
+ "Verified key": "Patvirtintas raktas",
+ "Displays action": "Rodo veiksmą",
+ "Unrecognised command:": "Neatpažinta komanda:",
+ "Reason": "Priežastis",
+ "%(targetName)s accepted an invitation.": "%(targetName)s priėmė pakvietimą.",
+ "%(senderName)s invited %(targetName)s.": "%(senderName)s pakvietė naudotoją %(targetName)s.",
+ "%(oldDisplayName)s changed their display name to %(displayName)s.": "%(oldDisplayName)s pasikeitė savo rodomą vardą į %(displayName)s.",
+ "%(senderName)s set their display name to %(displayName)s.": "%(senderName)s nusistatė savo rodomą vardą į %(displayName)s.",
+ "%(senderName)s removed their display name (%(oldDisplayName)s).": "%(senderName)s pašalino savo rodomą vardą (%(oldDisplayName)s).",
+ "%(senderName)s removed their profile picture.": "%(senderName)s pašalino savo profilio paveikslą.",
+ "%(senderName)s changed their profile picture.": "%(senderName)s pasikeitė savo profilio paveikslą.",
+ "%(senderName)s set a profile picture.": "%(senderName)s nusistatė profilio paveikslą.",
+ "%(targetName)s rejected the invitation.": "%(targetName)s atmetė pakvietimą.",
+ "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s pakeitė temą į \"%(topic)s\".",
+ "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s pakeitė kambario pavadinimą į %(roomName)s.",
+ "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s išsiuntė paveikslą.",
+ "Someone": "Kažkas",
+ "%(senderName)s answered the call.": "%(senderName)s atsiliepė į skambutį.",
+ "(unknown failure: %(reason)s)": "(nežinoma lemtingoji klaida: %(reason)s)",
+ "%(senderName)s ended the call.": "%(senderName)s užbaigė skambutį.",
+ "%(displayName)s is typing": "%(displayName)s rašo",
+ "%(names)s and %(count)s others are typing|other": "%(names)s ir dar kiti %(count)s rašo",
+ "%(names)s and %(lastPerson)s are typing": "%(names)s ir %(lastPerson)s rašo",
+ "Send anyway": "Vis tiek siųsti",
+ "Unnamed Room": "Kambarys be pavadinimo",
+ "Hide removed messages": "Slėpti pašalintas žinutes",
+ "Hide display name changes": "Slėpti rodomo vardo pakeitimus",
+ "Show timestamps in 12 hour format (e.g. 2:30pm)": "Rodyti laiko žymas 12 valandų formatu (pvz., 2:30pm)",
+ "Always show message timestamps": "Visada rodyti žinučių laiko žymas",
+ "Always show encryption icons": "Visada rodyti šifravimo piktogramas",
+ "Room Colour": "Kambario spalva",
+ "Decline": "Atmesti",
+ "Accept": "Priimti",
+ "Incorrect verification code": "Neteisingas patvirtinimo kodas",
+ "Submit": "Pateikti",
+ "Phone": "Telefonas",
+ "Add phone number": "Pridėti telefono numerį",
+ "Add": "Pridėti",
+ "Failed to upload profile picture!": "Nepavyko įkelti profilio paveikslą!",
+ "Upload new:": "Įkelti naują:",
+ "No display name": "Nėra rodomo vardo",
+ "New passwords don't match": "Nauji slaptažodžiai nesutampa",
+ "Passwords can't be empty": "Slaptažodžiai negali būti tušti",
+ "Warning!": "Įspėjimas!",
+ "Do you want to set an email address?": "Ar norite nustatyti el. pašto adresą?",
+ "Current password": "Dabartinis slaptažodis",
+ "Password": "Slaptažodis",
+ "New Password": "Naujas slaptažodis",
+ "Unable to load device list": "Nepavyko įkelti įrenginių sąrašo",
+ "Delete %(count)s devices|one": "Ištrinti įrenginį",
+ "Device ID": "Įrenginio ID",
+ "Device Name": "Įrenginio pavadinimas",
+ "Failed to set display name": "Nepavyko nustatyti rodomą vardą",
+ "Disable Notifications": "Išjungti pranešimus",
+ "Enable Notifications": "Įjungti pranešimus",
+ "Cannot add any more widgets": "Nepavyksta pridėti daugiau valdiklių",
+ "Add a widget": "Pridėti valdiklį",
+ "Drop File Here": "Vilkite failą čia",
+ "Drop file here to upload": "Norėdami įkelti, vilkite failą čia",
+ " (unsupported)": " (nepalaikoma)",
+ "%(senderName)s sent an image": "%(senderName)s išsiuntė paveikslą",
+ "%(senderName)s sent a video": "%(senderName)s išsiuntė vaizdo įrašą",
+ "%(senderName)s uploaded a file": "%(senderName)s įkėlė failą",
+ "Options": "Parametrai",
+ "Key request sent.": "Rakto užklausa išsiųsta.",
+ "Unencrypted message": "Nešifruota žinutė",
+ "device id: ": "įrenginio id: ",
+ "Failed to mute user": "Nepavyko nutildyti naudotoją",
+ "Are you sure?": "Ar tikrai?",
+ "Devices": "Įrenginiai",
+ "Ignore": "Nepaisyti",
+ "Invite": "Pakviesti",
+ "User Options": "Naudotojo parametrai",
+ "Admin Tools": "Administratoriaus įrankiai",
+ "bold": "pusjuodis",
+ "italic": "kursyvas",
+ "Attachment": "Priedas",
+ "Upload Files": "Įkelti failus",
+ "Are you sure you want to upload the following files?": "Ar tikrai norite įkelti šiuos failus?",
+ "Encrypted room": "Šifruotas kambarys",
+ "Unencrypted room": "Nešifruotas kambarys",
+ "Voice call": "Balso skambutis",
+ "Video call": "Vaizdo skambutis",
+ "Upload file": "Įkelti failą",
+ "Show Text Formatting Toolbar": "Rodyti teksto formatavimo įrankių juostą",
+ "Send an encrypted reply…": "Siųsti šifruotą atsakymą…",
+ "Send a reply (unencrypted)…": "Siųsti atsakymą (nešifruotą)…",
+ "Send an encrypted message…": "Siųsti šifruotą žinutę…",
+ "Send a message (unencrypted)…": "Siųsti žinutę (nešifruotą)…",
+ "Hide Text Formatting Toolbar": "Slėpti teksto formatavimo įrankių juostą",
+ "Server error": "Serverio klaida",
+ "Command error": "Komandos klaida",
+ "Unable to reply": "Nepavyko atsakyti",
+ "Loading...": "Įkeliama...",
+ "Pinned Messages": "Prisegtos žinutės",
+ "Unknown": "Nežinoma",
+ "Save": "Įrašyti",
+ "(~%(count)s results)|other": "(~%(count)s rezultatų(-ai))",
+ "(~%(count)s results)|one": "(~%(count)s rezultatas)",
+ "Upload avatar": "Įkelti avatarą",
+ "Remove avatar": "Šalinti avatarą",
+ "Settings": "Nustatymai",
+ "Show panel": "Rodyti skydelį",
+ "Press to start a chat with someone": "Norėdami pradėti su kuo nors pokalbį, paspauskite ",
+ "Community Invites": "",
+ "People": "Žmonės",
+ "Reason: %(reasonText)s": "Priežastis: %(reasonText)s",
+ "%(roomName)s does not exist.": "%(roomName)s nėra.",
+ "%(roomName)s is not accessible at this time.": "%(roomName)s šiuo metu nėra pasiekiamas.",
+ "Click here to join the discussion!": "Spustelėkite čia , norėdami prisijungti prie diskusijos!",
+ "To change the topic, you must be a": "Norėdami pakeisti temą, privalote būti",
+ "Enable encryption": "Įjungti šifravimą",
+ "To send messages, you must be a": "Norėdami siųsti žinutes, privalote būti",
+ "To invite users into the room, you must be a": "Norėdami pakviesti naudotojus į kambarį, privalote būti",
+ "To configure the room, you must be a": "Norėdami konfigūruoti kambarį, privalote būti",
+ "To remove other users' messages, you must be a": "Norėdami šalinti kitų naudotojų žinutes, privalote būti",
+ "%(user)s is a %(userRole)s": "%(user)s yra %(userRole)s",
+ "Muted Users": "Nutildyti naudotojai",
+ "Click here to fix": "Spustelėkite čia, norėdami pataisyti",
+ "To send events of type , you must be a": "Norėdami siųsti tipo įvykius, privalote būti",
+ "Only people who have been invited": "Tik žmonės, kurie buvo pakviesti",
+ "Anyone who knows the room's link, apart from guests": "Bet kas, žinantis kambario nuorodą, išskyrus svečius",
+ "Anyone who knows the room's link, including guests": "Bet kas, žinantis kambario nuorodą, įskaitant svečius",
+ "Anyone": "Bet kas",
+ "Permissions": "Leidimai",
+ "Advanced": "Išplėstiniai",
+ "This room's internal ID is": "Šio kambario vidinis ID yra",
+ "Add a topic": "Pridėti temą",
+ "Invalid address format": "Neteisingas adreso formatas",
+ "Addresses": "Adresai",
+ "The main address for this room is": "Pagrindinis šio kambario adresas yra",
+ "Local addresses for this room:": "Vietiniai šio kambario adresai:",
+ "This room has no local addresses": "Šis kambarys neturi jokių vietinių adresų",
+ "New address (e.g. #foo:%(localDomain)s)": "Naujas adresas (pvz., #betkoks:%(localDomain)s)",
+ "Invalid community ID": "Neteisingas bendruomenės ID",
+ "'%(groupId)s' is not a valid community ID": "\"%(groupId)s\" nėra teisingas bendruomenės ID",
+ "New community ID (e.g. +foo:%(localDomain)s)": "Naujas bendruomenės ID (pvz., +betkoks:%(localDomain)s)",
+ "URL Previews": "URL nuorodų peržiūros",
+ "Error decrypting audio": "Klaida iššifruojant garsą",
+ "Error decrypting attachment": "Klaida iššifruojant priedą",
+ "Decrypt %(text)s": "Iššifruoti %(text)s",
+ "Download %(text)s": "Atsisiųsti %(text)s",
+ "Error decrypting image": "Klaida iššifruojant paveikslą",
+ "Error decrypting video": "Klaida iššifruojant vaizdo įrašą",
+ "Copied!": "Nukopijuota!",
+ "Failed to copy": "Nepavyko nukopijuoti",
+ "Message removed by %(userId)s": "Žinutę pašalino %(userId)s",
+ "Message removed": "Žinutė pašalinta",
+ "To continue, please enter your password.": "Norėdami tęsti, įveskite savo slaptažodį.",
+ "Password:": "Slaptažodis:",
+ "An email has been sent to %(emailAddress)s": "El. laiškas buvo išsiųstas į %(emailAddress)s",
+ "Please check your email to continue registration.": "Norėdami tęsti registraciją, patikrinkite savo el. paštą.",
+ "A text message has been sent to %(msisdn)s": "Tekstinė žinutė buvo išsiųsta į %(msisdn)s",
+ "Please enter the code it contains:": "Įveskite joje esantį kodą:",
+ "Code": "Kodas",
+ "The email field must not be blank.": "El. pašto laukas negali būti tuščias.",
+ "The user name field must not be blank.": "Naudotojo vardo laukas negali būti tuščias.",
+ "The phone number field must not be blank.": "Telefono numerio laukas negali būti tuščias.",
+ "The password field must not be blank.": "Slaptažodžio laukas negali būti tuščias.",
+ "User name": "Naudotojo vardas",
+ "Mobile phone number": "Mobiliojo telefono numeris",
+ "Forgot your password?": "Pamiršote slaptažodį?",
+ "Email address": "El. pašto adresas",
+ "Email address (optional)": "El. pašto adresas (nebūtinas)",
+ "Mobile phone number (optional)": "Mobiliojo telefono numeris (nebūtinas)",
+ "Default server": "Numatytasis serveris",
+ "Custom server": "Tinkintas serveris",
+ "What does this mean?": "Ką tai reiškia?",
+ "Remove from community": "Šalinti iš bendruomenės",
+ "Remove this user from community?": "Šalinti šį naudotoją iš bendruomenės?",
+ "Failed to remove user from community": "Nepavyko pašalinti naudotoją iš bendruomenės",
+ "Are you sure you want to remove '%(roomName)s' from %(groupId)s?": "Ar tikrai norite pašalinti \"%(roomName)s\" iš %(groupId)s?",
+ "Failed to remove room from community": "Nepavyko pašalinti kambarį iš bendruomenės",
+ "Failed to remove '%(roomName)s' from %(groupId)s": "Nepavyko pašalinti \"%(roomName)s\" iš %(groupId)s",
+ "Something went wrong!": "Kažkas nutiko!",
+ "Visibility in Room List": "Matomumas kambarių sąraše",
+ "Visible to everyone": "Matomas visiems",
+ "Yes, I want to help!": "Taip, aš noriu padėti!",
+ "Unknown Address": "Nežinomas adresas",
+ "Warning: This widget might use cookies.": "Įspėjimas: Šis valdiklis gali naudoti slapukus.",
+ "Do you want to load widget from URL:": "Ar norite įkelti valdiklį iš URL:",
+ "Allow": "Leisti",
+ "Delete Widget": "Ištrinti valdiklį",
+ "Delete widget": "Ištrinti valdiklį",
+ "Failed to remove widget": "Nepavyko pašalinti valdiklį",
+ "Scroll to bottom of page": "Slinkti į puslapio apačią",
+ "Show devices , send anyway or cancel .": "Rodyti įrenginius , vis tiek siųsti ar atsisakyti .",
+ "%(count)s of your messages have not been sent.|other": "Kai kurios iš jūsų žinučių nebuvo išsiųstos.",
+ "%(count)s of your messages have not been sent.|one": "Jūsų žinutė nebuvo išsiųsta.",
+ "Connectivity to the server has been lost.": "Jungiamumas su šiuo serveriu buvo prarastas.",
+ "Sent messages will be stored until your connection has returned.": "Išsiųstos žinutės bus saugomos tol, kol atsiras ryšys.",
+ "%(count)s new messages|other": "%(count)s naujų žinučių",
+ "%(count)s new messages|one": "%(count)s nauja žinutė",
+ "Active call": "Aktyvus skambutis",
+ "There's no one else here! Would you like to invite others or stop warning about the empty room ?": "Čia daugiau nieko nėra! Ar norėtumėte pakviesti kitus ar išjungti įspėjimą apie tuščią kambarį ?",
+ "You seem to be uploading files, are you sure you want to quit?": "Atrodo, kad jūs įkelinėjate failus, ar tikrai norite išeiti?",
+ "You seem to be in a call, are you sure you want to quit?": "Atrodo, kad dalyvaujate skambutyje, ar tikrai norite išeiti?",
+ "Failed to upload file": "Nepavyko įkelti failo",
+ "Server may be unavailable, overloaded, or the file too big": "Gali būti, kad serveris neprieinamas, perkrautas arba failas yra per didelis",
+ "Search failed": "Paieška nepavyko",
+ "Server may be unavailable, overloaded, or search timed out :(": "Gali būti, kad serveris neprieinamas, perkrautas arba pasibaigė paieškai skirtas laikas :(",
+ "No more results": "Daugiau nėra jokių rezultatų",
+ "Unknown room %(roomId)s": "Nežinomas kambarys %(roomId)s",
+ "Room": "Kambarys",
+ "Failed to save settings": "Nepavyko įrašyti nustatymų",
+ "Failed to reject invite": "Nepavyko atmesti pakvietimo",
+ "Fill screen": "Užpildyti ekraną",
+ "Click to unmute video": "Spustelėkite, norėdami įjungti vaizdą",
+ "Click to mute video": "Spustelėkite, norėdami išjungti vaizdą",
+ "Click to unmute audio": "Spustelėkite, norėdami įjungti garsą",
+ "Click to mute audio": "Spustelėkite, norėdami nutildyti garsą",
+ "Clear filter": "Išvalyti filtrą",
+ "Uploading %(filename)s and %(count)s others|other": "Įkeliamas %(filename)s ir dar %(count)s failai",
+ "Uploading %(filename)s and %(count)s others|zero": "Įkeliamas %(filename)s",
+ "Uploading %(filename)s and %(count)s others|one": "Įkeliamas %(filename)s ir dar %(count)s failas",
+ "Light theme": "Šviesi tema",
+ "Dark theme": "Tamsi tema",
+ "Status.im theme": "Status.im tema",
+ "Can't load user settings": "Nepavyksta įkelti naudotojo nustatymų",
+ "Server may be unavailable or overloaded": "Gali būti, kad serveris neprieinamas arba perkrautas",
+ "Success": "Pavyko",
+ "Remove Contact Information?": "Šalinti kontaktinę informaciją?",
+ "Remove %(threePid)s?": "Šalinti %(threePid)s?",
+ "Unable to remove contact information": "Nepavyko pašalinti kontaktinę informaciją",
+ "Interface Language": "Sąsajos kalba",
+ "User Interface": "Naudotojo sąsaja",
+ "": "",
+ "Device ID:": "Įrenginio ID:",
+ "Device key:": "Įrenginio raktas:",
+ "Ignored Users": "Nepaisomi naudotojai",
+ "Debug Logs Submission": "Derinimo žurnalų pateikimas",
+ "These are experimental features that may break in unexpected ways": "Šios yra eksperimentinės ypatybės, kurios veikti netikėtais būdais",
+ "Deactivate my account": "Pasyvinti mano paskyrą",
+ "Clear Cache": "Išvalyti podėlį",
+ "Clear Cache and Reload": "Išvalyti podėlį ir įkelti iš naujo",
+ "Updates": "Atnaujinimai",
+ "Check for update": "Tikrinti, ar yra atnaujinimų",
+ "Reject all %(invitedRooms)s invites": "Atmesti visus %(invitedRooms)s pakvietimus",
+ "Bulk Options": "Masiniai parametrai",
+ "You may need to manually permit Riot to access your microphone/webcam": "Jums gali tekti rankiniu būdu leisti Riot prieigą prie savo mikrofono/kameros",
+ "Missing Media Permissions, click here to request.": "Trūksta medijos leidimų, spustelėkite čia, norėdami užklausti.",
+ "No Audio Outputs detected": "Neaptikta jokių garso išvesčių",
+ "No Microphones detected": "Neaptikta jokių mikrofonų",
+ "No Webcams detected": "Neaptikta jokių kamerų",
+ "Default Device": "Numatytasis įrenginys",
+ "Audio Output": "Garso išvestis",
+ "Microphone": "Mikrofonas",
+ "Camera": "Kamera",
+ "VoIP": "VoIP",
+ "Email": "El. paštas",
+ "Add email address": "Pridėti el. pašto adresą",
+ "Profile": "Profilis",
+ "Account": "Paskyra",
+ "To return to your account in future you need to set a password": "Norėdami ateityje sugrįžti į savo paskyrą, turite nusistatyti slaptažodį",
+ "Logged in as:": "Esate prisijungę kaip:",
+ "click to reveal": "spustelėkite, norėdami atskleisti",
+ "matrix-react-sdk version:": "matrix-react-sdk versija:",
+ "riot-web version:": "riot-web versija:",
+ "olm version:": "olm versija:",
+ "Failed to send email": "Nepavyko išsiųsti el. laiško",
+ "The email address linked to your account must be entered.": "Privalo būti įvestas su jūsų paskyra susietas el. pašto adresas.",
+ "A new password must be entered.": "Privalo būti įvestas naujas slaptažodis.",
+ "New passwords must match each other.": "Nauji slaptažodžiai privalo sutapti.",
+ "I have verified my email address": "Aš patvirtinau savo el. pašto adresą",
+ "Your password has been reset": "Jūsų slaptažodis buvo atstatytas",
+ "Return to login screen": "Grįžti į prisijungimo ekraną",
+ "To reset your password, enter the email address linked to your account": "Norėdami atstatyti slaptažodį, įveskite su jūsų paskyra susietą el. pašto adresą",
+ "New password": "Naujas slaptažodis",
+ "Confirm your new password": "Patvirtinkite savo naują slaptažodį",
+ "Send Reset Email": "Siųsti atstatymo el. laišką",
+ "Create an account": "Sukurti paskyrą",
+ "Incorrect username and/or password.": "Neteisingas naudotojo vardas ir/ar slaptažodis.",
+ "Please note you are logging into the %(hs)s server, not matrix.org.": "Turėkite omenyje, kad jūs prisijungiate prie %(hs)s serverio, o ne matrix.org.",
+ "Sign in to get started": "Norėdami pradėti, prisijunkite",
+ "Failed to fetch avatar URL": "Nepavyko gauti avataro URL",
+ "Missing password.": "Trūksta slaptažodžio.",
+ "Passwords don't match.": "Slaptažodžiai nesutampa.",
+ "Password too short (min %(MIN_PASSWORD_LENGTH)s).": "Slaptažodis per trumpas (mažiausiai, %(MIN_PASSWORD_LENGTH)s).",
+ "This doesn't look like a valid email address.": "Tai nepanašu į teisingą el. pašto adresą.",
+ "This doesn't look like a valid phone number.": "Tai nepanašu į teisingą telefono numerį.",
+ "You need to enter a user name.": "Turite įvesti naudotojo vardą.",
+ "An unknown error occurred.": "Įvyko nežinoma klaida.",
+ "I already have an account": "Aš jau turiu paskyrą",
+ "Commands": "Komandos",
+ "Results from DuckDuckGo": "Rezultatai iš DuckDuckGo",
+ "Notify the whole room": "Pranešti visam kambariui",
+ "Users": "Naudotojai",
+ "unknown device": "nežinomas įrenginys",
+ "Ed25519 fingerprint": "Ed25519 kontrolinis kodas",
+ "User ID": "Naudotojo ID",
+ "Curve25519 identity key": "Curve25519 tapatybės raktas",
+ "none": "nėra",
+ "Algorithm": "Algoritmas",
+ "Decryption error": "Iššifravimo klaida",
+ "Session ID": "Seanso ID",
+ "End-to-end encryption information": "Ištisinio šifravimo informacija",
+ "Event information": "Įvykio informacija",
+ "Sender device information": "Siuntėjo įrenginio informacija",
+ "Passphrases must match": "Slaptafrazės privalo sutapti",
+ "Passphrase must not be empty": "Slaptafrazė negali būti tuščia",
+ "Export room keys": "Eksportuoti kambario raktus",
+ "Enter passphrase": "Įveskite slaptafrazę",
+ "Confirm passphrase": "Patvirtinkite slaptafrazę",
+ "Export": "Eksportuoti",
+ "Import room keys": "Importuoti kambario raktus",
+ "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Eksportavimo failas bus apsaugotas slaptafraze. Norėdami iššifruoti failą, čia turėtumėte įvesti slaptafrazę.",
+ "File to import": "Failas, kurį importuoti",
+ "Import": "Importuoti",
+ "Your User Agent": "Jūsų naudotojo agentas",
+ "Review Devices": "Peržiūrėti įrenginius",
+ "You do not have permission to start a conference call in this room": "Jūs neturite leidimo šiame kambaryje pradėti konferencinį pokalbį",
+ "The file '%(fileName)s' exceeds this home server's size limit for uploads": "Failas \"%(fileName)s\" viršija šio namų serverio įkeliamų failų dydžio apribojimą",
+ "Room name or alias": "Kambario pavadinimas ar slapyvardis",
+ "Your email address does not appear to be associated with a Matrix ID on this Homeserver.": "Neatrodo, kad jūsų el. pašto adresas šiame namų serveryje būtų susietas su Matrix ID.",
+ "Who would you like to communicate with?": "Su kuo norėtumėte susisiekti?",
+ "Missing room_id in request": "Užklausoje trūksta room_id",
+ "Missing user_id in request": "Užklausoje trūksta user_id",
+ "Unrecognised room alias:": "Neatpažintas kambario slapyvardis:",
+ "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!": "ĮSPĖJIMAS: RAKTO PATVIRTINIMAS NEPAVYKO! Pasirašymo raktas, skirtas %(userId)s ir įrenginiui %(deviceId)s yra \"%(fprint)s\", o tai nesutampa su pateiktu raktu \"%(fingerprint)s\". Tai gali reikšti, kad kažkas perima jūsų komunikavimą!",
+ "The signing key you provided matches the signing key you received from %(userId)s's device %(deviceId)s. Device marked as verified.": "Jūsų pateiktas pasirašymo raktas sutampa su pasirašymo raktus, kuris gautas iš naudotojo %(userId)s įrenginio %(deviceId)s. Įrenginys pažymėtas kaip patvirtintas.",
+ "VoIP conference started.": "VoIP konferencija pradėta.",
+ "VoIP conference finished.": "VoIP konferencija užbaigta.",
+ "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s pašalino kambario pavadinimą.",
+ "%(senderName)s turned on end-to-end encryption (algorithm %(algorithm)s).": "%(senderName)s įjungė ištisinį šifravimą (%(algorithm)s algoritmas).",
+ "%(widgetName)s widget modified by %(senderName)s": "%(senderName)s modifikavo %(widgetName)s valdiklį",
+ "%(widgetName)s widget added by %(senderName)s": "%(senderName)s pridėjo %(widgetName)s valdiklį",
+ "%(widgetName)s widget removed by %(senderName)s": "%(senderName)s pašalino %(widgetName)s valdiklį",
+ "Failure to create room": "Nepavyko sukurti kambarį",
+ "Server may be unavailable, overloaded, or you hit a bug.": "Gali būti, kad serveris neprieinamas, perkrautas arba susidūrėte su klaida.",
+ "Use compact timeline layout": "Naudoti kompaktišką laiko juostos išdėstymą",
+ "Autoplay GIFs and videos": "Automatiškai atkurti GIF ir vaizdo įrašus",
+ "Never send encrypted messages to unverified devices from this device": "Niekada nesiųsti iš šio įrenginio šifruotų žinučių į nepatvirtintus įrenginius",
+ "Never send encrypted messages to unverified devices in this room from this device": "Niekada nesiųsti iš šio įrenginio šifruotas žinutes į nepatvirtintus įrenginius šiame kambaryje",
+ "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains": "Tekstinė žinutė išsiųsta į +%(msisdn)s. Įveskite žinutėje esantį patvirtinimo kodą",
+ "Enter Code": "Įvesti kodą",
+ "Your home server does not support device management.": "Jūsų namų serveris nepalaiko įrenginių tvarkymą.",
+ "Delete %(count)s devices|other": "Ištrinti %(count)s įrenginius",
+ "This event could not be displayed": "Nepavyko parodyti šio įvykio",
+ "If your other devices do not have the key for this message you will not be able to decrypt them.": "Jeigu jūsų kituose įrenginiuose nėra rakto šiai žinutei, tuomet jūs negalėsite jos iššifruoti.",
+ "Re-request encryption keys from your other devices.": "Iš naujo užklausti šifravimo raktus iš jūsų kitų įrenginių.",
+ "Undecryptable": "Neiššifruojama",
+ "Encrypted, not sent": "Šifruota, neišsiųsta",
+ "Encrypted by a verified device": "Šifruota patvirtintu įrenginiu",
+ "Encrypted by an unverified device": "Šifruota nepatvirtintu įrenginiu",
+ "Kick": "Išmesti",
+ "Kick this user?": "Išmesti šį naudotoją?",
+ "Failed to kick": "Nepavyko išmesti",
+ "Unban": "Atblokuoti",
+ "Ban": "Užblokuoti",
+ "Unban this user?": "Atblokuoti šį naudotoją?",
+ "Ban this user?": "Užblokuoti šį naudotoją?",
+ "Failed to ban user": "Nepavyko užblokuoti naudotoją",
+ "Failed to toggle moderator status": "Nepavyko perjungti moderatoriaus būseną",
+ "Invited": "Pakviestas",
+ "Filter room members": "Filtruoti kambario dalyvius",
+ "Server unavailable, overloaded, or something else went wrong.": "Serveris neprieinamas, perkrautas arba nutiko kažkas kito.",
+ "%(duration)ss": "%(duration)s sek.",
+ "%(duration)sm": "%(duration)s min.",
+ "%(duration)sh": "%(duration)s val.",
+ "%(duration)sd": "%(duration)s d.",
+ "Seen by %(userName)s at %(dateTime)s": "%(userName)s matė ties %(dateTime)s",
+ "Seen by %(displayName)s (%(userName)s) at %(dateTime)s": "%(displayName)s (%(userName)s) matė ties %(dateTime)s",
+ "Show these rooms to non-members on the community page and room list?": "Ar rodyti šiuos kambarius ne dalyviams bendruomenės puslapyje ir kambarių sąraše?",
+ "Invite new room members": "Pakviesti naujus kambario dalyvius",
+ "Changes colour scheme of current room": "Pakeičia esamo kambario spalvų rinkinį",
+ "Kicks user with given id": "Išmeta naudotoją su nurodytu id",
+ "Bans user with given id": "Užblokuoja naudotoja su nurodytu id",
+ "Unbans user with given id": "Atblokuoja naudotoją su nurodytu id",
+ "%(senderName)s banned %(targetName)s.": "%(senderName)s užblokavo naudotoją %(targetName)s.",
+ "%(senderName)s unbanned %(targetName)s.": "%(senderName)s atblokavo naudotoją %(targetName)s.",
+ "%(senderName)s kicked %(targetName)s.": "%(senderName)s išmetė naudotoją %(targetName)s.",
+ "(not supported by this browser)": "(nėra palaikoma šios naršyklės)",
+ "(no answer)": "(nėra atsakymo)",
+ "%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s padarė kambario ateities istoriją matomą visiems kambario dalyviams nuo to laiko, kai jie buvo pakviesti.",
+ "%(senderName)s made future room history visible to all room members.": "%(senderName)s padarė kambario ateities istoriją matomą visiems kambario dalyviams.",
+ "%(senderName)s made future room history visible to anyone.": "%(senderName)s padarė kambario ateities istoriją matomą bet kam.",
+ "%(names)s and %(count)s others are typing|one": "%(names)s ir dar vienas naudotojas rašo",
+ "Your browser does not support the required cryptography extensions": "Jūsų naršyklė nepalaiko reikalingų kriptografijos plėtinių",
+ "Not a valid Riot keyfile": "Negaliojantis Riot rakto failas",
+ "Authentication check failed: incorrect password?": "Tapatybės nustatymo patikrinimas patyrė nesėkmę: neteisingas slaptažodis?",
+ "Send analytics data": "Siųsti analitinius duomenis",
+ "Incoming voice call from %(name)s": "Gaunamasis balso skambutis nuo %(name)s",
+ "Incoming video call from %(name)s": "Gaunamasis vaizdo skambutis nuo %(name)s",
+ "Incoming call from %(name)s": "Gaunamasis skambutis nuo %(name)s",
+ "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.": "Šiuo metu slaptažodžio pakeitimas atstatys bet kokius ištisinio šifravimo raktus visuose įrenginiuose ir tokiu būdu pavers šifruotą pokalbių istoriją neperskaitoma, nebent, iš pradžių, savo kambario raktus eksportuosite, o po to, juos importuosite iš naujo. Ateityje tai bus patobulinta.",
+ "Change Password": "Keisti slaptažodį",
+ "Authentication": "Tapatybės nustatymas",
+ "The maximum permitted number of widgets have already been added to this room.": "Į šį kambarį jau yra pridėtas didžiausias leidžiamas valdiklių skaičius.",
+ "Your key share request has been sent - please check your other devices for key share requests.": "Jūsų rakto bendrinimo užklausa išsiųsta - patikrinkite kitus savo įrenginius, ar juose nėra rakto bendrinimo užklausų.",
+ "Key share requests are sent to your other devices automatically. If you rejected or dismissed the key share request on your other devices, click here to request the keys for this session again.": "Rakto bendrinimo užklausos yra išsiunčiamos į jūsų kitus įrenginius automatiškai. Jeigu savo kitame įrenginyje atmetėte ar nepaisėte rakto užklausos, spustelėkite čia, norėdami dar kartą užklausti raktų šiam seansui.",
+ "Please select the destination room for this message": "Pasirinkite šiai žinutei paskirties kambarį",
+ "No devices with registered encryption keys": "Nėra jokių įrenginių su registruotais šifravimo raktais",
+ "Make Moderator": "Padaryti moderatoriumi",
+ "Level:": "Lygis:",
+ "Hangup": "Padėti ragelį",
+ "No pinned messages.": "Nėra jokių prisegtų žinučių.",
+ "Online for %(duration)s": "Prisijungęs %(duration)s",
+ "Idle for %(duration)s": "Neveiklus %(duration)s",
+ "Offline for %(duration)s": "Atsijungęs %(duration)s",
+ "Idle": "Neveiklus",
+ "Offline": "Atsijungęs",
+ "Failed to set avatar.": "Nepavyko nustatyti avataro.",
+ "Forget room": "Pamiršti kambarį",
+ "Share room": "Bendrinti kambarį",
+ "There are unknown devices in this room: if you proceed without verifying them, it will be possible for someone to eavesdrop on your call.": "Šiame kambaryje yra nepatvirtintų įrenginių: jeigu tęsite jų nepatvirtinę, tuomet kas nors galės slapta klausytis jūsų skambučio.",
+ "Usage": "Naudojimas",
+ "Searches DuckDuckGo for results": "Atlieka rezultatų paiešką sistemoje DuckDuckGo",
+ "To use it, just wait for autocomplete results to load and tab through them.": "Norėdami tai naudoti, tiesiog, palaukite, kol bus įkelti automatiškai užbaigti rezultatai, o tuomet, pereikite per juos naudodami Tab klavišą.",
+ "%(targetName)s left the room.": "%(targetName)s išėjo iš kambario.",
+ "%(senderName)s changed the pinned messages for the room.": "%(senderName)s pakeitė prisegtas kambario žinutes.",
+ "Sorry, your homeserver is too old to participate in this room.": "Atleiskite, jūsų namų serveris yra per senas dalyvauti šiame kambaryje.",
+ "Please contact your homeserver administrator.": "Prašome susisiekti su savo namų serverio administratoriumi.",
+ "Enable inline URL previews by default": "Įjungti tiesiogines URL nuorodų peržiūras pagal numatymą",
+ "Enable URL previews for this room (only affects you)": "Įjungti URL nuorodų peržiūras šiame kambaryje (įtakoja tik jus)",
+ "Enable URL previews by default for participants in this room": "Įjungti URL nuorodų peržiūras pagal numatymą dalyviams šiame kambaryje",
+ "Confirm password": "Pakartokite slaptažodį",
+ "Demote yourself?": "Pažeminti save?",
+ "Demote": "Pažeminti",
+ "Share Link to User": "Bendrinti nuorodą su naudotoju",
+ "Direct chats": "Tiesioginiai pokalbiai",
+ "The conversation continues here.": "Pokalbis tęsiasi čia.",
+ "Jump to message": "Pereiti prie žinutės",
+ "Drop here to demote": "Vilkite čia, norėdami pažeminti",
+ "Favourites": "Mėgstami",
+ "This invitation was sent to an email address which is not associated with this account:": "Šis pakvietimas buvo išsiųstas į el. pašto adresą, kuris nėra susietas su šia paskyra:",
+ "You may wish to login with a different account, or add this email to this account.": "Jūs galite pageidauti prisijungti, naudojant kitą paskyrą, arba pridėti šį el. paštą į šią paskyrą.",
+ "You have been kicked from %(roomName)s by %(userName)s.": "%(userName)s išmetė jus iš %(roomName)s.",
+ "You have been kicked from this room by %(userName)s.": "%(userName)s išmetė jus iš šio kambario.",
+ "You have been banned from %(roomName)s by %(userName)s.": "%(userName)s užblokavo jus kambaryje %(roomName)s.",
+ "You have been banned from this room by %(userName)s.": "%(userName)s užblokavo jus šiame kambaryje.",
+ "To change the room's name, you must be a": "Norėdami pakeisti kambario pavadinimą, privalote būti",
+ "To change the room's main address, you must be a": "Norėdami pakeisti pagrindinį kambario adresą, privalote būti",
+ "To change the room's history visibility, you must be a": "Norėdami pakeisti kambario istorijos matomumą, privalote būti",
+ "To change the permissions in the room, you must be a": "Norėdami pakeisti leidimus kambaryje, privalote būti",
+ "To modify widgets in the room, you must be a": "Norėdami modifikuoti valdiklius šiame kambaryje, privalote būti",
+ "The visibility of existing history will be unchanged": "Esamos istorijos matomumas išliks nepakeistas",
+ "End-to-end encryption is in beta and may not be reliable": "Ištisinis šifravimas yra beta versijoje ir gali būti nepatikimas",
+ "You should not yet trust it to secure data": "Kol kas neturėtumėte pasitikėti, kad jis apsaugos jūsų duomenis",
+ "Encryption is enabled in this room": "Šifravimas šiame kambaryje yra įjungtas",
+ "Encryption is not enabled in this room": "Šifravimas šiame kambaryje nėra įjungtas",
+ "To kick users, you must be a": "Norėdami išmesti naudotojus, privalote būti",
+ "To ban users, you must be a": "Norėdami užblokuoti naudotojus, privalote būti",
+ "Banned users": "Užblokuoti naudotojai",
+ "This room is not accessible by remote Matrix servers": "Šis kambarys nėra pasiekiamas nuotoliniams Matrix serveriams",
+ "Who can read history?": "Kas gali skaityti istoriją?",
+ "Room version number: ": "Kambario versijos numeris: ",
+ "There is a known vulnerability affecting this room.": "Yra žinomas pažeidžiamumas, kuris paveikia šį kambarį.",
+ "Only room administrators will see this warning": "Šį įspėjimą matys tik kambario administratoriai",
+ "Remote addresses for this room:": "Nuotoliniai šio kambario adresai:",
+ "You have enabled URL previews by default.": "Jūs esate įjungę URL nuorodų peržiūras pagal numatymą.",
+ "You have disabled URL previews by default.": "Jūs esate išjungę URL nuorodų peržiūras pagal numatymą.",
+ "URL previews are enabled by default for participants in this room.": "URL nuorodų peržiūros yra įjungtos pagal numatymą šio kambario dalyviams.",
+ "URL previews are disabled by default for participants in this room.": "URL nuorodų peržiūros yra išjungtos pagal numatymą šio kambario dalyviams.",
+ "Invalid file%(extra)s": "Neteisingas failas %(extra)s",
+ "This room is a continuation of another conversation.": "Šis kambarys yra kito pokalbio pratęsimas.",
+ "Click here to see older messages.": "Spustelėkite čia, norėdami matyti senesnes žinutes.",
+ "This Home Server would like to make sure you are not a robot": "Šis namų serveris norėtų įsitikinti, kad nesate robotas",
+ "Token incorrect": "Neteisingas prieigos raktas",
+ "Sign in with": "Prisijungti naudojant",
+ "Sign in": "Prisijungti",
+ "If you don't specify an email address, you won't be able to reset your password. Are you sure?": "Jeigu nenurodysite savo el. pašto adreso, negalėsite atstatyti savo slaptažodį. Ar esate tikri?",
+ "Home server URL": "Namų serverio URL",
+ "Identity server URL": "Tapatybės serverio URL",
+ "Please contact your service administrator to continue using the service.": "Norėdami tęsti naudotis paslauga, susisiekite su savo paslaugos administratoriumi .",
+ "Reload widget": "Įkelti valdiklį iš naujo",
+ "Picture": "Paveikslas",
+ "Create new room": "Sukurti naują kambarį",
+ "No results": "Jokių rezultatų",
+ "Delete": "Ištrinti",
+ "%(nameList)s %(transitionList)s": "%(nameList)s %(transitionList)s",
+ "%(oneUser)schanged their name %(count)s times|one": "%(oneUser)s pasikeitė vardą",
+ "%(severalUsers)schanged their avatar %(count)s times|one": "%(severalUsers)s pasikeitė avatarą",
+ "%(oneUser)schanged their avatar %(count)s times|one": "%(oneUser)s pasikeitė avatarą",
+ "collapse": "suskleisti",
+ "expand": "išskleisti",
+ "Room directory": "Kambarių katalogas",
+ "Start chat": "Pradėti pokalbį",
+ "ex. @bob:example.com": "pvz., @jonas:example.com",
+ "Add User": "Pridėti naudotoją",
+ "Matrix ID": "Matrix ID",
+ "email address": "el. pašto adresas",
+ "You have entered an invalid address.": "Įvedėte neteisingą adresą.",
+ "Try using one of the following valid address types: %(validTypesList)s.": "Pabandykite naudoti vieną iš šių teisingų adreso tipų: %(validTypesList)s.",
+ "Logs sent": "Žurnalai išsiųsti",
+ "Failed to send logs: ": "Nepavyko išsiųsti žurnalų: ",
+ "Submit debug logs": "Pateikti derinimo žurnalus",
+ "Start new chat": "Pradėti naują pokalbį",
+ "Click on the button below to start chatting!": "Norėdami pradėti bendravimą, paspauskite ant žemiau esančio mygtuko!",
+ "Create Community": "Sukurti bendruomenę",
+ "Community Name": "Bendruomenės pavadinimas",
+ "Example": "Pavyzdys",
+ "Community ID": "Bendruomenės ID",
+ "example": "pavyzdys",
+ "Create": "Sukurti",
+ "Create Room": "Sukurti kambarį",
+ "Room name (optional)": "Kambario pavadinimas (nebūtina)",
+ "Advanced options": "Išplėstiniai parametrai",
+ "This setting cannot be changed later!": "Šio nustatymo vėliau nebeįmanoma bus pakeisti!",
+ "Unknown error": "Nežinoma klaida",
+ "Incorrect password": "Neteisingas slaptažodis",
+ "To continue, please enter your password:": "Norėdami tęsti, įveskite savo slaptažodį:",
+ "password": "slaptažodis",
+ "Device name": "Įrenginio pavadinimas",
+ "Device key": "Įrenginio raktas",
+ "An error has occurred.": "Įvyko klaida.",
+ "Ignore request": "Nepaisyti užklausos",
+ "Loading device info...": "Įkeliama įrenginio informacija...",
+ "Failed to upgrade room": "Nepavyko atnaujinti kambarį",
+ "The room upgrade could not be completed": "Nepavyko užbaigti kambario naujinimo",
+ "Sign out": "Atsijungti",
+ "Log out and remove encryption keys?": "Atsijungti ir pašalinti šifravimo raktus?",
+ "Send Logs": "Siųsti žurnalus",
+ "Refresh": "Įkelti iš naujo",
+ "Unable to restore session": "Nepavyko atkurti seanso",
+ "Invalid Email Address": "Neteisingas el. pašto adresas",
+ "You cannot place VoIP calls in this browser.": "Negalite inicijuoti VoIP skambučių šioje naršyklėje.",
+ "You cannot place a call with yourself.": "Negalite skambinti patys sau.",
+ "Registration Required": "Reikalinga registracija",
+ "You need to register to do this. Would you like to register now?": "Norėdami tai atlikti, turite užsiregistruoti. Ar norėtumėte užsiregistruoti dabar?",
+ "Missing roomId.": "Trūksta kambario ID (roomId).",
+ "Leave room": "Išeiti iš kambario",
+ "(could not connect media)": "(nepavyko prijungti medijos)",
+ "This homeserver has hit its Monthly Active User limit.": "Šis namų serveris pasiekė savo mėnesinį aktyvių naudotojų limitą.",
+ "This homeserver has exceeded one of its resource limits.": "Šis namų serveris viršijo vieno iš savo išteklių limitą.",
+ "Unable to connect to Homeserver. Retrying...": "Nepavyksta prisijungti prie namų serverio. Bandoma iš naujo...",
+ "Hide avatar changes": "Slėpti avatarų pasikeitimus",
+ "Disable Community Filter Panel": "Išjungti bendruomenės filtro skydelį",
+ "Enable widget screenshots on supported widgets": "Palaikomuose valdikliuose įjungti valdiklių ekrano kopijas",
+ "Export E2E room keys": "Eksportuoti E2E kambario raktus",
+ "Select devices": "Pasirinkti įrenginius",
+ "Last seen": "Paskutinį kartą matytas",
+ "Unignore": "Nustoti nepaisyti",
+ "and %(count)s others...|other": "ir %(count)s kitų...",
+ "and %(count)s others...|one": "ir dar vienas...",
+ "Mention": "Paminėti",
+ "At this time it is not possible to reply with a file so this will be sent without being a reply.": "Šiuo metu neįmanoma atsakyti failu, taigi, šis failas bus išsiųstas ne atsakymo pavidalu.",
+ "This room has been replaced and is no longer active.": "Šis kambarys buvo pakeistas ir daugiau nebėra aktyvus.",
+ "You do not have permission to post to this room": "Jūs neturite leidimų rašyti šiame kambaryje",
+ "Turn Markdown on": "Įjungti Markdown",
+ "Turn Markdown off": "Išjungti Markdown",
+ "Markdown is disabled": "Markdown yra išjungta",
+ "Markdown is enabled": "Markdown yra įjungta",
+ "Drop here to favourite": "Vilkite čia, norėdami pridėti į mėgstamus",
+ "Drop here to restore": "Vilkite čia, norėdami atkurti",
+ "System Alerts": "Sistemos įspėjimai",
+ "Would you like to accept or decline this invitation?": "Norėtumėte priimti ar atmesti šį pakvietimą?",
+ "This is a preview of this room. Room interactions have been disabled": "Tai yra kambario peržiūra. Kambario sąveikos yra išjungtos",
+ "To change the room's avatar, you must be a": "Norėdami pakeisti kambario avatarą, privalote būti",
+ "Failed to unban": "Nepavyko atblokuoti",
+ "Privacy warning": "Privatumo įspėjimas",
+ "Encrypted messages will not be visible on clients that do not yet implement encryption": "Šifruotos žinutės nebus matomos kliento programose, kurios kol kas neįgyvendino šifravimo",
+ "Tagged as: ": "Pažymėtas kaip: ",
+ "To link to a room it must have an address .": "Norint susieti kambarį, jis privalo turėti adresą .",
+ "Internal room ID: ": "Vidinis kambario ID: ",
+ "not specified": "nenurodyta",
+ "not set": "nenustatyta",
+ "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "Šifruotuose kambariuose, tokiuose kaip šis, URL nuorodų peržiūra pagal numatymą yra išjungta, kad būtų užtikrinta, jog jūsų namų serveris (kuriame yra generuojamos peržiūros) negalės rinkti informacijos apie šiame kambaryje matomas nuorodas.",
+ "%(senderDisplayName)s changed the avatar for %(roomName)s": "%(senderDisplayName)s pakeitė %(roomName)s avatarą",
+ "%(senderDisplayName)s removed the room avatar.": "%(senderDisplayName)s pašalino kambario avatarą.",
+ "%(senderDisplayName)s changed the room avatar to ": "%(senderDisplayName)s pakeitė kambario avatarą į ",
+ "Removed or unknown message type": "Žinutė pašalinta arba yra nežinomo tipo",
+ "Username on %(hs)s": "Naudotojo vardas ties %(hs)s",
+ "Filter community members": "Filtruoti bendruomenės dalyvius",
+ "Removing a room from the community will also remove it from the community page.": "Pašalinus kambarį iš bendruomenės, taip pat pašalins jį iš bendruomenės puslapio.",
+ "Filter community rooms": "Filtruoti bendruomenės kambarius",
+ "Please help improve Riot.im by sending anonymous usage data . This will use a cookie (please see our Cookie Policy ).": "Padėkite patobulinti Riot.im, siųsdami anoniminius naudojimosi duomenis . Tai panaudos slapuką (žiūrėkite mūsų Slapukų politiką ).",
+ "Please help improve Riot.im by sending anonymous usage data . This will use a cookie.": "Padėkite patobulinti Riot.im, siųsdami anoniminius naudojimosi duomenis . Tai panaudos slapuką.",
+ "Please contact your service administrator to get this limit increased.": "Norėdami padidinti šį limitą, susisiekite su savo paslaugų administratoriumi .",
+ "This homeserver has hit its Monthly Active User limit so some users will not be able to log in .": "Šis namų serveris pasiekė savo mėnesinį aktyvių naudotojų limitą, taigi, kai kurie naudotojai negalės prisijungti .",
+ "This homeserver has exceeded one of its resource limits so some users will not be able to log in .": "Šis namų serveris viršijo vieno iš savo išteklių limitą, taigi, kai kurie naudotojai negalės prisijungti .",
+ "An error ocurred whilst trying to remove the widget from the room": "Įvyko klaida, bandant pašalinti valdiklį iš kambario",
+ "Blacklist": "Įtraukti į juodąjį sąrašą",
+ "Unblacklist": "Pašalinti iš juodojo sąrašo",
+ "Verify...": "Patvirtinti...",
+ "Communities": "Bendruomenės",
+ "Home": "Pradžia",
+ "%(severalUsers)sleft %(count)s times|other": "%(severalUsers)s išėjo %(count)s kartų(-us)",
+ "%(severalUsers)sleft %(count)s times|one": "%(severalUsers)s išėjo",
+ "%(oneUser)sleft %(count)s times|other": "%(oneUser)s išėjo %(count)s kartų(-us)",
+ "%(oneUser)sleft %(count)s times|one": "%(oneUser)s išėjo",
+ "%(severalUsers)schanged their name %(count)s times|one": "%(severalUsers)s pasikeitė vardus",
+ "%(oneUser)schanged their name %(count)s times|other": "%(oneUser)s pasikeitė vardą %(count)s kartų(-us)",
+ "%(severalUsers)schanged their avatar %(count)s times|other": "%(severalUsers)s pasikeitė avatarą %(count)s kartų(-us)",
+ "%(oneUser)schanged their avatar %(count)s times|other": "%(oneUser)s pasikeitė avatarą %(count)s kartų(-us)",
+ "And %(count)s more...|other": "Ir dar %(count)s...",
+ "Existing Call": "Esamas skambutis",
+ "A call is already in progress!": "Skambutis jau yra inicijuojamas!",
+ "Default": "Numatytasis",
+ "Restricted": "Apribotas",
+ "Moderator": "Moderatorius",
+ "Ignores a user, hiding their messages from you": "Nepaiso naudotojo, paslepiant nuo jūsų jo žinutes",
+ "Stops ignoring a user, showing their messages going forward": "Sustabdo naudotojo nepaisymą, rodant jo tolimesnes žinutes",
+ "Hide avatars in user and room mentions": "Slėpti avatarus naudotojų ir kambarių paminėjimuose",
+ "Revoke Moderator": "Panaikinti moderatorių",
+ "deleted": "perbrauktas",
+ "underlined": "pabrauktas",
+ "inline-code": "įterptas kodas",
+ "block-quote": "citatos blokas",
+ "bulleted-list": "suženklintasis sąrašas",
+ "numbered-list": "sąrašas su numeriais",
+ "Invites": "Pakvietimai",
+ "You have no historical rooms": "Jūs neturite istorinių kambarių",
+ "Historical": "Istoriniai",
+ "Every page you use in the app": "Kiekvienas puslapis, kurį naudoji programoje",
+ "Call Timeout": "Skambučio laikas baigėsi"
}
diff --git a/src/i18n/strings/lv.json b/src/i18n/strings/lv.json
index 01e3ae5c6d..09182ed776 100644
--- a/src/i18n/strings/lv.json
+++ b/src/i18n/strings/lv.json
@@ -153,7 +153,6 @@
"Failed to kick": "Neizdevās izspert/padzīt (kick)",
"Failed to leave room": "Neizdevās pamest istabu",
"Failed to load timeline position": "Neizdevās ielādēt laikpaziņojumu pozīciju",
- "Failed to lookup current room": "Neizdevās uziet pašreizējo istabu",
"Failed to mute user": "Neizdevās apklusināt lietotāju",
"Failed to reject invite": "Neizdevās noraidīt uzaicinājumu",
"Failed to reject invitation": "Neizdevās noraidīt uzaicinājumu",
@@ -224,7 +223,6 @@
"Level:": "Līmenis:",
"Local addresses for this room:": "Šīs istabas lokālās adreses:",
"Logged in as:": "Pierakstījās kā:",
- "Login as guest": "Pierakstīties kā viesim",
"Logout": "Izrakstīties",
"Low priority": "Zemas prioritātes",
"%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s padarīja istabas ziņu turpmāko vēsturi redzamu visiem istabas biedriem no brīža, kad tie tika uzaicināti.",
@@ -245,7 +243,6 @@
"Mobile phone number": "Mobilā telefona numurs",
"Mobile phone number (optional)": "Mobilā telefona numurs (nav obligāts)",
"Moderator": "Moderators",
- "Must be viewing a room": "Jāapskata istaba",
"Mute": "Noklusināt (izslēgt skaņu)",
"%(serverName)s Matrix ID": "%(serverName)s Matrix Id",
"Name": "Vārds",
@@ -720,9 +717,7 @@
"%(widgetName)s widget modified by %(senderName)s": "%(widgetName)s vidžets, kuru mainīja %(senderName)s",
"%(names)s and %(count)s others are typing|other": "%(names)s un %(count)s citi raksta",
"%(names)s and %(count)s others are typing|one": "%(names)s un vēl kāds raksta",
- "Message Replies": "Atbildes uz ziņām",
"Message Pinning": "Ziņu piekabināšana",
- "Tag Panel": "Birku panelis",
"Disable Emoji suggestions while typing": "Atspējot Emoji ieteikumus teksta rakstīšanas laikā",
"Hide avatar changes": "Slēpt avatara izmaiņas",
"Hide display name changes": "Slēpt attēlojamā/redzamā vārda izmaiņas",
@@ -867,7 +862,7 @@
"email address": "e-pasta adrese",
"Try using one of the following valid address types: %(validTypesList)s.": "Mēģiniet izmantot vienu no sekojošiem pieļautajiem adrešu tipiem: %(validTypesList)s.",
"You have entered an invalid address.": "Ievadīta nederīga adrese.",
- "Community IDs cannot not be empty.": "Kopienu IDs nevar būt tukši.",
+ "Community IDs cannot be empty.": "Kopienu IDs nevar būt tukši.",
"Community IDs may only contain characters a-z, 0-9, or '=_-./'": "Kopienas ID var saturēt tikai simbolus a-z, 0-9, or '=_-./'",
"Something went wrong whilst creating your community": "Radot Tavu kopienu kaut kas nogāja greizi",
"Create Community": "Radīt kopienu",
@@ -973,8 +968,6 @@
"Did you know: you can use communities to filter your Riot.im experience!": "Vai zināji: Tu vari izmantot kopienas, lai filtrētu (atlasītu) savu Riot.im pieredzi!",
"To set up a filter, drag a community avatar over to the filter panel on the far left hand side of the screen. You can click on an avatar in the filter panel at any time to see only the rooms and people associated with that community.": "Lai uzstādītu filtru, uzvelc kopienas avataru uz filtru paneļa ekrāna kreisajā malā. Lai redzētu tikai istabas un cilvēkus, kas saistīti ar šo kopienu, Tu vari klikšķināt uz avatara filtru panelī jebkurā brīdī.",
"Create a new community": "Izveidot jaunu kopienu",
- "Join an existing community": "Pievienoties esošai kopienai",
- "To join an existing community you'll have to know its community identifier; this will look something like +example:matrix.org .": "Lai pievienotos esošai kopienai Tev jāzina tā ID; tas izskatīties piemēram šādi +paraugs:matrix.org .",
"%(count)s Resend all or cancel all now. You can also select individual messages to resend or cancel.|other": "Tagadvisas atkārtoti sūtīt vai visas atcelt . Tu vari atzīmēt arī individuālas ziņas, kuras atkārtoti sūtīt vai atcelt.",
"Clear filter": "Attīrīt filtru",
"Debug Logs Submission": "Iesniegt atutošanas logfailus",
@@ -1115,7 +1108,6 @@
"Unable to fetch notification target list": "Neizdevās iegūt paziņojumu mērķu sarakstu",
"Set Password": "Iestatīt paroli",
"Enable audible notifications in web client": "Iespējot skaņus paziņojumus web klientā",
- "Permalink": "Pastāvīgā saite",
"Off": "izslēgts",
"Riot does not know how to join a room on this network": "Riot nezin kā pievienoties šajā tīklā esošajai istabai",
"Mentions only": "Vienīgi atsauces",
diff --git a/src/i18n/strings/ml.json b/src/i18n/strings/ml.json
index 6de7e92df7..a4bf0b421a 100644
--- a/src/i18n/strings/ml.json
+++ b/src/i18n/strings/ml.json
@@ -137,7 +137,6 @@
"Unable to fetch notification target list": "നോട്ടിഫിക്കേഷന് ടാര്ഗെറ്റ് ലിസ്റ്റ് നേടാനായില്ല",
"Set Password": "രഹസ്യവാക്ക് സജ്ജീകരിക്കുക",
"Enable audible notifications in web client": "വെബ് പതിപ്പിലെ അറിയിപ്പുകള് കേള്ക്കാവുന്നതാക്കുക",
- "Permalink": "പെര്മാലിങ്ക്",
"remove %(name)s from the directory.": "%(name)s ഡയറക്റ്ററിയില് നിന്ന് നീക്കം ചെയ്യുക.",
"Off": "ഓഫ്",
"Riot does not know how to join a room on this network": "ഈ നെറ്റ്വര്ക്കിലെ ഒരു റൂമില് എങ്ങനെ അംഗമാകാമെന്ന് റയട്ടിന് അറിയില്ല",
diff --git a/src/i18n/strings/nb_NO.json b/src/i18n/strings/nb_NO.json
index 47da50122c..5641880501 100644
--- a/src/i18n/strings/nb_NO.json
+++ b/src/i18n/strings/nb_NO.json
@@ -98,7 +98,6 @@
"Riot does not know how to join a room on this network": "Riot vet ikke hvordan man kan komme inn på et rom på dette nettverket",
"An error occurred whilst saving your email notification preferences.": "En feil oppsto i forbindelse med lagring av epost varsel innstillinger.",
"Enable audible notifications in web client": "Aktiver lyd-varsel i webklient",
- "Permalink": "Permanent lenke",
"remove %(name)s from the directory.": "fjern %(name)s fra katalogen.",
"Off": "Av",
"#example": "#eksempel",
@@ -113,5 +112,6 @@
"Quote": "Sitat",
"Collapse panel": "Skjul panel",
"Saturday": "Lørdag",
- "There are advanced notifications which are not shown here": "Det er avanserte varsler som ikke vises her"
+ "There are advanced notifications which are not shown here": "Det er avanserte varsler som ikke vises her",
+ "Dismiss": "Avvis"
}
diff --git a/src/i18n/strings/nl.json b/src/i18n/strings/nl.json
index 0df2cf1bd7..cfe67273f0 100644
--- a/src/i18n/strings/nl.json
+++ b/src/i18n/strings/nl.json
@@ -4,7 +4,7 @@
"%(targetName)s accepted the invitation for %(displayName)s.": "%(targetName)s heeft de uitnodiging voor %(displayName)s geaccepteerd.",
"Account": "Account",
"Access Token:": "Toegangstoken:",
- "Add email address": "Voeg een email address toe",
+ "Add email address": "Voeg een e-mailadres toe",
"Add phone number": "Voeg een telefoonnummer toe",
"Admin": "Beheerder",
"Advanced": "Geavanceerd",
@@ -18,8 +18,8 @@
"A new password must be entered.": "Er moet een nieuw wachtwoord worden ingevoerd.",
"%(senderName)s answered the call.": "%(senderName)s heeft deelgenomen aan het audiogesprek.",
"An error has occurred.": "Er is een fout opgetreden.",
- "Anyone who knows the room's link, apart from guests": "Iedereen die de kamerlink weet, behalve gasten",
- "Anyone who knows the room's link, including guests": "Iedereen die de kamerlink weet, inclusief gasten",
+ "Anyone who knows the room's link, apart from guests": "Iedereen die de link van de ruimte weet, behalve gasten",
+ "Anyone who knows the room's link, including guests": "Iedereen die link van de ruimte weet, inclusief gasten",
"Are you sure?": "Weet je het zeker?",
"Are you sure you want to reject the invitation?": "Weet je zeker dat je de uitnodiging wilt weigeren?",
"Attachment": "Bijlage",
@@ -36,13 +36,13 @@
"Change Password": "Wachtwoord veranderen",
"%(senderName)s changed their profile picture.": "%(senderName)s heeft zijn of haar profielfoto veranderd.",
"%(senderName)s changed the power level of %(powerLevelDiffText)s.": "%(senderName)s heeft het machtsniveau van %(powerLevelDiffText)s gewijzigd.",
- "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s heeft de kamernaam van %(roomName)s gewijzigd.",
+ "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s heeft de ruimtenaam van %(roomName)s gewijzigd.",
"%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s heeft het onderwerp gewijzigd naar \"%(topic)s\".",
"Changes to who can read history will only apply to future messages in this room": "Veranderingen aan wie de geschiedenis kan lezen worden alleen maar toegepast op toekomstige berichten in deze ruimte",
"Changes your display nickname": "Verandert jouw weergavenaam",
"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.": "Het veranderen van het wachtwoord zal op het moment alle eind-tot-eind encryptie sleutels resetten, wat alle versleutelde gespreksgeschiedenis onleesbaar zou maken, behalve als je eerst je ruimtesleutels exporteert en achteraf opnieuw importeert. Dit zal worden verbeterd in de toekomst.",
- "Clear Cache and Reload": "Legen cache en herlaad",
- "Clear Cache": "Legen cache",
+ "Clear Cache and Reload": "Cache Legen en Herladen",
+ "Clear Cache": "Cache Legen",
"Click here to fix": "Klik hier om op te lossen",
"Click to mute audio": "Klik om audio te dempen",
"Click to mute video": "Klik om de video te dempen",
@@ -53,7 +53,7 @@
"Commands": "Opdrachten",
"Conference call failed.": "Conferentiegesprek mislukt.",
"Conference calling is in development and may not be reliable.": "Conferentiegesprekken zijn nog in ontwikkelingen en kunnen onbetrouwbaar zijn.",
- "Conference calls are not supported in encrypted rooms": "Conferentiegesprekken worden niet ondersteunt in versleutelde kamers",
+ "Conference calls are not supported in encrypted rooms": "Conferentiegesprekken worden niet ondersteunt in versleutelde ruimtes",
"Conference calls are not supported in this client": "Conferentiegesprekken worden niet ondersteunt in deze client",
"Confirm password": "Bevestigen wachtwoord",
"Confirm your new password": "Bevestig je nieuwe wachtwoord",
@@ -64,7 +64,7 @@
"Active call (%(roomName)s)": "Actief gesprek (%(roomName)s)",
"Add": "Toevoegen",
"Add a topic": "Een onderwerp toevoegen",
- "Admin Tools": "Beheerhulpmiddelen",
+ "Admin Tools": "Beheerdershulpmiddelen",
"VoIP": "VoiP",
"Missing Media Permissions, click here to request.": "Ontbrekende mediatoestemmingen, klik hier om aan te vragen.",
"No Microphones detected": "Geen microfoons gevonden",
@@ -93,7 +93,7 @@
"Operation failed": "Actie mislukt",
"powered by Matrix": "mogelijk gemaakt door Matrix",
"Remove": "Verwijderen",
- "Room directory": "Kamerlijst",
+ "Room directory": "Ruimtelijst",
"Settings": "Instellingen",
"Start chat": "Gesprek starten",
"unknown error code": "onbekende foutcode",
@@ -101,7 +101,6 @@
"OK": "OK",
"Failed to change password. Is your password correct?": "Wachtwoord wijzigen mislukt. Is uw wachtwoord juist?",
"Moderator": "Moderator",
- "Must be viewing a room": "Moet een ruimte weergeven",
"%(serverName)s Matrix ID": "%(serverName)s Matrix-ID",
"Name": "Naam",
"New password": "Nieuw wachtwoord",
@@ -238,7 +237,6 @@
"Failed to join room": "Niet gelukt om tot de ruimte toe te treden",
"Failed to leave room": "Niet gelukt om de ruimte te verlaten",
"Failed to load timeline position": "Niet gelukt om de tijdlijnpositie te laden",
- "Failed to lookup current room": "Niet gelukt om de huidige ruimte op te zoeken",
"Failed to mute user": "Niet gelukt om de gebruiker te dempen",
"Failed to reject invite": "Niet gelukt om de uitnodiging te weigeren",
"Failed to reject invitation": "Niet gelukt om de uitnodiging te weigeren",
@@ -267,7 +265,7 @@
"Hangup": "Ophangen",
"Hide read receipts": "Leesbewijzen verbergen",
"Hide Text Formatting Toolbar": "Tekstopmaakgereedschapsbalk verbergen",
- "Historical": "Historische",
+ "Historical": "Historisch",
"Home": "Home",
"Homeserver is": "Thuisserver is",
"Identity Server is": "Identiteitsserver is",
@@ -295,7 +293,7 @@
"Sign in with": "Inloggen met",
"Join as voice or video .": "Toetreden als spraak of video .",
"Join Room": "Ruimte toetreden",
- "%(targetName)s joined the room.": "%(targetName)s is aan de ruimte toegevoegd.",
+ "%(targetName)s joined the room.": "%(targetName)s is tot de ruimte toegetreden.",
"Joins room with given alias": "Treed de ruimte toe met een gegeven naam",
"Jump to first unread message.": "Spring naar het eerste ongelezen bericht.",
"Labs": "Labs",
@@ -305,12 +303,11 @@
"Level:": "Niveau:",
"Local addresses for this room:": "Lokale adressen voor deze ruimte:",
"Logged in as:": "Ingelogd als:",
- "Login as guest": "Als gast inloggen",
"Logout": "Uitloggen",
"Low priority": "Lage prioriteit",
- "%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s heeft de toekomstige ruimtegeschiedenis zichtbaar gemaakt voor alle kamerleden, vanaf het moment dat ze uitgenodigt zijn.",
- "%(senderName)s made future room history visible to all room members, from the point they joined.": "%(senderName)s heeft de toekomstige ruimte geschiedenis zichtbaar gemaakt voor alle kamerleden, vanaf het moment dat ze toegetreden zijn.",
- "%(senderName)s made future room history visible to all room members.": "%(senderName)s heeft de toekomstige ruimte geschiedenis zichtbaar gemaakt voor alle kamerleden.",
+ "%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s heeft de toekomstige ruimtegeschiedenis zichtbaar gemaakt voor alle ruimte deelnemers, vanaf het moment dat ze uitgenodigd zijn.",
+ "%(senderName)s made future room history visible to all room members, from the point they joined.": "%(senderName)s heeft de toekomstige ruimte geschiedenis zichtbaar gemaakt voor alle ruimte deelnemers, vanaf het moment dat ze toegetreden zijn.",
+ "%(senderName)s made future room history visible to all room members.": "%(senderName)s heeft de toekomstige ruimte geschiedenis zichtbaar gemaakt voor alle ruimte deelnemers.",
"%(senderName)s made future room history visible to anyone.": "%(senderName)s heeft de toekomstige ruimte geschiedenis zichtbaar gemaakt voor iedereen.",
"%(senderName)s made future room history visible to unknown (%(visibility)s).": "%(senderName)s heeft de toekomstige ruimte geschiedenis zichtbaar gemaakt voor onbekend (%(visibility)s).",
"Manage Integrations": "Integraties beheren",
@@ -349,7 +346,7 @@
"Room name (optional)": "Ruimtenaam (optioneel)",
"%(roomName)s does not exist.": "%(roomName)s bestaat niet.",
"%(roomName)s is not accessible at this time.": "%(roomName)s is niet toegankelijk op dit moment.",
- "Rooms": "Kamers",
+ "Rooms": "Ruimtes",
"Save": "Opslaan",
"Scroll to bottom of page": "Scroll naar de onderkant van de pagina",
"Scroll to unread messages": "Scroll naar ongelezen berichten",
@@ -410,7 +407,7 @@
"Tried to load a specific point in this room's timeline, but was unable to find it.": "Het is niet gelukt om een specifiek punt in de tijdlijn van deze ruimte te laden.",
"Turn Markdown off": "Zet Markdown uit",
"Turn Markdown on": "Zet Markdown aan",
- "%(senderName)s turned on end-to-end encryption (algorithm %(algorithm)s).": "%(senderName)s heeft eind-tot-eind versleuteling aangezet (algoritme %(algorithm)s).",
+ "%(senderName)s turned on end-to-end encryption (algorithm %(algorithm)s).": "%(senderName)s heeft end-to-endbeveiliging aangezet (algoritme %(algorithm)s).",
"Unable to add email address": "Niet mogelijk om e-mailadres toe te voegen",
"Unable to remove contact information": "Niet mogelijk om contactinformatie te verwijderen",
"Unable to verify email address.": "Niet mogelijk om het e-mailadres te verifiëren.",
@@ -562,8 +559,8 @@
"Device name": "Apparaat naam",
"Device Name": "Apparaat Naam",
"Device key": "Apparaat sleutel",
- "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.": "Als het overeenkomt, druk op de verifiëren knop hieronder. Als het niet overeenkomt, dan is er iemand anders die dit apparaat onderschept en dan zal je waarschijnlijk in plaats daarvan op de 'buitensluiten' knop willen drukken.",
- "Blacklist": "Buitensluiten",
+ "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.": "Als het overeenkomt, druk op de verifiëren knop hieronder. Als het niet overeenkomt, dan is er iemand anders die dit apparaat onderschept en dan zal je waarschijnlijk in plaats daarvan op de 'blokkeren' knop willen drukken.",
+ "Blacklist": "Blokkeren",
"You are currently blacklisting unverified devices; to send messages to these devices you must verify them.": "Je bent momenteel geverifieerde apparaten aan het buitensluiten; om berichten naar deze apparaten te versturen moet je ze verifiëren.",
"Unblacklist": "Niet buitensluiten",
"In future this verification process will be more sophisticated.": "In de toekomst zal dit verificatie proces meer geraffineerd zijn.",
@@ -581,7 +578,7 @@
"Add User": "Gebruiker Toevoegen",
"This Home Server would like to make sure you are not a robot": "Deze thuisserver wil er zeker van zijn dat je geen robot bent",
"Sign in with CAS": "Inloggen met CAS",
- "You can use the custom server options to sign into other Matrix servers by specifying a different Home server URL.": "Je kan de aangepaste server opties gebruiken om bij andere Matrix-servers in te loggen door een andere thuisserver-URL te specificeren.",
+ "You can use the custom server options to sign into other Matrix servers by specifying a different Home server URL.": "Je kan de alternatieve-serverinstellingen gebruiken om bij andere Matrix-servers in te loggen door een andere thuisserver-URL te specificeren.",
"This allows you to use this app with an existing Matrix account on a different home server.": "Dit maakt het mogelijk om deze applicatie te gebruiken met een bestaand Matrix-account op een andere thuisserver.",
"You can also set a custom identity server but this will typically prevent interaction with users based on email address.": "Je kan ook een aangepaste identiteitsserver instellen maar dit zal waarschijnlijk interactie met gebruikers gebaseerd op een e-mailadres voorkomen.",
"Please check your email to continue registration.": "Bekijk je e-mail om door te gaan met de registratie.",
@@ -590,7 +587,7 @@
"If you don't specify an email address, you won't be able to reset your password. Are you sure?": "Als je geen e-mailadres specificeert zal je niet je wachtwoord kunnen resetten. Weet je het zeker?",
"You are registering with %(SelectedTeamName)s": "Je registreert je met %(SelectedTeamName)s",
"Default server": "Standaardserver",
- "Custom server": "Aangepaste server",
+ "Custom server": "Alternatieve server",
"Home server URL": "Thuisserver-URL",
"Identity server URL": "Identiteitsserver-URL",
"What does this mean?": "Wat betekent dit?",
@@ -603,7 +600,7 @@
"URL Previews": "URL-Voorvertoningen",
"Drop file here to upload": "Bestand hier laten vallen om te uploaden",
" (unsupported)": " (niet ondersteund)",
- "Ongoing conference call%(supportedText)s.": "Lopend vergaderingsgesprek %(supportedText)s.",
+ "Ongoing conference call%(supportedText)s.": "Lopend groepsgesprek%(supportedText)s.",
"Online": "Online",
"Idle": "Afwezig",
"Offline": "Offline",
@@ -674,17 +671,17 @@
"Copied!": "Gekopieerd!",
"Failed to copy": "Kopiëren mislukt",
"Unpin Message": "Maak pin los",
- "Add rooms to this community": "Voeg kamers toe aan deze community",
+ "Add rooms to this community": "Voeg ruimtes toe aan deze gemeenschap",
"Call Failed": "Oproep mislukt",
"Call": "Bel",
"Answer": "Antwoord",
"Warning: any person you add to a community will be publicly visible to anyone who knows the community ID": "Opgepast: elke persoon die je toevoegt aan een community zal publiek zichtbaar zijn voor iedereen die het community ID kent",
"Invite new community members": "Nodig nieuwe community leden uit",
"Name or matrix ID": "Naam of Matrix ID",
- "Which rooms would you like to add to this community?": "Welke kamers wil je toevoegen aan deze community?",
+ "Which rooms would you like to add to this community?": "Welke ruimtes wil je toevoegen aan deze community?",
"Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Een widget verwijderen doet dat voor alle gebruikers in deze ruimte. Ben je zeker dat je het widget wil verwijderen?",
"Delete Widget": "Widget verwijderen",
- "There are unknown devices in this room: if you proceed without verifying them, it will be possible for someone to eavesdrop on your call.": "Er zijn onbekende toestellen in deze kamer: als je verder gaat zonder ze te verifieren zal het mogelijk zijn dat iemand je oproep afluistert.",
+ "There are unknown devices in this room: if you proceed without verifying them, it will be possible for someone to eavesdrop on your call.": "Er zijn onbekende toestellen in deze ruimte: als je verder gaat zonder ze te verifiëren zal het mogelijk zijn dat iemand je oproep afluistert.",
"Review Devices": "Toestellen nakijken",
"Call Anyway": "Bel toch",
"Answer Anyway": "Antwoord toch",
@@ -708,8 +705,6 @@
"%(names)s and %(count)s others are typing|one": "%(names)s en iemand anders is aan het typen",
"Send": "Verstuur",
"Message Pinning": "Boodschap vastpinnen",
- "Message Replies": "Antwoorden op bericht",
- "Tag Panel": "Label Paneel",
"Disable Emoji suggestions while typing": "Emoji suggesties tijdens het typen uitzetten",
"Hide avatar changes": "Avatar veranderingen verbergen",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s",
@@ -759,7 +754,7 @@
"World readable": "Leesbaar voor iedereen",
"Guests can join": "Gasten kunnen toetreden",
"Remove avatar": "Avatar verwijderen",
- "To change the room's avatar, you must be a": "Om de avatar van de ruimte te verwijderen, moet het volgende zijn:",
+ "To change the room's avatar, you must be a": "Om de avatar van de ruimte te verwijderen, moet je het volgende zijn:",
"Drop here to favourite": "Hier laten vallen om aan favorieten toe te voegen",
"Drop here to tag direct chat": "Hier laten vallen om als privégesprek te markeren",
"Drop here to restore": "Hier laten vallen om te herstellen",
@@ -882,7 +877,7 @@
"Try using one of the following valid address types: %(validTypesList)s.": "Probeer één van de volgende geldige adrestypes: %(validTypesList)s.",
"You have entered an invalid address.": "Je hebt een ongeldig adres ingevoerd.",
"Community IDs may only contain characters a-z, 0-9, or '=_-./'": "Een gemeenschaps-ID mag alleen de karakters a-z, 0-9, of '=_-./' bevatten.",
- "Community IDs cannot not be empty.": "Een gemeenschaps-ID kan niet leeg zijn.",
+ "Community IDs cannot be empty.": "Een gemeenschaps-ID kan niet leeg zijn.",
"Something went wrong whilst creating your community": "Er is iets fout gegaan tijdens het aanmaken van je gemeenschap",
"Create Community": "Gemeenschap Aanmaken",
"Community Name": "Gemeenschapsnaam",
@@ -923,13 +918,11 @@
"This Home server does not support communities": "Deze Thuisserver ondersteunt geen gemeenschappen",
"Failed to load %(groupId)s": "Het is niet gelukt om %(groupId)s te laden",
"Old cryptography data detected": "Oude cryptografie gegevens gedetecteerd",
- "Data from an older version of Riot has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Er zijn gegevens van een oudere versie van Riot gedetecteerd. Dit zal eind-tot-eind versleuteling laten storen in de oudere versie. Eind-tot-eind berichten dat recent zijn uitgewisseld zal misschien niet ontsleutelbaar zijn in deze versie. Dit zou er misschien ook voor kunnen zorgen dat berichten die zijn uitgewisseld in deze versie falen. Indien je problemen ervaart, log opnieuw in. Om de berichtgeschiedenis te behouden, exporteer de sleutels en importeer ze achteraf weer.",
+ "Data from an older version of Riot has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Er zijn gegevens van een oudere versie van Riot gedetecteerd. Dit verstoorde end-to-endbeveiliging in de oude versie. End-to-endbeveiligde berichten die recent uitgewisseld zijn met de oude versie zijn wellicht niet te ontsleutelen in deze versie. Dit zou er ook voor kunnen zorgen dat berichten die zijn uitgewisseld in deze versie falen. Log opnieuw in als je problemen ervaart. Exporteer de sleutels en importeer ze achteraf weer om de berichtgeschiedenis te behouden.",
"Your Communities": "Jouw Gemeenschappen",
"Error whilst fetching joined communities": "Er is een fout opgetreden tijdens het ophalen van de gemeenschappen waar je lid van bent",
"Create a new community": "Maak een nieuwe gemeenschap aan",
"Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.": "Maak een gemeenschap aan om gebruikers en ruimtes samen te groeperen! Bouw een aangepaste homepagina om je eigen plek in het Matrix universum te maken.",
- "Join an existing community": "Treed tot een bestaande gemeenschap toe",
- "To join an existing community you'll have to know its community identifier; this will look something like +example:matrix.org .": "Je moet het gemeenschaps-ID weten om tot de gemeenschap toe te treden; dit zal er uitzien zoals +voorbeeld:matrix.org .",
"Show devices , send anyway or cancel .": "Toon apparaten , Toch versturen of annuleren .",
"%(count)s of your messages have not been sent.|one": "Je bericht was niet verstuurd.",
"%(count)s Resend all or cancel all now. You can also select individual messages to resend or cancel.|other": "Nu alles opnieuw versturen of annuleren . Je kan ook individuele berichten selecteren om opnieuw te versturen of te annuleren.",
@@ -1014,7 +1007,7 @@
"Expand panel": "Paneel uitklappen",
"On": "Aan",
"%(count)s Members|other": "%(count)s Deelnemers",
- "Filter room names": "Filter kamernamen",
+ "Filter room names": "Filter ruimtenamen",
"Changelog": "Logboek van wijzigingen",
"Waiting for response from server": "Wachten op antwoord van de server",
"Send Custom Event": "Verzend aangepast evenement",
@@ -1026,7 +1019,7 @@
"Hide panel": "Paneel verbergen",
"You cannot delete this image. (%(code)s)": "Je kunt deze afbeelding niet verwijderen. (%(code)s)",
"Cancel Sending": "Versturen annuleren",
- "This Room": "Deze kamer",
+ "This Room": "Deze Ruimte",
"The Home Server may be too old to support third party networks": "De thuisserver is misschien te oud om netwerken van derde partijen te ondersteunen",
"Resend": "Opnieuw verzenden",
"Error saving email notification preferences": "Fout bij het opslaan van de meldingsvoorkeuren voor e-mail",
@@ -1035,7 +1028,7 @@
"Unavailable": "Niet beschikbaar",
"View Decrypted Source": "Bekijk ontsleutelde bron",
"Failed to update keywords": "Trefwoorden bijwerken mislukt",
- "remove %(name)s from the directory.": "verwijder %(name)s uit de kamerlijst.",
+ "remove %(name)s from the directory.": "verwijder %(name)s uit de ruimtelijst.",
"Notifications on the following keywords follow rules which can’t be displayed here:": "Meldingen op de volgende trefwoorden volgen regels die hier niet kunnen worden getoond:",
"Safari and Opera work too.": "Safari en Opera werken ook.",
"Please set a password!": "Stel een wachtwoord in!",
@@ -1050,31 +1043,31 @@
"Noisy": "Luidruchtig",
"Failed to get protocol list from Home Server": "Protocollijst ophalen van de homeserver mislukt",
"Collecting app version information": "App-versieinformatie verzamelen",
- "Delete the room alias %(alias)s and remove %(name)s from the directory?": "De alias %(alias)s verwijderen en %(name)s uit de kamerlijst verwijderen?",
+ "Delete the room alias %(alias)s and remove %(name)s from the directory?": "De alias %(alias)s verwijderen en %(name)s uit de ruimtelijst verwijderen?",
"This will allow you to return to your account after signing out, and sign in on other devices.": "Hiermee kunt u naar uw account terugkeren nadat u zich heeft afgemeld, en u aanmelden op andere apparaten.",
"Keywords": "Trefwoorden",
"Enable notifications for this account": "Meldingen voor dit account aanzetten",
- "Directory": "Kamerlijst",
+ "Directory": "Ruimtelijst",
"Invite to this community": "Nodig uit in deze community",
- "Search for a room": "Een kamer opzoeken",
+ "Search for a room": "Een ruimte opzoeken",
"Messages containing keywords ": "Berichten die trefwoorden bevatten",
- "Room not found": "De kamer is niet gevonden",
+ "Room not found": "De ruimte is niet gevonden",
"Tuesday": "Dinsdag",
"Enter keywords separated by a comma:": "Voeg trefwoorden toe, gescheiden door een komma:",
"Search…": "Zoeken…",
"You have successfully set a password and an email address!": "Het instellen van een wachtwoord en e-mailadres is geslaagd!",
- "Remove %(name)s from the directory?": "%(name)s uit de kamerlijst verwijderen?",
+ "Remove %(name)s from the directory?": "%(name)s uit de ruimtelijst verwijderen?",
"Riot uses many advanced browser features, some of which are not available or experimental in your current browser.": "Riot gebrukt veel geavanceerde browserfuncties, waarvan enkele niet (of experimenteel) in uw webbrowser beschikbaar zijn.",
"Developer Tools": "Ontwikkelaarsgereedschap",
"Enable desktop notifications": "Desktopmeldingen aanzetten",
"Explore Account Data": "Bekijk account informatie",
- "Remove from Directory": "Uit de kamerlijst verwijderen",
+ "Remove from Directory": "Uit de ruimtelijst verwijderen",
"Saturday": "Zaterdag",
"Remember, you can always set an email address in user settings if you change your mind.": "Onthoud dat u altijd een e-mailadres in kan stellen in de gebruikersinstellingen als u zich bedenkt.",
"Direct Chat": "Privégesprek",
"The server may be unavailable or overloaded": "De server is misschien niet beschikbaar of overbelast",
"Reject": "Afwijzen",
- "Failed to set Direct Message status of room": "Het is mislukt om de directe-berichtenstatus van de kamer in te stellen",
+ "Failed to set Direct Message status of room": "Het is niet gelukt om de privéchat status van de ruimte in te stellen",
"Monday": "Maandag",
"All messages (noisy)": "Alle berichten (luid)",
"Enable them now": "Deze nu aanzetten",
@@ -1084,9 +1077,9 @@
"more": "meer",
"You must specify an event type!": "Je moet een event-type specificeren!",
"(HTTP status %(httpStatus)s)": "(HTTP-status %(httpStatus)s)",
- "Invite to this room": "Uitnodigen voor deze kamer",
+ "Invite to this room": "Uitnodigen voor deze ruimte",
"Please install Chrome or Firefox for the best experience.": "Installeer alstublieft Chrome of Firefox voor de beste gebruikerservaring.",
- "Failed to get public room list": "Lijst met publieke kamers ophalen mislukt",
+ "Failed to get public room list": "Lijst met publieke ruimtes ophalen mislukt",
"Send logs": "Logboeken versturen",
"All messages": "Alle berichten",
"Call invitation": "Oproep-uitnodiging",
@@ -1095,12 +1088,12 @@
"Failed to send custom event.": "Aangepast Event verzenden mislukt.",
"What's new?": "Wat is er nieuw?",
"Notify me for anything else": "Stuur een melding voor al het andere",
- "When I'm invited to a room": "Wanneer ik uitgenodigd word voor een kamer",
+ "When I'm invited to a room": "Wanneer ik uitgenodigd word voor een ruimte",
"Can't update user notification settings": "Het is niet gelukt om de meldingsinstellingen van de gebruiker bij te werken",
- "Notify for all other messages/rooms": "Stuur een melding voor alle andere berichten/kamers",
- "Unable to look up room ID from server": "Het is mislukt om de kamer-ID op te halen van de server",
- "Couldn't find a matching Matrix room": "Het is niet gelukt om een bijbehorende Matrix-kamer te vinden",
- "All Rooms": "Alle kamers",
+ "Notify for all other messages/rooms": "Stuur een melding voor alle andere berichten/ruimtes",
+ "Unable to look up room ID from server": "Het is mislukt om het ruimte-ID op te halen van de server",
+ "Couldn't find a matching Matrix room": "Het is niet gelukt om een bijbehorende Matrix-ruimte te vinden",
+ "All Rooms": "Alle Ruimtes",
"You cannot delete this message. (%(code)s)": "Je kunt dit bericht niet verwijderen. (%(code)s)",
"Thursday": "Donderdag",
"Forward Message": "Bericht doorsturen",
@@ -1120,9 +1113,8 @@
"Unable to fetch notification target list": "Het is mislukt om de lijst van notificatiedoelen op te halen",
"Set Password": "Wachtwoord instellen",
"Enable audible notifications in web client": "Geluidsmeldingen in de webclient aanzetten",
- "Permalink": "Permanente link",
"Off": "Uit",
- "Riot does not know how to join a room on this network": "Riot weet niet hoe het moet deelnemen in een kamer op dit netwerk",
+ "Riot does not know how to join a room on this network": "Riot weet niet hoe het moet deelnemen in een ruimte op dit netwerk",
"Mentions only": "Alleen vermeldingen",
"Wednesday": "Woensdag",
"You can now return to your account after signing out, and sign in on other devices.": "U kunt nu terugkeren naar uw account nadat u bent afgemeld, en u aanmelden op andere apparaten.",
@@ -1146,5 +1138,93 @@
"Debug logs contain application usage data including your username, the IDs or aliases of the rooms or groups you have visited and the usernames of other users. They do not contain messages.": "Debug logs bevatten applicatie-gebruik data inclusief je gebruikersnaam, de ID's of namen van de ruimtes en groepen die je hebt bezocht en de gebruikersnamen van andere gebruikers. Ze bevatten geen berichten.",
"Failed to send logs: ": "Het is niet gelukt om de logs te versturen: ",
"Notes:": "Constateringen:",
- "Preparing to send logs": "Voorbereiden om logs te versturen"
+ "Preparing to send logs": "Voorbereiden om logs te versturen",
+ "e.g. %(exampleValue)s": "bijv. %(exampleValue)s",
+ "Every page you use in the app": "Elke pagina die je in de applicatie gebruikt",
+ "e.g. ": "bijv. ",
+ "Your User Agent": "Je gebruikersagent",
+ "Your device resolution": "De resolutie van je apparaat",
+ "Reload widget": "Widget herladen",
+ "Missing roomId.": "roomId mist.",
+ "Always show encryption icons": "Altijd versleutelingsiconen weergeven",
+ "Send analytics data": "Statistische gegevens (analytics) versturen",
+ "Enable widget screenshots on supported widgets": "Widget schermafbeeldingen op ondersteunde widgets aanzetten",
+ "At this time it is not possible to reply with a file so this will be sent without being a reply.": "Op dit moment is het niet mogelijk om te reageren met een bestand het zal dus als een normaal bericht worden verstuurd.",
+ "Unable to reply": "Niet mogelijk om te reageren",
+ "At this time it is not possible to reply with an emote.": "Op dit moment is het niet mogelijk om met een emote te reageren.",
+ "To notify everyone in the room, you must be a": "Om iedereen in de ruimte te notificeren moet je het volgende zijn:",
+ "Muted Users": "Gedempte Gebruikers",
+ "Please help improve Riot.im by sending anonymous usage data . This will use a cookie (please see our Cookie Policy ).": "Help Riot.im te verbeteren door het versturen van anonieme gebruiksgegevens . Dit zal een cookie gebruiken (zie ons Cookiebeleid ).",
+ "Please help improve Riot.im by sending anonymous usage data . This will use a cookie.": "Help Riot.im te verbeteren door het versturen van anonieme gebruiksgegevens . Dit zal een cookie gebruiken.",
+ "Yes, I want to help!": "Ja, ik wil helpen!",
+ "Warning: This widget might use cookies.": "Waarschuwing: deze widget gebruikt misschien cookies.",
+ "Popout widget": "Widget in nieuw venster openen",
+ "Picture": "Afbeelding",
+ "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Niet mogelijk om de gebeurtenis te laden waar op gereageerd was. Het kan zijn dat het niet bestaat of dat je niet toestemming hebt om het te bekijken.",
+ "Riot bugs are tracked on GitHub: create a GitHub issue .": "Riot fouten worden bijgehouden op GitHub: maak een GitHub melding .",
+ "Failed to indicate account erasure": "Niet gelukt om de accountverwijdering aan te geven",
+ "This will make your account permanently unusable. You will not be able to log in, and no one will be able to re-register the same user ID. This will cause your account to leave all rooms it is participating in, and it will remove your account details from your identity server. This action is irreversible. ": "Dit zal je account voorgoed onbruikbaar maken. Je zal niet meer in kunnen loggen en niemand anders zal met dezelfde gebruikers ID kunnen registreren. Dit zal er voor zorgen dat je account alle ruimtes verlaat waar het momenteel onderdeel van is en het verwijderd de accountgegevens van de identiteitsserver. Deze actie is onomkeerbaar. ",
+ "Deactivating your account does not by default cause us to forget messages you have sent. If you would like us to forget your messages, please tick the box below.": "Het deactiveren van je account zal er niet standaard voor zorgen dat de berichten die je verzonden hebt vergeten worden. Als je wilt dat wij de berichten vergeten, klik alsjeblieft op het vakje hieronder.",
+ "Message visibility in Matrix is similar to email. Our forgetting your messages means that messages you have sent will not be shared with any new or unregistered users, but registered users who already have access to these messages will still have access to their copy.": "De zichtbaarheid van berichten in Matrix is hetzelfde als in e-mail. Het vergeten van je berichten betekent dat berichten die je hebt verstuurd niet meer gedeeld worden met nieuwe of ongeregistreerde gebruikers, maar geregistreerde gebruikers die al toegang hebben tot deze berichten zullen alsnog toegang hebben tot hun eigen kopie van het bericht.",
+ "Please forget all messages I have sent when my account is deactivated (Warning: this will cause future users to see an incomplete view of conversations)": "Vergeet alle berichten die ik heb verstuurd wanneer mijn account gedeactiveerd is (Waarschuwing: dit zal er voor zorgen dat toekomstige gebruikers een incompleet beeld krijgen van gesprekken)",
+ "To continue, please enter your password:": "Om verder te gaan, vul alsjeblieft je wachtwoord in:",
+ "password": "wachtwoord",
+ "Log out and remove encryption keys?": "Uitloggen en versleutelingssleutels verwijderen?",
+ "Clear Storage and Sign Out": "Leeg Opslag en Log Uit",
+ "Send Logs": "Logboek Versturen",
+ "Refresh": "Herladen",
+ "We encountered an error trying to restore your previous session.": "Er is een fout opgetreden tijdens het herstellen van je vorige sessie.",
+ "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Het opschonen van je browser's opslag zal het probleem misschien oplossen, maar zal je uitloggen en ervoor zorgen dat alle versleutelde chat geschiedenis onleesbaar wordt.",
+ "Collapse Reply Thread": "Reactieketting Inklappen",
+ "Can't leave Server Notices room": "Kan de Server Meldingen ruimte niet verlaten",
+ "This room is used for important messages from the Homeserver, so you cannot leave it.": "Deze ruimte wordt gebruikt voor belangrijke berichten van de thuisserver, dus je kan het niet verlaten.",
+ "Terms and Conditions": "Voorwaarden",
+ "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Om de %(homeserverDomain)s thuisserver te blijven gebruiken zal je de voorwaarden moeten lezen en ermee akkoord moeten gaan.",
+ "Review terms and conditions": "Voorwaarden lezen",
+ "A conference call could not be started because the intgrations server is not available": "Een groepsgesprek kon niet worden gestart omdat de integratieserver niet beschikbaar is",
+ "Call in Progress": "Lopend gesprek",
+ "A call is currently being placed!": "Een gesprek wordt gestart!",
+ "A call is already in progress!": "Er loopt al een gesprek!",
+ "Permission Required": "Toestemming benodigd",
+ "You do not have permission to start a conference call in this room": "Je hebt niet de toestemming om in deze ruimte een groepsgesprek te starten",
+ "Show empty room list headings": "Lege koppen in ruimtelijst weergeven",
+ "This event could not be displayed": "Deze gebeurtenis kon niet worden weergegeven",
+ "Encrypting": "Versleutelen",
+ "Encrypted, not sent": "Versleuteld, niet verstuurd",
+ "Demote yourself?": "Jezelf degraderen?",
+ "Demote": "Degraderen",
+ "Share Link to User": "Link met gebruiker delen",
+ "deleted": "verwijderd",
+ "underlined": "onderstreept",
+ "inline-code": "code in de regel",
+ "block-quote": "citaat",
+ "bulleted-list": "lijst met opsommingstekens",
+ "numbered-list": "genummerde lijst",
+ "Share room": "Ruimte delen",
+ "System Alerts": "Systeemmeldingen",
+ "You have no historical rooms": "Je hebt geen historische ruimtes",
+ "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "In versleutelde ruimtes, zoals deze, zijn URL-voorvertoningen standaard uitgeschakeld om ervoor te zorgen dat jouw thuisserver (waar de voorvertoningen worden gemaakt) geen informatie kan verzamelen over de links die je in deze ruimte ziet.",
+ "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Als iemand een URL in zijn of haar bericht zet, kan er een URL-voorvertoning weergegeven worden om meer informatie over de link te geven, zoals de titel, omschrijving en een afbeelding van de website.",
+ "The email field must not be blank.": "Het e-mailveld mag niet leeg zijn.",
+ "The user name field must not be blank.": "Het gebruikersnaamveld mag niet leeg zijn.",
+ "The phone number field must not be blank.": "Het telefoonnummerveld mag niet leeg zijn.",
+ "The password field must not be blank.": "Het wachtwoordveld mag niet leeg zijn.",
+ "This homeserver has hit its Monthly Active User limit. Please contact your service administrator to continue using the service.": "Deze thuisserver heeft zijn maandelijkse gebruikerslimiet bereikt. Neem contact op met de beheerder van je thuisserver om de dienst weer te kunnen gebruiken.",
+ "Failed to remove widget": "Widget kon niet worden verwijderd",
+ "An error ocurred whilst trying to remove the widget from the room": "Er is een fout opgetreden tijdens het verwijderen van de widget uit deze ruimte",
+ "Share Room": "Ruimte delen",
+ "Link to most recent message": "Link naar meest recente bericht",
+ "Share User": "Gebruiker delen",
+ "Share Community": "Gemeenschap delen",
+ "Share Room Message": "Bericht uit ruimte delen",
+ "Link to selected message": "Link naar geselecteerde bericht",
+ "COPY": "KOPIËREN",
+ "Share Message": "Bericht delen",
+ "You can't send any messages until you review and agree to our terms and conditions .": "Je kunt geen berichten sturen totdat je onze algemene voorwaarden hebt gelezen en geaccepteerd.",
+ "Your message wasn’t sent because this homeserver has hit its Monthly Active User Limit. Please contact your service administrator to continue using the service.": "Je bericht is niet verstuurd omdat deze thuisserver zijn maandelijkse gebruikerslimiet heeft bereikt. Neem contact op met de beheerder van je thuisserver om de dienst te kunnen blijven gebruiken.",
+ "No Audio Outputs detected": "Geen geluidsuitgangen gedetecteerd",
+ "Audio Output": "Geluidsuitgang",
+ "This homeserver has hit its Monthly Active User limit": "Deze thuisserver heeft zijn maandelijkse gebruikerslimiet bereikt",
+ "Please contact your service administrator to continue using this service.": "Neem contact op met de beheerder van je thuisserver om de dienst te kunnen blijven gebruiken.",
+ "Try the app first": "De app eerst proberen"
}
diff --git a/src/i18n/strings/nn.json b/src/i18n/strings/nn.json
new file mode 100644
index 0000000000..c00189aa47
--- /dev/null
+++ b/src/i18n/strings/nn.json
@@ -0,0 +1,1229 @@
+{
+ "This phone number is already in use": "Dette telefonnummeret er allereie i bruk",
+ "The version of Riot.im": "Utgåva av Riot.im",
+ "Whether or not you're logged in (we don't record your user name)": "Om du er logga inn eller ikkje (vi sparer ikkje på brukarnamnet ditt)",
+ "Your homeserver's URL": "Heimtenaren din si nettadresse",
+ "Your device resolution": "Eininga di sin oppløysing",
+ "The information being sent to us to help make Riot.im better includes:": "Informasjonen som vert send til oss for å gjera Riot.im betre er mellom anna:",
+ "Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "Der denne sida inneheld gjenkjenneleg informasjon, slik som ein rom-, brukar- eller gruppeID, vert denne informasjonen sletta før han sendast til tenar.",
+ "Call Failed": "Oppringjing Mislukkast",
+ "There are unknown devices in this room: if you proceed without verifying them, it will be possible for someone to eavesdrop on your call.": "Det finst ukjende einingar i dette rommet: viss du gjeng frama utan å godkjenna dei, kan nokon mogelegvis tjuvlytta på samtala.",
+ "Review Devices": "Sjå Over Einingar",
+ "Call Anyway": "Ring Likevel",
+ "Answer Anyway": "Svar Likevel",
+ "Call": "Ring",
+ "Answer": "Svar",
+ "You are already in a call.": "Du er allereie i ei samtale.",
+ "VoIP is unsupported": "VoIP er ikkje støtta",
+ "You cannot place VoIP calls in this browser.": "Du kan ikkje samtala med VoIP i denne nettlesaren.",
+ "You cannot place a call with yourself.": "Du kan ikkje samtala med deg sjølv.",
+ "Could not connect to the integration server": "Kunne ikkje kopla til integreringstenaren",
+ "A conference call could not be started because the intgrations server is not available": "Ei gruppesamtale lét seg ikkje få i gang fordi integreringstenaren ikkje er tilgjengeleg",
+ "Call in Progress": "Ei Samtale er i Gang",
+ "A call is currently being placed!": "Ei samtale held allereie på å starta!",
+ "A call is already in progress!": "Ei samtale er i gang allereie!",
+ "Permission Required": "Tillating er Naudsynt",
+ "You do not have permission to start a conference call in this room": "Du har ikkje tillating til å starta ei gruppesamtale i dette rommet",
+ "The file '%(fileName)s' failed to upload": "Fila '%(fileName)s' vart ikkje lasta opp",
+ "The file '%(fileName)s' exceeds this home server's size limit for uploads": "Fila '%(fileName)s' gjeng denne heimtenaren si storleiksgrense for opplastningar",
+ "Upload Failed": "Opplasting Mislukkast",
+ "Sun": "sø",
+ "Mon": "må",
+ "Tue": "ty",
+ "Wed": "on",
+ "Thu": "to",
+ "Fri": "fr",
+ "Sat": "la",
+ "Jan": "jan",
+ "Feb": "feb",
+ "Mar": "mar",
+ "Apr": "apr",
+ "May": "mai",
+ "Jun": "jun",
+ "Jul": "jul",
+ "Aug": "aug",
+ "Sep": "sep",
+ "Oct": "okt",
+ "Nov": "nov",
+ "Dec": "des",
+ "PM": "PM",
+ "AM": "AM",
+ "%(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": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s",
+ "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s",
+ "Who would you like to add to this community?": "Kven vil du leggja til i dette samfunnet?",
+ "Warning: any person you add to a community will be publicly visible to anyone who knows the community ID": "Åtvaring: alle du legg til i eit samfunn vert offentleg synleg til alle som kan samfunns-IDen",
+ "Invite new community members": "Byd nye samfunnsmedlemer inn",
+ "Name or matrix ID": "Namn eller matrix-ID",
+ "Invite to Community": "Byd inn til Samfunn",
+ "Which rooms would you like to add to this community?": "Kva rom vil du leggja til i dette samfunnet?",
+ "Show these rooms to non-members on the community page and room list?": "Vis desse romma til ikkje-medlemer på samfunnssida og romlista?",
+ "Add rooms to the community": "Legg til rom i samfunnet",
+ "Room name or alias": "Romnamn eller alias",
+ "Add to community": "Legg til i samfunn",
+ "Failed to invite the following users to %(groupId)s:": "Fylgjande brukarar lét seg ikkje byda inn i %(groupId)s:",
+ "Failed to invite users to community": "Fekk ikkje til å byda brukarar inn til samfunnet",
+ "Failed to invite users to %(groupId)s": "Fekk ikkje til å byda brukarar inn til %(groupId)s",
+ "Failed to add the following rooms to %(groupId)s:": "Fylgjande rom lét seg ikkje leggja til i %(groupId)s:",
+ "Riot does not have permission to send you notifications - please check your browser settings": "Riot har ikkje tillating til å senda deg varsel - ver venleg og sjekk nettlesarinnstillingane dine",
+ "Riot was not given permission to send notifications - please try again": "Riot fekk ikkje tillating til å senda varsel - ver venleg og prøv igjen",
+ "Unable to enable Notifications": "Klarte ikkje å skru på Varsel",
+ "This email address was not found": "Denne epostadressa var ikkje funnen",
+ "Your email address does not appear to be associated with a Matrix ID on this Homeserver.": "Epostadressa di ser ikkje ut til å vera tilknytta ein Matrix-ID på denne heimtenaren.",
+ "Default": "Utgangspunktinnstilling",
+ "Restricted": "Avgrensa",
+ "Moderator": "Moderator",
+ "Admin": "Administrator",
+ "Start a chat": "Start ei samtale",
+ "Who would you like to communicate with?": "Kven vil du koma i kontakt med?",
+ "Email, name or matrix ID": "Epost, namn eller Matrix-ID",
+ "Start Chat": "Start ei Samtale",
+ "Invite new room members": "Byd nye rommedlemer inn",
+ "Who would you like to add to this room?": "Kven vil du leggja til i rommet?",
+ "Send Invites": "Send Innbydingar",
+ "Failed to invite user": "Fekk ikkje til å byda brukar inn",
+ "Operation failed": "Handling mislukkast",
+ "Failed to invite": "Fekk ikkje til å byda inn",
+ "Failed to invite the following users to the %(roomName)s room:": "Dei fylgjande brukarane lét seg ikkje byda inn til %(roomName)s:",
+ "You need to be logged in.": "Du må vera logga inn.",
+ "You need to be able to invite users to do that.": "Du må kunna byda brukarar inn for å gjera det.",
+ "Unable to create widget.": "Klarte ikkje å laga widget.",
+ "Missing roomId.": "Manglande roomId.",
+ "Failed to send request.": "Fekk ikkje til å senda førespurnad.",
+ "This room is not recognised.": "Rommet er ikkje attkjend.",
+ "Power level must be positive integer.": "Makthøgda må vera eit positivt heiltal.",
+ "You are not in this room.": "Du er ikkje i dette rommet.",
+ "You do not have permission to do that in this room.": "Du har ikkje lov til å gjera det i dette rommet.",
+ "Missing room_id in request": "Manglande room_Id i førespurnad",
+ "Room %(roomId)s not visible": "Rommet %(roomId)s er ikkje synleg",
+ "Missing user_id in request": "Manglande user_id i førespurnad",
+ "Usage": "Bruk",
+ "Searches DuckDuckGo for results": "Røkjer DuckDuckGo etter resultat",
+ "Your language of choice": "Ditt valde mål",
+ "e.g. %(exampleValue)s": "t.d. %(exampleValue)s",
+ "/ddg is not a command": "/ddg er ikkje eit påbod",
+ "Changes your display nickname": "Forandrar kallenamnet ditt",
+ "Changes colour scheme of current room": "Forandrar fargevala i ditt noverande rom",
+ "Sets the room topic": "Set romemnet",
+ "Invites user with given id to current room": "Byd brukarar med den gjevne IDen inn til det noverande rommet",
+ "Joins room with given alias": "Gjeng inn i eit rom med det gjevne aliaset",
+ "Leave room": "Far frå rommet",
+ "Unrecognised room alias:": "Ukjend romalias:",
+ "Kicks user with given id": "Sparkar brukarar med gjeven ID",
+ "Bans user with given id": "Stengjer brukarar med den gjevne IDen ute",
+ "Unbans user with given id": "Slepp utestengde brukarar med den gjevne IDen inn at",
+ "Ignores a user, hiding their messages from you": "Overser ein brukar, slik at meldingane deira ikkje synast for deg",
+ "Ignored user": "Oversedd brukar",
+ "You are now ignoring %(userId)s": "Du overser no %(userId)s",
+ "Stops ignoring a user, showing their messages going forward": "Sluttar å oversjå ein brukar, slik at meldingane deira no kan sjåast",
+ "Unignored user": "Avoversedd brukar",
+ "You are no longer ignoring %(userId)s": "Du overser ikkje %(userId)s no lenger",
+ "Define the power level of a user": "Set ein brukar si makthøgd",
+ "This email address is already in use": "Denne epostadressa er allereie i bruk",
+ "The platform you're on": "Platformen du er på",
+ "Failed to verify email address: make sure you clicked the link in the email": "Fekk ikkje til å stadfesta epostadressa: sjå til at du klikka på den rette lenkja i eposten",
+ "Your identity server's URL": "Din identitetstenar si nettadresse",
+ "Every page you use in the app": "Alle sider du brukar i æppen",
+ "e.g. ": "t.d. ",
+ "Your User Agent": "Din Brukaragent",
+ "Analytics": "Statistikk",
+ "Unable to capture screen": "Kunne ikkje visa skjerm",
+ "Existing Call": "Samtale er i gang",
+ "To use it, just wait for autocomplete results to load and tab through them.": "For å bruka han, vent på at resultata fyller seg ut og tab gjennom dei.",
+ "Deops user with given id": "AvOPar brukarar med den gjevne IDen",
+ "Opens the Developer Tools dialog": "Opnar Utviklarverktøy-tekstboksen",
+ "Verifies a user, device, and pubkey tuple": "Godkjenner ein brukar, eining og offentleg-nykeltuppel",
+ "Unverify": "Fjern godkjenning",
+ "Verify...": "Godkjenn...",
+ "Which officially provided instance you are using, if any": "Kva offisielt gjevne instanse du brukar, viss nokon",
+ "The remote side failed to pick up": "Den andre sida tok ikkje røret",
+ "Unknown (user, device) pair:": "Ukjend (brukar, eining)-par:",
+ "Device already verified!": "Eininga er allereie godkjend!",
+ "WARNING: Device already verified, but keys do NOT MATCH!": "ÅTVARING: Eininga er allereie godkjend, men nyklane SAMSVARER IKKJE!",
+ "Verified key": "Godkjend nykel",
+ "Displays action": "Visar handlingar",
+ "Unrecognised command:": "Ukjend påbod:",
+ "Reason": "Grunnlag",
+ "%(targetName)s accepted the invitation for %(displayName)s.": "%(targetName)s sa ja til innbydinga frå %(displayName)s.",
+ "%(targetName)s accepted an invitation.": "%(targetName)s sa ja til ei innbyding.",
+ "%(senderName)s requested a VoIP conference.": "%(senderName)s bad om ei VoIP-gruppesamtale.",
+ "%(senderName)s invited %(targetName)s.": "%(senderName)s baud %(targetName)s inn.",
+ "%(senderName)s banned %(targetName)s.": "%(senderName)s stengde %(targetName)s ute.",
+ "%(oldDisplayName)s changed their display name to %(displayName)s.": "%(oldDisplayName)s endra visingsnamnet sitt til %(displayName)s.",
+ "%(senderName)s set their display name to %(displayName)s.": "%(senderName)s sette visingsnamnet sitt som %(displayName)s.",
+ "%(senderName)s removed their display name (%(oldDisplayName)s).": "%(senderName)s fjerna visingsnamnet sitt (%(oldDisplayName)s).",
+ "%(senderName)s removed their profile picture.": "%(senderName)s fjerna profilbiletet sitt.",
+ "%(senderName)s changed their profile picture.": "%(senderName)s endra profilbiletet sitt.",
+ "%(senderName)s set a profile picture.": "%(senderName)s sette seg eit profilbilete.",
+ "VoIP conference started.": "Ei VoIP-gruppesamtale starta.",
+ "%(targetName)s joined the room.": "%(targetName)s kom inn i rommet.",
+ "VoIP conference finished.": "VoIP-gruppesamtale enda.",
+ "%(targetName)s rejected the invitation.": "%(targetName)s sa nei til innbydinga.",
+ "%(targetName)s left the room.": "%(targetName)s fór frå rommet.",
+ "%(senderName)s unbanned %(targetName)s.": "%(senderName)s fjerna utestenginga til %(targetName)s.",
+ "%(senderName)s kicked %(targetName)s.": "%(senderName)s sparka %(targetName)s ut.",
+ "%(senderName)s withdrew %(targetName)s's invitation.": "%(senderName)s tok attende %(targetName)s si innbyding.",
+ "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s gjorde emnet om til \"%(topic)s\".",
+ "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s fjerna romnamnet.",
+ "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s gjorde romnamnet om til %(roomName)s.",
+ "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s sende eit bilete.",
+ "Someone": "Nokon",
+ "(not supported by this browser)": "(ikkje støtta av denne nettlesaren)",
+ "%(senderName)s answered the call.": "%(senderName)s tok røret.",
+ "(could not connect media)": "(klarte ikkje å kopla media saman)",
+ "(no answer)": "(inkje svar)",
+ "(unknown failure: %(reason)s)": "(ukjend mislukking: %(reason)s)",
+ "%(senderName)s ended the call.": "%(senderName)s enda samtala.",
+ "%(senderName)s placed a %(callType)s call.": "%(senderName)s starta ei %(callType)s-samtale.",
+ "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s baud %(targetDisplayName)s inn til rommet.",
+ "%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s gjorde slik at den framtidige romhistoria er tilgjengeleg for alle rommedlemer frå då dei vart innbodne.",
+ "%(senderName)s made future room history visible to all room members, from the point they joined.": "%(senderName)s gjorde slik at den framtidige romhistoria er tilgjengeleg for alle rommedlemer frå då dei kom inn.",
+ "%(senderName)s made future room history visible to all room members.": "%(senderName)s gjorde den framtidige romhistoria tilgjengeleg for alle rommedlemer.",
+ "%(senderName)s made future room history visible to anyone.": "%(senderName)s gjorde den framtidige romhistoria tilgjengelg for kven som helst.",
+ "%(senderName)s made future room history visible to unknown (%(visibility)s).": "%(senderName)s gjorde den framtidige romhistoria tilgjengeleg til ukjende (%(visibility)s).",
+ "%(senderName)s turned on end-to-end encryption (algorithm %(algorithm)s).": "%(senderName)s skrudde ende-til-ende-kryptering på (%(algorithm)s-algoritmen).",
+ "%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s frå %(fromPowerLevel)s til %(toPowerLevel)s",
+ "%(senderName)s changed the power level of %(powerLevelDiffText)s.": "%(senderName)s endra makthøgda til %(powerLevelDiffText)s.",
+ "%(senderName)s changed the pinned messages for the room.": "%(senderName)s endra dei festa meldingane i rommet.",
+ "%(widgetName)s widget modified by %(senderName)s": "%(widgetName)s-widget endra av %(senderName)s",
+ "%(widgetName)s widget added by %(senderName)s": "%(widgetName)s-widget lagt til av %(senderName)s",
+ "%(widgetName)s widget removed by %(senderName)s": "%(widgetName)s widget fjerna av %(senderName)s",
+ "%(displayName)s is typing": "%(displayName)s skriv",
+ "%(names)s and %(count)s others are typing|other": "%(names)s og %(count)s til skriv",
+ "%(names)s and %(count)s others are typing|one": "%(names)s og ein til skriv",
+ "%(names)s and %(lastPerson)s are typing": "%(names)s og %(lastPerson)s skriv",
+ "Failure to create room": "Klarte ikkje å laga rommet",
+ "Server may be unavailable, overloaded, or you hit a bug.": "tenaren er kanskje utilgjengeleg, overlasta elles so traff du ein bøgg.",
+ "Send anyway": "Send likevel",
+ "Send": "Send",
+ "Unnamed Room": "Rom utan Namn",
+ "Your browser does not support the required cryptography extensions": "Nettlesaren din støttar ikkje dei naudsynte kryptografiske utvidingane",
+ "Not a valid Riot keyfile": "Ikkje ei gyldig Riot-nykelfil",
+ "Authentication check failed: incorrect password?": "Godkjenningssjekk mislukkast: urett passord?",
+ "Failed to join room": "Fekk ikkje til å gå inn i rom",
+ "Message Pinning": "Meldingsfesting",
+ "Disable Emoji suggestions while typing": "Skru emojiframlegg av mens ein skriv",
+ "Use compact timeline layout": "Bruk smal tidslinjeutforming",
+ "Hide removed messages": "Gøym fjerna meldingar",
+ "Hide join/leave messages (invites/kicks/bans unaffected)": "Gøym kom inn/fór ut-meldingar (innbydingar, utspark, utestengingar påverkast ikkje)",
+ "Hide avatar changes": "Gøym avatarendringar",
+ "Hide display name changes": "Gøym visingsnamn-endringar",
+ "Show timestamps in 12 hour format (e.g. 2:30pm)": "Vis tidspunkt i 12-timarsform (t.d. 2:30pm)",
+ "Always show message timestamps": "Vis alltid meldingstidspunkt",
+ "Autoplay GIFs and videos": "Spel av GIFar og videoar med ein gong",
+ "Always show encryption icons": "Vis alltid krypteringsikon",
+ "Hide avatars in user and room mentions": "Gøym avatarar i brukar- og romnemningar",
+ "Disable big emoji in chat": "Skru store emojiar i samtaler av",
+ "Don't send typing notifications": "Ikkje send skrivevarsel",
+ "Disable Notifications": "Skru Varsel av",
+ "Enable Notifications": "Skru Varsel på",
+ "Automatically replace plain text Emoji": "Erstatt Emojiar i plaintekst av seg sjølv",
+ "Mirror local video feed": "Spegl den lokale videofeeden",
+ "Disable Community Filter Panel": "Skru Samfunnsfilterpanel av",
+ "Disable Peer-to-Peer for 1:1 calls": "Skru Peer-til-Peer for 1:1-samtaler av",
+ "Send analytics data": "Send statistikkdata",
+ "Never send encrypted messages to unverified devices from this device": "Send aldri krypterte meldingar til ikkje-godkjende einingar frå denne eininga",
+ "Never send encrypted messages to unverified devices in this room from this device": "Send aldri krypterte meldingar til ikkje-godkjende einingar i dette rommet frå denne eininga",
+ "Enable URL previews for this room (only affects you)": "Skru URL-førehandsvisingar på for dette rommet (påverkar deg åleine)",
+ "Enable URL previews by default for participants in this room": "Skru URL-førehandsvisingar på som utgangspunkt for deltakarar i dette rommet",
+ "Room Colour": "Romfarge",
+ "Enable widget screenshots on supported widgets": "Skru widget-skjermbilete på for støtta widgetar",
+ "Collecting app version information": "Samlar æppversjoninfo",
+ "Collecting logs": "Samlar loggar",
+ "Uploading report": "Lastar rapport opp",
+ "Waiting for response from server": "Ventar på svar frå tenaren",
+ "Messages containing my display name": "Meldingar som inneheld visingsnamnet mitt",
+ "Messages containing my user name": "Meldingar som inneheld brukarnamnet mitt",
+ "Messages in one-to-one chats": "Meldingar i ein-til-ein-samtaler",
+ "Messages in group chats": "Meldingar i gruppesamtaler",
+ "When I'm invited to a room": "Når eg er boden inn til eit rom",
+ "Call invitation": "Samtaleinnbydingar",
+ "Messages sent by bot": "Meldingar sendt frå ein bot",
+ "Active call (%(roomName)s)": "Pågåande samtale (%(roomName)s)",
+ "unknown caller": "ukjend ringar",
+ "Incoming voice call from %(name)s": "%(name)s ynskjer ei røystsamtale",
+ "Incoming video call from %(name)s": "%(name)s ynskjer ei videosamtale",
+ "Incoming call from %(name)s": "%(name)s ynskjer ei samtale",
+ "Decline": "Sei nei",
+ "Accept": "Sei ja",
+ "Error": "Noko gjekk gale",
+ "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains": "Ei tekstmelding vart send til +%(msisdn)s. Ver venleg og skriv inn stadfestingskoden ho inneheld",
+ "Incorrect verification code": "Urett stadfestingskode",
+ "Enter Code": "Skriv inn Koden",
+ "Submit": "Send inn",
+ "Phone": "Telefon",
+ "Add phone number": "Legg telefonnummer til",
+ "Add": "Legg til",
+ "Failed to upload profile picture!": "Fekk ikkje til å lasta opp profilbilete!",
+ "Upload new:": "Last opp ny:",
+ "No display name": "Inkje visingsnamn",
+ "New passwords don't match": "Dei nye passorda samsvarar ikkje",
+ "Passwords can't be empty": "Passordsfelta kan ikkje vera tomme",
+ "Warning!": "Åtvaring!",
+ "Continue": "Gå fram",
+ "Do you want to set an email address?": "Vil du setja ei epostadresse?",
+ "Current password": "Noverande passord",
+ "Password": "Passord",
+ "New Password": "Nytt Passord",
+ "Confirm password": "Stadfest passord",
+ "Change Password": "Endra Passord",
+ "Your home server does not support device management.": "Heimtenaren din støttar ikkje einingshandsaming.",
+ "Unable to load device list": "Klarte ikkje å lasta einingslista",
+ "Authentication": "Godkjenning",
+ "Delete %(count)s devices|other": "Slett %(count)s einingar",
+ "Delete %(count)s devices|one": "Slett eining",
+ "Device ID": "EiningsID",
+ "Device Name": "Einingsnamn",
+ "Last seen": "Sist sedd",
+ "Select devices": "Vel einingar",
+ "Failed to set display name": "Fekk ikkje til å setja visingsnamn",
+ "Error saving email notification preferences": "Klarte ikkje å lagra foretrukne epostvarselinnstillingar",
+ "An error occurred whilst saving your email notification preferences.": "Noko gjekk gale med lagringa av dine foretrukne epostvarselinstillingar.",
+ "Keywords": "Nykelord",
+ "Enter keywords separated by a comma:": "Skriv inn nykelord med komma imellom:",
+ "OK": "Greitt",
+ "Failed to change settings": "Klarte ikkje å endra innstillingar",
+ "Can't update user notification settings": "Kan ikkje oppdatera brukarvarselinstillingar",
+ "Failed to update keywords": "Fekk ikkje til å oppdatera nykelord",
+ "Messages containing keywords ": "Meldingar som inneheld nykelord ",
+ "Notify for all other messages/rooms": "Varsl for alle andre meldingar/rom",
+ "Notify me for anything else": "Varsl meg for kva som helst anna",
+ "Enable notifications for this account": "Skru varsel på for denne brukaren",
+ "All notifications are currently disabled for all targets.": "Alle varsel er for augeblunket skrudd av for alle mål.",
+ "Add an email address above to configure email notifications": "Legg til ein epostadresse i feltet over for å endra epostvarselinnstillingar",
+ "Enable email notifications": "Skru epostvarsel på",
+ "Notifications on the following keywords follow rules which can’t be displayed here:": "Varsel på fylgjande nykelord følgjer reglar som ikkje kan visast her:",
+ "Unable to fetch notification target list": "Klarte ikkje å henta varselmållista",
+ "Notification targets": "Varselmål",
+ "Advanced notification settings": "Omfattande varselinnstillingar",
+ "There are advanced notifications which are not shown here": "Det er omfattande varsel som ikkje er vist her",
+ "Enable desktop notifications": "Skru skrivebordsvarsel på",
+ "Show message in desktop notification": "Vis meldinga i eit skriverbordsvarsel",
+ "Enable audible notifications in web client": "Skru høyrlege varsel i nettklienten på",
+ "Off": "Av",
+ "On": "På",
+ "Noisy": "Bråket",
+ "Cannot add any more widgets": "Kan ikkje leggja fleire widgets til",
+ "Add a widget": "Legg til ein widget",
+ "Drop File Here": "Slepp Fila Her",
+ "Drop file here to upload": "Slipp ein fil her for å lasta opp",
+ " (unsupported)": " (ustøtta)",
+ "Join as voice or video .": "Gå inn som røyst eller video .",
+ "Ongoing conference call%(supportedText)s.": "Ein gruppesamtale er i gang%(supportedText)s.",
+ "This event could not be displayed": "Denne hendingen kunne ikkje visast",
+ "%(senderName)s sent an image": "%(senderName)s sende eit bilete",
+ "%(senderName)s sent a video": "%(senderName)s sende ein video",
+ "%(senderName)s uploaded a file": "%(senderName)s lasta ei fil opp",
+ "Options": "Innstillingar",
+ "Your key share request has been sent - please check your other devices for key share requests.": "Nykeldelingsforespurnaden din vart send - ver venleg og sjekk dei andre einingane dine for nykeldelingsforespurnadar.",
+ "If your other devices do not have the key for this message you will not be able to decrypt them.": "Viss dei andre einingane dine ikkje har nykelen til denne meldinga kan du ikkje dekryptera ho.",
+ "Key request sent.": "Nykelforespurnad er send.",
+ "Re-request encryption keys from your other devices.": "Spør på nytt om krypteringsnyklar frå dei andre einingane dine.",
+ "Undecryptable": "Kan ikkje dekrypterast",
+ "Encrypting": "Krypteringa er i gang",
+ "Encrypted, not sent": "Kryptert, men ikkje sendt",
+ "Encrypted by a verified device": "Kryptert av ei godkjent eining",
+ "Encrypted by an unverified device": "Kryptert av ei ikkje-godkjent eining",
+ "Unencrypted message": "Ikkje-kryptert melding",
+ "Please select the destination room for this message": "Ver venleg og vel målrommet for denne meldinga",
+ "Blacklisted": "Svartelista",
+ "Verified": "Godkjend",
+ "Unverified": "Ikkje-godkjend",
+ "device id: ": "einingsID: ",
+ "Disinvite": "Fjern innbyding",
+ "Kick": "Spark ut",
+ "Disinvite this user?": "Fjern innbydinga til denne brukaren?",
+ "Kick this user?": "Spark denne brukaren ut?",
+ "Failed to kick": "Fekk ikkje til å sparka ut",
+ "Unban": "Slepp inn att",
+ "Ban": "Steng ute",
+ "Unban this user?": "Slepp denne brukaren inn att?",
+ "Ban this user?": "Steng denne brukaren ute?",
+ "Failed to ban user": "Fekk ikkje til å utestenga brukar",
+ "Demote yourself?": "Senk høgda di?",
+ "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Du kan ikkje gjera om på denne endringa sidan du senkar høgda di. Viss du er den siste opphøgda brukaren i rommet vert det umogeleg å få høgda att.",
+ "Demote": "Senk høgda",
+ "Failed to mute user": "Fekk ikkje til å stilne brukar",
+ "Failed to toggle moderator status": "Fekk ikkje til å veksla moderatorhøgd",
+ "Failed to change power level": "Fekk ikkje til å endra makthøgda",
+ "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Du kjem ikkje til å kunna gjera om på denne endringa sidan du set brukaren si høgd opp til di eiga.",
+ "Are you sure?": "Er du sikker?",
+ "No devices with registered encryption keys": "Ingen einingar med oppskrivne krypteringsnykler",
+ "Devices": "Einingar",
+ "Unignore": "Slutt å oversjå",
+ "Ignore": "Oversjå",
+ "Mention": "Nemn",
+ "Invite": "Byd inn",
+ "Enable inline URL previews by default": "Skru URL-førehandsvisingar i tekstfeltet på",
+ "Share Link to User": "Del Brukarlenkje",
+ "User Options": "Brukarinnstillingar",
+ "Direct chats": "Direktesamtaler",
+ "Unmute": "Fjern stilning",
+ "Mute": "Stiln",
+ "Revoke Moderator": "Fjern Moderatorrett",
+ "Make Moderator": "Gjer til Moderator",
+ "Admin Tools": "Administratorverktøy",
+ "Level:": "Høgd:",
+ "and %(count)s others...|other": "og %(count)s til...",
+ "and %(count)s others...|one": "og ein til...",
+ "Invited": "Innboden",
+ "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (makthøgd %(powerLevelNumber)s)",
+ "bold": "feit",
+ "italic": "skeiv",
+ "deleted": "sletta",
+ "underlined": "understreka",
+ "bulleted-list": "punktliste",
+ "numbered-list": "talliste",
+ "Attachment": "Vedlegg",
+ "At this time it is not possible to reply with a file so this will be sent without being a reply.": "Det er førebels ikkje mogeleg å svara med ei fil, so dette vil verta send utan å vera eit svar.",
+ "Upload Files": "Last opp Filer",
+ "Are you sure you want to upload the following files?": "Er du sikker på at du vil lasta opp dei fylgjande filene?",
+ "Encrypted room": "Kryptert rom",
+ "Unencrypted room": "Ikkje-enkrypert rom",
+ "Hangup": "Legg på",
+ "Voice call": "Røystesamtale",
+ "Video call": "Videosamtale",
+ "Upload file": "Last ei fil opp",
+ "Show Text Formatting Toolbar": "Vis Tekstformverktøylinje",
+ "Send an encrypted reply…": "Send eit kryptert svar…",
+ "Send a reply (unencrypted)…": "Send eit svar (ikkje-kryptert)…",
+ "Send an encrypted message…": "Send ei kryptert melding…",
+ "Send a message (unencrypted)…": "Send ei melding (ikkje-kryptert)…",
+ "You do not have permission to post to this room": "Du har ikkje tillating til å senda meldingar i dette rommet",
+ "Turn Markdown on": "Skru Mardown på",
+ "Turn Markdown off": "Skru Markdown av",
+ "Hide Text Formatting Toolbar": "Gøym Tekstformverktøylinje",
+ "Server error": "Noko gjekk gale med tenaren",
+ "Server unavailable, overloaded, or something else went wrong.": "tenaren var utilgjengeleg, overlasta, elles so gjekk noko anna galt.",
+ "Command error": "Noko gjekk gale med påbodet",
+ "The maximum permitted number of widgets have already been added to this room.": "Det største mogelege talet widgets finst allereie på dette rommet.",
+ "Unable to reply": "Klarte ikkje å svara",
+ "At this time it is not possible to reply with an emote.": "Det er førebels ikkje mogeleg å svara med ein emote.",
+ "Markdown is disabled": "Markdown er skrudd av",
+ "Markdown is enabled": "Markdown er skrudd på",
+ "Unpin Message": "Tak ned festa Melding",
+ "Jump to message": "Hopp til melding",
+ "No pinned messages.": "Inga festa meldingar.",
+ "Loading...": "Lastar...",
+ "Pinned Messages": "Festa Meldingar",
+ "%(duration)ss": "%(duration)ss",
+ "%(duration)sm": "%(duration)sm",
+ "%(duration)sh": "%(duration)st",
+ "%(duration)sd": "%(duration)sd",
+ "Online for %(duration)s": "tilkopla i %(duration)s",
+ "Idle for %(duration)s": "Fråverande i %(duration)s",
+ "Offline for %(duration)s": "Fråkopla i %(duration)s",
+ "Unknown for %(duration)s": "Ukjend i %(duration)s",
+ "Online": "Tilkopla",
+ "Idle": "Fråverande",
+ "Offline": "Fråkopla",
+ "Unknown": "Ukjend",
+ "Seen by %(userName)s at %(dateTime)s": "%(userName)s såg dette %(dateTime)s",
+ "Seen by %(displayName)s (%(userName)s) at %(dateTime)s": "%(displayName)s %(userName)s såg dette %(dateTime)s",
+ "Replying": "Svarar",
+ "No rooms to show": "Inkje rom å visa",
+ "Unnamed room": "Rom utan namn",
+ "Guests can join": "Gjester kan koma inn",
+ "Failed to set avatar.": "Fekk ikkje til å setja avatar.",
+ "Save": "Lagr",
+ "(~%(count)s results)|other": "(~%(count)s resultat)",
+ "(~%(count)s results)|one": "(~%(count)s resultat)",
+ "Join Room": "Far inn i Rom",
+ "Upload avatar": "Last avatar opp",
+ "Remove avatar": "Fjern avatar",
+ "Settings": "Innstillingar",
+ "Forget room": "Gløym rom",
+ "Search": "Søk",
+ "Share room": "Del rom",
+ "Drop here to favourite": "Slepp her for å gjera til yndling",
+ "Drop here to restore": "Slepp her for å gjenoppretta",
+ "Drop here to demote": "Slepp her for å senka i høgd",
+ "Press to start a chat with someone": "Trykk på for å starta ei samtale med nokon",
+ "You're not in any rooms yet! Press to make a room or to browse the directory": "Du er enno ikkje i eit rom! Trykk på for å laga eit rom eller for å sjå gjennom utvalet",
+ "Community Invites": "Samfunnsinnbydingar",
+ "Invites": "Innbydingar",
+ "Favourites": "Yndlingar",
+ "People": "Folk",
+ "Rooms": "Rom",
+ "Low priority": "Lågrett",
+ "System Alerts": "Systemvarsel",
+ "You have no historical rooms": "Du har inkje historiske rom",
+ "Historical": "Historiske",
+ "Unable to ascertain that the address this invite was sent to matches one associated with your account.": "Klarte ikkje å forsikra at adressa som denne innbydinga er send til samsvarar med den som er tilknytta brukaren din.",
+ "This invitation was sent to an email address which is not associated with this account:": "Denne invitasjonen er send til ei epostadressa som ikkje er tilknytta denne brukaren:",
+ "You may wish to login with a different account, or add this email to this account.": "Kanskje du ynskjer å logga inn med ein annan brukar, eller leggja til denne eposten til denne brukaren.",
+ "You have been invited to join this room by %(inviterName)s": "Du vart boden inn i dette rommet av %(inviterName)s",
+ "Would you like to accept or decline this invitation?": "Vil du seia ja eller nei til denne innbydinga?",
+ "Reason: %(reasonText)s": "Grunnlag: %(reasonText)s",
+ "Rejoin": "Far inn att",
+ "You have been kicked from %(roomName)s by %(userName)s.": "Du vart sparka ut frå %(roomName)s av %(userName)s.",
+ "You have been kicked from this room by %(userName)s.": "Du vart sparka ut frå dette rommet av %(userName)s.",
+ "You have been banned from %(roomName)s by %(userName)s.": "Du vart stengd ute frå %(roomName)s av %(userName)s.",
+ "You have been banned from this room by %(userName)s.": "Du vart stengd ute frå dette rommet av %(userName)s.",
+ "This room": "Dette rommet",
+ "%(roomName)s does not exist.": "%(roomName)s finst ikkje.",
+ "%(roomName)s is not accessible at this time.": "%(roomName)s er ikkje tilgjengeleg no.",
+ "You are trying to access %(roomName)s.": "Du prøver å gå inn i %(roomName)s.",
+ "You are trying to access a room.": "Du prøver å gå inn i eit rom.",
+ "Click here to join the discussion!": "Klikk her for å verta med i meiningsutvekslinga!",
+ "This is a preview of this room. Room interactions have been disabled": "Dette er ei førehandsvising av dette rommet. Romhandlingar er skrudd av",
+ "To change the room's avatar, you must be a": "For å endra rommet sin avatar må du vera ein",
+ "To change the room's name, you must be a": "For å endra rommet sitt namn må du vera ein",
+ "To change the room's main address, you must be a": "For å endra rommet si hovudadresse må du vera ein",
+ "To change the room's history visibility, you must be a": "For å endra synlegheita på romhistoria må du vera ein",
+ "To change the permissions in the room, you must be a": "For å endra tillatingane i rommet må du vera ein",
+ "To change the topic, you must be a": "For å endra emnet må du vera ein",
+ "To modify widgets in the room, you must be a": "For å endra widgetar i rommet må du vera ein",
+ "Failed to unban": "Fekk ikkje til å lata inn att",
+ "Banned by %(displayName)s": "Stengd ute av %(displayName)s",
+ "Privacy warning": "Personvernsåtvaring",
+ "Changes to who can read history will only apply to future messages in this room": "Endringar i kven som kan lesa historia gjeld berre for framtidige meldingar i dette rommet",
+ "The visibility of existing history will be unchanged": "Synlegheita på den noverande historia vert ikkje endra",
+ "unknown error code": "ukjend errorkode",
+ "Failed to forget room %(errCode)s": "Fekk ikkje til å gløyma rommet %(errCode)s",
+ "End-to-end encryption is in beta and may not be reliable": "Ende-til-ende-kryptering vert betatesta og er kanskje ikkje påliteleg",
+ "You should not yet trust it to secure data": "Du bør førebels ikkje stole på at ho kan sikra data",
+ "Devices will not yet be able to decrypt history from before they joined the room": "Einingar kan førebels ikkje dekryptera historia frå før dei kom inn i rommet",
+ "Once encryption is enabled for a room it cannot be turned off again (for now)": "Når kryptering er skrudd på i eit rom kan ho (førebels) ikkje skruast av att",
+ "Encrypted messages will not be visible on clients that do not yet implement encryption": "Krypterte meldingar visast ikkje hjå klientar som førebels ikkje implementerer kryptering",
+ "Enable encryption": "Skru kryptering på",
+ "(warning: cannot be disabled again!)": "(åtvaring: kan ikkje skruast av att!)",
+ "Encryption is enabled in this room": "Kryptering er skrudd på i dette rommet",
+ "Encryption is not enabled in this room": "Kryptering er ikkje skrudd på i dette rommet",
+ "The default role for new room members is": "Rolla nye medlemer har i utgangspunktet er",
+ "To send messages, you must be a": "For å senda meldingar må du vera ein",
+ "To invite users into the room, you must be a": "For å byda brukarar inn til rommet må du vera ein",
+ "To configure the room, you must be a": "For å stille rommet inn må du vera ein",
+ "To kick users, you must be a": "For å sparka brukarar ut må du vera ein",
+ "To ban users, you must be a": "For å stengja brukarar ute må du vera ein",
+ "To remove other users' messages, you must be a": "For å fjerna andre brukarar sine meldingar må du vera ein",
+ "To notify everyone in the room, you must be a": "For å varsla alle i rommet må du vera ein",
+ "No users have specific privileges in this room": "Ingen brukarar har særeigne rettar i dette rommet",
+ "%(user)s is a %(userRole)s": "%(user)s er %(userRole)s",
+ "Privileged Users": "Brukarar med Særrett",
+ "Muted Users": "Stilna Brukarar",
+ "Banned users": "Utestengde Brukarar",
+ "Favourite": "Yndling",
+ "Tagged as: ": "Merka som: ",
+ "To link to a room it must have an address .": "For å lenkja til eit rom må det ha ei adresse .",
+ "Guests cannot join this room even if explicitly invited.": "Gjester kan ikkje koma inn i dette rommet sjølv viss dei er tydeleg innbodne.",
+ "Click here to fix": "Klikk her for å retta opp i det",
+ "To send events of type , you must be a": "For å senda hendingar av sorten må du vera ein",
+ "Who can access this room?": "Kven har tilgang til rommet?",
+ "Only people who have been invited": "Berre dei som er bodne inn",
+ "Anyone who knows the room's link, apart from guests": "Dei som kjenner lenkja til rommet, sett vekk frå gjester",
+ "Anyone who knows the room's link, including guests": "Dei som kjenner lenkja til rommet, gjester òg",
+ "Publish this room to the public in %(domain)s's room directory?": "Gjer dette rommet offentleg i %(domain)s sitt romutval?",
+ "Who can read history?": "Kven kan lesa historia?",
+ "Anyone": "Kven som helst",
+ "Members only (since the point in time of selecting this option)": "Berre medlemer (frå då denne innstillinga vert skrudd på)",
+ "Members only (since they were invited)": "Berre medlemmer (frå då dei vart bodne inn)",
+ "Members only (since they joined)": "Berre medlemer (frå då dei kom inn)",
+ "Permissions": "Tillatinger",
+ "Advanced": "Omfattande",
+ "This room's internal ID is": "Dette rommets innvendes ID er",
+ "Add a topic": "Legg eit emne til",
+ "Search…": "Søk…",
+ "This Room": "Dette Rommet",
+ "All Rooms": "Alle Rom",
+ "Cancel": "Bryt av",
+ "You don't currently have any stickerpacks enabled": "Du har for tida ikkje skrudd nokre klistremerkepakkar på",
+ "Add a stickerpack": "Legg ei klistremerkepakke til",
+ "Stickerpack": "Klistremerkepakke",
+ "Hide Stickers": "Gøym Klistremerkar",
+ "Show Stickers": "Vis Klistremerkar",
+ "Scroll to unread messages": "Blad til ulesne meldingar",
+ "Jump to first unread message.": "Hopp til den fyrste ulesne meldinga.",
+ "Close": "Lukk",
+ "Invalid alias format": "Ugangbar aliasform",
+ "'%(alias)s' is not a valid format for an alias": "'%(alias)s' er ikkje ei gangbar aliasform",
+ "Invalid address format": "Ugangbar adresseform",
+ "'%(alias)s' is not a valid format for an address": "'%(alias)s' er ikkje ei gangbar adresseform",
+ "not set": "ikkje sett",
+ "Remote addresses for this room:": "Fjernadresser for dette rommet:",
+ "Addresses": "Adresser",
+ "The main address for this room is": "Hovudadressa for dette rommet er",
+ "Local addresses for this room:": "Lokaladresser for dette rommet:",
+ "This room has no local addresses": "Dette rommer har ingen lokaladresser",
+ "New address (e.g. #foo:%(localDomain)s)": "Ny adresse (t.d. #foo:%(localDomain)s)",
+ "Invalid community ID": "Ugangbar samfunnsID",
+ "'%(groupId)s' is not a valid community ID": "'%(groupId)s' er ikkje ein gangbar samfunnsID",
+ "Flair": "Særpreg",
+ "Showing flair for these communities:": "Viser særpreg for desse samfunna:",
+ "This room is not showing flair for any communities": "Dette rommet viser ikkje særpreg for nokre samfunn",
+ "New community ID (e.g. +foo:%(localDomain)s)": "Ny samfunnsID (t.d. +foo:%(localDomain)s)",
+ "You have enabled URL previews by default.": "Du har skrudd URL-førehandsvisingar på i utgangspunktet.",
+ "You have disabled URL previews by default.": "Du har skrudd URL-førehandsvisingar av i utgangspunktet.",
+ "URL previews are enabled by default for participants in this room.": "URL-førehandsvisingar er skrudd på i utgangspunktet for dette rommet.",
+ "URL previews are disabled by default for participants in this room.": "URL-førehandsvisingar er skrudd av i utgangspunktet for dette rommet.",
+ "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "I krypterte rom, slik som denne, er URL-førehandsvisingar skrudd av i utgangspunktet for å forsikra at heimtenaren din (der førehandsvisinger lagast) ikkje kan samla informasjon om lenkjer som du ser i dette rommet.",
+ "URL Previews": "URL-førehandsvisingar",
+ "Sunday": "søndag",
+ "Monday": "måndag",
+ "Tuesday": "tysdag",
+ "Wednesday": "onsdag",
+ "Thursday": "torsdag",
+ "Friday": "fredag",
+ "Saturday": "laurdag",
+ "Today": "i dag",
+ "Yesterday": "i går",
+ "Error decrypting audio": "Noko gjekk gale med ljoddekrypteringa",
+ "Error decrypting attachment": "Noko gjekk gale med vedleggsdekrypteringa",
+ "Decrypt %(text)s": "Dekrypter %(text)s",
+ "Download %(text)s": "Last %(text)s ned",
+ "Invalid file%(extra)s": "Ugangbar fil%(extra)s",
+ "Error decrypting image": "Noko gjekk gale med biletedekrypteringa",
+ "Error decrypting video": "Noko gjekk gale med videodekrypteringa",
+ "%(senderDisplayName)s changed the avatar for %(roomName)s": "%(senderDisplayName)s endra avataren til %(roomName)s",
+ "%(senderDisplayName)s removed the room avatar.": "%(senderDisplayName)s fjerna romavataren.",
+ "%(senderDisplayName)s changed the room avatar to ": "%(senderDisplayName)s endra romavataren til ",
+ "Copied!": "Kopiert!",
+ "Failed to copy": "Noko gjekk gale med kopieringa",
+ "Removed or unknown message type": "Fjerna eller ukjend meldingssort",
+ "Message removed by %(userId)s": "Meldinga vart fjerna av %(userId)s",
+ "Message removed": "Meldinga vart fjerna",
+ "Robot check is currently unavailable on desktop - please use a web browser ": "Robotsjekk er førebels ikkje tilgjengeleg på skrivebordet - ver venleg og bruk ein nettlesar ",
+ "This Home Server would like to make sure you are not a robot": "Denne heimtenaren ynskjer å forsikra seg om at du ikkje er ein robot",
+ "Sign in with CAS": "Logg inn med CAS",
+ "This allows you to use this app with an existing Matrix account on a different home server.": "Dette tillèt deg å bruka denne æppen med ein Matrixbrukar som allereie finst på ein annan heimtenar.",
+ "You can also set a custom identity server but this will typically prevent interaction with users based on email address.": "Du kan i tillegg setja ein eigen identitetstenar, men dette hindrar som regel samhandling med brukarar som brukar epostadresse.",
+ "Dismiss": "Avvis",
+ "To continue, please enter your password.": "For å gå fram, ver venleg og skriv passordet ditt inn.",
+ "Password:": "Passord:",
+ "An email has been sent to %(emailAddress)s": "En epost vart send til %(emailAddress)s",
+ "Please check your email to continue registration.": "Ver venleg og sjekk eposten din for å gå vidare med påmeldinga.",
+ "A text message has been sent to %(msisdn)s": "Ei tekstmelding vart send til %(msisdn)s",
+ "Please enter the code it contains:": "Ver venleg og skriv koden den inneheld inn:",
+ "Code": "Kode",
+ "Start authentication": "Byrj godkjenning",
+ "powered by Matrix": "Matrixdriven",
+ "The email field must not be blank.": "Epostfeltet kan ikkje vera tomt.",
+ "The user name field must not be blank.": "Brukarnamnfeltet kan ikkje vera tomt.",
+ "The phone number field must not be blank.": "Telefonnummerfeltet kan ikkje vera tomt.",
+ "The password field must not be blank.": "Passordfeltet kan ikkje vera tomt.",
+ "Username on %(hs)s": "Brukarnamn på %(hs)s",
+ "User name": "Brukarnamn",
+ "Mobile phone number": "Mobiltelefonnummer",
+ "Forgot your password?": "Gløymt passordet ditt?",
+ "%(serverName)s Matrix ID": "%(serverName)s Matrix-ID",
+ "Sign in with": "Logg inn med",
+ "Email address": "Epostadresse",
+ "Sign in": "Logg inn",
+ "If you don't specify an email address, you won't be able to reset your password. Are you sure?": "Viss du ikkje seier kva epostadresse du vil bruka vil du ikkje kunna attendestille passordet ditt. Er du sikker?",
+ "Email address (optional)": "Epostadresse (valfritt)",
+ "You are registering with %(SelectedTeamName)s": "Du melder deg inn med %(SelectedTeamName)s",
+ "Mobile phone number (optional)": "Mobiltelefonnummer (valfritt)",
+ "Register": "Meld deg inn",
+ "Default server": "Vanleg tenar",
+ "Home server URL": "Heimtenar-URL",
+ "Identity server URL": "Identitetstenar-URL",
+ "What does this mean?": "Kva tyder dette?",
+ "Remove from community": "Fjern frå samfunnet",
+ "Disinvite this user from community?": "Fjern denne brukaren si innbyding til samfunnet?",
+ "Remove this user from community?": "Fjern denne brukaren frå samfunnet?",
+ "Failed to withdraw invitation": "Fekk ikkje til å taka innbydinga att",
+ "Failed to remove user from community": "Fekk ikkje til å fjerna brukaren frå samfunnet",
+ "Flair will appear if enabled in room settings": "Særpreg dukkar opp viss det er skrudd på i rominnstillingar",
+ "Flair will not appear": "Særpreg dukkar ikkje opp",
+ "Are you sure you want to remove '%(roomName)s' from %(groupId)s?": "Er du sikker på at du vil fjerna '%(roomName)s' frå %(groupId)s?",
+ "Removing a room from the community will also remove it from the community page.": "Å fjerna eit rom frå samfunnet fjernar det frå samfunnssida òg.",
+ "Remove": "Fjern",
+ "Failed to remove room from community": "Fekk ikkje til å fjerna rommet frå samfunnet",
+ "Failed to remove '%(roomName)s' from %(groupId)s": "Fekk ikkje til å fjerna '%(roomName)s' frå %(groupId)s",
+ "Something went wrong!": "Noko gjekk gale!",
+ "The visibility of '%(roomName)s' in %(groupId)s could not be updated.": "Kunne ikkje oppdatera synligheita til '%(roomName)s' i %(groupId)s.",
+ "Visibility in Room List": "Synligheit i Romlista",
+ "Visible to everyone": "Synleg for alle",
+ "Only visible to community members": "Berre synleg for samfunnsmedlemer",
+ "Something went wrong when trying to get your communities.": "Noko gjekk gale med framhentinga av samfunna dine.",
+ "Display your community flair in rooms configured to show it.": "Vis samfunnssærpreget ditt i rom som er stilt inn til å visa det.",
+ "You're not currently a member of any communities.": "Du er for augeblunket ikkje medlem i nokre samfunn.",
+ "Yes, I want to help!": "Ja, eg vil vera til nytte!",
+ "You are not receiving desktop notifications": "Du fær ikkje skrivebordsvarsel",
+ "Enable them now": "Skru dei på no",
+ "What's New": "Kva er nytt",
+ "Update": "Oppdatering",
+ "What's new?": "Kva er nytt?",
+ "A new version of Riot is available.": "Ei ny utgåve av Riot er tilgjengeleg.",
+ "To return to your account in future you need to set a password ": "For å gå tilbake til brukaren din i framtida må du setja eit passord ",
+ "Set Password": "Set Passord",
+ "Error encountered (%(errorDetail)s).": "Noko gjekk gale (%(errorDetail)s).",
+ "Checking for an update...": "Ser etter oppdateringar...",
+ "No update available.": "Inga oppdatering er tilgjengeleg.",
+ "Downloading update...": "Lastar oppdatering ned...",
+ "Warning": "Åtvaring",
+ "Unknown Address": "Ukjend Adresse",
+ "NOTE: Apps are not end-to-end encrypted": "MERK DEG: Æppar er ikkje ende-til-ende-krypterte",
+ "Warning: This widget might use cookies.": "Åtvaring: Denne widgeten brukar kanskje datakaker.",
+ "Do you want to load widget from URL:": "Vil du lasta widgeten frå URL:",
+ "Allow": "Tillat",
+ "Delete Widget": "Slett Widgeten",
+ "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Å sletta ein widget fjernar den for alle brukarane i rommet. Er du sikker på at du vil sletta denne widgeten?",
+ "Delete widget": "Slett widgeten",
+ "Failed to remove widget": "Fekk ikkje til å fjerna widgeten",
+ "An error ocurred whilst trying to remove the widget from the room": "Noko gjekk gale med fjerninga av widgeten frå rommet",
+ "Revoke widget access": "Tak widgeten sin tilgang att",
+ "Reload widget": "Last inn widget på nytt",
+ "Picture": "Bilete",
+ "Edit": "Gjer om",
+ "Create new room": "Lag nytt rom",
+ "Unblacklist": "Fjern frå svartelista",
+ "Blacklist": "Legg til i svartelista",
+ "No results": "Ingen resultat",
+ "Delete": "Slett",
+ "Communities": "Samfunn",
+ "Home": "Heim",
+ "You cannot delete this image. (%(code)s)": "Du kan ikkje sletta dette biletet. (%(code)s)",
+ "Uploaded on %(date)s by %(user)s": "Lasta opp %(date)s av %(user)s",
+ "Download this file": "Last denne fila ned",
+ "%(severalUsers)sjoined %(count)s times|other": "%(severalUsers)s har kome inn %(count)s gonger",
+ "%(severalUsers)sjoined %(count)s times|one": "%(severalUsers)s kom inn",
+ "%(oneUser)sjoined %(count)s times|other": "%(oneUser)s har kome inn %(count)s gonger",
+ "%(oneUser)sjoined %(count)s times|one": "%(oneUser)s kom inn",
+ "%(severalUsers)sleft %(count)s times|other": "%(severalUsers)s har fare %(count)s gonger",
+ "%(severalUsers)sleft %(count)s times|one": "%(severalUsers)s fór",
+ "%(oneUser)sleft %(count)s times|other": "%(oneUser)s har fare %(count)s gonger",
+ "%(oneUser)sleft %(count)s times|one": "%(oneUser)s fór",
+ "%(severalUsers)sjoined and left %(count)s times|other": "%(severalUsers)s har kome inn og fare att %(count)s gonger",
+ "%(severalUsers)sjoined and left %(count)s times|one": "%(severalUsers)s kom inn og fór",
+ "%(oneUser)sjoined and left %(count)s times|other": "%(oneUser)s har kome inn og fare att %(count)s gonger",
+ "%(oneUser)sjoined and left %(count)s times|one": "%(oneUser)s kom inn og fór",
+ "%(severalUsers)sleft and rejoined %(count)s times|other": "%(severalUsers)s har fare og kome inn att %(count)s gonger",
+ "%(severalUsers)sleft and rejoined %(count)s times|one": "%(severalUsers)s fór og kom inn att",
+ "%(oneUser)sleft and rejoined %(count)s times|other": "%(oneUser)s har fare og kome inn att %(count)s gonger",
+ "%(oneUser)sleft and rejoined %(count)s times|one": "%(oneUser)s fór og kom inn att",
+ "%(severalUsers)srejected their invitations %(count)s times|other": "%(severalUsers)s sa nei til innbydingane %(count)s gonger",
+ "%(severalUsers)srejected their invitations %(count)s times|one": "%(severalUsers)s sa nei til innbydingane",
+ "%(oneUser)srejected their invitation %(count)s times|other": "%(oneUser)s sa nei til innbydinga %(count)s gonger",
+ "%(oneUser)srejected their invitation %(count)s times|one": "%(oneUser)s sa nei til innbydinga",
+ "%(severalUsers)shad their invitations withdrawn %(count)s times|other": "%(severalUsers)s fekk innbydingane sine attekne %(count)s gonger",
+ "%(severalUsers)shad their invitations withdrawn %(count)s times|one": "%(severalUsers)s fekk innbydinga si attteke",
+ "%(oneUser)shad their invitation withdrawn %(count)s times|other": "%(oneUser)s fekk innbydinga si atteke %(count)s gonger",
+ "%(oneUser)shad their invitation withdrawn %(count)s times|one": "%(oneUser)s fekk innbydinga si atteke",
+ "were invited %(count)s times|other": "vart boden inn %(count)s gonger",
+ "were invited %(count)s times|one": "vart boden inn",
+ "was invited %(count)s times|other": "vart boden inn %(count)s gonger",
+ "was invited %(count)s times|one": "vart boden inn",
+ "were banned %(count)s times|other": "har vore stengd ute %(count)s gonger",
+ "were banned %(count)s times|one": "vart stengd ute",
+ "was banned %(count)s times|other": "har vore stengd ute %(count)s gonger",
+ "was banned %(count)s times|one": "vart stengd ute",
+ "were unbanned %(count)s times|other": "har vorta sloppe inn att %(count)s gonger",
+ "were unbanned %(count)s times|one": "vart sloppe inn att",
+ "was unbanned %(count)s times|other": "har vorte sloppe inn att %(count)s gonger",
+ "was unbanned %(count)s times|one": "vart sloppe inn att",
+ "were kicked %(count)s times|other": "har vorte sparka ut %(count)s gonger",
+ "were kicked %(count)s times|one": "vart sparka ut",
+ "was kicked %(count)s times|other": "har vorte sparka ut %(count)s gonger",
+ "was kicked %(count)s times|one": "vart sparka ut",
+ "%(severalUsers)schanged their name %(count)s times|other": "%(severalUsers)s har endra namna sine %(count)s gonger",
+ "%(severalUsers)schanged their name %(count)s times|one": "%(severalUsers)s endra namna sine",
+ "%(oneUser)schanged their name %(count)s times|other": "%(oneUser)s har endra namnet sitt %(count)s gonger",
+ "%(oneUser)schanged their name %(count)s times|one": "%(oneUser)s endra namnet sitt",
+ "%(severalUsers)schanged their avatar %(count)s times|other": "%(severalUsers)s har endra avatarane sine %(count)s gonger",
+ "%(severalUsers)schanged their avatar %(count)s times|one": "%(severalUsers)s endra avatarane sine",
+ "%(oneUser)schanged their avatar %(count)s times|other": "%(oneUser)s har endra avataren sin %(count)s gonger",
+ "%(oneUser)schanged their avatar %(count)s times|one": "%(oneUser)s endra avataren sin",
+ "%(items)s and %(count)s others|other": "%(items)s og %(count)s til",
+ "%(items)s and %(count)s others|one": "%(items)s og ein til",
+ "%(items)s and %(lastItem)s": "%(items)s og %(lastItem)s",
+ "collapse": "Slå saman",
+ "expand": "Utvid",
+ "In reply to ": "Som svar til ",
+ "Room directory": "Romutval",
+ "Start chat": "Byrj samtale",
+ "And %(count)s more...|other": "Og %(count)s til...",
+ "ex. @bob:example.com": "t.d. @ivar:eksempel.no",
+ "Add User": "Legg Brukar til",
+ "Matrix ID": "Matrix-ID",
+ "Matrix Room ID": "Matrixrom-ID",
+ "email address": "epostadresse",
+ "You have entered an invalid address.": "Du har skrive ei ugangbar adresse inn.",
+ "Try using one of the following valid address types: %(validTypesList)s.": "Prøv å bruka ein av dei fylgjande gangbare adressesortane: %(validTypesList)s.",
+ "Preparing to send logs": "Førebur loggsending",
+ "Logs sent": "Loggar sende",
+ "Thank you!": "Takk skal du ha!",
+ "Failed to send logs: ": "Fekk ikkje til å senda loggar: ",
+ "Submit debug logs": "Send debøgg-loggar inn",
+ "Riot bugs are tracked on GitHub: create a GitHub issue .": "Riot-bøggar fylgjast på GitHub: lag eit GitHub-issue .",
+ "GitHub issue link:": "lenkje til GitHub-issue:",
+ "Notes:": "Saker å merka seg:",
+ "Send logs": "Send loggar inn",
+ "Unavailable": "Utilgjengeleg",
+ "Changelog": "Endringslogg",
+ "Create a new chat or reuse an existing one": "Lag ei ny samtale eller bruk ei gamal opp att",
+ "Start new chat": "Byrj ny samtale",
+ "You already have existing direct chats with this user:": "Du har allereie pågåande direktesamtaler med denne brukaren:",
+ "Start chatting": "Byrj å prata",
+ "Click on the button below to start chatting!": "Klikk på knappen under for å byrja å prata!",
+ "Start Chatting": "Byrj å Prata",
+ "Something went wrong whilst creating your community": "Noko gjekk gale med laginga av samfunnet ditt",
+ "Create Community": "Lag Samfunn",
+ "Community Name": "Samfunnsnamn",
+ "Example": "Døme",
+ "Community ID": "Samfunns-ID",
+ "example": "døme",
+ "Create": "Lag",
+ "Create Room": "Lag eit Rom",
+ "Room name (optional)": "Romnamn (valfritt)",
+ "Advanced options": "Omfattande innstillingar",
+ "World readable": "Kan lesast av alle",
+ "not specified": "Ikkje oppgjeven",
+ "Minimize apps": "Legg æppar ned",
+ "Confirm Removal": "Godkjenn Fjerning",
+ "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.": "Er du sikker på at du vil fjerna (sletta) denne hendingen? Merk deg at vis du slettar eit romnamn eller ei emneendring kan det gjera om på endringa.",
+ "Community IDs cannot be empty.": "Samfunns-IDfeltet kan ikkje vera tomt.",
+ "Community IDs may only contain characters a-z, 0-9, or '=_-./'": "Samfunns-IDar kan berre innehalda teikna a-z, 0-9, eller '=_-./'",
+ "This setting cannot be changed later!": "Denne innstillinga kan ikkje gjerast om på seinare!",
+ "Unknown error": "Noko ukjend gjekk galt",
+ "Incorrect password": "Urett passord",
+ "This will make your account permanently unusable. You will not be able to log in, and no one will be able to re-register the same user ID. This will cause your account to leave all rooms it is participating in, and it will remove your account details from your identity server. This action is irreversible. ": "Dette gjer at brukaren din vert ubrukeleg til evig tid. Du kjem ikkje til å kunna logga inn, og ingen andre kjem til å kunna melde seg inn med den gamle brukar-IDen din. Brukaren din forlét òg alle rom han er i, og brukardetaljane dine vil verta fjerna frå identitetstenaren. Denne handlinga kan ikkje gjerast om. ",
+ "Deactivate Account": "Avliv Brukaren",
+ "Deactivating your account does not by default cause us to forget messages you have sent. If you would like us to forget your messages, please tick the box below.": "Å avliva brukaren din gjer i utgangspunktet ikkje at vi gløymer meldingane du har send. Viss du vil at vi skal gløyma meldingane dine, ver venleg og kryss av i firkanten under.",
+ "Message visibility in Matrix is similar to email. Our forgetting your messages means that messages you have sent will not be shared with any new or unregistered users, but registered users who already have access to these messages will still have access to their copy.": "Meldingssynlegheit på Matrix liknar på epost. At vi gløymer meldingane dine tyder at meldingar du har send ikkje vil verta delt med nye, ikkje-innmeldte brukarar, men brukare som er meldt på som allereie har tilgang til desse meldingane vil fortsatt kunne sjå kopien deira.",
+ "Please forget all messages I have sent when my account is deactivated (Warning: this will cause future users to see an incomplete view of conversations)": "Ver venleg og gløym alle meldingane eg har send når brukaren min vert avliven (Åtvaring: dette gjer at framtidige brukarar ikkje fær eit fullstendig oversyn av samtalene)",
+ "To continue, please enter your password:": "For å gå fram, ver venleg og skriv passordet ditt inn:",
+ "password": "passord",
+ "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:": "For å godkjenna at denne eininga er til å stola på, ver venleg og snakk med eiaren på ei anna måte (t.d. ansikt til ansikt eller på telefon) og spør dei om nykelen dei ser i Brukarinnstillingane for denne eininga samsvarar med nykelen under:",
+ "Device name": "Einingsnamn",
+ "Device key": "Einingsnykel",
+ "In future this verification process will be more sophisticated.": "I framtida kjem denne godkjenningsprosessen til å vera betre utvikla.",
+ "Verify device": "Godkjenn eining",
+ "I verify that the keys match": "Eg stadfestar at nyklane samsvarar",
+ "Back": "Attende",
+ "Event sent!": "Hending send!",
+ "Event Type": "Hendingsort",
+ "Event Content": "Hendingsinnhald",
+ "Send Account Data": "Send Brukardata",
+ "Explore Room State": "Undersøk Romtilstanden",
+ "Explore Account Data": "Undersøk Brukardata",
+ "Toolbox": "Verktøykasse",
+ "Developer Tools": "Utviklarverktøy",
+ "An error has occurred.": "Noko gjekk gale.",
+ "You added a new device '%(displayName)s', which is requesting encryption keys.": "Du la til den nye eininga '%(displayName)s', som spør om krypteringsnyklar.",
+ "Your unverified device '%(displayName)s' is requesting encryption keys.": "Den ikkje-godkjende eininga di '%(displayName)s' spør om krypteringsnyklar.",
+ "Start verification": "Byrj godkjenning",
+ "Share without verifying": "Del utan å godkjenna",
+ "Ignore request": "Oversjå førespurnad",
+ "Loading device info...": "Lastar einingsinfo inn...",
+ "Encryption key request": "Krypteringsnykel-førespurnad",
+ "Sign out": "Logg ut",
+ "Log out and remove encryption keys?": "Logg ut og fjern krypteringsnyklar?",
+ "Clear Storage and Sign Out": "Tøm Lager og Logg Ut",
+ "Send Logs": "Send Loggar",
+ "Refresh": "Hent fram på nytt",
+ "Unable to restore session": "Kunne ikkje henta øykta fram att",
+ "We encountered an error trying to restore your previous session.": "Noko gjekk gale med framhentinga av den førre øykta di.",
+ "If you have previously used a more recent version of Riot, your session may be incompatible with this version. Close this window and return to the more recent version.": "Viss du har bruka ei nyare utgåve av Riot før, kan det henda at øykta di ikkje passar inn i denne utgåva. Lukk dette vindauget og gå attende til den nyare utgåva.",
+ "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Det kan henda at å tømma nettlesarlageret rettar opp i det, men det loggar deg ut og kan gjera den krypterte pratehistoria uleseleg.",
+ "Invalid Email Address": "Ugangbar Epostadresse",
+ "This doesn't appear to be a valid email address": "Det ser ikkje ut til at epostadressa er gangbar",
+ "Verification Pending": "Ventar på Godkjenning",
+ "Please check your email and click on the link it contains. Once this is done, click continue.": "Ver venleg og sjekk eposten din og klikk på lenkja du har fått. Når det er gjort, klikk gå fram.",
+ "Unable to add email address": "Klarte ikkje å leggja epostadressa til",
+ "Unable to verify email address.": "Klarte ikkje å stadfesta epostadressa.",
+ "This will allow you to reset your password and receive notifications.": "Dette tillèt deg å attendestilla passordet ditt og å få varsel.",
+ "Skip": "Hopp over",
+ "User names may only contain letters, numbers, dots, hyphens and underscores.": "Brukarnamn kan berre innehalda bokstavar, tal, prikkar, bindestrek og understrek.",
+ "Username not available": "Brukarnamnet er ikkje tilgjengeleg",
+ "Username invalid: %(errMessage)s": "Brukarnamnet er ugangbart: %(errMessage)s",
+ "An error occurred: %(error_string)s": "Noko gjekk gale: %(error_string)s",
+ "Username available": "Brukarnamnet er tilgjengeleg",
+ "To get started, please pick a username!": "For å koma i gang, ver venleg og vel eit brukarnman!",
+ "This will be your account name on the homeserver, or you can pick a different server .": "Dette vert brukarnamnet ditt på heimtenaren, elles so kan du velja ein annan tenar .",
+ "If you already have a Matrix account you can log in instead.": "Viss du har ein Matrixbrukar allereie kan du logga på i staden.",
+ "You have successfully set a password!": "Du sette passordet ditt!",
+ "You have successfully set a password and an email address!": "Du sette passordet og epostadressa di!",
+ "You can now return to your account after signing out, and sign in on other devices.": "Du kan no gå attende til brukaren din etter å ha logga ut, og logga inn på andre einingar.",
+ "Remember, you can always set an email address in user settings if you change your mind.": "Hugs at du alltid kan setja ei epostadresse i brukarinnstillingar viss du skiftar meining.",
+ "Failed to change password. Is your password correct?": "Fekk ikkje til å skifta passord. Er passordet rett?",
+ "(HTTP status %(httpStatus)s)": "(HTTP-tilstand %(httpStatus)s)",
+ "Please set a password!": "Ver venleg og set eit passord!",
+ "This will allow you to return to your account after signing out, and sign in on other devices.": "Dette tillèt deg å fara attende til brukaren din etter å ha logga ut, og å logga inn på andre einingar.",
+ "Share Room": "Del Rom",
+ "Link to most recent message": "Lenk til den nyaste meldinga",
+ "Share User": "Del Brukar",
+ "Share Community": "Del Samfunn",
+ "Share Room Message": "Del Rommelding",
+ "Link to selected message": "Lenk til den valde meldinga",
+ "COPY": "KOPIER",
+ "You are currently blacklisting unverified devices; to send messages to these devices you must verify them.": "Du set for augeblunket ikkje-godkjende einingar på svartelista; for å senda meldingar til desse einingane må du godkjenna dei.",
+ "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.": "Vi tilrår deg å gå gjennom godkjenninga for kvar av einingane for å vera sikker på at dei tilhøyrer sine rettmessige eigarar, men du kan senda meldinga på nytt utan å godkjenna viss du vil.",
+ "Room contains unknown devices": "Rommet inneheld ukjende einingar",
+ "\"%(RoomName)s\" contains devices that you haven't seen before.": "\"%(RoomName)s\" inneheld einingar som du ikkje har sett før.",
+ "Unknown devices": "Ukjende einingar",
+ "Private Chat": "Lukka Samtale",
+ "Public Chat": "Offentleg Samtale",
+ "Alias (optional)": "Alias (valfritt)",
+ "Reject invitation": "Sei nei til innbyding",
+ "Are you sure you want to reject the invitation?": "Er du sikker på at du vil seia nei til innbydinga?",
+ "Unable to reject invite": "Klarte ikkje å seia nei til innbydinga",
+ "Reject": "Sei nei",
+ "You cannot delete this message. (%(code)s)": "Du kan ikkje sletta meldinga. (%(code)s)",
+ "Resend": "Send på nytt",
+ "Cancel Sending": "Bryt Sending av",
+ "Forward Message": "Vidaresend Melding",
+ "Reply": "Svar",
+ "Pin Message": "Fest Meldinga",
+ "View Source": "Sjå Kjelda",
+ "View Decrypted Source": "Sjå den Dekrypterte Kjelda",
+ "Unhide Preview": "Slutt å Gøyma Førehandsvising",
+ "Share Message": "Del Melding",
+ "Quote": "Sitat",
+ "Source URL": "Kjelde-URL",
+ "Collapse Reply Thread": "Slå Svartråden saman",
+ "All messages (noisy)": "Alle meldingar (bråket)",
+ "All messages": "Alle meldingar",
+ "Mentions only": "Berre når eg vert nemnd",
+ "Leave": "Far frå",
+ "Forget": "Gløym",
+ "Low Priority": "Lågrett",
+ "Direct Chat": "Direktesamtale",
+ "View Community": "Sjå Samfunn",
+ "Sorry, your browser is not able to run Riot.": "Orsak, nettlesaren din klarer ikkje å køyra Riot.",
+ "Riot uses many advanced browser features, some of which are not available or experimental in your current browser.": "Riot brukar mange omfattande nettlesarfunksjonar, og nokre av dei er ikkje tilgjengelege eller i utprøving i nettlesaren din.",
+ "Please install Chrome or Firefox for the best experience.": "Ver venleg og legg Chrome eller Firefox inn på datamaskina for den beste opplevinga.",
+ "Safari and Opera work too.": "Safari og Opera verkar òg.",
+ "With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "Med denne nettlesaren, er det mogleg at synet og kjensla av applikasjonen er fullstendig gale, og nokre eller alle funksjonar verkar kanskje ikkje. Viss du vil prøva likevel kan du gå fram, men då du må sjølv handtera alle vanskar du møter på!",
+ "I understand the risks and wish to continue": "Eg forstår farane og vil gå fram",
+ "Name": "Namn",
+ "Topic": "Emne",
+ "Make this room private": "Gjer dette rommet privat",
+ "Share message history with new users": "Del meldingshistoria med nye brukarar",
+ "Encrypt room": "Krypter rommet",
+ "You must register to use this functionality": "Du må melda deg inn for å bruka denne funksjonen",
+ "You must join the room to see its files": "Du må fare inn i rommet for å sjå filene dets",
+ "There are no visible files in this room": "Det er ingen synlege filer i dette rommet",
+ "HTML for your community's page \n\n Use the long description to introduce new members to the community, or distribute\n some important links \n
\n\n You can even use 'img' tags\n
\n": "HTML for samfunnssida di \n\n Bruk den Lange Skildringa for å ynskja nye medlemer velkomen, eller gje ut viktige lenkjer \n
\n\n Du kan til og med bruka 'img'-merkelappar!\n
\n",
+ "Add rooms to the community summary": "Legg rom til i samfunnsoppsamanfattinga",
+ "Which rooms would you like to add to this summary?": "Kva rom ynskjer du å leggja til i samanfattinga?",
+ "Add to summary": "Legg til i samanfattinga",
+ "Failed to add the following rooms to the summary of %(groupId)s:": "Fekk ikkje til å leggja dei fylgjande romma til i samanfattinga av %(groupId)s:",
+ "Add a Room": "Legg eit Rom til",
+ "Failed to remove the room from the summary of %(groupId)s": "Fekk ikkje til å fjerna rommet frå samanfattinga av %(groupId)s",
+ "The room '%(roomName)s' could not be removed from the summary.": "Rommet '%(roomName)s' lét seg ikkje fjerna frå samanfattinga.",
+ "Add users to the community summary": "Legg brukarar til i samfunnsamanfattinga",
+ "Who would you like to add to this summary?": "Kven vil du leggja til i samanfattinga?",
+ "Failed to add the following users to the summary of %(groupId)s:": "Fekk ikkje til å leggja fylgjande brukarar til i samanfattinga av %(groupId)s:",
+ "Add a User": "Legg ein Brukar til",
+ "Failed to remove a user from the summary of %(groupId)s": "Fekk ikkje til å fjerna brukaren frå samanfattinga av %(groupId)s",
+ "The user '%(displayName)s' could not be removed from the summary.": "Brukaren '%(displayName)s' lét seg ikkje fjerna frå samanfattinga.",
+ "Failed to upload image": "Fekk ikkje til å lasta biletet opp",
+ "Failed to update community": "Fekk ikkje til å oppdatera samfunnet",
+ "Unable to accept invite": "Fekk ikkje til å seia ja til innbydinga",
+ "Unable to join community": "Fekk ikkje til å fara inn i samfunnet",
+ "Leave Community": "Far frå Samfunnet",
+ "Leave %(groupName)s?": "Far frå %(groupName)s?",
+ "Unable to leave community": "Fekk ikkje til å fara frå samfunnet",
+ "Community Settings": "Samfunninnstillingar",
+ "Changes made to your community name and avatar might not be seen by other users for up to 30 minutes.": "Endringar gjort på samfunnsnamnet og samfunnsavataren vert kanskje ikkje synleg forandre før opp til 30 minutt har gått.",
+ "These rooms are displayed to community members on the community page. Community members can join the rooms by clicking on them.": "Desse romma vert viste for samfunnsmedlemer på samfunnsida. Samfunnsmedlemer kan fara inn i romma ved å klikka på dei.",
+ "Add rooms to this community": "Legg rom til i samfunnet",
+ "Featured Rooms:": "Utvalde Rom:",
+ "Featured Users:": "Utvalde Brukarar:",
+ "%(inviter)s has invited you to join this community": "%(inviter)s baud deg inn til dette samfunnet",
+ "Join this community": "Far inn i samfunnet",
+ "Leave this community": "Far frå samfunnet",
+ "You are an administrator of this community": "Du er administrator i dette samfunnet",
+ "You are a member of this community": "Du er eit medlem av dette samfunnet",
+ "Who can join this community?": "Kven kan verta med i samfunnet?",
+ "Everyone": "Alle",
+ "Your community hasn't got a Long Description, a HTML page to show to community members. Click here to open settings and give it one!": "Samfunnet ditt har ikkje ei Lang Skilrding (ei HTML-side for å visa til samfunnsmedlem.) Klikk her for å opna innstillingar og gje det ei!",
+ "Long Description (HTML)": "Lang Skildring (HTML)",
+ "Description": "Skildring",
+ "Community %(groupId)s not found": "Fann ikkje samfunnet %(groupId)s",
+ "This Home server does not support communities": "Denne heimtenaren støttar ikkje støttesamfunn",
+ "Failed to load %(groupId)s": "Fekk ikkje til å lasta %(groupId)s",
+ "Couldn't load home page": "Kunne ikkje lasta heimesida",
+ "Login": "Innlogging",
+ "Failed to reject invitation": "Fekk ikkje til å seia nei til innbyding",
+ "This room is not public. You will not be able to rejoin without an invite.": "Dette rommet er ikkje offentleg. Du kjem ikkje til å kunna koma inn att utan ei innbyding.",
+ "Are you sure you want to leave the room '%(roomName)s'?": "Er du sikker på at du vil fara frå rommet '%(roomName)s'?",
+ "Failed to leave room": "Fekk ikkje til å fara frå rommet",
+ "Can't leave Server Notices room": "Kan ikkje fara frå Tenarvarsel-rommet",
+ "This room is used for important messages from the Homeserver, so you cannot leave it.": "Dette rommet er for viktige meldingar frå Heimtenaren, so du kan ikkje fara frå det.",
+ "Signed Out": "Logga Ut",
+ "For security, this session has been signed out. Please sign in again.": "Av sikkerheitsgrunnar har denne øykta vorte logga ut. Ver venleg og logg inn att.",
+ "Terms and Conditions": "Vilkår og Føresetnader",
+ "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "For å framleis bruka %(homeserverDomain)s sin heimtenar må du sjå over og seia deg einig i våre Vilkår og Føresetnader.",
+ "Review terms and conditions": "Sjå over Vilkår og Føresetnader",
+ "Old cryptography data detected": "Gamal kryptografidata vart oppdagen",
+ "Data from an older version of Riot has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Data frå ei eldre utgåve av Riot vart oppdagen. I den eldre utgåva hadde dette gjort at ende-til-ende-kryptografi ikkje verkar som det skal. Ende-til-ende-krypterte meldingar som vert utveksla nyleg med den gamle utgåva er det kanskje ikkje mogeleg å dekryptera i denne utgåva. Dette fører kanskje òg til at meldingar som vart utveksla med denne utgåva ikkje verkar. Viss du opplever vansker, logg ut og inn att. For å spara på meldingshistoria, hent nyklane dine ut og inn at.",
+ "Logout": "Loggar ut",
+ "Your Communities": "Dine Samfunn",
+ "Error whilst fetching joined communities": "Noko gjekk gale med innhentinga av samfunna du er i",
+ "Create a new community": "Lag eit nytt samfunn",
+ "You have no visible notifications": "Du har ingen synlege varsel",
+ "Members": "Medlemer",
+ "%(count)s Members|other": "%(count)s Medlemer",
+ "%(count)s Members|one": "%(count)s Medlem",
+ "Invite to this room": "Byd inn til rommet",
+ "Files": "Filer",
+ "Notifications": "Varsel",
+ "Invite to this community": "Byd inn til samfunnet",
+ "Failed to get protocol list from Home Server": "Fekk ikkje til å henta protokollista frå heimtenaren",
+ "The Home Server may be too old to support third party networks": "Heimtenaren er kanskje for gamal til å støtta tredjepartinettverk",
+ "Failed to get public room list": "Fekk ikkje til å henta den offentlege romlista",
+ "The server may be unavailable or overloaded": "Tenaren er kanskje utilgjengeleg eller overlasta",
+ "Delete the room alias %(alias)s and remove %(name)s from the directory?": "Slett rommaliaset %(alias)s og fjern %(name)s frå utvalet?",
+ "Remove %(name)s from the directory?": "Fjern %(name)s frå utvalet?",
+ "Remove from Directory": "Fjern frå Utvalet",
+ "remove %(name)s from the directory.": "fjern %(name)s frå utvalet.",
+ "delete the alias.": "slett aliaset.",
+ "Unable to join network": "Klarte ikkje å verta med i nettverket",
+ "Riot does not know how to join a room on this network": "Riot veit ikkje korleis ein fer inn i eit rom på dette nettverket",
+ "Room not found": "Fann ikkje rommet",
+ "Couldn't find a matching Matrix room": "Kunne ikkje finna eit samsvarande Matrixrom",
+ "Fetching third party location failed": "Noko gjekk gale med hentinga tredjepartiplasseringa",
+ "Directory": "Utval",
+ "Search for a room": "Søk etter eit rom",
+ "#example": "#døme",
+ "Scroll to bottom of page": "Blad til botnen",
+ "Message not sent due to unknown devices being present": "Meldinga vart ikkje send fordi ukjende einingar er til stades",
+ "Show devices , send anyway or cancel .": "Vis einingar , Send likevel eller Bryt av .",
+ "You can't send any messages until you review and agree to our terms and conditions .": "Du kan ikkje senda meldingar før du ser over og seier deg einig i våre Vilkår og Føresetnader .",
+ "%(count)s of your messages have not been sent.|other": "Nokre av meldingane dine vart ikkje sende.",
+ "%(count)s of your messages have not been sent.|one": "Meldinga di vart ikkje send.",
+ "%(count)s Resend all or cancel all now. You can also select individual messages to resend or cancel.|other": "Send alle på nytt eller avbryt alle . Du kan ogso velja enkelte meldingar til sending på nytt eller avbryting.",
+ "%(count)s Resend all or cancel all now. You can also select individual messages to resend or cancel.|one": "Send melding på nytt eller bryt av .",
+ "Connectivity to the server has been lost.": "Tilkoplinga til tenaren vart tapt.",
+ "Sent messages will be stored until your connection has returned.": "Sende meldingar lagrast ikkje før tilkoplinga di er attende.",
+ "%(count)s new messages|other": "%(count)s nye meldingar",
+ "%(count)s new messages|one": "%(count)s ny melding",
+ "Active call": "Pågåande samtale",
+ "There's no one else here! Would you like to invite others or stop warning about the empty room ?": "Det er ingen andre her! Vil du byda andre inn eller enda åtvaringa om det tomme rommet? ?",
+ "more": "meir",
+ "You seem to be uploading files, are you sure you want to quit?": "Det ser ut til at du lastar filer opp, er du sikker på at du vil slutta?",
+ "You seem to be in a call, are you sure you want to quit?": "Det ser ut til at du er i ei samtale, er du sikker på at du vil slutta?",
+ "Failed to upload file": "Fekk ikkje til å lasta fila opp",
+ "Server may be unavailable, overloaded, or the file too big": "Tenaren er kanskje utilgjengeleg, overlasta, elles so er fila for stor",
+ "Search failed": "Søket gjekk gale",
+ "No more results": "Ingen fleire resultat",
+ "Unknown room %(roomId)s": "Ukjend rom %(roomId)s",
+ "Room": "Rom",
+ "Failed to save settings": "Fekk ikkje til å lagra innstillingar",
+ "Failed to reject invite": "Fekk ikkje til å seia nei til innbydinga",
+ "Fill screen": "Fyll skjermen",
+ "Click to unmute video": "Klikk for å avstilna videoen",
+ "Click to mute video": "Klikk for å stilna videoen",
+ "Click to unmute audio": "Klikk for å avstilna ljoden",
+ "Click to mute audio": "Klikk for å stilna ljoden",
+ "Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Freista å lasta eit gjeve punkt i rommet si tidslinje, men du har ikkje lov til å sjå den sistnemnde meldinga.",
+ "Tried to load a specific point in this room's timeline, but was unable to find it.": "Freista å lasta eit gjeve punkt i rommet si tidslinje, men klarte ikkje å finna det.",
+ "Failed to load timeline position": "Fekk ikkje til å lasta tidslinjestillinga",
+ "Uploading %(filename)s and %(count)s others|other": "Lastar %(filename)s og %(count)s til opp",
+ "Uploading %(filename)s and %(count)s others|zero": "Lastar %(filename)s opp",
+ "Uploading %(filename)s and %(count)s others|one": "Lastar %(filename)s og %(count)s til opp",
+ "Light theme": "Ljost preg",
+ "Dark theme": "Dimt preg",
+ "Status.im theme": "Status.im-preg",
+ "Can't load user settings": "Kan ikkje lasta brukarinnstillingar",
+ "Server may be unavailable or overloaded": "Tenaren er kanskje utilgjengeleg eller overlasta",
+ "Success": "Det gjekk",
+ "Your password was successfully changed. You will not receive push notifications on other devices until you log back in to them": "Passordet ditt vert endra. Du får ikkje push-varsel på andre einingar før du loggar inn att på dei",
+ "Remove Contact Information?": "Fjern Kontaktinfo?",
+ "Remove %(threePid)s?": "Fjern %(threePid)s?",
+ "Unable to remove contact information": "Klarte ikkje å fjerna kontaktinfo",
+ "Refer a friend to Riot:": "Vis ein ven til Riot:",
+ "Interface Language": "Grensesnitts-mål",
+ "User Interface": "Brukargrensesnitt",
+ "": "",
+ "Import E2E room keys": "Hent E2E-romnyklar inn",
+ "Cryptography": "Kryptografi",
+ "Device ID:": "Einings-ID:",
+ "Device key:": "Einingsnykel:",
+ "Ignored Users": "Oversedde Brukarar",
+ "Debug Logs Submission": "Innsending av Debøgg-loggar",
+ "If you've submitted a bug via GitHub, debug logs can help us track down the problem. Debug logs contain application usage data including your username, the IDs or aliases of the rooms or groups you have visited and the usernames of other users. They do not contain messages.": "Viss du har sendt inn ein bøgg gjennom GitHub, kan debøgg-loggar hjelpa oss med å finna problemet. Debøgg-loggar inneheld data om æpp-bruk, b.a. Brukarnamnet ditt, IDane eller aliasa på romma eller gruppene du har vitja og brukarnamna til andre brukarar. Dei inneheld ikkje meldingar.",
+ "Riot collects anonymous analytics to allow us to improve the application.": "Riot samlar anonym statistikk inn slik at vi kan forbetre æppen.",
+ "Privacy is important to us, so we don't collect any personal or identifiable data for our analytics.": "Personvern er viktig for oss, so vi samlar ikkje på personleg eller attkjenneleg data for statistikken vår.",
+ "Learn more about how we use analytics.": "Finn ut meir om korleis vi brukar statistikk.",
+ "Labs": "Labar",
+ "These are experimental features that may break in unexpected ways": "Desse funksjonane er i utprøving og uventa vanskar kan dukka opp",
+ "Use with caution": "Bruk med omhug",
+ "Deactivate my account": "Avliv brukaren min",
+ "Updates": "Oppdateringar",
+ "Check for update": "Sjå etter oppdateringar",
+ "Reject all %(invitedRooms)s invites": "Sei nei til alle innbydingar frå %(invitedRooms)s",
+ "Desktop specific": "Berre for skrivebord",
+ "Start automatically after system login": "Byrj av seg sjølv etter systeminnlogging",
+ "No media permissions": "Ingen mediatilgang",
+ "You may need to manually permit Riot to access your microphone/webcam": "Det kan henda at du må gje Riot tilgang til mikrofonen/nettkameraet for hand",
+ "Missing Media Permissions, click here to request.": "Vantande Mediatilgang, klikk her for å beda om det.",
+ "No Audio Outputs detected": "Ingen ljodavspelingseiningar funne",
+ "No Microphones detected": "Ingen opptakseiningar funne",
+ "No Webcams detected": "Ingen Nettkamera funne",
+ "Default Device": "Eininga som brukast i utgangspunktet",
+ "Audio Output": "Ljodavspeling",
+ "Microphone": "Ljodopptaking",
+ "Camera": "Kamera",
+ "VoIP": "VoIP",
+ "Email": "Epost",
+ "Add email address": "Legg epostadresse til",
+ "Display name": "Visingsnamn",
+ "Account": "Brukar",
+ "To return to your account in future you need to set a password": "For å kunna koma attende til brukaren din i framtida må du setja eit passord",
+ "Logged in as:": "Logga inn som:",
+ "click to reveal": "klikk for å visa",
+ "Homeserver is": "Heimtenaren er",
+ "Identity Server is": "Identitetstenaren er",
+ "matrix-react-sdk version:": "matrix-react-sdk-utgåve:",
+ "riot-web version:": "riot-web-utgåve:",
+ "olm version:": "olm-utgåve:",
+ "Failed to send email": "Fekk ikkje til å senda eposten",
+ "The email address linked to your account must be entered.": "Du må skriva epostadressa som er tilknytta brukaren din inn.",
+ "A new password must be entered.": "Du må skriva eit nytt passord inn.",
+ "New passwords must match each other.": "Dei nye passorda må vera like.",
+ "An email has been sent to %(emailAddress)s. Once you've followed the link it contains, click below.": "Ein epost vart send til %(emailAddress)s. Når du har far fylgd lenkja i den, klikk under.",
+ "I have verified my email address": "Eg har godkjend epostadressa mi",
+ "Your password has been reset": "Passordet ditt vart attendesett",
+ "You have been logged out of all devices and will no longer receive push notifications. To re-enable notifications, sign in again on each device": "Du vart logga av alle einingar og får ikkje lenger pushvarsel. For å skru varsel på att, logg inn igjen på kvar eining",
+ "Return to login screen": "Gå attende til innlogging",
+ "To reset your password, enter the email address linked to your account": "For å attendestilla passordet ditt, skriv epostadressa som er lenkja til brukaren din inn",
+ "New password": "Nytt passord",
+ "Confirm your new password": "Stadfest det nye passordet ditt",
+ "Send Reset Email": "Send attendestillingsepost",
+ "Create an account": "Lag ein brukar",
+ "This Home Server does not support login using email address.": "Denne Heimtenaren støttar ikkje innlogging med epost.",
+ "Please contact your service administrator to continue using this service.": "Ver venleg og kontakt din tenesteadministrator for å halda fram med å bruka tenesten.",
+ "Incorrect username and/or password.": "Urett brukarnamn og/eller passord.",
+ "Please note you are logging into the %(hs)s server, not matrix.org.": "Merk deg at du loggar inn på %(hs)s-tenaren, ikkje matrix.org.",
+ "Guest access is disabled on this Home Server.": "Gjestetilgang er skrudd av på denne Heimtenaren.",
+ "The phone number entered looks invalid": "Det innskrivne telefonnummeret ser ugangbart ut",
+ "Error: Problem communicating with the given homeserver.": "Noko gjekk gale: fekk ikkje samband med den gjevne heimtenaren.",
+ "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts .": "Kan ikkje kopla til heimtenaren gjennom HTTP når ein HTTPS-URL er i nettlesarsøkjafeltet ditt. Bruk anten HTTPS eller skru utrygge skript på .",
+ "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Kan ikkje kopla til heimtenaren - ver venleg og sjekk tilkoplinga di, og sjå til at heimtenaren din sitt CCL-sertifikat er stolt på og at ein nettlesarutviding ikkje hindrar førespurnader.",
+ "Try the app first": "Prøv æppen fyrst",
+ "Sign in to get started": "Logg inn for å koma i gang",
+ "Failed to fetch avatar URL": "Klarte ikkje å henta avatar-URLen",
+ "Set a display name:": "Set eit visingsnamn:",
+ "Upload an avatar:": "Last ein avatar opp:",
+ "This server does not support authentication with a phone number.": "Denne tenaren støttar ikkje stadfesting gjennom telefonnummer.",
+ "Missing password.": "Vantande passord.",
+ "Passwords don't match.": "Passorda er ikkje like.",
+ "Password too short (min %(MIN_PASSWORD_LENGTH)s).": "Passordet er for kort (i det minste %(MIN_PASSWORD_LENGTH)s).",
+ "This doesn't look like a valid email address.": "Dette ser ikkje ut som ei gangbar epostadresse.",
+ "This doesn't look like a valid phone number.": "Dette ser ikkje ut som eit gangbart telefonnummer.",
+ "You need to enter a user name.": "Du må skriva eit brukarnamn inn.",
+ "An unknown error occurred.": "Noko ukjend gjekk gale.",
+ "I already have an account": "Eg har ein brukar allereie",
+ "Commands": "Påbod",
+ "Results from DuckDuckGo": "Resultat frå DuckDuckGo",
+ "Emoji": "Emoji",
+ "Notify the whole room": "Varsl heile rommet",
+ "Room Notification": "Romvarsel",
+ "Users": "Brukarar",
+ "unknown device": "ukjend eining",
+ "NOT verified": "IKKJE godkjend",
+ "verified": "godkjend",
+ "Verification": "Godkjenning",
+ "Ed25519 fingerprint": "Ed25519-fingeravtrykk",
+ "User ID": "Brukar-ID",
+ "Curve25519 identity key": "Curve25519-identitetsnykel",
+ "none": "ingen",
+ "Algorithm": "Algoritme",
+ "unencrypted": "ikkje-kryptert",
+ "Decryption error": "Noko gjekk gale med dekrypteringa",
+ "Session ID": "Økt-ID",
+ "End-to-end encryption information": "Ende-til-ende-krypteringsinfo",
+ "Event information": "Hendingsinfo",
+ "Sender device information": "Info om avsendareininga",
+ "Passphrases must match": "Passetningane må vera like",
+ "Passphrase must not be empty": "Passetningsfeltet kan ikkje vera tomt",
+ "Enter passphrase": "Skriv passetning inn",
+ "Confirm passphrase": "Stadfest passetning",
+ "You must specify an event type!": "Du må oppgje ein handlingssort!",
+ "Call Timeout": "Tidsavbrot i Samtala",
+ "Enable automatic language detection for syntax highlighting": "Skru automatisk måloppdaging på for syntax-understreking",
+ "Show empty room list headings": "Vis overskrift på tomme romlister",
+ "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.": "Å endra passordet ditt attendestiller førebelst alle ende-til-ende-krypteringsnyklar på alle einingar, slik at kryptert pratehistorie vert uleseleg, med mindre du fyrst hentar romnyklane dine ut og hentar dei inn att etterpå. I framtida vil denne prosessen vera betre.",
+ "Export E2E room keys": "Hent E2E-romnyklar ut",
+ "You might have configured them in a client other than Riot. You cannot tune them in Riot but they still apply": "Det kan henda at du stilte dei inn på ein annan klient enn Riot. Du kan ikkje stilla på dei i Riot men dei gjeld framleis",
+ "Key share requests are sent to your other devices automatically. If you rejected or dismissed the key share request on your other devices, click here to request the keys for this session again.": "Nykeldelingsførespurnader vert sende til dei andre einingane dine av seg sjølv. Viss du sa nei til eller avviste førespurnadene på dei andre einingane, klikk her for å beda om nyklane for denne øykta på nytt.",
+ "Jump to read receipt": "Hopp til lest-lappen",
+ "Filter room members": "Filtrer rommedlemer",
+ "inline-code": "kode-i-tekst",
+ "block-quote": "blokk-sitat",
+ "Show panel": "Vis panel",
+ "Drop here to tag direct chat": "Slepp her for å merka ei direktesamtale",
+ "Drop here to tag %(section)s": "Slepp her for å merka %(section)s",
+ "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Når nokon legg ein URL med i meldinga si, kan ei URL-førehandsvising visast for å gje meir info om lenkja slik som tittelen, skildringa, og eit bilete frå nettsida.",
+ "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?": "Du held på å verta teken til ei tredje-partisside so du kan godkjenna brukaren din til bruk med %(integrationsUrl)s. Vil du gå fram?",
+ "Token incorrect": "Teiknet er gale",
+ "Filter community members": "Filtrer samfunnsmedlemer",
+ "Custom Server Options": "Eigentenar-innstillingar",
+ "Filter community rooms": "Filtrer samfunnsrom",
+ "Please help improve Riot.im by sending anonymous usage data . This will use a cookie (please see our Cookie Policy ).": "Ver venleg og hjelp oss å forbetra Riot.im ved å senda anonym brukardata . Dette brukar ei datakake (ver venleg og sjå på Datakakeretningslinene våre ).",
+ "Please help improve Riot.im by sending anonymous usage data . This will use a cookie.": "Ver venleg og hjelp oss å forbetra Riot.im ved å senda anonym brukardata . Dette brukar ei datakake.",
+ "Whether or not you're using the Richtext mode of the Rich Text Editor": "Om du brukar Riktekst-innstillinga på Riktekstfeltet",
+ "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!": "ÅTVARING: NOKO GJEKK GALT MED NYKELGODKJENNINGA! Signeringsnykelen til %(userId)s og eininga %(deviceId)s er \"%(fprint)s\", som ikkje er lik den gjevne nykelen \"%(fingerprint)s\". Dette kan tyda at nokon tjuvlyttar på kommuniseringa!",
+ "The signing key you provided matches the signing key you received from %(userId)s's device %(deviceId)s. Device marked as verified.": "Signeringsnykelen du oppgav er lik signeringsnykelen du fekk frå %(userId)s si eining %(deviceId)s. Eininga merkast som godkjend.",
+ "This room is not accessible by remote Matrix servers": "Rommet er ikkje tilgjengeleg for andre Matrix-heimtenarar",
+ "Add an Integration": "Legg tillegg til",
+ "You can use the custom server options to sign into other Matrix servers by specifying a different Home server URL.": "Du kan bruka eigentenarinnstillingane for å logga på andre Matrixtenarar gjennom å oppgje ein annan Heimtenar-URL.",
+ "Custom server": "Eigentenar",
+ "This homeserver has hit its Monthly Active User limit. Please contact your service administrator to continue using the service.": "Heimtenaren har truffe den Månadlege Grensa for Aktive Brukarar. Ver venleg og kontakt tenesteadministratoren din for å halda fram med å bruka tenesten.",
+ "Popout widget": "Popp widget ut",
+ "Integrations Error": "Noko gjekk gale med med Tillegga",
+ "Manage Integrations": "Sjå over Innlegg",
+ "%(nameList)s %(transitionList)s": "%(nameList)s %(transitionList)s",
+ "Custom of %(powerLevel)s": "Sjølvsett namn på %(powerLevel)s",
+ "Custom level": "Sjølvsett høgd",
+ "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Klarte ikkje å lasta handlinga som vert svara til. Anten finst ho ikkje elles har du ikkje tilgang til å sjå ho.",
+ "Debug logs contain application usage data including your username, the IDs or aliases of the rooms or groups you have visited and the usernames of other users. They do not contain messages.": "Debøgg-loggar inneheld æppbrukdata slik som brukarnamnet ditt, IDane eller aliasane på romma eller gruppene du har vore i og brukarnamna til andre brukarar. Dei inneheld ikkje meldingar.",
+ "Block users on other matrix homeservers from joining this room": "Hindr brukare frå andre matrix-heimtenarar frå å koma inn i rommet",
+ "Failed to indicate account erasure": "Fekk ikkje til å visa brukarsletting",
+ "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.": "Vis dei er like, trykk på godkjenn-knappen under. Viss dei ikkje gjer det, tjuvlyttar nokon på eininga og du bør sannsynlegvis trykkja på svartelisting-knappen i staden.",
+ "Send Custom Event": "Send Sjølvsett Hending",
+ "Failed to send custom event.": "Fekk ikkje til å senda sjølvsett hending.",
+ "State Key": "Tilstandsnykel",
+ "Filter results": "Filtrer resultat",
+ "Custom": "Sjølvsett",
+ "Failed to set Direct Message status of room": "Fekk ikkje til å setja Direktemelding-tilstanden til rommet",
+ "Did you know: you can use communities to filter your Riot.im experience!": "Visste du at: du kan bruka samfunn for å filtrera Riot.im-opplevinga di!",
+ "To set up a filter, drag a community avatar over to the filter panel on the far left hand side of the screen. You can click on an avatar in the filter panel at any time to see only the rooms and people associated with that community.": "For å setja opp eit filter, drag ein samfunnsavatar bort til filterpanelet til venstre på skjermen. Du kan klikka på ein avatar i filterpanelet når som helst for å sjå berre romma og folka tilknytta det samfunnet.",
+ "Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.": "Lag eit samfunn for å føra saman brukarar og rom! Bygg di eiga heimeside for å kreva din del av Matrix-verda.",
+ "Hide panel": "Gøym panel",
+ "Unable to look up room ID from server": "Klarte ikkje å henta rom-ID frå tenaren",
+ "Your message wasn’t sent because this homeserver has hit its Monthly Active User Limit. Please contact your service administrator to continue using the service.": "Meldinga di vart ikkje send fordi heimtenaren har truffe si Månadlege Grense for Aktive Brukarar. Ver venleg og tak kontakt med tenesteadministratoren din for å halda frama med å bruka tenesten.",
+ "Server may be unavailable, overloaded, or search timed out :(": "Tenaren er kanskje utilgjengeleg, overlasta, elles so vart søket tidsavbroten :(",
+ "Expand panel": "Utvid panel",
+ "Collapse panel": "Slå panel saman",
+ "Filter room names": "Filtrer romnamn",
+ "Clear filter": "Tøm filter",
+ "Autocomplete Delay (ms):": "Fullfør-av-seg-sjølv-Forseinking (ms):",
+ "Clear Cache": "Tøm Buffar",
+ "Clear Cache and Reload": "Tøm Buffar og Last inn att",
+ "Profile": "Brukar",
+ "Access Token:": "Tilgangs-Teikn:",
+ "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.": "Å attendestilla passordet vil førebels attendestilla alle ende-til-ende-krypteringsnyklar på alle einingar, slik at krypterte samtaler vert uleselege, med mindre du fyrst hentar romnyklane ut og hentar dei inn att etterpå. Dette vil forbetrast i framtida.",
+ "This homeserver has hit its Monthly Active User limit": "Heimtenaren har truffe den Månadlege Grensa si for Aktive Brukarar",
+ "This homeserver doesn't offer any login flows which are supported by this client.": "Heimtenaren tilbyd ingen nye innloggingsstraumar som støttast av denne klienten.",
+ "Claimed Ed25519 fingerprint key": "Gjorde krav på Ed25519-fingeravtrykksnykel",
+ "Export room keys": "Hent romnyklar ut",
+ "Bulk Options": "Innverknadsrike Innstillingar",
+ "Export": "Hent ut",
+ "Import room keys": "Hent romnyklar inn",
+ "File to import": "Fil til innhenting",
+ "Import": "Hent inn",
+ "Failed to set direct chat tag": "Fekk ikkje til å setja direktesamtale-merke",
+ "Failed to remove tag %(tagName)s from room": "Fekk ikkje til å fjerna merket %(tagName)s frå rommet",
+ "Failed to add tag %(tagName)s to room": "Fekk ikkje til å leggja merket %(tagName)s til i rommet",
+ "Hide read receipts": "Gøym lest-lappar",
+ "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.": "Av sikkerheitsmessige grunnar vil det å logga ut sletta alle ende-til-ende-krypteringsnyklar frå nettlesaren. Viss du vil kunna dekryptera samtalehistoria di på framtidige Riot-øykter, ver venleg og hent ut romnyklande dine og tak vare på dei.",
+ "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.": "Dette tillèt deg å henta nyklane for meldingar du har sendt i krypterte rom ut til ei lokal fil. Då kan du henta fila inn til ein annan Matrix-klient i framtida, slik at den klienten òg kan dekryptera meldingane.",
+ "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.": "Å henta filen ut tillèt kven som helst som kan lesa ho å dekryptera alle krypterte meldingar du kan sjå, so du bør passa på å halda ho trygg. For å hjelpa til med dette bør du skriva ei passetning inn i feltet under, som vil brukast til å kryptere den uthenta dataen. Det vil berre vera mogeleg å henta dataen inn med den same passetninga.",
+ "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.": "Dette tillèt deg å henta krypteringsnyklar som du tidlegare henta ut frå ein annan Matrix-klient inn. Du vil so kunna dekryptera alle meldingane som den andre klienten kunne dekryptera.",
+ "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Uthentingsfila vil verta verna med ei passetning. Du bør skriva passetninga inn her for å dekryptera fila.",
+ "Internal room ID: ": "Indre rom-ID: ",
+ "Room version number: ": "Romutgåvenummer: ",
+ "This homeserver has hit its Monthly Active User limit. Please contact your service administrator to continue using the service.": "Heimtenaren har truffe si Månadlege Grense for Aktive Brukarar. Ver venleg og tak kontakt med tenesteadministratoren din for å halda fram med å bruka tenesten.",
+ "This homeserver has hit its Monthly Active User limit so some users will not be able to log in. Please contact your service administrator to get this limit increased.": "Heimtenaren har truffe si Månadlege Grense for Aktive Brukarar, so nokre brukarar vil ikkje kunna logga inn. Ver venleg og tak kontakt med tenesteadministratoren din for å auka grensa.",
+ "There is a known vulnerability affecting this room.": "Ein kjend sårbarheit påverkar dette rommet.",
+ "This room version is vulnerable to malicious modification of room state.": "Denne romutgåva er sårbar til vondsinna endring på romtilstanden.",
+ "Only room administrators will see this warning": "Berre romadministratorar vil sjå denne åtvaringa",
+ "Please contact your service administrator to continue using the service.": "Ver venleg og tak kontakt med tenesteadministratoren for å halda fram med å bruka tenesten.",
+ "This homeserver has hit its Monthly Active User limit.": "Heimtenaren har truffe den Månadlege Grensa si for Aktive Brukarar.",
+ "This homeserver has exceeded one of its resource limits.": "Heimtenaren har gått over ei av ressursgrensene sine."
+}
diff --git a/src/i18n/strings/pl.json b/src/i18n/strings/pl.json
index d3dcb72f49..3bbc9b1d73 100644
--- a/src/i18n/strings/pl.json
+++ b/src/i18n/strings/pl.json
@@ -151,7 +151,7 @@
"Changes to who can read history will only apply to future messages in this room": "Zmiany w dostępie do historii będą dotyczyć tylko przyszłych wiadomości w tym pokoju",
"Changes your display nickname": "Zmień swój pseudonim",
"Changes colour scheme of current room": "Zmień schemat kolorystyczny bieżącego pokoju",
- "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.": "Zmiana hasła zresetuje klucze szyfrowania końcówka-do-końcówki na wszystkich urządzeniach, co spowoduje, że nie będzie się dało odczytać zaszyfrowanej historii czatu, chyba że najpierw wyeksportujesz swoje klucze i ponownie je zaimportujesz. W przyszłości będzie to poprawione.",
+ "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.": "Zmiana hasła zresetuje klucze szyfrowania end-to-end na wszystkich urządzeniach, co spowoduje, że nie będzie się dało odczytać zaszyfrowanej historii czatu, chyba że najpierw wyeksportujesz swoje klucze i ponownie je zaimportujesz. W przyszłości będzie to poprawione.",
"Claimed Ed25519 fingerprint key": "Zażądano odcisk klucza Ed25519",
"Clear Cache and Reload": "Wyczyść pamięć podręczną i przeładuj",
"Clear Cache": "Wyczyść pamięć podręczną",
@@ -215,8 +215,8 @@
"Encryption is enabled in this room": "Szyfrowanie jest włączone w tym pokoju",
"Encryption is not enabled in this room": "Szyfrowanie nie jest włączone w tym pokoju",
"%(senderName)s ended the call.": "%(senderName)s zakończył połączenie.",
- "End-to-end encryption information": "Informacje o szyfrowaniu końcówka-do-końcówki",
- "End-to-end encryption is in beta and may not be reliable": "Szyfrowanie końcówka-do-końcówki jest w fazie beta i może nie być dopracowane",
+ "End-to-end encryption information": "Informacje o szyfrowaniu end-to-end",
+ "End-to-end encryption is in beta and may not be reliable": "Szyfrowanie end-to-end jest w fazie beta i może nie być dopracowane",
"Enter Code": "Wpisz kod",
"Enter passphrase": "Wpisz frazę",
"Error decrypting attachment": "Błąd odszyfrowywania załącznika",
@@ -232,7 +232,6 @@
"Failed to kick": "Nie udało się wykopać użytkownika",
"Failed to leave room": "Nie udało się opuścić pokoju",
"Failed to load timeline position": "Nie udało się wczytać pozycji osi czasu",
- "Failed to lookup current room": "Nie udało się wyszukać aktualnego pokoju",
"Failed to mute user": "Nie udało się wyciszyć użytkownika",
"Failed to reject invite": "Nie udało się odrzucić zaproszenia",
"Failed to reject invitation": "Nie udało się odrzucić zaproszenia",
@@ -254,7 +253,7 @@
"Forget room": "Zapomnij pokój",
"Forgot your password?": "Zapomniałeś hasła?",
"For security, this session has been signed out. Please sign in again.": "Ze względów bezpieczeństwa ta sesja została wylogowana. Zaloguj się jeszcze raz.",
- "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.": "Ze względów bezpieczeństwa, wylogowanie skasuje z tej przeglądarki wszystkie klucze szyfrowania końcówka-do-końcówki. Jeśli chcesz móc odszyfrować swoje historie konwersacji z przyszłych sesji Riot-a, proszę wyeksportuj swoje klucze pokojów do bezpiecznego miejsca.",
+ "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.": "Ze względów bezpieczeństwa, wylogowanie skasuje z tej przeglądarki wszystkie klucze szyfrowania end-to-end. Jeśli chcesz móc odszyfrować swoje historie konwersacji z przyszłych sesji Riot-a, proszę wyeksportuj swoje klucze pokojów do bezpiecznego miejsca.",
"%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s z %(fromPowerLevel)s na %(toPowerLevel)s",
"Guest access is disabled on this Home Server.": "Dostęp dla gości jest wyłączony na tym serwerze.",
"Deops user with given id": "Usuwa prawa administratora użytkownikowi o danym ID",
@@ -303,7 +302,6 @@
"Publish this room to the public in %(domain)s's room directory?": "Czy opublikować ten pokój dla ogółu w spisie pokojów domeny %(domain)s?",
"Local addresses for this room:": "Lokalne adresy dla tego pokoju:",
"Logged in as:": "Zalogowany jako:",
- "Login as guest": "Zaloguj jako gość",
"Logout": "Wyloguj",
"Low priority": "Niski priorytet",
"%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s uczynił przyszłą historię pokoju widoczną dla wszyscy członkowie pokoju, od momentu ich zaproszenia.",
@@ -382,7 +380,7 @@
"Hide join/leave messages (invites/kicks/bans unaffected)": "Ukryj wiadomości o dołączeniu/opuszczeniu (nie obejmuje zaproszeń/wyrzuceń/banów)",
"Hide read receipts": "Ukryj potwierdzenia odczytu",
"Historical": "Historyczne",
- "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.": "Resetowanie hasła zresetuje klucze szyfrowania końcówka-do-końcówki na wszystkich urządzeniach, co spowoduje, że nie będzie się dało odczytać zaszyfrowanej historii czatu, chyba że najpierw wyeksportujesz swoje klucze i ponownie je zaimportujesz. W przyszłości będzie to poprawione.",
+ "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.": "Resetowanie hasła zresetuje klucze szyfrowania end-to-end na wszystkich urządzeniach, co spowoduje, że nie będzie się dało odczytać zaszyfrowanej historii czatu, chyba że najpierw wyeksportujesz swoje klucze i ponownie je zaimportujesz. W przyszłości będzie to poprawione.",
"Riot was not given permission to send notifications - please try again": "Riot nie otrzymał uprawnień do wysyłania powiadomień - proszę spróbuj ponownie",
"riot-web version:": "wersja riot-web:",
"Room %(roomId)s not visible": "Pokój %(roomId)s nie jest widoczny",
@@ -435,7 +433,6 @@
"The signing key you provided matches the signing key you received from %(userId)s's device %(deviceId)s. Device marked as verified.": "Podany klucz podpisu odpowiada kluczowi podpisania otrzymanemu z urządzenia %(userId)s %(deviceId)s. Urządzenie oznaczone jako zweryfikowane.",
"This email address is already in use": "Podany adres e-mail jest już w użyciu",
"This email address was not found": "Podany adres e-mail nie został znaleziony",
- "Must be viewing a room": "Musi być w trakcie wyświetlania pokoju",
"The email address linked to your account must be entered.": "Musisz wpisać adres e-mail połączony z twoim kontem.",
"The file '%(fileName)s' exceeds this home server's size limit for uploads": "Rozmiar pliku '%(fileName)s' przekracza możliwy limit do przesłania na serwer domowy",
"The file '%(fileName)s' failed to upload": "Przesyłanie pliku '%(fileName)s' nie powiodło się",
@@ -653,7 +650,7 @@
"Automatically replace plain text Emoji": "Automatycznie zastępuj tekstowe emotikony",
"Failed to upload image": "Przesyłanie obrazka nie powiodło się",
"%(count)s new messages|one": "%(count)s nowa wiadomość",
- "%(count)s new messages|other": "%(count)s nowe wiadomości",
+ "%(count)s new messages|other": "%(count)s nowych wiadomości",
"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.": "Zalecamy Ci przejście przez proces weryfikacyjny dla każdego urządzenia aby potwierdzić, że należy ono do ich prawdziwego właściciela. Możesz jednak wysłać tę wiadomość bez potwierdzania.",
"Unblacklist": "Usuń z czarnej listy",
"Blacklist": "Dodaj do czarnej listy",
@@ -755,9 +752,9 @@
"Unnamed room": "Pokój bez nazwy",
"Guests can join": "Goście mogą dołączyć",
"Remove avatar": "Usuń awatar",
- "Drop here to favourite": "Upuść to aby dodać do ulubionych",
- "Drop here to restore": "Upuść tu aby przywrócić",
- "Drop here to demote": "Upuść tu aby zdegradować",
+ "Drop here to favourite": "Upuść tutaj aby dodać do ulubionych",
+ "Drop here to restore": "Upuść tutaj aby przywrócić",
+ "Drop here to demote": "Upuść tutaj aby zdegradować",
"You have been kicked from this room by %(userName)s.": "Zostałeś usunięty z tego pokoju przez %(userName)s.",
"You have been banned from this room by %(userName)s.": "Zostałeś zbanowany z tego pokoju przez %(userName)s.",
"You are trying to access a room.": "Próbujesz uzyskać dostęp do pokoju.",
@@ -901,7 +898,6 @@
"Unable to fetch notification target list": "Nie można pobrać listy docelowej dla powiadomień",
"Set Password": "Ustaw hasło",
"Enable audible notifications in web client": "Włącz dźwiękowe powiadomienia w kliencie internetowym",
- "Permalink": "Odnośnik bezpośredni",
"Off": "Wyłącz",
"Riot does not know how to join a room on this network": "Riot nie wie, jak dołączyć do pokoju w tej sieci",
"Mentions only": "Tylko, gdy wymienieni",
@@ -922,5 +918,233 @@
"Collapse panel": "Ukryj panel",
"With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "Z Twoją obecną przeglądarką, wygląd oraz wrażenia z używania aplikacji mogą być niepoprawne, a niektóre funkcje wcale nie działać. Kontynuuj jeśli chcesz spróbować, jednak trudno będzie pomóc w przypadku błędów, które mogą nastąpić!",
"Checking for an update...": "Sprawdzanie aktualizacji...",
- "There are advanced notifications which are not shown here": "Masz zaawansowane powiadomienia, nie pokazane tutaj"
+ "There are advanced notifications which are not shown here": "Masz zaawansowane powiadomienia, nie pokazane tutaj",
+ "e.g. %(exampleValue)s": "np. %(exampleValue)s",
+ "Always show encryption icons": "Zawsze wyświetlaj ikony szyfrowania",
+ "Send analytics data": "Wysyłaj dane analityczne",
+ "%(duration)ss": "%(duration)ss",
+ "%(duration)sm": "%(duration)sm",
+ "%(duration)sh": "%(duration)sg",
+ "%(duration)sd": "%(duration)sd",
+ "%(user)s is a %(userRole)s": "%(user)s ma rolę %(userRole)s",
+ "Members only (since the point in time of selecting this option)": "Tylko członkowie (od momentu włączenia tej opcji)",
+ "Members only (since they were invited)": "Tylko członkowie (od kiedy zostali zaproszeni)",
+ "Members only (since they joined)": "Tylko członkowie (od kiedy dołączyli)",
+ "Copied!": "Skopiowano!",
+ "Failed to copy": "Kopiowanie nieudane",
+ "Message removed by %(userId)s": "Wiadomość usunięta przez %(userId)s",
+ "Message removed": "Wiadomość usunięta",
+ "An email has been sent to %(emailAddress)s": "Email został wysłany do %(emailAddress)s",
+ "A text message has been sent to %(msisdn)s": "Wysłano wiadomość tekstową do %(msisdn)s",
+ "Code": "Kod",
+ "Please help improve Riot.im by sending anonymous usage data . This will use a cookie (please see our Cookie Policy ).": "Pomóż nam ulepszyć Riot.im wysyłając anonimowe dane analityczne . Spowoduje to użycie pliku cookie (zobacz naszą Politykę plików cookie ).",
+ "Please help improve Riot.im by sending anonymous usage data . This will use a cookie.": "Pomóż nam ulepszyć Riot.im wysyłając anonimowe dane analityczne . Spowoduje to użycie pliku cookie.",
+ "Yes, I want to help!": "Tak, chcę pomóc!",
+ "Warning: This widget might use cookies.": "Uwaga: Ten widżet może używać ciasteczek.",
+ "Delete Widget": "Usuń widżet",
+ "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Usunięcie widżetu usuwa go dla wszystkich użytkowników w tym pokoju. Czy na pewno chcesz usunąć ten widżet?",
+ "Communities": "Społeczności",
+ "%(nameList)s %(transitionList)s": "%(nameList)s %(transitionList)s",
+ "collapse": "Zwiń",
+ "expand": "Rozwiń",
+ "Custom of %(powerLevel)s": "Poziom niestandardowy %(powerLevel)s",
+ "In reply to ": "W odpowiedzi do ",
+ "Matrix ID": "Matrix ID",
+ "email address": "adres e-mail",
+ "example": "przykład",
+ "Advanced options": "Opcje zaawansowane",
+ "To continue, please enter your password:": "Aby kontynuować, proszę wprowadzić swoje hasło:",
+ "password": "hasło",
+ "Refresh": "Odśwież",
+ "Which officially provided instance you are using, if any": "Jakiej oficjalnej instancji używasz, jeżeli w ogóle",
+ "Every page you use in the app": "Każda strona, której używasz w aplikacji",
+ "e.g. ": "np. ",
+ "Your User Agent": "Identyfikator Twojej przeglądarki",
+ "Your device resolution": "Twoja rozdzielczość ekranu",
+ "Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "Dane identyfikujące, takie jak: pokój, identyfikator użytkownika lub grupy, są usuwane przed wysłaniem na serwer.",
+ "Who would you like to add to this community?": "Kogo chcesz dodać do tej społeczności?",
+ "Missing roomId.": "Brak identyfikatora pokoju (roomId).",
+ "Ignores a user, hiding their messages from you": "Ignoruje użytkownika ukrywając jego wiadomości przed Tobą",
+ "Stops ignoring a user, showing their messages going forward": "Przestaje ignorować użytkownika, zaczynaj pokazywać jego wiadomości od tego momentu",
+ "Opens the Developer Tools dialog": "Otwiera narzędzia deweloperskie",
+ "Encrypting": "Szyfrowanie",
+ "Encrypted, not sent": "Zaszyfrowane, nie wysłane",
+ "Disinvite this user?": "Anulować zaproszenie tego użytkownika?",
+ "Unignore": "Przestań ignorować",
+ "Jump to read receipt": "Przeskocz do potwierdzenia odczytu",
+ "Share Link to User": "Udostępnij link do użytkownika",
+ "At this time it is not possible to reply with a file so this will be sent without being a reply.": "W tej chwili nie można odpowiedzieć plikiem, więc zostanie wysłany nie będąc odpowiedzią.",
+ "Unable to reply": "Nie udało się odpowiedzieć",
+ "At this time it is not possible to reply with an emote.": "W tej chwili nie można odpowiedzieć emotikoną.",
+ "Replying": "Odpowiadanie",
+ "Share room": "Udostępnij pokój",
+ "Drop here to tag direct chat": "Upuść tutaj aby oznaczyć jako rozmowę bezpośrednią",
+ "Community Invites": "Zaproszenia do społeczności",
+ "To change the room's history visibility, you must be a": "Aby zmienić widoczność historii pokoju, musisz być",
+ "To change the permissions in the room, you must be a": "Aby zmienić uprawnienia pokoju, musisz być",
+ "To change the topic, you must be a": "Aby zmienić temat, musisz być",
+ "To modify widgets in the room, you must be a": "Aby modyfikować widżety w tym pokoju, musisz być",
+ "Banned by %(displayName)s": "Zbanowany przez %(displayName)s",
+ "To send messages, you must be a": "Aby wysyłać wiadomości, musisz być",
+ "To invite users into the room, you must be a": "Aby zapraszać użytkowników do pokoju, musisz być",
+ "To configure the room, you must be a": "Aby konfigurować pokój, musisz być",
+ "To kick users, you must be a": "Aby wyrzucać użytkowników, musisz być",
+ "To ban users, you must be a": "Aby blokować użytkowników, musisz być",
+ "To remove other users' messages, you must be a": "Aby usuwać wiadomości innych użytkowników, musisz być",
+ "To notify everyone in the room, you must be a": "Aby powiadamiać wszystkich w pokoju, musisz być",
+ "Muted Users": "Wyciszeni użytkownicy",
+ "To send events of type , you must be a": "Aby wysyłać zdarzenia typu , musisz być",
+ "Addresses": "Adresy",
+ "Invalid community ID": "Błędne ID społeczności",
+ "'%(groupId)s' is not a valid community ID": "'%(groupId)s' nie jest poprawnym ID społeczności",
+ "New community ID (e.g. +foo:%(localDomain)s)": "Nowe ID społeczności (np. +bla:%(localDomain)s)",
+ "URL previews are enabled by default for participants in this room.": "Podglądy linków są domyślnie włączone dla uczestników tego pokoju.",
+ "URL previews are disabled by default for participants in this room.": "Podglądy linków są domyślnie wyłączone dla uczestników tego pokoju.",
+ "Username on %(hs)s": "Nazwa użytkownika na %(hs)s",
+ "Remove from community": "Usuń ze społeczności",
+ "Disinvite this user from community?": "Anulować zaproszenie tego użytkownika ze społeczności?",
+ "Remove this user from community?": "Usunąć tego użytkownika ze społeczności?",
+ "Failed to withdraw invitation": "Nie udało się wycofać zaproszenia",
+ "Failed to remove user from community": "Nie udało się usunąć użytkownika ze społeczności",
+ "Filter community members": "Filtruj członków społeczności",
+ "Are you sure you want to remove '%(roomName)s' from %(groupId)s?": "Czy na pewno chcesz usunąć '%(roomName)s' z %(groupId)s?",
+ "Removing a room from the community will also remove it from the community page.": "Usunięcie pokoju ze społeczności spowoduje także jego usunięcie ze strony społeczności.",
+ "Failed to remove room from community": "Nie udało się usunąć pokoju ze społeczności",
+ "Failed to remove '%(roomName)s' from %(groupId)s": "Nie udało się usunąć '%(roomName)s' z %(groupId)s",
+ "The visibility of '%(roomName)s' in %(groupId)s could not be updated.": "Widoczność '%(roomName)s' w %(groupId)s nie może być zaktualizowana.",
+ "Visibility in Room List": "Widoczność na liście pokojów",
+ "Visible to everyone": "Widoczny dla wszystkich",
+ "Only visible to community members": "Widoczny tylko dla członków społeczności",
+ "Filter community rooms": "Filtruj pokoje społeczności",
+ "Something went wrong when trying to get your communities.": "Coś poszło nie tak podczas pobierania Twoich społeczności.",
+ "You're not currently a member of any communities.": "Nie jesteś obecnie członkiem żadnej społeczności.",
+ "Minimize apps": "Zminimalizuj aplikacje",
+ "Reload widget": "Przeładuj widżet",
+ "Picture": "Zdjęcie",
+ "Matrix Room ID": "ID pokoju Matrix",
+ "You have entered an invalid address.": "Podałeś nieprawidłowy adres.",
+ "Try using one of the following valid address types: %(validTypesList)s.": "Spróbuj użyć jednego z następujących poprawnych typów adresów: %(validTypesList)s.",
+ "Riot bugs are tracked on GitHub: create a GitHub issue .": "Błędy Riot śledzone są na GitHubie: utwórz nowe zgłoszenie .",
+ "Community IDs cannot be empty.": "ID społeczności nie może być puste.",
+ "Community IDs may only contain characters a-z, 0-9, or '=_-./'": "ID społeczności może zawierać tylko znaki a-z, 0-9 lub '=_-./'",
+ "Something went wrong whilst creating your community": "Coś poszło nie tak podczas tworzenia Twojej społeczności",
+ "Create Community": "Utwórz społeczność",
+ "Community Name": "Nazwa społeczności",
+ "Community ID": "ID społeczności",
+ "Block users on other matrix homeservers from joining this room": "Blokuj użytkowników z innych serwerów Matrix przed dołączaniem do tego pokoju",
+ "This setting cannot be changed later!": "Tego ustawienia nie można zmienić później!",
+ "This will make your account permanently unusable. You will not be able to log in, and no one will be able to re-register the same user ID. This will cause your account to leave all rooms it is participating in, and it will remove your account details from your identity server. This action is irreversible. ": "To sprawi, że Twoje konto stanie się na stałe niezdatne do użytku. Nie będziesz mógł się zalogować i nikt nie będzie mógł ponownie zarejestrować tego samego identyfikatora użytkownika. Spowoduje to, że Twoje konto opuści wszystkie pokoje, w których uczestniczy, i usunie dane Twojego konta z serwera tożsamości. Ta czynność jest nieodwracalna. ",
+ "Deactivating your account does not by default cause us to forget messages you have sent. If you would like us to forget your messages, please tick the box below.": "Dezaktywacja konta domyślnie nie powoduje, że skasowania wysłanych wiadomości. Jeśli chcesz, abyśmy zapomnieli o Twoich wiadomościach, zaznacz pole poniżej.",
+ "Message visibility in Matrix is similar to email. Our forgetting your messages means that messages you have sent will not be shared with any new or unregistered users, but registered users who already have access to these messages will still have access to their copy.": "Widoczność wiadomości w Matrix jest podobna do wiadomości e-mail. Nasze zapomnienie wiadomości oznacza, że wysłane wiadomości nie będą udostępniane żadnym nowym lub niezarejestrowanym użytkownikom, ale zarejestrowani użytkownicy, którzy już mają dostęp do tych wiadomości, nadal będą mieli dostęp do ich kopii.",
+ "Please forget all messages I have sent when my account is deactivated (Warning: this will cause future users to see an incomplete view of conversations)": "Proszę zapomnieć o wszystkich wiadomościach, które wysłałem, gdy moje konto jest wyłączone (Ostrzeżenie: spowoduje to, że przyszli użytkownicy zobaczą niepełny obraz rozmów)",
+ "Log out and remove encryption keys?": "Wylogować i usunąć klucze szyfrujące?",
+ "Clear Storage and Sign Out": "Wyczyść pamięć i wyloguj się",
+ "Send Logs": "Wyślij dzienniki",
+ "We encountered an error trying to restore your previous session.": "Napotkaliśmy błąd podczas przywracania poprzedniej sesji.",
+ "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Wyczyszczenie pamięci przeglądarki może rozwiązać problem, ale wyloguje Cię i spowoduje, że jakakolwiek zaszyfrowana historia czatu stanie się nieczytelna.",
+ "Share Room": "Udostępnij pokój",
+ "Link to most recent message": "Link do najnowszej wiadomości",
+ "Share User": "Udostępnij użytkownika",
+ "Share Community": "Udostępnij Społeczność",
+ "Share Room Message": "Udostępnij wiadomość w pokoju",
+ "Link to selected message": "Link do zaznaczonej wiadomości",
+ "COPY": "KOPIUJ",
+ "Unable to reject invite": "Nie udało się odrzucić zaproszenia",
+ "Share Message": "Udostępnij wiadomość",
+ "Collapse Reply Thread": "Zwiń wątek odpowiedzi",
+ "HTML for your community's page \n\n Use the long description to introduce new members to the community, or distribute\n some important links \n
\n\n You can even use 'img' tags\n
\n": "Strona HTML dla Twojej Społeczności \n\n Skorzystaj z długiego opisu aby wprowadzić nowych członków do Społeczności lub rozpowszechnić ważne linki .\n
\n\n Możesz nawet używać tagów 'img'.\n
\n",
+ "Add rooms to the community summary": "Dodaj pokoje do podsumowania Społeczności",
+ "Which rooms would you like to add to this summary?": "Które pokoje chcesz dodać do tego podsumowania?",
+ "Add to summary": "Dodaj do podsumowania",
+ "Failed to add the following rooms to the summary of %(groupId)s:": "Nie udało się dodać następujących pokojów do podsumowania %(groupId)s:",
+ "Add a Room": "Dodaj pokój",
+ "Failed to remove the room from the summary of %(groupId)s": "Nie udało się usunąć pokoju z podsumowania %(groupId)s",
+ "The room '%(roomName)s' could not be removed from the summary.": "Pokój '%(roomName)s' nie mógł być usunięty z podsumowania.",
+ "Add users to the community summary": "Dodaj użytkowników do podsumowania Społeczności",
+ "Who would you like to add to this summary?": "Kogo chcesz dodać do tego podsumowania?",
+ "Failed to add the following users to the summary of %(groupId)s:": "Nie udało się dodać następujących użytkowników do podsumowania %(groupId)s:",
+ "Add a User": "Dodaj użytkownika",
+ "Failed to remove a user from the summary of %(groupId)s": "Nie udało się usunąć użytkownika z podsumowania %(groupId)s",
+ "The user '%(displayName)s' could not be removed from the summary.": "Użytkownik '%(displayName)s' nie mógł być usunięty z podsumowania.",
+ "Failed to update community": "Nie udało się zaktualizować Społeczności",
+ "Unable to accept invite": "Nie udało się zaakceptować zaproszenia",
+ "Unable to join community": "Nie udało się dołączyć do Społeczności",
+ "Leave Community": "Opuść Społeczność",
+ "Leave %(groupName)s?": "Opuścić %(groupName)s?",
+ "Unable to leave community": "Nie udało się opuścić Społeczności",
+ "Community Settings": "Ustawienia Społeczności",
+ "Changes made to your community name and avatar might not be seen by other users for up to 30 minutes.": "Zmiany nazwy oraz awataru Twojej Społeczności mogą nie być widoczne przez innych użytkowników nawet przez 30 minut.",
+ "These rooms are displayed to community members on the community page. Community members can join the rooms by clicking on them.": "Te pokoje są wyświetlane członkom społeczności na stronie społeczności. Członkowie społeczności mogą dołączyć do pokoi, klikając je.",
+ "%(inviter)s has invited you to join this community": "%(inviter)s zaprosił Cię do przyłączenia się do tej Społeczności",
+ "Join this community": "Dołącz do tej Społeczności",
+ "Leave this community": "Opuść tę Społeczność",
+ "You are an administrator of this community": "Jesteś administratorem tej Społeczności",
+ "You are a member of this community": "Jesteś członkiem tej społeczności",
+ "Who can join this community?": "Kto może dołączyć do tej Społeczności?",
+ "Everyone": "Każdy",
+ "Your community hasn't got a Long Description, a HTML page to show to community members. Click here to open settings and give it one!": "Twoja Społeczność nie ma długiego opisu, strony HTML, która będzie wyświetlana członkom społeczności. Kliknij tutaj, aby otworzyć ustawienia i nadać jej jakąś!",
+ "Long Description (HTML)": "Długi opis (HTML)",
+ "Description": "Opis",
+ "Community %(groupId)s not found": "Społeczność %(groupId)s nie znaleziona",
+ "This Home server does not support communities": "Ten serwer domowy nie wspiera Społeczności",
+ "Failed to load %(groupId)s": "Nie udało się załadować %(groupId)s",
+ "This room is not public. You will not be able to rejoin without an invite.": "Ten pokój nie jest publiczny. Nie będziesz w stanie do niego dołączyć bez zaproszenia.",
+ "Can't leave Server Notices room": "Nie można opuścić pokoju powiadomień serwera",
+ "This room is used for important messages from the Homeserver, so you cannot leave it.": "Ten pokój jest używany do ważnych wiadomości z serwera domowego, więc nie możesz go opuścić.",
+ "Terms and Conditions": "Warunki użytkowania",
+ "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Aby kontynuować używanie serwera domowego %(homeserverDomain)s musisz przejrzeć i zaakceptować nasze warunki użytkowania.",
+ "Review terms and conditions": "Przejrzyj warunki użytkowania",
+ "Old cryptography data detected": "Wykryto stare dane kryptograficzne",
+ "Data from an older version of Riot has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Dane ze starszej wersji Riot zostały wykryte. Spowoduje to błędne działanie kryptografii typu end-to-end w starszej wersji. Wiadomości szyfrowane end-to-end wymieniane ostatnio podczas korzystania ze starszej wersji mogą być niemożliwe do odszyfrowywane w tej wersji. Może to również spowodować niepowodzenie wiadomości wymienianych z tą wersją. Jeśli wystąpią problemy, wyloguj się i zaloguj ponownie. Aby zachować historię wiadomości, wyeksportuj i ponownie zaimportuj klucze.",
+ "Your Communities": "Twoje Społeczności",
+ "Did you know: you can use communities to filter your Riot.im experience!": "Czy wiesz, że: możesz używać Społeczności do filtrowania swoich doświadczeń z Riot.im!",
+ "To set up a filter, drag a community avatar over to the filter panel on the far left hand side of the screen. You can click on an avatar in the filter panel at any time to see only the rooms and people associated with that community.": "Aby ustawić filtr, przeciągnij awatar Społeczności do panelu filtra po lewej stronie ekranu. Możesz kliknąć awatar w panelu filtra w dowolnym momencie, aby zobaczyć tylko pokoje i osoby powiązane z tą społecznością.",
+ "Error whilst fetching joined communities": "Błąd podczas pobierania dołączonych społeczności",
+ "Create a new community": "Utwórz nową Społeczność",
+ "Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.": "Utwórz Społeczność, aby grupować użytkowników i pokoje! Zbuduj niestandardową stronę główną, aby zaznaczyć swoją przestrzeń we wszechświecie Matrix.",
+ "Show devices , send anyway or cancel .": "Pokaż urządzenia , wyślij mimo to lub anuluj .",
+ "%(count)s of your messages have not been sent.|one": "Twoja wiadomość nie została wysłana.",
+ "There's no one else here! Would you like to invite others or stop warning about the empty room ?": "Nikogo tu nie ma! Czy chcesz zaprosić inne osoby lub przestać ostrzegać o pustym pokoju ?",
+ "Clear filter": "Wyczyść filtr",
+ "Light theme": "Jasny motyw",
+ "Dark theme": "Ciemny motyw",
+ "Status.im theme": "Motyw Status.im",
+ "Ignored Users": "Ignorowani użytkownicy",
+ "Debug Logs Submission": "Wysyłanie dzienników błędów",
+ "If you've submitted a bug via GitHub, debug logs can help us track down the problem. Debug logs contain application usage data including your username, the IDs or aliases of the rooms or groups you have visited and the usernames of other users. They do not contain messages.": "Jeśli zgłosiłeś błąd za pośrednictwem GitHuba, dzienniki błędów mogą nam pomóc wyśledzić problem. Dzienniki błędów zawierają dane o użytkowaniu aplikacji, w tym nazwę użytkownika, identyfikatory lub aliasy odwiedzonych pomieszczeń lub grup oraz nazwy użytkowników innych użytkowników. Nie zawierają wiadomości.",
+ "Privacy is important to us, so we don't collect any personal or identifiable data for our analytics.": "Prywatność jest dla nas ważna, dlatego nie gromadzimy żadnych danych osobowych ani danych identyfikujących w naszych analizach.",
+ "Learn more about how we use analytics.": "Dowiedz się więcej co analizujemy.",
+ "No Audio Outputs detected": "Nie wykryto wyjść audio",
+ "Audio Output": "Wyjście audio",
+ "An email has been sent to %(emailAddress)s. Once you've followed the link it contains, click below.": "E-mail został wysłany na adres %(emailAddress)s. Gdy otworzysz link, który zawiera, kliknij poniżej.",
+ "Please note you are logging into the %(hs)s server, not matrix.org.": "Zauważ proszę, że logujesz się na serwer %(hs)s, nie matrix.org.",
+ "This homeserver doesn't offer any login flows which are supported by this client.": "Ten serwer domowy nie oferuje żadnych trybów logowania wspieranych przez Twojego klienta.",
+ "Try the app first": "Najpierw wypróbuj aplikację",
+ "Sign in to get started": "Zaloguj się, aby rozpocząć",
+ "Notify the whole room": "Powiadom cały pokój",
+ "Room Notification": "Powiadomienia pokoju",
+ "Call Anyway": "Zadzwoń mimo to",
+ "Answer Anyway": "Odpowiedz mimo to",
+ "Demote yourself?": "Zdegradować siebie?",
+ "Demote": "Zdegraduj",
+ "Hide Stickers": "Ukryj Naklejki",
+ "Show Stickers": "Pokaż Naklejki",
+ "The email field must not be blank.": "Pole email nie może być puste.",
+ "The user name field must not be blank.": "Pole nazwy użytkownika nie może być puste.",
+ "The phone number field must not be blank.": "Pole numeru telefonu nie może być puste.",
+ "The password field must not be blank.": "Pole hasła nie może być puste.",
+ "Call Failed": "Nieudane połączenie",
+ "You have no historical rooms": "Nie masz żadnych historycznych pokoi",
+ "Flair": "Wyróżnik społeczności",
+ "Showing flair for these communities:": "Wyświetlanie wyróżników dla tych społeczności:",
+ "This room is not showing flair for any communities": "Ten pokój nie wyświetla wyróżników dla żadnych społeczności",
+ "Flair will appear if enabled in room settings": "Wyróżnik pojawi się, jeśli został włączony w ustawieniach pokoju",
+ "Flair will not appear": "Wyróżnik nie wyświetli się",
+ "%(severalUsers)sjoined %(count)s times|one": "%(severalUsers)sdołączył",
+ "%(count)s Resend all or cancel all now. You can also select individual messages to resend or cancel.|one": "Wyślij ponownie wiadomość lub anuluj wiadomość .",
+ "was invited %(count)s times|other": "został zaproszony %(count)s razy",
+ "was invited %(count)s times|one": "został zaproszony",
+ "was banned %(count)s times|one": "został zablokowany",
+ "was kicked %(count)s times|one": "został wyrzucony",
+ "Whether or not you're using the Richtext mode of the Rich Text Editor": ""
}
diff --git a/src/i18n/strings/pt.json b/src/i18n/strings/pt.json
index d165c6c057..7cc80cfc78 100644
--- a/src/i18n/strings/pt.json
+++ b/src/i18n/strings/pt.json
@@ -83,7 +83,6 @@
"Kicks user with given id": "Remove usuário com o identificador informado",
"Labs": "Laboratório",
"Leave room": "Sair da sala",
- "Login as guest": "Entrar como visitante",
"Logout": "Sair",
"Low priority": "Baixa prioridade",
"Manage Integrations": "Gerenciar integrações",
@@ -217,7 +216,6 @@
"Drop here to tag %(section)s": "Arraste aqui para marcar como %(section)s",
"%(senderName)s ended the call.": "%(senderName)s finalizou a chamada.",
"Existing Call": "Chamada em andamento",
- "Failed to lookup current room": "Não foi possível buscar na sala atual",
"Failed to send email": "Falha ao enviar email",
"Failed to send request.": "Não foi possível mandar requisição.",
"Failed to set up conference call": "Não foi possível montar a chamada de conferência",
@@ -236,7 +234,6 @@
"%(senderName)s made future room history visible to unknown (%(visibility)s).": "%(senderName)s deixou o histórico futuro da sala visível para desconhecido (%(visibility)s).",
"Missing room_id in request": "Faltou o id da sala na requisição",
"Missing user_id in request": "Faltou o id de usuário na requisição",
- "Must be viewing a room": "Tem que estar visualizando uma sala",
"(not supported by this browser)": "(não é compatível com este navegador)",
"%(senderName)s placed a %(callType)s call.": "%(senderName)s fez uma chamada de %(callType)s.",
"Power level must be positive integer.": "O nível de permissões tem que ser um número inteiro e positivo.",
@@ -826,7 +823,6 @@
"Unable to fetch notification target list": "Não foi possível obter a lista de alvos de notificação",
"Set Password": "Definir palavra-passe",
"Enable audible notifications in web client": "Ativar notificações de áudio no cliente web",
- "Permalink": "Link permanente",
"Off": "Desativado",
"Riot does not know how to join a room on this network": "O Riot não sabe como entrar numa sala nesta rede",
"Mentions only": "Apenas menções",
diff --git a/src/i18n/strings/pt_BR.json b/src/i18n/strings/pt_BR.json
index 0a4d847805..08ad8a4bd5 100644
--- a/src/i18n/strings/pt_BR.json
+++ b/src/i18n/strings/pt_BR.json
@@ -83,7 +83,6 @@
"Kicks user with given id": "Remove usuário com o identificador informado",
"Labs": "Laboratório",
"Leave room": "Sair da sala",
- "Login as guest": "Entrar como visitante",
"Logout": "Sair",
"Low priority": "Baixa prioridade",
"Manage Integrations": "Gerenciar integrações",
@@ -217,7 +216,6 @@
"Drop here to tag %(section)s": "Arraste aqui para marcar como %(section)s",
"%(senderName)s ended the call.": "%(senderName)s finalizou a chamada.",
"Existing Call": "Chamada em andamento",
- "Failed to lookup current room": "Não foi possível buscar na sala atual",
"Failed to send email": "Não foi possível enviar email",
"Failed to send request.": "Não foi possível mandar requisição.",
"Failed to set up conference call": "Não foi possível montar a chamada de conferência",
@@ -236,7 +234,6 @@
"%(senderName)s made future room history visible to unknown (%(visibility)s).": "%(senderName)s deixou o histórico futuro da sala visível para desconhecido (%(visibility)s).",
"Missing room_id in request": "Faltou o id da sala na requisição",
"Missing user_id in request": "Faltou o id de usuário na requisição",
- "Must be viewing a room": "Tem que estar visualizando uma sala",
"(not supported by this browser)": "(não é compatível com este navegador)",
"%(senderName)s placed a %(callType)s call.": "%(senderName)s fez uma chamada de %(callType)s.",
"Power level must be positive integer.": "O nível de permissões tem que ser um número inteiro e positivo.",
@@ -684,9 +681,7 @@
"%(names)s and %(count)s others are typing|other": "%(names)s e %(count)s outras pessoas estão escrevendo",
"%(names)s and %(count)s others are typing|one": "%(names)s e uma outra pessoa estão escrevendo",
"Send": "Enviar",
- "Message Replies": "Respostas",
"Message Pinning": "Fixar mensagem",
- "Tag Panel": "Painel de tags",
"Disable Emoji suggestions while typing": "Desativar sugestões de emojis enquanto estiver escrevendo",
"Hide join/leave messages (invites/kicks/bans unaffected)": "Ocultar mensagens de entrada e de saída (não afeta convites, expulsões e banimentos)",
"Hide avatar changes": "Ocultar alterações da imagem de perfil",
@@ -878,7 +873,7 @@
"email address": "endereço de e-mail",
"Try using one of the following valid address types: %(validTypesList)s.": "Tente usar um dos seguintes tipos de endereço válidos: %(validTypesList)s.",
"You have entered an invalid address.": "Você entrou com um endereço inválido.",
- "Community IDs cannot not be empty.": "IDs de comunidades não podem estar em branco.",
+ "Community IDs cannot be empty.": "IDs de comunidades não podem estar em branco.",
"Community IDs may only contain characters a-z, 0-9, or '=_-./'": "IDs de comunidade podem apenas ter os seguintes caracteres: a-z, 0-9, ou '=_-./'",
"Something went wrong whilst creating your community": "Algo deu errado ao criar sua comunidade",
"Create Community": "Criar comunidade",
@@ -933,8 +928,6 @@
"Error whilst fetching joined communities": "Erro baixando comunidades das quais você faz parte",
"Create a new community": "Criar nova comunidade",
"Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.": "Crie uma comunidade para agrupar em um mesmo local pessoas e salas! Monte uma página inicial personalizada para dar uma identidade ao seu espaço no universo Matrix.",
- "Join an existing community": "Entrar numa comunidade existente",
- "To join an existing community you'll have to know its community identifier; this will look something like +example:matrix.org .": "Para entrar em uma comunidade, você terá que conhecer o seu ID; um ID de comunidade normalmente tem este formato: +exemplo:matrix.org .",
"Show devices , send anyway or cancel .": "Exibir dispositivos , enviar assim mesmo ou cancelar .",
"%(count)s of your messages have not been sent.|one": "Sua mensagem não foi enviada.",
"%(count)s Resend all or cancel all now. You can also select individual messages to resend or cancel.|other": "Reenviar todas ou cancelar todas agora. Você também pode selecionar mensagens individualmente a serem reenviadas ou canceladas.",
@@ -1101,7 +1094,6 @@
"Unable to fetch notification target list": "Não foi possível obter a lista de alvos de notificação",
"Set Password": "Definir senha",
"Enable audible notifications in web client": "Ativar notificações de áudio no cliente web",
- "Permalink": "Link permanente",
"Off": "Desativado",
"Riot does not know how to join a room on this network": "O sistema não sabe como entrar na sala desta rede",
"Mentions only": "Apenas menções",
diff --git a/src/i18n/strings/ru.json b/src/i18n/strings/ru.json
index e2529ed1bc..25e0d0b78d 100644
--- a/src/i18n/strings/ru.json
+++ b/src/i18n/strings/ru.json
@@ -75,7 +75,6 @@
"Kicks user with given id": "Выкидывает пользователя с заданным ID",
"Labs": "Лаборатория",
"Leave room": "Покинуть комнату",
- "Login as guest": "Войти как гость",
"Logout": "Выйти",
"Low priority": "Неважные",
"Manage Integrations": "Управление интеграциями",
@@ -156,7 +155,6 @@
"Drop here to tag %(section)s": "Перетащите сюда, чтобы пометить как %(section)s",
"%(senderName)s ended the call.": "%(senderName)s завершил(а) звонок.",
"Existing Call": "Текущий вызов",
- "Failed to lookup current room": "Не удалось найти текущую комнату",
"Failed to send request.": "Не удалось отправить запрос.",
"Failed to set up conference call": "Не удалось сделать конференц-звонок",
"Failed to verify email address: make sure you clicked the link in the email": "Не удалось проверить email: убедитесь, что вы перешли по ссылке в письме",
@@ -175,7 +173,6 @@
"%(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": "Вы должны просматривать комнату",
"(not supported by this browser)": "(не поддерживается этим браузером)",
"Connectivity to the server has been lost.": "Связь с сервером потеряна.",
"Sent messages will be stored until your connection has returned.": "Отправленные сообщения будут сохранены, пока соединение не восстановится.",
@@ -788,8 +785,6 @@
"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 +example:matrix.org .": "Чтобы присоединиться к существующему сообществу, вам нужно знать его ID; это будет выглядеть примерно так+primer:matrix.org .",
"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…",
@@ -866,7 +861,7 @@
"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 restore": "Перетащите сюда, чтобы вернуть",
"Drop here to demote": "Перетащите сюда, чтобы понизить",
"Community Invites": "Приглашения в сообщества",
"Notify the whole room": "Уведомить всю комнату",
@@ -909,7 +904,6 @@
"Unknown for %(duration)s": "Неизвестно %(duration)s",
"There's no one else here! Would you like to invite others or stop warning about the empty room ?": "Здесь никого нет! Хотите пригласить кого-нибудь или выключить предупреждение о пустой комнате ?",
"Something went wrong when trying to get your communities.": "Что-то пошло не так при попытке получить список ваших сообществ.",
- "Tag Panel": "Панель тегов",
"Delete %(count)s devices|other": "Удалить (%(count)s)",
"Delete %(count)s devices|one": "Удалить",
"Select devices": "Выбрать",
@@ -938,7 +932,6 @@
"%(count)s of your messages have not been sent.|one": "Ваше сообщение не было отправлено.",
"%(count)s Resend all or cancel all now. You can also select individual messages to resend or cancel.|other": "Отправить все или отменить все сейчас. Можно также выбрать отдельные сообщения для отправки или отмены.",
"%(count)s Resend all or cancel all now. You can also select individual messages to resend or cancel.|one": "Отправить или отменить сообщение сейчас.",
- "Message Replies": "Сообщения-ответы",
"Send an encrypted reply…": "Отправить зашифрованный ответ…",
"Send a reply (unencrypted)…": "Отправить ответ (нешифрованный)…",
"Send an encrypted message…": "Отправить зашифрованное сообщение…",
@@ -960,7 +953,7 @@
"Whether or not you're using the Richtext mode of the Rich Text Editor": "Используете ли вы режим Richtext в редакторе Rich Text Editor",
"This room is not public. You will not be able to rejoin without an invite.": "Эта комната не является публичной. Вы не сможете войти без приглашения.",
"Show devices , send anyway or cancel .": "Показать устройства , отправить в любом случае или отменить .",
- "Community IDs cannot not be empty.": "ID сообществ не могут быть пустыми.",
+ "Community IDs cannot be empty.": "ID сообществ не могут быть пустыми.",
"In reply to ": "В ответ на ",
"%(oldDisplayName)s changed their display name to %(displayName)s.": "%(oldDisplayName)s изменил(а) отображаемое имя на %(displayName)s.",
"Failed to set direct chat tag": "Не удалось установить тег прямого чата",
@@ -1125,7 +1118,6 @@
"Unable to fetch notification target list": "Не удалось получить список устройств для уведомлений",
"Set Password": "Задать пароль",
"Enable audible notifications in web client": "Включить звуковые уведомления в веб-клиенте",
- "Permalink": "Постоянная ссылка",
"Off": "Выключить",
"Riot does not know how to join a room on this network": "Riot не знает, как присоединиться к комнате, принадлежащей к этой сети",
"Mentions only": "Только при упоминаниях",
@@ -1163,20 +1155,16 @@
"We encountered an error trying to restore your previous session.": "Произошла ошибка при попытке восстановить предыдущий сеанс.",
"Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Очистка хранилища вашего браузера может устранить проблему, но при этом ваша сессия будет завершена и зашифрованная история чата станет нечитаемой.",
"Unable to reply": "Не удается ответить",
- "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Не удается загрузить событие, на которое был дан ответ, либо оно не существует, либо у вас нет разрешения на его просмотр.",
+ "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Не удается загрузить событие, на которое был дан ответ. Либо оно не существует, либо у вас нет разрешения на его просмотр.",
"Enable widget screenshots on supported widgets": "Включить скриншоты виджета в поддерживаемых виджетах",
"Collapse Reply Thread": "Ответить с цитированием",
"Send analytics data": "Отправить данные аналитики",
- "Help improve Riot by sending usage data? This will use a cookie. (See our cookie and privacy policies ).": "Помогите улучшить Riot, отправляя данные об использовании? Будут использоваться файлы cookie. (См. наши политики cookie и конфиденциальности ).",
- "Help improve Riot by sending usage data? This will use a cookie.": "Помогите улучшить Riot, отправляя данные об использовании? Будут использоваться файлы cookie.",
- "Yes please": "Да, пожалуйста",
"Muted Users": "Приглушенные пользователи",
"Warning: This widget might use cookies.": "Внимание: этот виджет может использовать cookie.",
"Terms and Conditions": "Условия и положения",
"To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Для продолжения использования сервера %(homeserverDomain)s вы должны ознакомиться и принять условия и положения.",
"Review terms and conditions": "Просмотр условий и положений",
"e.g. %(exampleValue)s": "напр. %(exampleValue)s",
- "Help improve Riot by sending usage data ? This will use a cookie. (See our cookie and privacy policies ).": "Помогите улучшить Riot, отправляя данные использования ? Будут использоваться файлы cookie. (Смотрите наши политики cookie и конфиденциальности ).",
"Failed to indicate account erasure": "Не удается удалить учетную запись",
"This will make your account permanently unusable. You will not be able to log in, and no one will be able to re-register the same user ID. This will cause your account to leave all rooms it is participating in, and it will remove your account details from your identity server. This action is irreversible. ": "Это навсегда сделает вашу учетную запись невозможной для использования. Вы не сможете войти в систему, и никто не сможет перерегистрировать тот же идентификатор пользователя. Это приведет к тому, что ваша учетная запись выйдет из всех комнат, в которые она входит, и будут удалены данные вашей учетной записи с сервера идентификации. Это действие необратимо. ",
"Deactivating your account does not by default cause us to forget messages you have sent. If you would like us to forget your messages, please tick the box below.": "По умолчанию деактивация вашей учетной записи не приведет к удалению всех ваших сообщений. Если вы хотите, чтобы мы удалили ваши сообщения, поставьте отметку в поле ниже.",
@@ -1186,5 +1174,65 @@
"password": "пароль",
"Please help improve Riot.im by sending anonymous usage data . This will use a cookie (please see our Cookie Policy ).": "Пожалуйста, помогите улучшить Riot.im, отправляя анонимные данные использования . При этом будут использоваться cookie (ознакомьтесь с нашейПолитикой cookie ).",
"Please help improve Riot.im by sending anonymous usage data . This will use a cookie.": "Пожалуйста, помогите улучшить Riot.im, отправляя анонимные данные использования . При этом будут использоваться cookie.",
- "Yes, I want to help!": "Да, я хочу помочь!"
+ "Yes, I want to help!": "Да, я хочу помочь!",
+ "Reload widget": "Перезагрузить виджет",
+ "To notify everyone in the room, you must be a": "Для уведомления всех в комнате, вы должны быть",
+ "Can't leave Server Notices room": "Невозможно покинуть комнату сервера уведомлений",
+ "This room is used for important messages from the Homeserver, so you cannot leave it.": "Эта комната используется для важных сообщений от сервера, поэтому вы не можете ее покинуть.",
+ "Try the app first": "Сначала попробуйте приложение",
+ "Encrypting": "Шифрование",
+ "Encrypted, not sent": "Зашифровано, не отправлено",
+ "No Audio Outputs detected": "Аудиовыход не обнаружен",
+ "Audio Output": "Аудиовыход",
+ "Share Link to User": "Поделиться ссылкой с пользователем",
+ "Share room": "Поделиться комнатой",
+ "Share Room": "Поделиться комнатой",
+ "Link to most recent message": "Ссылка на последнее сообщение",
+ "Share User": "Поделиться пользователем",
+ "Share Community": "Поделиться сообществом",
+ "Link to selected message": "Ссылка на выбранное сообщение",
+ "COPY": "КОПИРОВАТЬ",
+ "Jitsi Conference Calling": "Конференц-связь Jitsi",
+ "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "В зашифрованных комнатах, подобных этой, предварительный просмотр URL-адресов отключен по умолчанию, чтобы гарантировать, что ваш сервер (где создаются предварительные просмотры) не может собирать информацию о ссылках, которые вы видите в этой комнате.",
+ "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Когда кто-то вставляет URL-адрес в свое сообщение, может быть отображен предварительный просмотр URL-адреса, чтобы предоставить дополнительную информацию об этой ссылке, такую как название, описание и изображение с веб-сайта.",
+ "The email field must not be blank.": "Поле email не должно быть пустым.",
+ "The user name field must not be blank.": "Поле имени пользователя не должно быть пустым.",
+ "The phone number field must not be blank.": "Поле номера телефона не должно быть пустым.",
+ "The password field must not be blank.": "Поле пароля не должно быть пустым.",
+ "Call in Progress": "Выполнение вызова",
+ "A call is already in progress!": "Вызов выполняется!",
+ "You have no historical rooms": "У вас нет архивных комнат",
+ "Share Room Message": "Обмен сообщениями в комнате",
+ "Share Message": "Обмен сообщениями",
+ "You can't send any messages until you review and agree to our terms and conditions .": "Вы не можете отправлять сообщения до тех пор, пока вы не примете наши правила и положения .",
+ "Demote": "Понижение",
+ "Demote yourself?": "Понизить самого себя?",
+ "This event could not be displayed": "Это событие отобразить невозможно",
+ "deleted": "удален",
+ "underlined": "подчеркнутый",
+ "A conference call could not be started because the intgrations server is not available": "Запуск конференции невозможен из-за недоступности сервера интеграции",
+ "Permission Required": "Требуется разрешение",
+ "You do not have permission to start a conference call in this room": "У вас нет разрешения на запуск конференции в этой комнате",
+ "A call is currently being placed!": "Есть активный вызов!",
+ "Failed to remove widget": "Не удалось удалить виджет",
+ "An error ocurred whilst trying to remove the widget from the room": "Произошла ошибка при удалении виджета из комнаты",
+ "System Alerts": "Системные оповещения",
+ "Please contact your service administrator to continue using this service.": "Для продолжения использования этого сервиса обратитесь к администратору.",
+ "Room version number: ": "Номер версии комнаты: ",
+ "Internal room ID: ": "Внутренний ID комнаты: ",
+ "There is a known vulnerability affecting this room.": "В этой комнате есть известная уязвимость.",
+ "This room version is vulnerable to malicious modification of room state.": "Эта версия комнаты уязвима для злонамеренной модификации состояния.",
+ "Click here to upgrade to the latest room version and ensure room integrity is protected.": "Нажмите здесь, чтобы перейти к последней версии комнаты и обеспечить ее целостность.",
+ "Only room administrators will see this warning": "Только администраторы комнат увидят это предупреждение",
+ "Please contact your service administrator to continue using the service.": "Пожалуйста, обратитесь к вашему администратору , чтобы продолжить использование сервиса.",
+ "Please contact your service administrator to get this limit increased.": "Пожалуйста, обратитесь к вашему администратору , чтобы увеличить этот лимит.",
+ "Upgrade Room Version": "Обновление версии комнаты",
+ "Upgrading this room requires closing down the current instance of the room and creating a new room it its place. To give room members the best possible experience, we will:": "Обновление этой комнаты требует закрытия текущей комнаты и создания новой. Чтобы предоставить участникам комнаты наилучший опыт, мы:",
+ "Create a new room with the same name, description and avatar": "Создадим новую комнату с тем же именем, описанием и аватаром",
+ "Update any local room aliases to point to the new room": "Обновим локальные псевдонимы комнат",
+ "Stop users from speaking in the old version of the room, and post a message advising users to move to the new room": "Остановим общение пользователей в старой версии комнаты и опубликуем сообщение, в котором пользователям рекомендуется перейти в новую комнату",
+ "Put a link back to the old room at the start of the new room so people can see old messages": "Разместим ссылку на старую комнату, чтобы люди могли видеть старые сообщения",
+ "Please contact your service administrator to continue using this service.": "Пожалуйста, обратитесь к вашему администратору , чтобы продолжить использовать этот сервис.",
+ "Increase performance by only loading room members on first view": "Увеличьте производительность, загрузив только список участников комнаты",
+ "Lazy loading members not supported": "Задержка загрузки элементов не поддерживается"
}
diff --git a/src/i18n/strings/sk.json b/src/i18n/strings/sk.json
index c7f38cff35..6799458320 100644
--- a/src/i18n/strings/sk.json
+++ b/src/i18n/strings/sk.json
@@ -60,7 +60,7 @@
"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.",
+ "Your email address does not appear to be associated with a Matrix ID on this Homeserver.": "Zdá sa, že vaša emailová adresa nie je priradená k žiadnemu Matrix ID na tomto domovskom serveri.",
"Default": "Predvolené",
"Moderator": "Moderátor",
"Admin": "Správca",
@@ -84,10 +84,8 @@
"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..",
@@ -120,7 +118,7 @@
"%(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 kicked %(targetName)s.": "%(senderName)s vykázal %(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.",
@@ -221,10 +219,10 @@
"Unverified": "Neoverené",
"device id: ": "ID zariadenia: ",
"Disinvite": "Stiahnuť pozvanie",
- "Kick": "Vykopnúť",
+ "Kick": "Vykázať",
"Disinvite this user?": "Stiahnuť pozvanie tohoto používateľa?",
- "Kick this user?": "Vykopnúť tohoto používateľa?",
- "Failed to kick": "Nepodarilo sa vykopnúť",
+ "Kick this user?": "Vykázať tohoto používateľa?",
+ "Failed to kick": "Nepodarilo sa vykázať",
"Unban": "Povoliť vstup",
"Ban": "Zakázať vstup",
"Unban this user?": "Povoliť vstúpiť tomuto používateľovi?",
@@ -328,8 +326,8 @@
"Would you like to accept or decline this invitation?": "Chcete prijať alebo odmietnuť 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 kicked from %(roomName)s by %(userName)s.": "Používateľ %(userName)s vás vykázal z miestnosti %(roomName)s.",
+ "You have been kicked from this room by %(userName)s.": "Používateľ %(userName)s vás vykázal 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ť",
@@ -366,7 +364,7 @@
"Privileged Users": "Poverení používatelia",
"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",
+ "This room is not accessible by remote Matrix servers": "Táto miestnosť nie je prístupná zo vzdialených Matrix serverov",
"Leave room": "Opustiť miestnosť",
"Favourite": "Obľúbená",
"Tagged as: ": "Označená ako: ",
@@ -377,7 +375,7 @@
"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?",
+ "Publish this room to the public in %(domain)s's room directory?": "Uverejniť túto miestnosť v adresári miestností na serveri %(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)",
@@ -389,7 +387,7 @@
"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 kick users, you must be a": "Aby ste mohli vykazovať 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 , you must be a": "Aby ste mohli posielať udalosti typu , musíte byť",
@@ -439,7 +437,7 @@
"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.",
+ "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 serveri.",
"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.",
@@ -454,7 +452,7 @@
"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",
+ "%(serverName)s Matrix ID": "Matrix ID na serveri %(serverName)s",
"Sign in with": "Na prihlásenie sa použije",
"Email address": "Emailová adresa",
"Sign in": "Prihlásiť sa",
@@ -541,10 +539,10 @@
"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ý",
+ "were kicked %(count)s times|other": "boli %(count)s krát vykázaní",
+ "were kicked %(count)s times|one": "boli vykázaní",
+ "was kicked %(count)s times|other": "bol %(count)s krát vykázaný",
+ "was kicked %(count)s times|one": "bol vykázaný",
"%(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",
@@ -623,7 +621,7 @@
"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 homeserver, or you can pick a different server .": "Toto bude názov vašeho účtu na domovskom servery , alebo si môžete zvoliť iný server .",
+ "This will be your account name on the homeserver, or you can pick a different server .": "Toto bude názov vašeho účtu na domovskom serveri , alebo si môžete zvoliť iný server .",
"If you already have a Matrix account you can log in instead.": "Ak už máte Matrix účet, môžete sa hneď Prihlásiť .",
"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.",
@@ -691,8 +689,6 @@
"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 +example:matrix.org .": "Aby ste mohli vstúpiť do existujúcej komunity, musíte poznať jej identifikátor; Mal by vizerať nejako takto +priklad:matrix.org .",
"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é.",
@@ -729,13 +725,13 @@
"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)": "Skryť správy o vstupe a opustení miestnosti (netýka sa pozvaní/vykopnutí/zákazov vstupu)",
+ "Hide join/leave messages (invites/kicks/bans unaffected)": "Skryť správy o vstupe a opustení miestnosti (netýka sa pozvaní/vykázaní/zákazov vstupu)",
"Use compact timeline layout": "Použiť kompaktné rozloženie časovej osy",
"Hide removed messages": "Skryť 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": "Skryť avatarov pri zmienkach miestností a používateľov",
+ "Hide avatars in user and room mentions": "Skryť profilové obrázky 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",
"Disable Peer-to-Peer for 1:1 calls": "Zakázať P2P počas priamych volaní",
@@ -779,8 +775,8 @@
"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",
+ "No Microphones detected": "Neboli rozpoznané žiadne mikrofóny",
+ "No Webcams detected": "Neboli rozpoznané žiadne kamery",
"Default Device": "Predvolené zariadenie",
"Microphone": "Mikrofón",
"Camera": "Kamera",
@@ -817,12 +813,11 @@
"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í.",
+ "Guest access is disabled on this Home Server.": "Na tomto domovskom serveri 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 enable unsafe scripts .": "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 povolte nezabezpečené skripty .",
"Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate 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 certifikát domovského servera je dôverihodný, a že žiaden doplnok nainštalovaný v prehliadači nemôže blokovať požiadavky.",
- "Login as guest": "Prihlásiť sa ako hosť",
"Failed to fetch avatar URL": "Nepodarilo sa získať URL adresu obrázka",
"Set a display name:": "Nastaviť zobrazované meno:",
"Upload an avatar:": "Nahrať obrázok:",
@@ -843,7 +838,7 @@
"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",
+ "Kicks user with given id": "Vykáže používateľa so zadaným ID",
"Changes your display nickname": "Zmení vaše zobrazované meno",
"Searches DuckDuckGo for results": "Vyhľadá výsledky na DuckDuckGo",
"Changes colour scheme of current room": "Zmení farebnú schému aktuálnej miestnosti",
@@ -889,7 +884,7 @@
"Sign in to get started": "Začnite prihlásením sa",
"Status.im theme": "Téma status.im",
"Please note you are logging into the %(hs)s server, not matrix.org.": "Všimnite si: Práve sa prihlasujete na server %(hs)s, nie na server matrix.org.",
- "Username on %(hs)s": "Meno používateľa na servery %(hs)s",
+ "Username on %(hs)s": "Meno používateľa na serveri %(hs)s",
"Restricted": "Obmedzené",
"Hide avatar changes": "Skryť zmeny obrázka v profile",
"Hide display name changes": "Skryť zmeny zobrazovaného mena",
@@ -908,7 +903,6 @@
"Call": "Hovor",
"Answer": "Prijať",
"Send": "Odoslať",
- "Tag Panel": "Panel so značkami",
"Delete %(count)s devices|other": "Vymazať %(count)s zariadení",
"Delete %(count)s devices|one": "Vymazať zariadenie",
"Select devices": "Vybrať zariadenia",
@@ -935,7 +929,6 @@
"Flair will not appear": "Príslušnosť ku komunite nebude zobrazená",
"Display your community flair in rooms configured to show it.": "Zobrazovať vašu príslušnosť ku komunite v miestnostiach, ktoré sú nastavené na zobrazovanie tejto príslušnosti.",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s",
- "Message Replies": "Odpovede na správy",
"You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Túto zmenu nebudete môcť vrátiť späť pretože znižujete vašu vlastnú úroveň moci. Ak ste jediný poverený používateľ v miestnosti, nebudete môcť znovu získať úroveň, akú máte teraz.",
"Send an encrypted reply…": "Odoslať šifrovanú odpoveď…",
"Send a reply (unencrypted)…": "Odoslať odpoveď (nešifrovanú)…",
@@ -964,7 +957,7 @@
"Failed to remove tag %(tagName)s from room": "Z miestnosti sa nepodarilo odstrániť značku %(tagName)s",
"Failed to add tag %(tagName)s to room": "Miestnosti sa nepodarilo pridať značku %(tagName)s",
"In reply to ": "Odpoveď na ",
- "Community IDs cannot not be empty.": "ID komunity nemôže ostať prázdne.",
+ "Community IDs cannot be empty.": "ID komunity nemôže ostať prázdne.",
"Show devices , send anyway or cancel .": "Zobraziť zariadenia , napriek tomu odoslať alebo zrušiť .",
"Disable Community Filter Panel": "Zakázať panel Filter komunity",
"Your key share request has been sent - please check your other devices for key share requests.": "Žiadosť o zdieľanie kľúčov bola odoslaná - Overte si zobrazenie žiadosti o zdieľanie kľúčov na vašich ostatných zariadeniach.",
@@ -1102,7 +1095,7 @@
"When I'm invited to a room": "Pozvania vstúpiť do miestnosti",
"Can't update user notification settings": "Nie je možné aktualizovať používateľské nastavenia oznamovania",
"Notify for all other messages/rooms": "oznamovať všetky ostatné správy / miestnosti",
- "Unable to look up room ID from server": "Nie je možné vyhľadať ID miestnosti na servery",
+ "Unable to look up room ID from server": "Nie je možné vyhľadať ID miestnosti na serveri",
"Couldn't find a matching Matrix room": "Nie je možné nájsť zodpovedajúcu Matrix miestnosť",
"Invite to this room": "Pozvať do tejto miestnosti",
"You cannot delete this message. (%(code)s)": "Nemôžete vymazať túto správu. (%(code)s)",
@@ -1126,7 +1119,6 @@
"Set Password": "Nastaviť Heslo",
"An error occurred whilst saving your email notification preferences.": "Počas ukladania vašich nastavení oznamovania emailom sa vyskytla chyba.",
"Enable audible notifications in web client": "Povoliť zvukové oznámenia vo webovom klientovi",
- "Permalink": "Trvalý odkaz",
"Off": "Zakázané",
"Riot does not know how to join a room on this network": "Riot nedokáže vstúpiť do miestnosti na tejto sieti",
"Mentions only": "Len zmienky",
@@ -1166,5 +1158,125 @@
"Refresh": "Obnoviť",
"We encountered an error trying to restore your previous session.": "Počas obnovovania vašej predchádzajúcej relácie sa vyskytla chyba.",
"Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Vymazaním úložiska prehliadača možno opravíte váš problém, no zároveň sa týmto odhlásite a história vašich šifrovaných konverzácií sa pre vás môže stať nečitateľná.",
- "Collapse Reply Thread": "Zbaliť vlákno odpovedí"
+ "Collapse Reply Thread": "Zbaliť vlákno odpovedí",
+ "e.g. %(exampleValue)s": "príklad %(exampleValue)s",
+ "Reload widget": "Obnoviť widget",
+ "Send analytics data": "Odosielať analytické údaje",
+ "Enable widget screenshots on supported widgets": "Umožniť zachytiť snímku obrazovky pre podporované widgety",
+ "Muted Users": "Umlčaní používatelia",
+ "Please help improve Riot.im by sending anonymous usage data . This will use a cookie (please see our Cookie Policy ).": "Prosím pomôžte nám vylepšovať Riot.im odosielaním anonymných údajov o používaní . Na tento účel použijeme cookie (prečítajte si ako používame cookies ).",
+ "Please help improve Riot.im by sending anonymous usage data . This will use a cookie.": "Prosím pomôžte nám vylepšovať Riot.im odosielaním anonymných údajov o používaní . Na tento účel použijeme cookie.",
+ "Yes, I want to help!": "Áno, chcem pomôcť",
+ "Warning: This widget might use cookies.": "Pozor: tento widget môže používať cookies.",
+ "Failed to indicate account erasure": "Nie je možné odstrániť odoslané správy",
+ "This will make your account permanently unusable. You will not be able to log in, and no one will be able to re-register the same user ID. This will cause your account to leave all rooms it is participating in, and it will remove your account details from your identity server. This action is irreversible. ": "Toto spôsobí, že váš účet nebude viac použiteľný. Nebudete sa môcť opätovne prihlásiť a nikto sa nebude môcť znovu zaregistrovať s rovnakým používateľským ID. Deaktiváciou účtu opustíte všetky miestnosti, do ktorých ste kedy vstúpili a vaše kontaktné údaje budú odstránené zo servera totožností. Túto akciu nie je možné vrátiť späť. ",
+ "Deactivating your account does not by default cause us to forget messages you have sent. If you would like us to forget your messages, please tick the box below.": "Pri deaktivácii účtu predvolene neodstraňujeme vami odoslané správy. Ak si želáte uplatniť právo zabudnutia, zaškrtnite prosím zodpovedajúce pole nižšie.",
+ "Message visibility in Matrix is similar to email. Our forgetting your messages means that messages you have sent will not be shared with any new or unregistered users, but registered users who already have access to these messages will still have access to their copy.": "Viditeľnosť správ odoslaných cez matrix funguje podobne ako viditeľnosť správ elektronickej pošty. To, že zabudneme vaše správy v skutočnosti znamená, že správy ktoré ste už odoslali nebudú čitateľné pre nových alebo neregistrovaných používateľov, no registrovaní používatelia, ktorí už prístup k vašim správam majú, budú aj naďalej bez zmeny môcť pristupovať k ich vlastným kópiám vašich správ.",
+ "Please forget all messages I have sent when my account is deactivated (Warning: this will cause future users to see an incomplete view of conversations)": "Spolu s deaktivovaním účtu si želám odstrániť všetky mnou odoslané správy (Pozor: Môže sa stať, že noví používatelia uvidia neúplnú históriu konverzácií)",
+ "To continue, please enter your password:": "Aby ste mohli pokračovať, prosím zadajte svoje heslo:",
+ "password": "heslo",
+ "Can't leave Server Notices room": "Nie je možné opustiť miestnosť Oznamy zo servera",
+ "This room is used for important messages from the Homeserver, so you cannot leave it.": "Táto miestnosť je určená na dôležité oznamy a správy od správcov domovského servera, preto ju nie je možné opustiť.",
+ "Terms and Conditions": "Zmluvné podmienky",
+ "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Ak chcete aj naďalej používať domovský server %(homeserverDomain)s, mali by ste si prečítať a odsúhlasiť naše zmluvné podmienky.",
+ "Review terms and conditions": "Prečítať zmluvné podmienky",
+ "To notify everyone in the room, you must be a": "Aby ste mohli upozorňovať všetkých členov v miestnosti, musíte byť",
+ "Encrypting": "Šifrovanie",
+ "Encrypted, not sent": "Zašifrované, ale neodoslané",
+ "Share Link to User": "Zdieľať odkaz na používateľa",
+ "Share room": "Zdieľaj miestnosť",
+ "Share Room": "Zdieľať miestnosť",
+ "Link to most recent message": "Odkaz na najnovšiu správu",
+ "Share User": "Zdieľať používateľa",
+ "Share Community": "Zdieľať komunitu",
+ "Link to selected message": "Odkaz na vybratú správu",
+ "COPY": "Kopírovať",
+ "Share Message": "Zdieľaj správu",
+ "No Audio Outputs detected": "Neboli rozpoznané žiadne zvukové výstupy",
+ "Audio Output": "Výstup zvuku",
+ "Try the app first": "Vyskúšať si aplikáciu",
+ "Share Room Message": "Zdieľať správu z miestnosti",
+ "The email field must not be blank.": "Email nemôže ostať prázdny.",
+ "The user name field must not be blank.": "Používateľské meno nemôže ostať prázdne.",
+ "The phone number field must not be blank.": "Telefónne číslo nemôže ostať prázdne.",
+ "The password field must not be blank.": "Heslo nemôže ostať prázdne.",
+ "Jitsi Conference Calling": "Konferenčné hovory Jitsi",
+ "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "Náhľady URL adries sú v šifrovaných miestnostiach ako je táto predvolene zakázané, aby ste si mohli byť istí, že obsah odkazov z vašej konverzácii nebude zaznamenaný na vašom domovskom serveri počas ich generovania.",
+ "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Ak niekto vo svojej správe pošle URL adresu, môže byť zobrazený jej náhľad obsahujúci názov, popis a obrázok z cieľovej web stránky.",
+ "Call in Progress": "Prebiehajúci hovor",
+ "A call is already in progress!": "Jeden hovor už prebieha!",
+ "You have no historical rooms": "Nemáte žiadne historické miestnosti",
+ "A conference call could not be started because the intgrations server is not available": "Nie je možné uskutočniť konferenčný hovor, integračný server nie je k dispozícii",
+ "A call is currently being placed!": "Práve prebieha iný hovor!",
+ "Permission Required": "Vyžaduje sa oprávnenie",
+ "You do not have permission to start a conference call in this room": "V tejto miestnosti nemáte oprávnenie začať konferenčný hovor",
+ "Show empty room list headings": "Zobrazovať nadpisy prázdnych zoznamov miestností",
+ "This event could not be displayed": "Nie je možné zobraziť túto udalosť",
+ "Demote yourself?": "Znížiť vlastnú úroveň moci?",
+ "Demote": "Znížiť",
+ "deleted": "Odstránené",
+ "underlined": "Podčiarknuté",
+ "inline-code": "Vnorený kód",
+ "block-quote": "Citácia",
+ "bulleted-list": "Odrážkový zoznam",
+ "numbered-list": "Číselný zoznam",
+ "Failed to remove widget": "Nepodarilo sa odstrániť widget",
+ "An error ocurred whilst trying to remove the widget from the room": "Pri odstraňovaní widgetu z miestnosti sa vyskytla chyba",
+ "You can't send any messages until you review and agree to our terms and conditions .": "Nemôžete posielať žiadne správy, kým si neprečítate a neodsúhlasíte naše zmluvné podmienky .",
+ "Sorry, your homeserver is too old to participate in this room.": "Prepáčte, nie je možné prijímať a odosielať do tejto miestnosti, pretože váš domovský server je zastaralý.",
+ "Please contact your homeserver administrator.": "Prosím, kontaktujte správcu domovského servera.",
+ "Increase performance by only loading room members on first view": "Zvýšiť výkon načítaním zoznamu členov pri prvom zobrazení",
+ "System Alerts": "Systémové upozornenia",
+ "Internal room ID: ": "Interné ID miestnosti: ",
+ "Room version number: ": "Číslo verzie miestnosti: ",
+ "Please contact your service administrator to continue using the service.": "Prosím, kontaktujte správcu služieb aby ste službu mohli naďalej používať.",
+ "This homeserver has hit its Monthly Active User limit.": "Bol dosiahnutý mesačný limit počtu aktívnych používateľov tohoto domovského servera.",
+ "This homeserver has exceeded one of its resource limits.": "Bol prekročený limit využitia prostriedkov pre tento domovský server.",
+ "Please contact your service administrator to get this limit increased.": "Prosím, kontaktujte správcu služieb a pokúste sa tento limit navýšiť.",
+ "This homeserver has hit its Monthly Active User limit so some users will not be able to log in .": "Bol dosiahnutý mesačný limit počtu aktívnych používateľov a niektorí používatelia sa nebudú môcť prihlásiť .",
+ "This homeserver has exceeded one of its resource limits so some users will not be able to log in .": "Bol prekročený limit využitia prostriedkov pre tento domovský server a niektorí používatelia sa nebudú môcť prihlásiť .",
+ "Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please contact your service administrator to continue using the service.": "Vaša správa nebola odoslaná, pretože bol dosiahnutý mesačný limit počtu aktívnych používateľov tohoto domovského servera. Prosím, kontaktujte správcu služieb aby ste službu mohli naďalej používať.",
+ "Your message wasn't sent because this homeserver has exceeded a resource limit. Please contact your service administrator to continue using the service.": "Vaša správa nebola odoslaná, pretože bol prekročený limit prostriedkov tohoto domovského servera. Prosím, kontaktujte správcu služieb aby ste službu mohli naďalej používať.",
+ "Lazy loading members not supported": "Načítanie zoznamu členov pri prvom zobrazení nie je podporované",
+ "Lazy loading is not supported by your current homeserver.": "Oneskorené načítanie nepodporuje váš domovský server.",
+ "Please contact your service administrator to continue using this service.": "Prosím, kontaktujte správcu služieb aby ste mohli službu ďalej používať.",
+ "This room has been replaced and is no longer active.": "Táto miestnosť bola nahradená a nie je viac aktívna.",
+ "The conversation continues here.": "Konverzácia pokračuje tu.",
+ "Upgrade room to version %(ver)s": "Aktualizácia miestnosti na verziu %(ver)s",
+ "There is a known vulnerability affecting this room.": "Existuje známa zraniteľnosť, ktorú je možné zneužiť v tejto miestnosti.",
+ "This room version is vulnerable to malicious modification of room state.": "Táto verzia miestnosti je zraniteľná proti zlomyseľným zmenám jej stavu.",
+ "Click here to upgrade to the latest room version and ensure room integrity is protected.": "Kliknutím sem aktualizujete miestnosť na najnovšiu verziu a uistíte sa, že jej integrita je bezpečne zachovaná.",
+ "Only room administrators will see this warning": "Toto upozornenie sa zobrazuje len správcom miestnosti",
+ "This room is a continuation of another conversation.": "Táto miestnosť je pokračovaním staršej konverzácii.",
+ "Click here to see older messages.": "Kliknutím sem zobrazíte staršie správy.",
+ "Failed to upgrade room": "Nepodarilo sa aktualizovať miestnosť",
+ "The room upgrade could not be completed": "Nie je možné dokončiť aktualizáciu miestnosti na jej najnovšiu verziu",
+ "Upgrade this room to version %(version)s": "Aktualizácia tejto miestnosti na verziu %(version)s",
+ "Upgrade Room Version": "Aktualizovať verziu miestnosti",
+ "Upgrading this room requires closing down the current instance of the room and creating a new room it its place. To give room members the best possible experience, we will:": "Aktualizácia verzii tejto miestnosti si vyžaduje jej uzatvorenie a vytvorenie novej miestnosti na jej pôvodnom mieste. Aby bol prechod pre členov miestnosti čo najplynulejší, nasledovné kroky sa vykonajú automaticky:",
+ "Create a new room with the same name, description and avatar": "Vznikne nová miestnosť s rovnakým názvom, témou a obrázkom",
+ "Update any local room aliases to point to the new room": "Všetky lokálne aliasy pôvodnej miestnosti sa aktualizujú tak, aby ukazovali na novú miestnosť",
+ "Stop users from speaking in the old version of the room, and post a message advising users to move to the new room": "V pôvodnej miestnosti bude zverejnené odporúčanie prejsť do novej miestnosti a posielanie do pôvodnej miestnosti bude zakázané pre všetkých používateľov",
+ "Put a link back to the old room at the start of the new room so people can see old messages": "História novej miestnosti sa začne odkazom do pôvodnej miestnosti, aby si členovia vedeli zobraziť staršie správy",
+ "Registration Required": "Vyžaduje sa registrácia",
+ "You need to register to do this. Would you like to register now?": "Aby ste mohli uskutočniť túto akciu, musíte sa zaregistrovať. Chcete teraz spustiť registráciu?",
+ "Forces the current outbound group session in an encrypted room to be discarded": "Vynúti zabudnutie odchádzajúcej skupinovej relácii v šifrovanej miestnosti",
+ "%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|other": "%(senderName)s pridal adresy %(addedAddresses)s do tejto miestnosti.",
+ "%(senderName)s added %(count)s %(addedAddresses)s as addresses for this room.|one": "%(senderName)s pridal adresu %(addedAddresses)s do tejto miestnosti.",
+ "%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|other": "%(senderName)s odstránil adresy %(removedAddresses)s z tejto miestnosti.",
+ "%(senderName)s removed %(count)s %(removedAddresses)s as addresses for this room.|one": "%(senderName)s odstránil adresu %(removedAddresses)s z tejto miestnosti.",
+ "%(senderName)s added %(addedAddresses)s and removed %(removedAddresses)s as addresses for this room.": "%(senderName)s pridal %(addedAddresses)s a odstránil %(removedAddresses)s z tejto miestnosti.",
+ "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s nastavil hlavnú adresu tejto miestnosti %(address)s.",
+ "%(senderName)s removed the main address for this room.": "%(senderName)s odstránil hlavnú adresu tejto miestnosti.",
+ "Unable to connect to Homeserver. Retrying...": "Nie je možné sa pripojiť k domovskému serveru. Prebieha pokus o opetovné pripojenie...",
+ "Before submitting logs, you must create a GitHub issue to describe your problem.": "Pred tým, než odošlete záznamy, musíte nahlásiť váš problém na GitHub . Uvedte prosím podrobný popis.",
+ "What GitHub issue are these logs for?": "Pre ktoré hlásenie GitHub sú tieto záznamy?",
+ "Riot now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "Riot teraz vyžaduje 3-5× menej pamäte, pretože informácie o ostatných používateľoch načítava len podľa potreby. Prosím počkajte na dokončenie synchronizácie so serverom!",
+ "Updating Riot": "Prebieha aktualizácia Riot",
+ "HTML for your community's page \r\n\r\n Use the long description to introduce new members to the community, or distribute\r\n some important links \r\n
\r\n\r\n You can even use 'img' tags\r\n
\r\n": "Obsah vo formáte HTML pre vašu stránku komunity \n\n Do poľa dlhý popis zadajte text, ktorým komunitu predstavíte novým členom, alebo ich\n na nejaké dôležité odkazy \n
\n\n Môžete tiež pridať obrázky použitím značiek 'img'\n
\n",
+ "Submit Debug Logs": "Odoslať ladiace záznamy",
+ "Legal": "Právne",
+ "Unable to query for supported registration methods": "Nie je možné vyžiadať podporované metódy registrácie",
+ "An email address is required to register on this homeserver.": "Na registráciu na tomto domovskom servery je vyžadovaná emailová adresa.",
+ "A phone number is required to register on this homeserver.": "Na registráciu na tomto domovskom servery je vyžadované telefónne číslo."
}
diff --git a/src/i18n/strings/sq.json b/src/i18n/strings/sq.json
index 2936695a6d..72097f8ab1 100644
--- a/src/i18n/strings/sq.json
+++ b/src/i18n/strings/sq.json
@@ -106,9 +106,7 @@
"Power level must be positive integer.": "Niveli fuqie duhet të jetë numër i plotë pozitiv.",
"You are not in this room.": "Ti nuk je në këtë dhomë.",
"You do not have permission to do that in this room.": "Nuk ke leje të bësh këtë në këtë dhomë.",
- "Must be viewing a room": "Duhet të shikohet një dhomë",
"Room %(roomId)s not visible": "Dhoma %(roomId)s e padukshme",
- "Failed to lookup current room": "Dhoma aktuale nuk mundi të kërkohej",
"Usage": "Përdorimi",
"/ddg is not a command": "/ddg s'është komandë",
"To use it, just wait for autocomplete results to load and tab through them.": "Për të përdorur, thjesht prit derisa të mbushën rezultatat vetëplotësuese dhe pastaj shfletoji.",
@@ -269,7 +267,6 @@
"Set Password": "Caktoni Fjalëkalim",
"An error occurred whilst saving your email notification preferences.": "Ndodhi një gabim teksa ruheshin parapëlqimet tuaja për njoftime me email.",
"Enable audible notifications in web client": "Aktivizoni njoftime audio te klienti web",
- "Permalink": "Permalidhje",
"Register": "Regjistrohuni",
"Off": "Off",
"Edit": "Përpunoni",
@@ -297,5 +294,6 @@
"Collapse panel": "Tkurre panelin",
"With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "Me shfletuesin tuaj të tanishëm, pamja dhe ndjesitë nga aplikacioni mund të jenë plotësisht të pasakta, dhe disa nga ose krejt veçoritë të mos funksionojnë. Nëse doni ta provoni sido qoftë, mund të vazhdoni, por mos u ankoni për çfarëdo problemesh që mund të hasni!",
"Checking for an update...": "Po kontrollohet për një përditësim…",
- "There are advanced notifications which are not shown here": "Ka njoftime të thelluara që nuk shfaqen këtu"
+ "There are advanced notifications which are not shown here": "Ka njoftime të thelluara që nuk shfaqen këtu",
+ "Show empty room list headings": "Shfaqi emrat e listave të zbrazëta dhomash"
}
diff --git a/src/i18n/strings/sr.json b/src/i18n/strings/sr.json
index ebacd28a5c..3f842e4457 100644
--- a/src/i18n/strings/sr.json
+++ b/src/i18n/strings/sr.json
@@ -85,7 +85,6 @@
"You are not in this room.": "Нисте у овој соби.",
"You do not have permission to do that in this room.": "Немате овлашћење да урадите то у овој соби.",
"Missing room_id in request": "Недостаје room_id у захтеву",
- "Must be viewing a room": "Морате гледати собу",
"Room %(roomId)s not visible": "Соба %(roomId)s није видљива",
"Missing user_id in request": "Недостаје user_id у захтеву",
"Call Failed": "Позивање неуспешно",
@@ -97,7 +96,6 @@
"Answer": "Одговори",
"Call Timeout": "Прекорачено време позивања",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s",
- "Failed to lookup current room": "Неуспех при потраживању тренутне собе",
"Usage": "Коришћење",
"/ddg is not a command": "/ddg није наредба",
"To use it, just wait for autocomplete results to load and tab through them.": "Да бисте је користили, само сачекајте да се исходи самодовршавања учитају и табом прођите кроз њих.",
@@ -170,9 +168,7 @@
"Not a valid Riot keyfile": "Није исправана Riot кључ-датотека",
"Authentication check failed: incorrect password?": "Провера идентитета није успела: нетачна лозинка?",
"Failed to join room": "Нисам успео да уђем у собу",
- "Message Replies": "Одговори",
"Message Pinning": "Закачене поруке",
- "Tag Panel": "Означи површ",
"Disable Emoji suggestions while typing": "Онемогући предлагање емоџија приликом куцања",
"Use compact timeline layout": "Користи збијени распоред временске линије",
"Hide removed messages": "Сакриј уклоњене поруке",
@@ -645,7 +641,7 @@
"Confirm Removal": "Потврди уклањање",
"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.": "Да ли сте сигурни да желите уклонити (обрисати) овај догађај? Знајте да брисање назива собе или мењање теме може опозвати измену.",
"Community IDs may only contain characters a-z, 0-9, or '=_-./'": "ИБ-јеви заједнице могу садржати само знакове a-z, 0-9, или '=_-./'",
- "Community IDs cannot not be empty.": "ИБ-јеви заједнице не могу бити празни.",
+ "Community IDs cannot be empty.": "ИБ-јеви заједнице не могу бити празни.",
"Something went wrong whilst creating your community": "Нешто је пошло наопако приликом стварања ваше заједнице",
"Create Community": "Направи заједницу",
"Community Name": "Назив заједнице",
@@ -778,8 +774,6 @@
"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.": "Направите заједницу да бисте спојили кориснике и собе! Направите прилагођену почетну страницу да бисте означили ваш кутак у Матрикс универзуму.",
- "Join an existing community": "Приступи већ постојећој заједници",
- "To join an existing community you'll have to know its community identifier; this will look something like +example:matrix.org .": "Да бисте приступили већ постојећој заједници, морате знати њен идентификатор заједнице. Ово изгледа нешто као +primer:matrix.org .",
"You have no visible notifications": "Немате видљивих обавештења",
"Scroll to bottom of page": "Превуци на дно странице",
"Message not sent due to unknown devices being present": "Порука се неће послати због присутности непознатих уређаја",
@@ -903,7 +897,6 @@
"Error: Problem communicating with the given homeserver.": "Грешка: проблем у комуницирању са датим кућним сервером.",
"Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts .": "Не могу да се повежем на кућни сервер преко HTTP-а када се користи HTTPS адреса у траци вашег прегледача. Или користите HTTPS или омогућите небезбедне скрипте .",
"Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Не могу да се повежем на кућни сервер. Проверите вашу интернет везу, постарајте се да верујете SSL сертификату кућног сервера и да проширење прегледача не блокира захтеве.",
- "Login as guest": "Пријави се као гост",
"Sign in to get started": "Пријави се да почнеш",
"Failed to fetch avatar URL": "Нисам успео да добавим адресу аватара",
"Set a display name:": "Постави приказно име:",
@@ -1101,7 +1094,6 @@
"Set Password": "Постави лозинку",
"An error occurred whilst saving your email notification preferences.": "Догодила се грешка при чувању ваших поставки мејл обавештења.",
"Enable audible notifications in web client": "Омогући звучна обавештења у веб клијенту",
- "Permalink": "Трајна веза",
"Resend": "Поново пошаљи",
"Riot does not know how to join a room on this network": "Riot не зна како да приступи соби на овој мрежи",
"Mentions only": "Само спомињања",
@@ -1161,5 +1153,61 @@
"Clear Storage and Sign Out": "Очисти складиште и одјави ме",
"Refresh": "Освежи",
"We encountered an error trying to restore your previous session.": "Наишли смо на грешку приликом повраћаја ваше претходне сесије.",
- "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Чишћење складишта вашег прегледача може решити проблем али ће вас то одјавити и учинити шифровани историјат ћаскања нечитљивим."
+ "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Чишћење складишта вашег прегледача може решити проблем али ће вас то одјавити и учинити шифровани историјат ћаскања нечитљивим.",
+ "e.g. %(exampleValue)s": "нпр.: %(exampleValue)s",
+ "Reload widget": "Поново учитај виџет",
+ "Send analytics data": "Пошаљи аналитичке податке",
+ "Enable widget screenshots on supported widgets": "Омогући снимке екрана виџета у подржаним виџетима",
+ "At this time it is not possible to reply with a file so this will be sent without being a reply.": "У овом тренутку није могуће одговорити са датотеком тако да ово неће бити послато у облику одговора.",
+ "Unable to reply": "Не могу да одговорим",
+ "At this time it is not possible to reply with an emote.": "У овом тренутку није могуће одговорити са емотиконом.",
+ "To notify everyone in the room, you must be a": "Да бисте обавестили све у соби, морате бити",
+ "Muted Users": "Утишани корисници",
+ "Please help improve Riot.im by sending anonymous usage data . This will use a cookie (please see our Cookie Policy ).": "Помозите побољшавање Riot.im програма тако што ћете послати анонимне податке о коришћењу . Ово ће захтевати коришћење колачића (погледајте нашу политику о колачићима ).",
+ "Please help improve Riot.im by sending anonymous usage data . This will use a cookie.": "Помозите побољшавање Riot.im програма тако што ћете послати анонимне податке о коришћењу . Ово ће захтевати коришћење колачића.",
+ "Yes, I want to help!": "Да, желим помоћи!",
+ "Warning: This widget might use cookies.": "Упозорење: овај виџет ће можда користити колачиће.",
+ "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Не могу да учитам догађај на који је послат одговор, или не постоји или немате овлашћење да га погледате.",
+ "Failed to indicate account erasure": "Неуспех при наговештавању да је налог обрисан",
+ "To continue, please enter your password:": "Да бисте наставили, унесите вашу лозинку:",
+ "password": "лозинка",
+ "Collapse Reply Thread": "Скупи нит са одговорима",
+ "Can't leave Server Notices room": "Не могу да напустим собу са напоменама сервера",
+ "This room is used for important messages from the Homeserver, so you cannot leave it.": "Ова соба се користи за важне поруке са Кућног сервера, не можете изаћи из ове собе.",
+ "Terms and Conditions": "Услови коришћења",
+ "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Да бисте наставили са коришћењем Кућног сервера %(homeserverDomain)s морате погледати и пристати на наше услове коришћења.",
+ "Review terms and conditions": "Погледај услове коришћења",
+ "Try the app first": "Пробајте прво апликацију",
+ "Jitsi Conference Calling": "Jitsi конференцијско позивање",
+ "Encrypting": "Шифрујем",
+ "Encrypted, not sent": "Шифровано, непослато",
+ "Share Link to User": "Подели везу са корисником",
+ "Share room": "Подели собу",
+ "This will make your account permanently unusable. You will not be able to log in, and no one will be able to re-register the same user ID. This will cause your account to leave all rooms it is participating in, and it will remove your account details from your identity server. This action is irreversible. ": "Ово ће учинити ваш налог трајно неупотребљивим. Нећете моћи да се пријавите и нико се неће моћи поново регистровати са истим корисничким ИБ-јем. Ово ће учинити да ваш налог напусти све собе у којима учествује и уклониће појединости вашег налога са идентитетског сервера. Ова радња се не може опозвати. ",
+ "Deactivating your account does not by default cause us to forget messages you have sent. If you would like us to forget your messages, please tick the box below.": "Деактивирањем вашег налога се ваше поруке неће заборавити. Ако желите да заборавимо ваше поруке, штиклирајте кућицу испод.",
+ "Message visibility in Matrix is similar to email. Our forgetting your messages means that messages you have sent will not be shared with any new or unregistered users, but registered users who already have access to these messages will still have access to their copy.": "Видљивост порука у Матриксу је слична мејловима. Оне поруке које заборавимо нећемо делити са новим и нерегистрованим корисницима али постојећи корисници који су имали приступ овим порукама ће и даље моћи да виде своју копију.",
+ "Please forget all messages I have sent when my account is deactivated (Warning: this will cause future users to see an incomplete view of conversations)": "Заборавите све моје поруке које сам послао када се мој налог деактивира (Упозорење: овим ће будући корисници видети непотпуне разговоре)",
+ "Share Room": "Подели собу",
+ "Link to most recent message": "Веза ка најновијој поруци",
+ "Share User": "Подели корисника",
+ "Share Community": "Подели заједницу",
+ "Share Room Message": "Подели поруку у соби",
+ "Link to selected message": "Веза ка изабраној поруци",
+ "COPY": "КОПИРАЈ",
+ "Share Message": "Подели поруку",
+ "No Audio Outputs detected": "Нема уочених излаза звука",
+ "Audio Output": "Излаз звука",
+ "A conference call could not be started because the intgrations server is not available": "Конференцијски позив не може почети зато што интеграцијски сервер није доступан",
+ "Call in Progress": "Позив је у току",
+ "A call is currently being placed!": "Успостављамо позив!",
+ "A call is already in progress!": "Позив је у току!",
+ "Permission Required": "Неопходна је дозвола",
+ "You do not have permission to start a conference call in this room": "Немате дозволу да започињете конференцијски позив у овој соби",
+ "Show empty room list headings": "Прикажи листу наслова празних соба",
+ "This event could not be displayed": "Овај догађај не може бити приказан",
+ "Demote yourself?": "Снизите чин себи?",
+ "Demote": "Снизите чин",
+ "deleted": "обрисано",
+ "underlined": "подвучено",
+ "You have no historical rooms": "Ваша историја соба је празна"
}
diff --git a/src/i18n/strings/sv.json b/src/i18n/strings/sv.json
index 0f898a3374..4a3c81774a 100644
--- a/src/i18n/strings/sv.json
+++ b/src/i18n/strings/sv.json
@@ -35,12 +35,12 @@
"Are you sure you want to leave the room '%(roomName)s'?": "Vill du lämna rummet '%(roomName)s'?",
"Are you sure you want to upload the following files?": "Vill du ladda upp följande filer?",
"Autoplay GIFs and videos": "Spela automatiskt upp GIFar och videor",
- "Are you sure you want to reject the invitation?": "Vill du avvisa inbjudan?",
+ "Are you sure you want to reject the invitation?": "Är du säker på att du vill avböja inbjudan?",
"Bulk Options": "Volymhandlingar",
"Blacklisted": "Svartlistad",
"%(senderName)s banned %(targetName)s.": "%(senderName)s bannade %(targetName)s.",
"Banned users": "Bannade användare",
- "Bans user with given id": "Bannar användaren med givet id",
+ "Bans user with given id": "Bannar användare med givet id",
"Ban": "Banna",
"Attachment": "Bilaga",
"Call Timeout": "Samtalstimeout",
@@ -52,13 +52,13 @@
"%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s tog bort rummets namn.",
"%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s bytte rummets ämne till \"%(topic)s\".",
"Changes to who can read history will only apply to future messages in this room": "Ändringar till vem som kan läsa meddelandehistorik tillämpas endast till framtida meddelanden i det här rummet",
- "Changes your display nickname": "Byter ditt synliga namn",
+ "Changes your display nickname": "Ändrar ditt visningsnamn",
"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.": "Om du byter lösenord kommer för tillfället alla krypteringsnycklar på alla enheter att nollställas, vilket gör all krypterad meddelandehistorik omöjligt att läsa, om du inte först exporterar rumsnycklarna och sedan importerar dem efteråt. I framtiden kommer det här att förbättras.",
"Claimed Ed25519 fingerprint key": "Påstådd Ed25519-fingeravtrycksnyckel",
"Clear Cache and Reload": "Töm cache och ladda om",
"Clear Cache": "Töm cache",
"Click here to fix": "Klicka här för att fixa",
- "Click to mute audio": "Klicka för att dämpa ljud",
+ "Click to mute audio": "Klicka för att tysta ljud",
"Click to mute video": "Klicka för att stänga av video",
"click to reveal": "klicka för att avslöja",
"Click to unmute video": "Klicka för att sätta på video",
@@ -78,14 +78,14 @@
"Cryptography": "Kryptografi",
"Current password": "Nuvarande lösenord",
"Curve25519 identity key": "Curve25519 -identitetsnyckel",
- "Custom level": "Egen nivå",
+ "Custom level": "Anpassad nivå",
"/ddg is not a command": "/ddg är inte ett kommando",
- "Deactivate Account": "Deaktivera konto",
+ "Deactivate Account": "Inaktivera konto",
"Deactivate my account": "Deaktivera mitt konto",
"Decrypt %(text)s": "Dekryptera %(text)s",
"Decryption error": "Dekrypteringsfel",
"Delete": "Radera",
- "Deops user with given id": "Degraderar användaren med givet id",
+ "Deops user with given id": "Degraderar användare med givet id",
"Default": "Standard",
"Device already verified!": "Enheten är redan verifierad!",
"Device ID": "Enhets-ID",
@@ -94,11 +94,11 @@
"Device key:": "Enhetsnyckel:",
"Devices": "Enheter",
"Devices will not yet be able to decrypt history from before they joined the room": "Enheter kan inte ännu dekryptera meddelandehistorik från före de gick med i rummet",
- "Direct chats": "Direkta chattar",
+ "Direct chats": "Direkt-chattar",
"Disinvite": "Häv inbjudan",
- "Display name": "Namn",
+ "Display name": "Visningsnamn",
"Displays action": "Visar åtgärd",
- "Don't send typing notifications": "Sänd inte \"skriver\"-status",
+ "Don't send typing notifications": "Skicka inte \"skriver\"-status",
"Download %(text)s": "Ladda ner %(text)s",
"Drop here to tag %(section)s": "Dra hit för att tagga %(section)s",
"Ed25519 fingerprint": "Ed25519-fingeravtryck",
@@ -122,21 +122,20 @@
"Export E2E room keys": "Exportera krypteringsrumsnycklar",
"Failed to ban user": "Det gick inte att banna användaren",
"Failed to change password. Is your password correct?": "Det gick inte att byta lösenord. Är lösenordet rätt?",
- "Failed to change power level": "Det gick inte att ändra maktnivå",
+ "Failed to change power level": "Det gick inte att ändra behörighetsnivå",
"Failed to forget room %(errCode)s": "Det gick inte att glömma bort rummet %(errCode)s",
"Failed to join room": "Det gick inte att gå med i rummet",
"Failed to kick": "Det gick inte att kicka",
"Failed to leave room": "Det gick inte att lämna rummet",
"Failed to load timeline position": "Det gick inte att hämta positionen på tidslinjen",
- "Failed to lookup current room": "Det gick inte att hämta det nuvarande rummet",
- "Failed to mute user": "Det gick inte att dämpa användaren",
+ "Failed to mute user": "Det gick inte att tysta användaren",
"Failed to reject invite": "Det gick inte att avböja inbjudan",
"Failed to reject invitation": "Det gick inte att avböja inbjudan",
"Failed to save settings": "Det gick inte att spara inställningarna",
"Failed to send email": "Det gick inte att skicka epost",
"Failed to send request.": "Det gick inte att sända begäran.",
"Failed to set avatar.": "Misslyckades med att ange avatar.",
- "Failed to set display name": "Det gick inte att sätta namnet",
+ "Failed to set display name": "Det gick inte att ange visningsnamn",
"Failed to set up conference call": "Det gick inte att starta konferenssamtalet",
"Failed to toggle moderator status": "Det gick inte att växla moderator-status",
"Failed to unban": "Det gick inte att avbanna",
@@ -149,8 +148,8 @@
"Add": "Lägg till",
"Admin Tools": "Admin-verktyg",
"Alias (optional)": "Alias (valfri)",
- "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Det gick inte att ansluta till servern - kontrollera anslutningen, försäkra att din hemservers TLS-certifikat är betrott, och att inget webbläsartillägg blockerar förfrågningar.",
- "%(senderName)s changed the power level of %(powerLevelDiffText)s.": "%(senderName)s ändrade maktnivån av %(powerLevelDiffText)s.",
+ "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Det gick inte att ansluta till hemservern - kontrollera anslutningen, se till att hemserverns SSL-certifikat är betrott, och att inget webbläsartillägg blockerar förfrågningar.",
+ "%(senderName)s changed the power level of %(powerLevelDiffText)s.": "%(senderName)s ändrade behörighetsnivå för %(powerLevelDiffText)s.",
"Click here to join the discussion!": "Klicka här för att gå med i diskussionen!",
"Close": "Stäng",
"%(count)s new messages|one": "%(count)s nytt meddelande",
@@ -165,7 +164,7 @@
"Encrypted by an unverified device": "Krypterat av en overifierad enhet",
"Encryption is enabled in this room": "Kryptering är aktiverat i det här rummet",
"Encryption is not enabled in this room": "Kryptering är inte aktiverat i det här rummet",
- "Enter passphrase": "Ge lösenfras",
+ "Enter passphrase": "Ange lösenfras",
"Error: Problem communicating with the given homeserver.": "Fel: Det gick inte att kommunicera med den angivna hemservern.",
"Failed to fetch avatar URL": "Det gick inte att hämta avatar-URL",
"Failed to upload profile picture!": "Det gick inte att ladda upp profilbild!",
@@ -185,8 +184,8 @@
"Hide Text Formatting Toolbar": "Göm textformatteringsverktygsfältet",
"Historical": "Historiska",
"Home": "Hem",
- "Homeserver is": "Hemservern är",
- "Identity Server is": "Identitetsservern är",
+ "Homeserver is": "Hemserver är",
+ "Identity Server is": "Identitetsserver är",
"I have verified my email address": "Jag har verifierat min epostadress",
"Import": "Importera",
"Import E2E room keys": "Importera rumskrypteringsnycklar",
@@ -204,7 +203,7 @@
"Invite new room members": "Bjud in nya rumsmedlemmar",
"Invited": "Inbjuden",
"Invites": "Inbjudningar",
- "Invites user with given id to current room": "Bjuder in användaren med det givna ID:t till det nuvarande rummet",
+ "Invites user with given id to current room": "Bjuder in användare med givet id till nuvarande rum",
"'%(alias)s' is not a valid format for an address": "'%(alias)s' är inte ett giltigt format för en adress",
"'%(alias)s' is not a valid format for an alias": "'%(alias)s' är inte ett giltigt format för ett alias",
"%(displayName)s is typing": "%(displayName)s skriver",
@@ -216,7 +215,7 @@
"Jump to first unread message.": "Hoppa till första olästa meddelande.",
"%(senderName)s kicked %(targetName)s.": "%(senderName)s kickade %(targetName)s.",
"Kick": "Kicka",
- "Kicks user with given id": "Kickar användaren med givet ID",
+ "Kicks user with given id": "Kickar användaren med givet id",
"Labs": "Labb",
"Last seen": "Senast sedd",
"Leave room": "Lämna rummet",
@@ -224,9 +223,8 @@
"Level:": "Nivå:",
"Local addresses for this room:": "Lokala adresser för rummet:",
"Logged in as:": "Inloggad som:",
- "Login as guest": "Logga in som gäst",
"Logout": "Logga ut",
- "Low priority": "Lågprioritet",
+ "Low priority": "Låg prioritet",
"%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s gjorde framtida rumshistorik synligt för alla rumsmedlemmar från att de bjöds in.",
"%(senderName)s made future room history visible to all room members, from the point they joined.": "%(senderName)s gjorde framtida rumshistorik synligt för alla rumsmedlemmar fr.o.m. att de gick med som medlem.",
"%(senderName)s made future room history visible to all room members.": "%(senderName)s gjorde framtida rumshistorik synligt för alla rumsmedlemmar.",
@@ -241,8 +239,7 @@
"Mobile phone number": "Telefonnummer",
"Mobile phone number (optional)": "Telefonnummer (valfri)",
"Moderator": "Moderator",
- "Must be viewing a room": "Du måste ha ett öppet rum",
- "Mute": "Dämpa",
+ "Mute": "Tysta",
"%(serverName)s Matrix ID": "%(serverName)s Matrix-ID",
"Name": "Namn",
"Never send encrypted messages to unverified devices from this device": "Skicka aldrig krypterade meddelanden till overifierade enheter från den här enheten",
@@ -276,7 +273,7 @@
"Phone": "Telefon",
"%(senderName)s placed a %(callType)s call.": "%(senderName)s startade ett %(callType)ssamtal.",
"Please check your email and click on the link it contains. Once this is done, click continue.": "Öppna meddelandet i din epost och klicka på länken i meddelandet. När du har gjort detta, klicka vidare.",
- "Power level must be positive integer.": "Maktnivån måste vara ett positivt heltal.",
+ "Power level must be positive integer.": "Behörighetsnivå måste vara ett positivt heltal.",
"Press to start a chat with someone": "Tryck på för att starta en chatt med någon",
"Privacy warning": "Integritetsvarning",
"Private Chat": "Privatchatt",
@@ -289,8 +286,8 @@
"Refer a friend to Riot:": "Hänvisa en vän till Riot:",
"Register": "Registrera",
"%(targetName)s rejected the invitation.": "%(targetName)s avvisade inbjudan.",
- "Reject invitation": "Avvisa inbjudan",
- "Rejoin": "Gå med tillbaka",
+ "Reject invitation": "Avböj inbjudan",
+ "Rejoin": "Gå med igen",
"Remote addresses for this room:": "Fjärradresser för det här rummet:",
"Remove Contact Information?": "Ta bort kontaktuppgifter?",
"%(senderName)s removed their display name (%(oldDisplayName)s).": "%(senderName)s tog bort sitt visningsnamn (%(oldDisplayName)s).",
@@ -326,7 +323,7 @@
"%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s bjöd in %(targetDisplayName)s med i rummet.",
"Server error": "Serverfel",
"Server may be unavailable or overloaded": "Servern kan vara otillgänglig eller överbelastad",
- "Server may be unavailable, overloaded, or search timed out :(": "Servern kan vara otillgänglig, överbelastad, eller så timade sökningen ut :(",
+ "Server may be unavailable, overloaded, or search timed out :(": "Servern kan vara otillgänglig, överbelastad, eller så tog sökningen för lång tid :(",
"Server may be unavailable, overloaded, or the file too big": "Servern kan vara otillgänglig, överbelastad, eller så är filen för stor",
"Server may be unavailable, overloaded, or you hit a bug.": "Servern kan vara otillgänglig, överbelastad, eller så stötte du på en bugg.",
"Server unavailable, overloaded, or something else went wrong.": "Servern är otillgänglig, överbelastad, eller så gick något annat fel.",
@@ -347,7 +344,7 @@
"Start Chat": "Starta en chatt",
"Cancel": "Avbryt",
"Create new room": "Skapa nytt rum",
- "Custom Server Options": "Egna serverinställningar",
+ "Custom Server Options": "Anpassade serverinställningar",
"Dismiss": "Avvisa",
"powered by Matrix": "drivs av Matrix",
"Room directory": "Rumskatalog",
@@ -358,7 +355,7 @@
"Cannot add any more widgets": "Det går inte att lägga till fler widgets",
"Changes colour scheme of current room": "Ändrar färgschema för nuvarande rum",
"Delete widget": "Ta bort widget",
- "Define the power level of a user": "Definiera anseende för en användare",
+ "Define the power level of a user": "Definiera behörighetsnivå för en användare",
"Do you want to load widget from URL:": "Vill du ladda widgeten från URL:",
"Edit": "Ändra",
"Enable automatic language detection for syntax highlighting": "Aktivera automatisk språkdetektering för syntaxmarkering",
@@ -368,24 +365,24 @@
"PM": "p.m.",
"NOTE: Apps are not end-to-end encrypted": "OBS: Apparna är inte end-to-end-krypterade",
"Revoke widget access": "Upphäv widget-åtkomst",
- "Submit": "Lämna",
+ "Submit": "Lämna in",
"Tagged as: ": "Taggad som: ",
- "The default role for new room members is": "Standardrollen för nya medlemmar är",
+ "The default role for new room members is": "Standardrollen för nya medlemmar i rummet är",
"The main address for this room is": "Huvudadressen för det här rummet är",
"The maximum permitted number of widgets have already been added to this room.": "Den största tillåtna mängden widgetar har redan tillsats till rummet.",
"The phone number entered looks invalid": "Telefonnumret ser felaktigt ut",
"The signing key you provided matches the signing key you received from %(userId)s's device %(deviceId)s. Device marked as verified.": "Signeringsnyckeln du angav matchar signeringsnyckeln som mottogs från enheten %(deviceId)s som tillhör %(userId)s. Enheten är markerad som verifierad.",
- "This email address is already in use": "Den här epostadressen är redan i bruk",
+ "This email address is already in use": "Den här epostadressen används redan",
"This email address was not found": "Den här epostadressen finns inte",
"The email address linked to your account must be entered.": "Epostadressen som är kopplad till ditt konto måste anges.",
"The file '%(fileName)s' exceeds this home server's size limit for uploads": "Filen '%(fileName)s' överskrider serverns största tillåtna filstorlek",
"The file '%(fileName)s' failed to upload": "Filen '%(fileName)s' kunde inte laddas upp",
- "Online": "Aktiv",
+ "Online": "Online",
"Unnamed room": "Namnlöst rum",
"World readable": "Alla kan läsa",
"Guests can join": "Gäster kan bli medlem i rummet",
"No rooms to show": "Inga fler rum att visa",
- "This phone number is already in use": "Detta telefonnummer är redan i bruk",
+ "This phone number is already in use": "Detta telefonnummer används redan",
"The version of Riot.im": "Versionen av Riot.im",
"Call Failed": "Samtal misslyckades",
"Call Anyway": "Ring ändå",
@@ -415,7 +412,7 @@
"Nov": "nov",
"Dec": "dec",
"Name or matrix ID": "Namn eller matrix ID",
- "Invite to Community": "",
+ "Invite to Community": "Bjud in till community",
"Unable to enable Notifications": "Det går inte att aktivera aviseringar",
"Failed to invite user": "Det gick inte att bjuda in användaren",
"The information being sent to us to help make Riot.im better includes:": "Informationen som skickas till oss för att hjälpa Riot.im att bli bättre inkluderar:",
@@ -436,7 +433,7 @@
"Sunday": "söndag",
"Messages sent by bot": "Meddelanden från bottar",
"Notification targets": "Aviseringsmål",
- "Failed to set direct chat tag": "Det gick inte att markera rummet som direkt chatt",
+ "Failed to set direct chat tag": "Det gick inte att markera rummet som direkt-chatt",
"Today": "idag",
"Failed to get protocol list from Home Server": "Det gick inte att hämta protokollistan från hemservern",
"You are not receiving desktop notifications": "Du får inte skrivbordsaviseringar",
@@ -446,7 +443,7 @@
"Add an email address above to configure email notifications": "Lägg till en epostadress här för att konfigurera epostaviseringar",
"Expand panel": "Öppna panel",
"On": "På",
- "%(count)s Members|other": "%(count)s 1 Medlemmar",
+ "%(count)s Members|other": "%(count)s medlemmar",
"Filter room names": "Filtrera rumsnamn",
"Changelog": "Ändringslogg",
"Waiting for response from server": "Väntar på svar från servern",
@@ -465,9 +462,9 @@
"The Home Server may be too old to support third party networks": "Hemservern kan vara för gammal för stöda tredje parters nätverk",
"Noisy": "Högljudd",
"Room not found": "Rummet hittades inte",
- "Messages containing my display name": "Meddelanden som innehåller mitt namn",
+ "Messages containing my display name": "Meddelanden som innehåller mitt visningsnamn",
"Messages in one-to-one chats": "Meddelanden i privata chattar",
- "Unavailable": "Inte tillgänglig",
+ "Unavailable": "Otillgänglig",
"View Decrypted Source": "Visa dekrypterad källa",
"Failed to update keywords": "Det gick inte att uppdatera nyckelorden",
"remove %(name)s from the directory.": "ta bort %(name)s från katalogen.",
@@ -481,7 +478,7 @@
"Filter results": "Filtrera resultaten",
"Members": "Medlemmar",
"No update available.": "Ingen uppdatering tillgänglig.",
- "Resend": "Sänd igen",
+ "Resend": "Skicka igen",
"Files": "Filer",
"Collecting app version information": "Samlar in appversionsinformation",
"Delete the room alias %(alias)s and remove %(name)s from the directory?": "Radera rumsadressen %(alias)s och ta bort %(name)s från katalogen?",
@@ -503,8 +500,8 @@
"Saturday": "lördag",
"I understand the risks and wish to continue": "Jag förstår riskerna och vill fortsätta",
"Direct Chat": "Direkt-chatt",
- "The server may be unavailable or overloaded": "Servern kan vara överbelastad eller inte tillgänglig",
- "Reject": "Avvisa",
+ "The server may be unavailable or overloaded": "Servern kan vara otillgänglig eller överbelastad",
+ "Reject": "Avböj",
"Failed to set Direct Message status of room": "Det gick inte att ställa in direktmeddelandestatus för rummet",
"Monday": "måndag",
"Remove from Directory": "Ta bort från katalogen",
@@ -516,8 +513,8 @@
"All Rooms": "Alla rum",
"Wednesday": "onsdag",
"You cannot delete this message. (%(code)s)": "Du kan inte radera det här meddelandet. (%(code)s)",
- "Send": "Sänd",
- "Send logs": "Sänd loggar",
+ "Send": "Skicka",
+ "Send logs": "Skicka loggar",
"All messages": "Alla meddelanden",
"Call invitation": "Inbjudan till samtal",
"Downloading update...": "Laddar ned uppdatering...",
@@ -547,7 +544,6 @@
"Unable to fetch notification target list": "Det gick inte att hämta aviseringsmållistan",
"Set Password": "Välj lösenord",
"Enable audible notifications in web client": "Sätt på högljudda aviseringar i webbklienten",
- "Permalink": "Permanent länk",
"Off": "Av",
"Riot does not know how to join a room on this network": "Riot kan inte gå med i ett rum på det här nätverket",
"Mentions only": "Endast omnämnande",
@@ -557,11 +553,11 @@
"Login": "Logga in",
"Download this file": "Ladda ner filen",
"Failed to change settings": "Det gick inte att spara inställningarna",
- "%(count)s Members|one": "%(count)s 1 Medlem",
+ "%(count)s Members|one": "%(count)s medlem",
"View Source": "Visa källa",
"Thank you!": "Tack!",
"Quote": "Citera",
- "Collapse panel": "Kollapsa panel",
+ "Collapse panel": "Dölj panel",
"With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "Med din nuvarande webbläsare kan appens utseende vara helt fel, och vissa eller alla egenskaper kommer nödvändigtvis inte att fungera. Om du ändå vill försöka så kan du fortsätta, men gör det på egen risk!",
"Checking for an update...": "Letar efter uppdateringar...",
"There are advanced notifications which are not shown here": "Det finns avancerade aviseringar som inte visas här",
@@ -575,9 +571,9 @@
"This room has no local addresses": "Det här rummet har inga lokala adresser",
"Updates": "Uppdateringar",
"Check for update": "Leta efter uppdatering",
- "Your language of choice": "Ditt valda språk",
+ "Your language of choice": "Ditt språkval",
"The platform you're on": "Plattformen du använder",
- "Whether or not you're logged in (we don't record your user name)": "Om du är inloggad eller inte (vi sparar inte ditt användarnamn)",
+ "Whether or not you're logged in (we don't record your user name)": "Oavsett om du är inloggad (så registreras inte ditt användarnamn)",
"Your homeserver's URL": "Din hemservers URL",
"Your identity server's URL": "Din identitetsservers URL",
"Every page you use in the app": "Varje sida du använder i appen",
@@ -589,7 +585,7 @@
"Your email address does not appear to be associated with a Matrix ID on this Homeserver.": "Din epostadress verkar inte vara kopplad till något Matrix-ID på den här hemservern.",
"Restricted": "Begränsad",
"Who would you like to communicate with?": "Vem vill du kommunicera med?",
- "Failed to invite the following users to the %(roomName)s room:": "Misslyckades med att bjuda in följande användare till %(roomName)s-rummet:",
+ "Failed to invite the following users to the %(roomName)s room:": "Det gick inte att bjuda in följande användare till %(roomName)s-rummet:",
"Unable to create widget.": "Det går inte att skapa widget.",
"Ignored user": "Ignorerad användare",
"You are now ignoring %(userId)s": "Du ignorerar nu %(userId)s",
@@ -638,7 +634,7 @@
"%(duration)sm": "%(duration)sm",
"%(duration)sh": "%(duration)sh",
"%(duration)sd": "%(duration)sd",
- "Online for %(duration)s": "Aktiv i %(duration)s",
+ "Online for %(duration)s": "Online i %(duration)s",
"Idle for %(duration)s": "Inaktiv i %(duration)s",
"Offline for %(duration)s": "Offline i %(duration)s",
"Idle": "Inaktiv",
@@ -653,18 +649,18 @@
"%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (nivå %(powerLevelNumber)s)",
"Unknown Address": "Okänd adress",
"%(nameList)s %(transitionList)s": "%(nameList)s %(transitionList)s",
- "%(severalUsers)sjoined %(count)s times|other": "%(severalUsers)s har gått med %(count)s gånger",
+ "%(severalUsers)sjoined %(count)s times|other": "%(severalUsers)sgick med %(count)s gånger",
"%(severalUsers)sjoined %(count)s times|one": "%(severalUsers)sgick med",
- "%(oneUser)sjoined %(count)s times|other": "%(oneUser)s har gått med %(count)s gånger",
+ "%(oneUser)sjoined %(count)s times|other": "%(oneUser)sgick med %(count)s gånger",
"%(oneUser)sjoined %(count)s times|one": "%(oneUser)sgick med",
- "%(severalUsers)sleft %(count)s times|other": "%(severalUsers)shar lämnat %(count)s gånger",
+ "%(severalUsers)sleft %(count)s times|other": "%(severalUsers)slämnade %(count)s gånger",
"%(severalUsers)sleft %(count)s times|one": "%(severalUsers)slämnade",
- "%(oneUser)sleft %(count)s times|other": "%(oneUser)shar lämnat %(count)s gånger",
+ "%(oneUser)sleft %(count)s times|other": "%(oneUser)slämnade %(count)s gånger",
"%(oneUser)sleft %(count)s times|one": "%(oneUser)slämnade",
- "%(severalUsers)sjoined and left %(count)s times|other": "%(severalUsers)shar gått med och lämnat %(count)s gånger",
- "%(severalUsers)sjoined and left %(count)s times|one": "%(severalUsers)shar gått med och lämnat",
- "%(oneUser)sjoined and left %(count)s times|other": "%(oneUser)shar gått med och lämnat %(count)s gånger",
- "%(oneUser)sjoined and left %(count)s times|one": "%(oneUser)shar gått med och lämnat",
+ "%(severalUsers)sjoined and left %(count)s times|other": "%(severalUsers)sgick med och lämnade %(count)s gånger",
+ "%(severalUsers)sjoined and left %(count)s times|one": "%(severalUsers)sgick med och lämnade",
+ "%(oneUser)sjoined and left %(count)s times|other": "%(oneUser)sgick med och lämnade %(count)s gånger",
+ "%(oneUser)sjoined and left %(count)s times|one": "%(oneUser)sgick med och lämnade",
"And %(count)s more...|other": "Och %(count)s till...",
"ex. @bob:example.com": "t.ex. @kalle:exempel.com",
"Add User": "Lägg till användare",
@@ -854,7 +850,7 @@
"Drop here to demote": "Släpp här för att göra till låg prioritet",
"You're not in any rooms yet! Press to make a room or to browse the directory": "Du är inte i något rum ännu! Tryck för att skapa ett rum eller för att bläddra i katalogen",
"Would you like to accept or decline this invitation?": "Vill du acceptera eller avböja denna inbjudan?",
- "You have been invited to join this room by %(inviterName)s": "Du har blivit inbjuden att gå med i rummet av %(inviterName)s",
+ "You have been invited to join this room by %(inviterName)s": "Du har blivit inbjuden till rummet av %(inviterName)s",
"Kick this user?": "Kicka användaren?",
"To send messages, you must be a": "För att skicka meddelanden, måste du vara",
"To invite users into the room, you must be a": "För att bjuda in användare i rummet, måste du vara",
@@ -901,8 +897,6 @@
"This setting cannot be changed later!": "Den här inställningen kan inte ändras senare!",
"Unknown error": "Okänt fel",
"Incorrect password": "Felaktigt lösenord",
- "This will make your account permanently unusable. You will not be able to re-register the same user ID.": "Detta kommer att göra ditt konto permanent oanvändbart. Du kommer inte att kunna registrera samma användar-ID igen.",
- "This action is irreversible.": "Denna åtgärd går inte att ångra.",
"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:": "För att verifiera att denna enhet kan litas på, vänligen kontakta ägaren på annat sätt (t ex personligen eller med ett telefonsamtal) och fråga om nyckeln ägaren har i sina användarinställningar för enheten matchar nyckeln nedan:",
"Device name": "Enhetsnamn",
"Device key": "Enhetsnyckel",
@@ -958,5 +952,320 @@
"%(senderName)s made future room history visible to unknown (%(visibility)s).": "%(senderName)s gjorde framtida rumshistorik synligt för okänd (%(visibility)s).",
"Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "Där denna sida innehåller identifierbar information, till exempel ett rums-, användar- eller grupp-ID, tas data bort innan den skickas till servern.",
"The remote side failed to pick up": "Mottagaren kunde inte svara",
- "Room name or alias": "Rumsnamn eller alias"
+ "Room name or alias": "Rumsnamn eller alias",
+ "Jump to read receipt": "Hoppa till läskvitto",
+ "At this time it is not possible to reply with a file so this will be sent without being a reply.": "Just nu är det inte möjligt att svara med en fil så den kommer att skickas utan att vara ett svar.",
+ "This process allows you to export the keys for messages you have received in encrypted rooms to a local file. You will then be able to import the file into another Matrix client in the future, so that client will also be able to decrypt these messages.": "Denna process låter dig exportera nycklarna för meddelanden som du har fått i krypterade rum till en lokal fil. Du kommer sedan att kunna importera filen i en annan Matrix-klient i framtiden, så att den klienten också kan dekryptera meddelandena.",
+ "Unknown for %(duration)s": "Okänt i %(duration)s",
+ "Unknown": "Okänt",
+ "Reload widget": "Ladda om widget",
+ "e.g. %(exampleValue)s": "t.ex. %(exampleValue)s",
+ "Can't leave Server Notices room": "Kan inte lämna serveraviseringsrummet",
+ "This room is used for important messages from the Homeserver, so you cannot leave it.": "Detta rum används för viktiga meddelanden från hemservern, så du kan inte lämna det.",
+ "Data from an older version of Riot has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Data från en äldre version av Riot has upptäckts. Detta ska ha orsakat att krypteringen inte fungerat i den äldre versionen. Krypterade meddelanden som nyligen har skickats medans den äldre versionen användes kanske inte kan dekrypteras i denna version. Detta kan även orsaka att meddelanden skickade med denna version inte fungerar. Om du upplever problem, logga ut och in igen. För att behålla meddelandehistoriken, exportera dina nycklar och importera dem igen.",
+ "Confirm Removal": "Bekräfta borttagning",
+ "Unable to ascertain that the address this invite was sent to matches one associated with your account.": "Det gick inte att kontrollera att adressen den här inbjudan skickades till matchar en som är kopplad till ditt konto.",
+ "You may wish to login with a different account, or add this email to this account.": "Du kanske vill logga in med ett annat konto, eller lägga till e-postadressen till detta konto.",
+ "Please help improve Riot.im by sending anonymous usage data . This will use a cookie (please see our Cookie Policy ).": "Vänligen hjälp till att förbättra Riot.im genom att skicka anonyma användardata . Detta kommer att använda en cookie (se vår Cookiepolicy ).",
+ "Please help improve Riot.im by sending anonymous usage data . This will use a cookie.": "Vänligen hjälp till att förbättra Riot.im genom att skicka anonyma användardata . Detta kommer att använda en cookie.",
+ "Yes, I want to help!": "Ja, jag vill hjälpa till!",
+ "%(senderName)s turned on end-to-end encryption (algorithm %(algorithm)s).": "%(senderName)s aktiverade kryptering (algoritm %(algorithm)s).",
+ "%(severalUsers)sleft and rejoined %(count)s times|other": "%(severalUsers)slämnade och gick med igen %(count)s gånger",
+ "%(severalUsers)sleft and rejoined %(count)s times|one": "%(severalUsers)slämnade och gick med igen",
+ "%(oneUser)sleft and rejoined %(count)s times|other": "%(oneUser)slämnade och gick med igen %(count)s gånger",
+ "%(oneUser)sleft and rejoined %(count)s times|one": "%(oneUser)slämnade och gick med igen",
+ "%(severalUsers)srejected their invitations %(count)s times|other": "%(severalUsers)savböjde sina inbjudningar %(count)s gånger",
+ "Unable to reject invite": "Det gick inte att avböja inbjudan",
+ "Reject all %(invitedRooms)s invites": "Avböj alla %(invitedRooms)s inbjudningar",
+ "%(severalUsers)srejected their invitations %(count)s times|one": "%(severalUsers)savböjde sina inbjudningar",
+ "%(oneUser)srejected their invitation %(count)s times|other": "%(oneUser)savböjde sin inbjudan %(count)s gånger",
+ "%(oneUser)srejected their invitation %(count)s times|one": "%(oneUser)savböjde sin inbjudan",
+ "%(severalUsers)shad their invitations withdrawn %(count)s times|other": "%(severalUsers)sfick sina inbjudningar tillbakadragna %(count)s gånger",
+ "%(severalUsers)shad their invitations withdrawn %(count)s times|one": "%(severalUsers)sfick sina inbjudningar tillbakadragna",
+ "%(oneUser)shad their invitation withdrawn %(count)s times|other": "%(oneUser)sfick sin inbjudan tillbakadragen %(count)s gånger",
+ "%(oneUser)shad their invitation withdrawn %(count)s times|one": "%(oneUser)sfick sin inbjudan tillbakadragen",
+ "were invited %(count)s times|other": "blev inbjudna %(count)s gånger",
+ "were invited %(count)s times|one": "blev inbjudna",
+ "was invited %(count)s times|other": "blev inbjuden %(count)s gånger",
+ "was invited %(count)s times|one": "blev inbjuden",
+ "were banned %(count)s times|other": "blev bannade %(count)s gånger",
+ "were banned %(count)s times|one": "blev bannade",
+ "was banned %(count)s times|other": "blev bannad %(count)s gånger",
+ "was banned %(count)s times|one": "blev bannad",
+ "Ban this user?": "Banna användaren?",
+ "were kicked %(count)s times|other": "blev kickade %(count)s gånger",
+ "were kicked %(count)s times|one": "blev kickade",
+ "was kicked %(count)s times|other": "blev kickad %(count)s gånger",
+ "was kicked %(count)s times|one": "blev kickad",
+ "%(severalUsers)schanged their name %(count)s times|other": "%(severalUsers)sbytte namn %(count)s gånger",
+ "%(severalUsers)schanged their name %(count)s times|one": "%(severalUsers)sbytte namn",
+ "%(oneUser)schanged their name %(count)s times|other": "%(oneUser)sbytte namn %(count)s gånger",
+ "%(oneUser)schanged their name %(count)s times|one": "%(oneUser)sbytte namn",
+ "%(severalUsers)schanged their avatar %(count)s times|other": "%(severalUsers)sändrade sin avatar %(count)s gånger",
+ "%(severalUsers)schanged their avatar %(count)s times|one": "%(severalUsers)sändrade sin avatar",
+ "%(oneUser)schanged their avatar %(count)s times|other": "%(oneUser)sändrade sin avatar %(count)s gånger",
+ "%(oneUser)schanged their avatar %(count)s times|one": "%(oneUser)sändrade sin avatar",
+ "%(items)s and %(count)s others|other": "%(items)s och %(count)s andra",
+ "%(items)s and %(count)s others|one": "%(items)s och en annan",
+ "collapse": "fäll ihop",
+ "expand": "fäll ut",
+ "Custom of %(powerLevel)s": "Anpassad på %(powerLevel)s",
+ "In reply to ": "Som svar på ",
+ "Who would you like to add to this community?": "Vem vill du lägga till i denna community?",
+ "Warning: any person you add to a community will be publicly visible to anyone who knows the community ID": "Varning: En person du lägger till i en community kommer att vara synlig för alla som känner till community-ID:t",
+ "Invite new community members": "Bjud in nya community-medlemmar",
+ "Which rooms would you like to add to this community?": "Vilka rum vill du lägga till i denna community?",
+ "Show these rooms to non-members on the community page and room list?": "Vissa dessa rum och icke-medlemmar på community-sidan och -rumslistan?",
+ "Add rooms to the community": "Lägg till rum i communityn",
+ "Add to community": "Lägg till i community",
+ "Failed to invite users to community": "Det gick inte att bjuda in användare till communityn",
+ "Mirror local video feed": "Spegelvänd lokal video",
+ "Disable Community Filter Panel": "Inaktivera community-filterpanel",
+ "Community Invites": "Community-inbjudningar",
+ "Invalid community ID": "Ogiltigt community-ID",
+ "'%(groupId)s' is not a valid community ID": "%(groupId)s är inte ett giltigt community-ID",
+ "New community ID (e.g. +foo:%(localDomain)s)": "Nytt community-ID (t.ex. +foo:%(localDomain)s)",
+ "Remove from community": "Ta bort från community",
+ "Disinvite this user from community?": "Ta bort användarens inbjudan till community?",
+ "Remove this user from community?": "Ta bort användaren från community?",
+ "Failed to remove user from community": "Det gick inte att ta bort användaren från community",
+ "Filter community members": "Filtrera community-medlemmar",
+ "Removing a room from the community will also remove it from the community page.": "Om du tar bort ett rum från communityn tas det även bort från communityns sida.",
+ "Failed to remove room from community": "Det gick inte att ta bort rum från community",
+ "Only visible to community members": "Endast synlig för community-medlemmar",
+ "Filter community rooms": "Filtrera community-rum",
+ "Community IDs cannot be empty.": "Community-ID kan inte vara tomt.",
+ "Community IDs may only contain characters a-z, 0-9, or '=_-./'": "Community-ID får endast innehålla tecknen a-z, 0-9 och '=_-./'",
+ "Something went wrong whilst creating your community": "Något gick fel när din community skapades",
+ "Create Community": "Skapa community",
+ "Community Name": "Community-namn",
+ "Community ID": "Community-ID",
+ "View Community": "Visa community",
+ "HTML for your community's page \n\n Use the long description to introduce new members to the community, or distribute\n some important links \n
\n\n You can even use 'img' tags\n
\n": "HTML för din community-sida \n\n Använd den långa beskrivningen för att introducera nya medlemmar till communityn, eller dela\n några viktiga länkar \n
\n\n Du kan även använda 'img'-taggar\n
\n",
+ "Add rooms to the community summary": "Lägg till rum i community-översikten",
+ "Add users to the community summary": "Lägg till användare i community-översikten",
+ "Failed to update community": "Det gick inte att uppdatera community",
+ "Unable to join community": "Det gick inte att gå med i communityn",
+ "Leave Community": "Lämna community",
+ "Unable to leave community": "Det gick inte att lämna community",
+ "Community Settings": "Community-inställningar",
+ "Changes made to your community name and avatar might not be seen by other users for up to 30 minutes.": "Det kan dröja upp till 30 minuter innan ändringar på communityns namn och avatar blir synliga för andra användare.",
+ "These rooms are displayed to community members on the community page. Community members can join the rooms by clicking on them.": "Dessa rum visas för community-medlemmar på community-sidan. Community-medlemmar kan gå med i rummen genom att klicka på dem.",
+ "Add rooms to this community": "Lägg till rum i denna community",
+ "%(inviter)s has invited you to join this community": "%(inviter)s har bjudit in dig till denna community",
+ "Join this community": "Gå med i denna community",
+ "Leave this community": "Lämna denna community",
+ "You are an administrator of this community": "Du är administratör för denna community",
+ "You are a member of this community": "Du är medlem i denna community",
+ "Who can join this community?": "Vem kan gå med i denna community?",
+ "Your community hasn't got a Long Description, a HTML page to show to community members. Click here to open settings and give it one!": "Din community har ingen lång beskrivning eller HTML-sida att visa för medlemmar. Klicka här för att öppna inställningar och lägga till det!",
+ "Community %(groupId)s not found": "Community %(groupId)s hittades inte",
+ "To set up a filter, drag a community avatar over to the filter panel on the far left hand side of the screen. You can click on an avatar in the filter panel at any time to see only the rooms and people associated with that community.": "För att skapa ett filter, dra en community-avatar till filterpanelen längst till vänster på skärmen. Du kan när som helst klicka på en avatar i filterpanelen för att bara se rum och personer som är associerade med den communityn.",
+ "Create a new community": "Skapa en ny community",
+ "Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.": "Skapa en community för att gruppera användare och rum! Bygg en anpassad hemsida för att markera er plats i Matrix-universumet.",
+ "Invite to this community": "Bjud in till denna community",
+ "Something went wrong when trying to get your communities.": "Något gick fel vid hämtning av dina communityn.",
+ "You're not currently a member of any communities.": "Du är för närvarande inte medlem i någon community.",
+ "Communities": "Communityn",
+ "This Home server does not support communities": "Denna hemserver stöder inte communityn",
+ "Your Communities": "Dina communityn",
+ "Did you know: you can use communities to filter your Riot.im experience!": "Visste du att: du kan använda communityn för att filtrera din Riot.im-upplevelse!",
+ "Error whilst fetching joined communities": "Fel vid hämtning av anslutna communityn",
+ "Featured Rooms:": "Utvalda rum:",
+ "Featured Users:": "Utvalda användare:",
+ "Everyone": "Alla",
+ "To notify everyone in the room, you must be a": "För att meddela alla i rummet, måste du vara",
+ "Long Description (HTML)": "Lång beskrivning (HTML)",
+ "Description": "Beskrivning",
+ "Failed to load %(groupId)s": "Det gick inte att ladda %(groupId)s",
+ "Failed to withdraw invitation": "Det gick inte att ta bort inbjudan",
+ "Are you sure you want to remove '%(roomName)s' from %(groupId)s?": "Är du säker på att du vill ta bort %(roomName)s från %(groupId)s?",
+ "Failed to remove '%(roomName)s' from %(groupId)s": "Det gick inte att ta bort %(roomName)s från %(groupId)s",
+ "Something went wrong!": "Något gick fel!",
+ "The visibility of '%(roomName)s' in %(groupId)s could not be updated.": "Synligheten för '%(roomName)s' i %(groupId)s kunde inte uppdateras.",
+ "Visibility in Room List": "Synlighet i rumslistan",
+ "Visible to everyone": "Synlig för alla",
+ "Please select the destination room for this message": "Välj vilket rum meddelandet ska skickas till",
+ "Disinvite this user?": "Ta bort användarens inbjudan?",
+ "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Du kommer inte att kunna ångra den här ändringen eftersom du sänker din egen behörighetsnivå, om du är den sista privilegierade användaren i rummet blir det omöjligt att ändra behörigheter.",
+ "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Du kommer inte att kunna ångra den här ändringen eftersom du höjer användaren till samma behörighetsnivå som dig själv.",
+ "User Options": "Användaralternativ",
+ "unknown caller": "okänd uppringare",
+ "At this time it is not possible to reply with an emote.": "Det är för närvarande inte möjligt att svara med en emoji.",
+ "To use it, just wait for autocomplete results to load and tab through them.": "För att använda detta, vänta på att autokompletteringen laddas och tabba igenom resultatet.",
+ "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!": "VARNING: NYCKELVERIFIERINGEN MISSLYCKADES! Signeringsnyckeln för %(userId)s och enhet %(deviceId)s är \"%(fprint)s\" som inte matchar den angivna nyckeln \"%(fingerprint)s\". Detta kan betyda att dina kommunikationer avlyssnas!",
+ "Hide join/leave messages (invites/kicks/bans unaffected)": "Dölj \"gå med\"/lämna-meddelanden (inbjudningar/kickningar/banningar opåverkat)",
+ "Disable Peer-to-Peer for 1:1 calls": "Inaktivera enhet-till-enhet-kommunikation för direktsamtal (mellan två personer)",
+ "Enable inline URL previews by default": "Aktivera URL-förhandsvisning som standard",
+ "Enable URL previews for this room (only affects you)": "Aktivera URL-förhandsvisning för detta rum (påverkar bara dig)",
+ "Enable URL previews by default for participants in this room": "Aktivera URL-förhandsvisning som standard för deltagare i detta rum",
+ "You have enabled URL previews by default.": "Du har aktiverat URL-förhandsvisning som standard.",
+ "You have disabled URL previews by default.": "Du har inaktiverat URL-förhandsvisning som standard.",
+ "URL previews are enabled by default for participants in this room.": "URL-förhandsvisning är aktiverat som standard för deltagare i detta rum.",
+ "URL previews are disabled by default for participants in this room.": "URL-förhandsvisning är inaktiverat som standard för deltagare i detta rum.",
+ "URL Previews": "URL-förhandsvisning",
+ "Which rooms would you like to add to this summary?": "Vilka rum vill du lägga till i översikten?",
+ "Add to summary": "Lägg till i översikt",
+ "Failed to add the following rooms to the summary of %(groupId)s:": "Det gick inte att lägga till följande rum i översikten för %(groupId)s:",
+ "Add a Room": "Lägg till ett rum",
+ "Failed to remove the room from the summary of %(groupId)s": "Det gick inte att ta bort rummet från översikten i %(groupId)s",
+ "The room '%(roomName)s' could not be removed from the summary.": "Rummet '%(roomName)s' kunde inte tas bort från översikten.",
+ "Who would you like to add to this summary?": "Vem vill du lägga till i översikten?",
+ "Failed to add the following users to the summary of %(groupId)s:": "Det gick inte att lägga till följande användare i översikten för %(groupId)s:",
+ "Add a User": "Lägg till en användare",
+ "Failed to remove a user from the summary of %(groupId)s": "Det gick inte att ta bort en användare från översikten i %(groupId)s",
+ "The user '%(displayName)s' could not be removed from the summary.": "Användaren '%(displayName)s' kunde inte tas bort från översikten.",
+ "Unable to accept invite": "Det gick inte att acceptera inbjudan",
+ "Leave %(groupName)s?": "Lämna %(groupName)s?",
+ "Enable widget screenshots on supported widgets": "Aktivera widget-skärmdumpar för widgets som stöder det",
+ "Your key share request has been sent - please check your other devices for key share requests.": "Din nyckeldelningsbegäran har skickats - kolla efter nyckeldelningsbegäran på dina andra enheter.",
+ "Undecryptable": "Odekrypterbar",
+ "Key share requests are sent to your other devices automatically. If you rejected or dismissed the key share request on your other devices, click here to request the keys for this session again.": "Nyckeldelningsbegäran skickas automatiskt till dina andra enheter. Om du avvisat nyckelbegäran på dina andra enheter, klicka här för att begära nycklarna till den här sessionen igen.",
+ "If your other devices do not have the key for this message you will not be able to decrypt them.": "Om dina andra enheter inte har nyckeln till detta meddelande kommer du du att kunna dekryptera det.",
+ "Key request sent.": "Nyckelbegäran skickad.",
+ "Re-request encryption keys from your other devices.": "Begär krypteringsnycklar igen från dina andra enheter.",
+ "Unban": "Avbanna",
+ "Unban this user?": "Avbanna användaren?",
+ "Unmute": "Ta bort dämpning",
+ "You don't currently have any stickerpacks enabled": "Du har för närvarande inga dekalpaket aktiverade",
+ "Add a stickerpack": "Lägg till dekalpaket",
+ "Stickerpack": "Dekalpaket",
+ "Hide Stickers": "Dölj dekaler",
+ "Show Stickers": "Visa dekaler",
+ "Error decrypting audio": "Det gick inte att dekryptera ljud",
+ "Error decrypting image": "Det gick inte att dekryptera bild",
+ "Error decrypting video": "Det gick inte att dekryptera video",
+ "Add an Integration": "Lägg till integration",
+ "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Du skickas till en tredjepartswebbplats så att du kan autentisera ditt konto för användning med %(integrationsUrl)s. Vill du fortsätta?",
+ "You can use the custom server options to sign into other Matrix servers by specifying a different Home server URL.": "Du kan använda de anpassade serverinställningar för att logga in på andra Matrix-servrar genom att ange en annan hemserver-URL.",
+ "This allows you to use this app with an existing Matrix account on a different home server.": "Det gör det möjligt att använda denna app med ett befintligt Matrix-konto på en annan hemserver.",
+ "You can also set a custom identity server but this will typically prevent interaction with users based on email address.": "Du kan även ange en anpassad identitetsserver men det förhindrar vanligtvis interaktion med användare baserat på e-postadress.",
+ "If you don't specify an email address, you won't be able to reset your password. Are you sure?": "Om du inte anger en epostadress, kan du inte återställa ditt lösenord. Är du säker?",
+ "You are registering with %(SelectedTeamName)s": "Du registrerar dig med %(SelectedTeamName)s",
+ "Warning: This widget might use cookies.": "Varning: Denna widget kan använda cookies.",
+ "Popout widget": "Poppa ut widget",
+ "were unbanned %(count)s times|other": "blev avbannade %(count)s gånger",
+ "were unbanned %(count)s times|one": "blev avbannade",
+ "was unbanned %(count)s times|other": "blev avbannad %(count)s gånger",
+ "was unbanned %(count)s times|one": "blev avbannad",
+ "Failed to indicate account erasure": "Det gick inte att ange kontoradering",
+ "This will make your account permanently unusable. You will not be able to log in, and no one will be able to re-register the same user ID. This will cause your account to leave all rooms it is participating in, and it will remove your account details from your identity server. This action is irreversible. ": "Detta kommer att göra ditt konto permanent oanvändbart. Du kommer inte att kunna logga in, och ingen kommer att kunna registrera samma användar-ID. Ditt konto kommer att lämna alla rum som det deltar i, och dina kontouppgifter kommer att raderas från identitetsservern. Denna åtgärd går inte att ångra. ",
+ "Deactivating your account does not by default cause us to forget messages you have sent. If you would like us to forget your messages, please tick the box below.": "Att du inaktiverar ditt konto gör inte att meddelanden som du skickat glöms automatiskt. Om du vill att vi ska glömma dina meddelanden, kryssa i rutan nedan.",
+ "Message visibility in Matrix is similar to email. Our forgetting your messages means that messages you have sent will not be shared with any new or unregistered users, but registered users who already have access to these messages will still have access to their copy.": "Meddelandesynlighet i Matrix liknar email. Att vi glömmer dina meddelanden innebär att meddelanden som du skickat inte delas med några nya eller oregistrerade användare, men registrerade användare som redan har tillgång till meddelandena kommer fortfarande ha tillgång till sin kopia.",
+ "Please forget all messages I have sent when my account is deactivated (Warning: this will cause future users to see an incomplete view of conversations)": "Glöm alla meddelanden som jag har skickat när mitt konto inaktiveras (Varning: detta kommer att göra så att framtida användare får se ofullständiga konversationer)",
+ "To continue, please enter your password:": "För att fortsätta, ange ditt lösenord:",
+ "password": "lösenord",
+ "Debug Logs Submission": "Inlämning av felsökningsloggar",
+ "If you've submitted a bug via GitHub, debug logs can help us track down the problem. Debug logs contain application usage data including your username, the IDs or aliases of the rooms or groups you have visited and the usernames of other users. They do not contain messages.": "Om du har anmält en bugg via GitHub, kan felsökningsloggar hjälpa oss spåra problemet. Felsökningsloggarna innehåller användningsdata för applikationen inklusive ditt användarnamn, ID eller alias för rum och grupper du besökt och användarnamn för andra användare. De innehåller inte meddelanden.",
+ "Riot collects anonymous analytics to allow us to improve the application.": "Riot samlar in anonym analysdata för att vi ska kunna förbättra applikationen.",
+ "Privacy is important to us, so we don't collect any personal or identifiable data for our analytics.": "Integritet är viktig för oss, så vi samlar inte in några personliga eller identifierbara uppgifter för våra analyser.",
+ "Learn more about how we use analytics.": "Läs mer om hur vi använder analysdata.",
+ "Analytics": "Analysdata",
+ "Send analytics data": "Skicka analysdata",
+ "You have been logged out of all devices and will no longer receive push notifications. To re-enable notifications, sign in again on each device": "Du har loggats ut från alla enheter och kommer inte längre att få push-meddelanden. För att återaktivera det, logga in på varje enhet igen",
+ "Passphrases must match": "Passfraser måste matcha",
+ "Passphrase must not be empty": "Lösenfras får inte vara tom",
+ "Confirm passphrase": "Bekräfta lösenfrasen",
+ "%(senderName)s changed the pinned messages for the room.": "%(senderName)s ändrade fastnålade meddelanden för rummet.",
+ "Message Pinning": "Nåla fast meddelanden",
+ "Unpin Message": "Ta bort fastnålning",
+ "No pinned messages.": "Inga fastnålade meddelanden.",
+ "Pinned Messages": "Fastnålade meddelanden",
+ "Pin Message": "Nåla fast meddelande",
+ "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.": "Den exporterade filen kommer att låta någon som kan läsa den att dekryptera alla krypterade meddelanden som du kan se, så du bör vara noga med att hålla den säker. För att hjälpa till med detta, bör du ange en lösenfras nedan, som kommer att användas för att kryptera exporterad data. Det kommer bara vara möjligt att importera data genom att använda samma lösenfras.",
+ "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.": "Denna process möjliggör import av krypteringsnycklar som tidigare exporterats från en annan Matrix-klient. Du kommer då kunna dekryptera alla meddelanden som den andra klienten kunde dekryptera.",
+ "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Den exporterade filen kommer vara skyddad med en lösenfras. Du måste ange lösenfrasen här, för att dekryptera filen.",
+ "Flair": "Emblem",
+ "Showing flair for these communities:": "Visar emblem för dessa communityn:",
+ "This room is not showing flair for any communities": "Detta rum visar inte emblem för några communityn",
+ "Flair will appear if enabled in room settings": "Emblem kommer visas om det är aktiverat i rumsinställningarna",
+ "Flair will not appear": "Emblem kommer inte att visas",
+ "Display your community flair in rooms configured to show it.": "Visa ditt community-emblem i rum som är konfigurerade för att visa det.",
+ "Jitsi Conference Calling": "Jitsi konferenssamtal",
+ "Encrypting": "Krypterar",
+ "Encrypted, not sent": "Krypterat, inte skickat",
+ "Share Link to User": "Dela länk till användare",
+ "Share room": "Dela rum",
+ "Share Room": "Dela rum",
+ "Link to most recent message": "Länk till senaste meddelandet",
+ "Share User": "Dela användare",
+ "Share Community": "Dela community",
+ "Share Room Message": "Dela rumsmeddelande",
+ "Link to selected message": "Länk till valt meddelande",
+ "COPY": "KOPIERA",
+ "Share Message": "Dela meddelande",
+ "No Audio Outputs detected": "Inga ljudutgångar hittades",
+ "Audio Output": "Ljudutgång",
+ "Try the app first": "Testa appen först",
+ "A conference call could not be started because the intgrations server is not available": "Konferenssamtal kunde inte startas för integrationsservern är otillgänglig",
+ "Call in Progress": "Samtal pågår",
+ "A call is currently being placed!": "Ett samtal håller på att upprättas!",
+ "A call is already in progress!": "Ett samtal pågår redan!",
+ "Permission Required": "Behörighet krävs",
+ "You do not have permission to start a conference call in this room": "Du har inte behörighet att starta ett konferenssamtal i detta rum",
+ "This event could not be displayed": "Den här händelsen kunde inte visas",
+ "deleted": "borttagen",
+ "underlined": "understruken",
+ "inline-code": "kod",
+ "block-quote": "citat",
+ "bulleted-list": "punktlista",
+ "numbered-list": "nummerlista",
+ "You have no historical rooms": "Du har inga historiska rum",
+ "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "I krypterade rum, som detta, är URL-förhandsvisning inaktiverad som standard för att säkerställa att din hemserver (där förhandsvisningar genereras) inte kan samla information om länkar du ser i rummet.",
+ "The email field must not be blank.": "Email-fältet får inte vara tomt.",
+ "The user name field must not be blank.": "Användarnamns-fältet får inte vara tomt.",
+ "The phone number field must not be blank.": "Telefonnummer-fältet får inte vara tomt.",
+ "The password field must not be blank.": "Lösenords-fältet får inte vara tomt.",
+ "This homeserver has hit its Monthly Active User limit. Please contact your service administrator to continue using the service.": "Hemservern har nått sin månatliga gräns för användaraktivitet. Kontakta din serviceadministratör för att fortsätta använda servicen.",
+ "Failed to remove widget": "Det gick inte att ta bort widget",
+ "An error ocurred whilst trying to remove the widget from the room": "Ett fel uppstod vid borttagning av widget från rummet",
+ "Demote yourself?": "Sänk egen behörighetsnivå?",
+ "Demote": "Degradera",
+ "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "När någon postar en URL i sitt meddelande, kan URL-förhandsvisning ge mer information om länken, såsom titel, beskrivning, och en bild från webbplatsen.",
+ "You can't send any messages until you review and agree to our terms and conditions .": "Du kan inte skicka några meddelanden innan du granskar och godkänner våra villkor .",
+ "Your message wasn’t sent because this homeserver has hit its Monthly Active User Limit. Please contact your service administrator to continue using the service.": "Ditt meddelande skickades inte för hemservern har nått sin månatliga gräns för användaraktivitet. Kontakta din serviceadministratör för att fortsätta använda servicen.",
+ "This homeserver has hit its Monthly Active User limit": "Hemservern har nått sin månatliga gräns för användaraktivitet",
+ "Please contact your service administrator to continue using this service.": "Kontakta din serviceadministratör för att fortsätta använda servicen.",
+ "Show empty room list headings": "Visa tomma rumsrubriker",
+ "System Alerts": "Systemvarningar",
+ "Sorry, your homeserver is too old to participate in this room.": "Tyvärr, din hemserver är för gammal för att delta i detta rum.",
+ "Please contact your homeserver administrator.": "Vänligen kontakta din hemserver-administratör.",
+ "Increase performance by only loading room members on first view": "Öka prestanda genom att bara ladda rumsdeltagare vid första visning",
+ "Internal room ID: ": "Internt rums-ID: ",
+ "Room version number: ": "Rumsversionsnummer: ",
+ "Please contact your service administrator to continue using the service.": "Kontakta din serviceadministratör för att fortsätta använda tjänsten.",
+ "This homeserver has hit its Monthly Active User limit.": "Hemservern har nått sin månatliga gräns för användaraktivitet.",
+ "This homeserver has exceeded one of its resource limits.": "Hemservern har överskridit en av sina resursgränser.",
+ "Please contact your service administrator to get this limit increased.": "Kontakta din serviceadministratör för att få denna gräns ökad.",
+ "This homeserver has hit its Monthly Active User limit so some users will not be able to log in .": "Hemservern har nått sin månatliga gräns för användaraktivitet så vissa användare kommer inte kunna logga in .",
+ "This homeserver has exceeded one of its resource limits so some users will not be able to log in .": "Hemservern har överskridit en av sina resursgränser så vissa användare kommer inte kunna logga in .",
+ "Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please contact your service administrator to continue using the service.": "Ditt meddelande skickades inte för hemservern har nått sin månatliga gräns för användaraktivitet. Kontakta din serviceadministratör för att fortsätta använda servicen.",
+ "Your message wasn't sent because this homeserver has exceeded a resource limit. Please contact your service administrator to continue using the service.": "Ditt meddelande skickades inte för hemservern har överskridit en av sina resursgränser. Kontakta din serviceadministratör för att fortsätta använda servicen.",
+ "Lazy loading members not supported": "Behovsladdning av medlemmar stöds inte",
+ "Lazy loading is not supported by your current homeserver.": "Behovsladdning stöds inte av din nuvarande hemserver.",
+ "Legal": "Juridiskt",
+ "Please contact your service administrator to continue using this service.": "Kontakta din serviceadministratör för att fortsätta använda servicen.",
+ "This room has been replaced and is no longer active.": "Detta rum har ersatts och är inte längre aktivt.",
+ "The conversation continues here.": "Konversationen fortsätter här.",
+ "Upgrade room to version %(ver)s": "Uppgradera rummet till version %(ver)s",
+ "There is a known vulnerability affecting this room.": "Det finns en känd sårbarhet som påverkar detta rum.",
+ "This room version is vulnerable to malicious modification of room state.": "Denna rumsversion är sårbar för skadlig modifiering av rumstillstånd.",
+ "Click here to upgrade to the latest room version and ensure room integrity is protected.": "Klicka här för att uppgradera till senaste rumsversionen och se till att rumsintegriteten är skyddad.",
+ "Only room administrators will see this warning": "Endast rumsadministratörer kommer att se denna varning",
+ "This room is a continuation of another conversation.": "Detta rum är en fortsättning på en annan konversation.",
+ "Click here to see older messages.": "Klicka här för att se äldre meddelanden.",
+ "Failed to upgrade room": "Det gick inte att uppgradera rum",
+ "The room upgrade could not be completed": "Rumsuppgraderingen kunde inte slutföras",
+ "Upgrade this room to version %(version)s": "Uppgradera detta rum till version %(version)s",
+ "Upgrade Room Version": "Uppgradera rumsversion",
+ "Upgrading this room requires closing down the current instance of the room and creating a new room it its place. To give room members the best possible experience, we will:": "Uppgradering av detta rum kräver att nuvarande rumsinstans stängs och ersätts av ett nytt rum. För att ge rumsmedlemmarna bästa möjliga upplevelse, kommer vi att:",
+ "Create a new room with the same name, description and avatar": "Skapa ett nytt rum med samma namn, beskrivning och avatar",
+ "Update any local room aliases to point to the new room": "Uppdatera lokala rumsalias att peka på det nya rummet",
+ "Stop users from speaking in the old version of the room, and post a message advising users to move to the new room": "Hindra användare från att prata i den gamla rumsversionen och posta ett meddelande som rekommenderar användare att flytta till det nya rummet",
+ "Put a link back to the old room at the start of the new room so people can see old messages": "Sätta en länk tillbaka till det gamla rummet i början av det nya rummet så att folk kan se gamla meddelanden",
+ "Registration Required": "Registrering krävs",
+ "You need to register to do this. Would you like to register now?": "Du måste registrera dig för att göra detta. Vill du registrera dig nu?",
+ "Forces the current outbound group session in an encrypted room to be discarded": "Tvingar den aktuella utgående gruppsessionen i ett krypterat rum att överges",
+ "Unable to connect to Homeserver. Retrying...": "Det gick inte att ansluta till hemserver. Försöker igen ...",
+ "Unable to query for supported registration methods": "Det gick inte att hämta stödda registreringsmetoder"
}
diff --git a/src/i18n/strings/ta.json b/src/i18n/strings/ta.json
index 6aecb54bfd..b8fe318b46 100644
--- a/src/i18n/strings/ta.json
+++ b/src/i18n/strings/ta.json
@@ -78,7 +78,6 @@
"Off": "அமை",
"On": "மீது",
"Operation failed": "செயல்பாடு தோல்வியுற்றது",
- "Permalink": "நிரந்தரத் தொடுப்பு",
"powered by Matrix": "Matrix-ஆல் ஆனது",
"Quote": "மேற்கோள்",
"Reject": "நிராகரி",
diff --git a/src/i18n/strings/th.json b/src/i18n/strings/th.json
index 6fa7febabd..3fe7bf8f98 100644
--- a/src/i18n/strings/th.json
+++ b/src/i18n/strings/th.json
@@ -132,7 +132,6 @@
"Failed to join room": "การเข้าร่วมห้องล้มเหลว",
"Failed to kick": "การเตะล้มเหลว",
"Failed to leave room": "การออกจากห้องล้มเหลว",
- "Failed to lookup current room": "การหาห้องปัจจุบันล้มเหลว",
"Failed to reject invite": "การปฏิเสธคำเชิญล้มเหลว",
"Failed to reject invitation": "การปฏิเสธคำเชิญล้มเหลว",
"Failed to save settings": "การบันทึกการตั้งค่าล้มเหลว",
@@ -178,7 +177,6 @@
"Leave room": "ออกจากห้อง",
"%(targetName)s left the room.": "%(targetName)s ออกจากห้องแล้ว",
"Logged in as:": "เข้าสู่ระบบในชื่อ:",
- "Login as guest": "เข้าสู่ระบบในฐานะแขก",
"Logout": "ออกจากระบบ",
"Markdown is disabled": "ปิดใช้งาน Markdown แล้ว",
"Markdown is enabled": "เปิดใช้งาน Markdown แล้ว",
@@ -544,7 +542,6 @@
"Riot does not know how to join a room on this network": "Riot ไม่รู้วิธีเข้าร่วมห้องในเครือข่ายนี้",
"Set Password": "ตั้งรหัสผ่าน",
"Enable audible notifications in web client": "เปิดใช้งานเสียงแจ้งเตือนบนเว็บไคลเอนต์",
- "Permalink": "ลิงก์ถาวร",
"Off": "ปิด",
"#example": "#example",
"Mentions only": "เมื่อถูกกล่าวถึงเท่านั้น",
diff --git a/src/i18n/strings/tr.json b/src/i18n/strings/tr.json
index 797fed79ce..851d556757 100644
--- a/src/i18n/strings/tr.json
+++ b/src/i18n/strings/tr.json
@@ -153,7 +153,6 @@
"Failed to kick": "Atma(Kick) işlemi başarısız oldu",
"Failed to leave room": "Odadan ayrılma başarısız oldu",
"Failed to load timeline position": "Zaman çizelgesi konumu yüklenemedi",
- "Failed to lookup current room": "Geçerli odayı aramak başarısız oldu",
"Failed to mute user": "Kullanıcıyı sessize almak başarısız oldu",
"Failed to reject invite": "Daveti reddetme başarısız oldu",
"Failed to reject invitation": "Davetiyeyi reddetme başarısız oldu",
@@ -224,7 +223,6 @@
"Level:": "Seviye :",
"Local addresses for this room:": "Bu oda için yerel adresler :",
"Logged in as:": "Olarak giriş yaptı :",
- "Login as guest": "Misafir olarak giriş yaptı",
"Logout": "Çıkış Yap",
"Low priority": "Düşük öncelikli",
"%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s gelecekte oda geçmişini görünür yaptı Tüm oda üyeleri , davet edildiği noktadan.",
@@ -242,7 +240,6 @@
"Mobile phone number": "Cep telefonu numarası",
"Mobile phone number (optional)": "Cep telefonu numarası (isteğe bağlı)",
"Moderator": "Moderatör",
- "Must be viewing a room": "Bir oda görüntülemeli olmalı",
"Mute": "Sessiz",
"Name": "İsim",
"Never send encrypted messages to unverified devices from this device": "Bu cihazdan doğrulanmamış cihazlara asla şifrelenmiş mesajlar göndermeyin",
@@ -577,11 +574,11 @@
"Add User": "Kullanıcı Ekle",
"This Home Server would like to make sure you are not a robot": "Bu Ana Sunucu robot olmadığınızdan emin olmak istiyor",
"Sign in with CAS": "CAS ile oturum açın",
- "Custom Server Options": "Özel Sunucu Seçenekleri",
+ "Custom Server Options": "Özelleştirilebilir Sunucu Seçenekleri",
"You can use the custom server options to sign into other Matrix servers by specifying a different Home server URL.": "Özel Sunucu Seçeneklerini diğer Matrix sunucularına giriş yapmak için farklı bir Ana Sunucu URL'si belirleyerek kullanabilirsiniz.",
"This allows you to use this app with an existing Matrix account on a different home server.": "Bu, sizin bu uygulamayı varolan Matrix hesabınızla farklı Ana Sunucularda kullanmanıza izin verir.",
"You can also set a custom identity server but this will typically prevent interaction with users based on email address.": "Ayrıca özel bir kimlik sunucusu da ayarlayabilirsiniz ancak bu e-posta adresine dayalı olarak kullanıcılarla olan etkileşimi engeller.",
- "Dismiss": "Uzaklaştır",
+ "Dismiss": "Kapat",
"Please check your email to continue registration.": "Kayıt işlemine devam etmek için lütfen e-postanızı kontrol edin.",
"Token incorrect": "Belirteç(Token) hatalı",
"Please enter the code it contains:": "Lütfen içerdiği kodu girin:",
@@ -741,7 +738,6 @@
"Unable to fetch notification target list": "Bildirim hedef listesi çekilemedi",
"An error occurred whilst saving your email notification preferences.": "E-posta bildirim tercihlerinizi kaydetme işlemi sırasında bir hata oluştu.",
"Enable audible notifications in web client": "Web istemcisinde sesli bildirimleri etkinleştir",
- "Permalink": "Kalıcı Bağlantı(permalink)",
"Off": "Kapalı",
"Riot does not know how to join a room on this network": "Riot bu ağdaki bir odaya nasıl gireceğini bilmiyor",
"Mentions only": "Sadece Mention'lar",
@@ -755,5 +751,10 @@
"View Source": "Kaynağı Görüntüle",
"Collapse panel": "Katlanır panel",
"With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "Geçerli tarayıcınız ile birlikte , uygulamanın görünüş ve kullanım hissi tamamen hatalı olabilir ve bazı ya da tüm özellikler çalışmayabilir. Yine de denemek isterseniz devam edebilirsiniz ancak karşılaşabileceğiniz sorunlar karşısında kendi başınasınız !",
- "There are advanced notifications which are not shown here": "Burada gösterilmeyen gelişmiş bildirimler var"
+ "There are advanced notifications which are not shown here": "Burada gösterilmeyen gelişmiş bildirimler var",
+ "The platform you're on": "Bulunduğun platform",
+ "The version of Riot.im": "Riot.im'in sürümü",
+ "Whether or not you're logged in (we don't record your user name)": "Ne olursa olsun giriş yaptın (kullanıcı adınızı kaydetmeyiz)",
+ "Your language of choice": "Seçtiginiz diliniz",
+ "Which officially provided instance you are using, if any": ""
}
diff --git a/src/i18n/strings/uk.json b/src/i18n/strings/uk.json
index 74bf855d22..b36642691c 100644
--- a/src/i18n/strings/uk.json
+++ b/src/i18n/strings/uk.json
@@ -94,7 +94,7 @@
"Register": "Зарегіструватись",
"Rooms": "Кімнати",
"Add rooms to this community": "Добавити кімнати в це суспільство",
- "This email address is already in use": "Ця адреса елект. почти вже використовується",
+ "This email address is already in use": "Ця е-пошта вже використовується",
"This phone number is already in use": "Цей телефонний номер вже використовується",
"Fetching third party location failed": "Не вдалось отримати стороннє місцеперебування",
"Messages in one-to-one chats": "Повідомлення у чатах \"сам на сам\"",
@@ -232,7 +232,6 @@
"Unable to fetch notification target list": "Неможливо отримати перелік цілей сповіщення",
"Set Password": "Задати пароль",
"Enable audible notifications in web client": "Увімкнути звукові сповіщення у мережевому застосунку",
- "Permalink": "Постійне посилання",
"Off": "Вимкнено",
"Riot does not know how to join a room on this network": "Riot не знає як приєднатись до кімнати у цій мережі",
"Mentions only": "Тільки згадки",
@@ -270,5 +269,65 @@
"Your language of choice": "Обрана мова",
"Which officially provided instance you are using, if any": "Яким офіційно наданим примірником ви користуєтесь (якщо користуєтесь)",
"Whether or not you're using the Richtext mode of the Rich Text Editor": "Чи використовуєте ви режим Richtext у редакторі Rich Text Editor",
- "Your homeserver's URL": "URL адреса вашого домашнього серверу"
+ "Your homeserver's URL": "URL адреса вашого домашнього серверу",
+ "Failed to verify email address: make sure you clicked the link in the email": "Не вдалось перевірити адресу е-пошти: переконайтесь, що ви перейшли за посиланням у листі",
+ "The platform you're on": "Використовувана платформа",
+ "Your identity server's URL": "URL адреса серверу ідентифікації",
+ "e.g. %(exampleValue)s": "напр. %(exampleValue)s",
+ "Every page you use in the app": "Кожна використовувана у застосунку сторінка",
+ "e.g. ": "напр. ",
+ "Your User Agent": "Ваш користувацький агент",
+ "Your device resolution": "Роздільність вашого пристрою",
+ "Analytics": "Аналітика",
+ "The information being sent to us to help make Riot.im better includes:": "Надсилана інформація, що допомагає нам покращити Riot.im, вміщує:",
+ "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Введіть пароль для захисту експортованого файлу. Щоб розшифрувати файл потрібно буде ввести цей пароль.",
+ "Call Failed": "Виклик не вдався",
+ "There are unknown devices in this room: if you proceed without verifying them, it will be possible for someone to eavesdrop on your call.": "У цій кімнаті є невідомі пристрої: якщо ви продовжите без їхньої перевірки, зважайте на те, що вас можна буде прослуховувати.",
+ "Review Devices": "Перевірити пристрої",
+ "Call Anyway": "Подзвонити все одно",
+ "Answer Anyway": "Відповісти все одно",
+ "Call": "Подзвонити",
+ "Answer": "Відповісти",
+ "The remote side failed to pick up": "На ваш дзвінок не змогли відповісти",
+ "Unable to capture screen": "Не вдалось захопити екран",
+ "Existing Call": "Наявний виклик",
+ "You are already in a call.": "Ви вже розмовляєте.",
+ "VoIP is unsupported": "VoIP не підтримується",
+ "You cannot place VoIP calls in this browser.": "Цей оглядач не підтримує VoIP дзвінки.",
+ "You cannot place a call with yourself.": "Ви не можете подзвонити самим собі.",
+ "Conference calls are not supported in encrypted rooms": "Режим конференції не підтримується у зашифрованих кімнатах",
+ "Conference calls are not supported in this client": "Режим конференції не підтримується у цьому клієнті",
+ "Warning!": "Увага!",
+ "Conference calling is in development and may not be reliable.": "Режим конференції ще знаходиться в стані розробки та може бути ненадійним.",
+ "Failed to set up conference call": "Не вдалось встановити конференцію",
+ "Conference call failed.": "Конференц-виклик зазнав невдачі.",
+ "The file '%(fileName)s' failed to upload": "Не вдалось відвантажити файл '%(fileName)s'",
+ "The file '%(fileName)s' exceeds this home server's size limit for uploads": "Файл '%(fileName)s' перевищує максимальні розміри, дозволені на цьому сервері",
+ "Upload Failed": "Помилка відвантаження",
+ "Sun": "Нд",
+ "Mon": "Пн",
+ "Tue": "Вт",
+ "Wed": "Ср",
+ "Thu": "Чт",
+ "Fri": "Пт",
+ "Sat": "Сб",
+ "Jan": "Січ",
+ "Feb": "Лют",
+ "Mar": "Бер",
+ "Apr": "Квіт",
+ "May": "Трав",
+ "Jun": "Чер",
+ "Jul": "Лип",
+ "Aug": "Сер",
+ "Sep": "Вер",
+ "Oct": "Жов",
+ "Nov": "Лис",
+ "Dec": "Гру",
+ "PM": "PM",
+ "AM": "AM",
+ "%(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": "%(weekDayName)s, %(monthName)s, %(day)s, %(fullYear)s",
+ "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s",
+ "Who would you like to add to this community?": "Кого ви хочете додати до цієї спільноти?"
}
diff --git a/src/i18n/strings/zh_Hans.json b/src/i18n/strings/zh_Hans.json
index 8e2dc6e0f8..cd8ae2f0e3 100644
--- a/src/i18n/strings/zh_Hans.json
+++ b/src/i18n/strings/zh_Hans.json
@@ -26,7 +26,7 @@
"Enable encryption": "启用加密",
"Encrypted messages will not be visible on clients that do not yet implement encryption": "不支持加密的客户端将看不到加密的消息",
"Encrypted room": "加密聊天室",
- "%(senderName)s ended the call.": "%(senderName)s 结束了通话。.",
+ "%(senderName)s ended the call.": "%(senderName)s 结束了通话。",
"End-to-end encryption information": "端到端加密信息",
"End-to-end encryption is in beta and may not be reliable": "端到端加密现为 beta 版,不一定可靠",
"Enter Code": "输入验证码",
@@ -35,21 +35,20 @@
"Event information": "事件信息",
"Existing Call": "当前通话",
"Export E2E room keys": "导出聊天室的端到端加密密钥",
- "Failed to ban user": "封禁用户失败",
+ "Failed to ban user": "封禁失败",
"Failed to change password. Is your password correct?": "修改密码失败。确认原密码输入正确吗?",
"Failed to forget room %(errCode)s": "忘记聊天室失败,错误代码: %(errCode)s",
"Failed to join room": "无法加入聊天室",
"Failed to kick": "移除失败",
"Failed to leave room": "无法退出聊天室",
"Failed to load timeline position": "无法加载时间轴位置",
- "Failed to lookup current room": "找不到当前聊天室",
"Failed to mute user": "禁言用户失败",
"Failed to reject invite": "拒绝邀请失败",
"Failed to reject invitation": "拒绝邀请失败",
"Failed to save settings": "保存设置失败",
"Failed to send email": "发送邮件失败",
"Failed to send request.": "请求发送失败。",
- "Failed to set avatar.": "设置头像失败。.",
+ "Failed to set avatar.": "设置头像失败。",
"Failed to set display name": "设置昵称失败",
"Failed to set up conference call": "无法启动群组通话",
"Failed to toggle moderator status": "无法切换管理员权限",
@@ -63,10 +62,10 @@
"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.": "出于安全考虑,此会话已被注销。请重新登录。",
"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.": "出于安全考虑,用户注销时会清除浏览器里的端到端加密密钥。如果你想要下次登录 Riot 时能解密过去的聊天记录,请导出你的聊天室密钥。",
"%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s 从 %(fromPowerLevel)s 变为 %(toPowerLevel)s",
- "Guests cannot join this room even if explicitly invited.": "游客不能加入此聊天室,即使有人主动邀请。.",
+ "Guests cannot join this room even if explicitly invited.": "即使有人主动邀请,游客也不能加入此聊天室。",
"Hangup": "挂断",
"Hide read receipts": "隐藏已读回执",
"Hide Text Formatting Toolbar": "隐藏格式工具栏",
@@ -77,15 +76,15 @@
"Import E2E room keys": "导入聊天室端到端加密密钥",
"Incorrect verification code": "验证码错误",
"Interface Language": "界面语言",
- "Invalid alias format": "别名格式错误",
+ "Invalid alias format": "别名格式无效",
"Invalid address format": "地址格式错误",
"Invalid Email Address": "邮箱地址格式错误",
"Invalid file%(extra)s": "非法文件%(extra)s",
- "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.": "重设密码会导致所有设备上的端到端加密密钥被重置,使得加密的聊天记录不可读,除非你事先导出密钥,修改密码后再导入。此问题将来会得到改善。.",
+ "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 login screen": "返回登录页面",
"Riot does not have permission to send you notifications - please check your browser settings": "Riot 没有通知发送权限 - 请检查您的浏览器设置",
"Riot was not given permission to send notifications - please try again": "Riot 没有通知发送权限 - 请重试",
- "riot-web version:": "riot-网页版:",
+ "riot-web version:": "riot-web 版本:",
"Room %(roomId)s not visible": "聊天室 %(roomId)s 已隐藏",
"Room Colour": "聊天室颜色",
"Room name (optional)": "聊天室名称 (可选)",
@@ -98,17 +97,17 @@
"Sender device information": "发送者的设备信息",
"Send Invites": "发送邀请",
"Send Reset Email": "发送密码重设邮件",
- "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s 发了一张图片。.",
- "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s 向 %(targetDisplayName)s 发了加入聊天室的邀请。.",
+ "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s 发送了一张图片。",
+ "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s 向 %(targetDisplayName)s 发了加入聊天室的邀请。",
"Server error": "服务器错误",
"Server may be unavailable or overloaded": "服务器可能不可用或者超载",
"Server may be unavailable, overloaded, or search timed out :(": "服务器可能不可用、超载,或者搜索超时 :(",
"Server may be unavailable, overloaded, or the file too big": "服务器可能不可用、超载,或者文件过大",
- "Server may be unavailable, overloaded, or you hit a bug.": "服务器可能不可用、超载,或者你遇到了一个 bug。",
+ "Server may be unavailable, overloaded, or you hit a bug.": "当前服务器可能处于不可用或过载状态,或者您遇到了一个 bug。",
"Server unavailable, overloaded, or something else went wrong.": "服务器可能不可用、超载,或者其他东西出错了.",
"Session ID": "会话 ID",
- "%(senderName)s set a profile picture.": "%(senderName)s 设置了头像。.",
- "%(senderName)s set their display name to %(displayName)s.": "%(senderName)s 将昵称改为了 %(displayName)s。.",
+ "%(senderName)s set a profile picture.": "%(senderName)s 设置了头像。",
+ "%(senderName)s set their display name to %(displayName)s.": "%(senderName)s 将昵称改为了 %(displayName)s。",
"Settings": "设置",
"Show panel": "显示侧边栏",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "用12小时制显示时间戳 (如:下午 2:30)",
@@ -116,12 +115,12 @@
"Sign in": "登录",
"Sign out": "注销",
"%(count)s of your messages have not been sent.|other": "部分消息未发送。",
- "Someone": "某个用户",
+ "Someone": "某位用户",
"Start a chat": "创建聊天",
"Start Chat": "开始聊天",
"Submit": "提交",
"Success": "成功",
- "The default role for new room members is": "此聊天室新成员的默认角色是",
+ "The default role for new room members is": "新成员默认是",
"The main address for this room is": "此聊天室的主要地址是",
"This email address is already in use": "此邮箱地址已被使用",
"This email address was not found": "未找到此邮箱地址",
@@ -134,15 +133,15 @@
"Algorithm": "算法",
"Always show message timestamps": "总是显示消息时间戳",
"%(names)s and %(lastPerson)s are typing": "%(names)s 和 %(lastPerson)s 正在输入",
- "A new password must be entered.": "一个新的密码必须被输入。.",
- "%(senderName)s answered the call.": "%(senderName)s 接了通话。.",
- "An error has occurred.": "一个错误出现了。",
+ "A new password must be entered.": "必须输入新密码。",
+ "%(senderName)s answered the call.": "%(senderName)s 接了通话。",
+ "An error has occurred.": "发生了一个错误。",
"Attachment": "附件",
- "Autoplay GIFs and videos": "自动播放GIF和视频",
+ "Autoplay GIFs and videos": "自动播放 GIF 与视频",
"%(senderName)s banned %(targetName)s.": "%(senderName)s 封禁了 %(targetName)s.",
"Ban": "封禁",
"Banned users": "被封禁的用户",
- "Click here to fix": "点击这里修复",
+ "Click here to fix": "点击这里以修复",
"Confirm password": "确认密码",
"Confirm your new password": "确认你的新密码",
"Continue": "继续",
@@ -151,11 +150,10 @@
"Join Room": "加入聊天室",
"%(targetName)s joined the room.": "%(targetName)s 已加入聊天室。",
"Jump to first unread message.": "跳到第一条未读消息。",
- "%(senderName)s kicked %(targetName)s.": "%(senderName)s 把 %(targetName)s 踢出了聊天室。.",
+ "%(senderName)s kicked %(targetName)s.": "%(senderName)s 把 %(targetName)s 踢出了聊天室。",
"Leave room": "退出聊天室",
- "Login as guest": "以游客的身份登录",
"New password": "新密码",
- "Add a topic": "添加一个主题",
+ "Add a topic": "添加主题",
"Admin": "管理员",
"Admin Tools": "管理工具",
"VoIP": "IP 电话",
@@ -169,7 +167,7 @@
"Camera": "摄像头",
"Hide removed messages": "隐藏被删除的消息",
"Authentication": "认证",
- "Alias (optional)": "别名 (可选)",
+ "Alias (optional)": "别名(可选)",
"%(items)s and %(lastItem)s": "%(items)s 和 %(lastItem)s",
"and %(count)s others...|other": "和其它 %(count)s 个...",
"and %(count)s others...|one": "和其它一个...",
@@ -181,8 +179,8 @@
"Are you sure you want to reject the invitation?": "你确定要拒绝邀请吗?",
"Are you sure you want to upload the following files?": "你确定要上传这些文件吗?",
"Bans user with given id": "按照 ID 封禁指定的用户",
- "Blacklisted": "已列入黑名单",
- "Bulk Options": "批量操作",
+ "Blacklisted": "已拉黑",
+ "Bulk Options": "批量选项",
"Call Timeout": "通话超时",
"Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "无法连接主服务器 - 请检查网络连接,确保你的主服务器 SSL 证书 被信任,且没有浏览器插件拦截请求。",
"Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts .": "当浏览器地址栏里有 HTTPS 的 URL 时,不能使用 HTTP 连接主服务器。请使用 HTTPS 或者允许不安全的脚本 。",
@@ -194,7 +192,7 @@
"%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s 将话题修改为 “%(topic)s”。",
"Changes to who can read history will only apply to future messages in this room": "修改阅读历史的权限仅对此聊天室以后的消息有效",
"Changes your display nickname": "修改昵称",
- "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.": "目前,修改密码会导致所有设备上的端到端密钥被重置,使得加密的聊天记录不再可读。除非你事先导出聊天室密钥,修改密码后再导入。这个问题未来会改善。",
+ "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.": "目前,修改密码会导致所有设备上的端到端密钥被重置,使得加密的聊天记录不再可读。除非事先导出你的密钥,并在密码修改后导入回去。此问题将会在未来得到改善。",
"Clear Cache and Reload": "清除缓存并刷新",
"Clear Cache": "清除缓存",
"Click here to join the discussion!": "点此 加入讨论!",
@@ -216,7 +214,7 @@
"Custom": "自定义",
"Custom level": "自定义级别",
"Decline": "拒绝",
- "Device already verified!": "设备已经验证!",
+ "Device already verified!": "设备已验证!",
"Device ID:": "设备 ID:",
"device id: ": "设备 ID: ",
"Device key:": "设备密钥 :",
@@ -224,8 +222,8 @@
"Drop File Here": "把文件拖拽到这里",
"Email address (optional)": "邮箱地址 (可选)",
"Enable Notifications": "启用消息通知",
- "Encrypted by a verified device": "由一个已验证的设备加密",
- "Encrypted by an unverified device": "由一个未经验证的设备加密",
+ "Encrypted by a verified device": "由已验证设备加密",
+ "Encrypted by an unverified device": "由未验证设备加密",
"Encryption is enabled in this room": "此聊天室启用了加密",
"Encryption is not enabled in this room": "此聊天室未启用加密",
"Enter passphrase": "输入密码",
@@ -233,7 +231,7 @@
"Export": "导出",
"Failed to fetch avatar URL": "获取 Avatar URL 失败",
"Failed to upload profile picture!": "头像上传失败!",
- "Guest access is disabled on this Home Server.": "此服务器禁用了游客访问。",
+ "Guest access is disabled on this Home Server.": "此服务器已禁止游客访问。",
"Home": "主页面",
"Import": "导入",
"Incoming call from %(name)s": "来自 %(name)s 的通话",
@@ -244,8 +242,8 @@
"Invited": "已邀请",
"Invites": "邀请",
"Invites user with given id to current room": "按照 ID 邀请指定用户加入当前聊天室",
- "'%(alias)s' is not a valid format for an address": "'%(alias)s' 不是一个合法的邮箱地址格式",
- "'%(alias)s' is not a valid format for an alias": "'%(alias)s' 不是一个合法的昵称格式",
+ "'%(alias)s' is not a valid format for an address": "'%(alias)s' 不符合电子邮箱地址的格式",
+ "'%(alias)s' is not a valid format for an alias": "'%(alias)s' 不符合别名的格式",
"%(displayName)s is typing": "%(displayName)s 正在输入",
"Sign in with": "第三方登录",
"Message not sent due to unknown devices being present": "消息未发送,因为有未知的设备存在",
@@ -256,13 +254,13 @@
"Moderator": "协管员",
"Mute": "静音",
"Name": "姓名",
- "Never send encrypted messages to unverified devices from this device": "在此设备上不向未经验证的设备发送消息",
+ "Never send encrypted messages to unverified devices from this device": "在此设备上,从不对未经验证的设备发送消息",
"New passwords don't match": "两次输入的新密码不符",
"none": "无",
"not set": "未设置",
"not specified": "未指定",
"Notifications": "通知",
- "(not supported by this browser)": "(此浏览器不支持)",
+ "(not supported by this browser)": "(未被此浏览器支持)",
"": "<不支持>",
"NOT verified": "未验证",
"No display name": "无昵称",
@@ -288,10 +286,10 @@
"Add": "添加",
"Allow": "允许",
"Claimed Ed25519 fingerprint key": "声称的 Ed25519 指纹密钥",
- "Could not connect to the integration server": "无法连接集成服务器",
+ "Could not connect to the integration server": "无法连接关联的服务器",
"Curve25519 identity key": "Curve25519 认证密钥",
"Edit": "编辑",
- "Joins room with given alias": "以指定的别名加入聊天室",
+ "Joins room with given alias": "通过指定的别名加入聊天室",
"Labs": "实验室",
"%(targetName)s left the room.": "%(targetName)s 退出了聊天室。",
"Logged in as:": "登录为:",
@@ -317,14 +315,14 @@
"Verified": "已验证",
"Verified key": "已验证的密钥",
"Video call": "视频通话",
- "Voice call": "音频通话",
+ "Voice call": "语音通话",
"VoIP conference finished.": "VoIP 会议结束。",
"VoIP conference started.": "VoIP 会议开始。",
"VoIP is unsupported": "不支持 VoIP",
"Warning!": "警告!",
- "You must register to use this functionality": "你必须注册 以使用这个功能",
+ "You must register to use this functionality": "你必须 注册 以使用此功能",
"You need to be logged in.": "你需要登录。",
- "You need to enter a user name.": "你需要输入一个用户名。",
+ "You need to enter a user name.": "必须输入用户名。",
"Your password has been reset": "你的密码已被重置",
"Topic": "主题",
"Make Moderator": "使成为主持人",
@@ -383,45 +381,45 @@
"Example": "例子",
"Create": "创建",
"Failed to upload image": "上传图像失败",
- "Add a widget": "添加一个小部件",
+ "Add a widget": "添加小挂件",
"Accept": "接受",
"Access Token:": "访问令牌:",
- "Cannot add any more widgets": "无法添加更多小组件",
- "Delete widget": "删除小组件",
- "Define the power level of a user": "定义一个用户的特权级",
+ "Cannot add any more widgets": "无法添加更多小挂件",
+ "Delete widget": "删除小挂件",
+ "Define the power level of a user": "定义一位用户的滥权等级",
"Drop here to tag %(section)s": "拖拽到这里标记 %(section)s",
- "Enable automatic language detection for syntax highlighting": "启用自动语言检测用于语法高亮",
- "Failed to change power level": "修改特权级别失败",
+ "Enable automatic language detection for syntax highlighting": "为语法高亮启用自动检测编程语言",
+ "Failed to change power level": "滥权等级修改失败",
"Kick": "移除",
"Kicks user with given id": "按照 ID 移除特定的用户",
"Last seen": "最近一次上线",
"Level:": "级别:",
- "Local addresses for this room:": "这个聊天室的本地地址:",
+ "Local addresses for this room:": "此聊天室的本地地址:",
"New passwords must match each other.": "新密码必须互相匹配。",
- "Power level must be positive integer.": "权限级别必须是正整数。",
+ "Power level must be positive integer.": "滥权等级必须是正整数。",
"Reason: %(reasonText)s": "理由: %(reasonText)s",
"Revoke Moderator": "撤销主持人",
- "Revoke widget access": "撤销小部件的访问",
- "Remote addresses for this room:": "这个聊天室的远程地址:",
+ "Revoke widget access": "撤回小挂件的访问权",
+ "Remote addresses for this room:": "此聊天室的远程地址:",
"Remove Contact Information?": "移除联系人信息?",
"Remove %(threePid)s?": "移除 %(threePid)s?",
"Results from DuckDuckGo": "来自 DuckDuckGo 的结果",
"Room contains unknown devices": "聊天室包含未知设备",
"%(roomName)s does not exist.": "%(roomName)s 不存在。",
"Save": "保存",
- "Send anyway": "无论任何都发送",
+ "Send anyway": "仍然发送",
"Sets the room topic": "设置聊天室主题",
- "Show Text Formatting Toolbar": "显示文字格式工具栏",
- "This room has no local addresses": "这个聊天室没有本地地址",
- "This doesn't appear to be a valid email address": "这看起来不是一个合法的邮箱地址",
- "This is a preview of this room. Room interactions have been disabled": "这是这个聊天室的一个预览。聊天室交互已禁用",
+ "Show Text Formatting Toolbar": "显示文本格式工具栏",
+ "This room has no local addresses": "此聊天室没有本地地址",
+ "This doesn't appear to be a valid email address": "这似乎不是有效的邮箱地址",
+ "This is a preview of this room. Room interactions have been disabled": "这是此聊天室的预览。交互操作已被禁用",
"This phone number is already in use": "此手机号码已被使用",
- "This room": "这个聊天室",
- "This room is not accessible by remote Matrix servers": "这个聊天室无法被远程 Matrix 服务器访问",
- "This room's internal ID is": "这个聊天室的内部 ID 是",
+ "This room": "此聊天室",
+ "This room is not accessible by remote Matrix servers": "此聊天室无法被远程 Matrix 服务器访问",
+ "This room's internal ID is": "此聊天室的内部 ID 为",
"Turn Markdown off": "禁用 Markdown",
"Turn Markdown on": "启用 Markdown",
- "Unable to create widget.": "无法创建小部件。",
+ "Unable to create widget.": "无法创建小挂件。",
"Unban": "解除封禁",
"Unable to capture screen": "无法录制屏幕",
"Unable to enable Notifications": "无法启用通知",
@@ -429,7 +427,7 @@
"Undecryptable": "无法解密的",
"Unencrypted room": "未加密的聊天室",
"unencrypted": "未加密的",
- "Unencrypted message": "未加密的消息",
+ "Unencrypted message": "未加密消息",
"unknown caller": "未知呼叫者",
"unknown device": "未知设备",
"Unnamed Room": "未命名的聊天室",
@@ -440,21 +438,21 @@
"Upload file": "上传文件",
"Usage": "用法",
"Who can read history?": "谁可以阅读历史消息?",
- "You are not in this room.": "你不在这个聊天室。",
- "You have no visible notifications": "你没有可见的通知",
+ "You are not in this room.": "您不在此聊天室中。",
+ "You have no visible notifications": "没有可见的通知",
"Missing password.": "缺少密码。",
"Passwords don't match.": "密码不匹配。",
- "I already have an account": "我已经有一个帐号",
+ "I already have an account": "我已经有帐号了",
"Unblacklist": "移出黑名单",
- "Not a valid Riot keyfile": "不是一个有效的 Riot 密钥文件",
+ "Not a valid Riot keyfile": "不是有效的 Riot 密钥文件",
"%(targetName)s accepted an invitation.": "%(targetName)s 已接受邀请。",
- "Do you want to load widget from URL:": "你想从此 URL 加载小组件吗:",
+ "Do you want to load widget from URL:": "你是否要从此 URL 中加载小挂件:",
"Hide join/leave messages (invites/kicks/bans unaffected)": "隐藏加入/退出消息(邀请/踢出/封禁不受影响)",
"Integrations Error": "集成错误",
- "Publish this room to the public in %(domain)s's room directory?": "把这个聊天室发布到 %(domain)s 的聊天室目录吗?",
+ "Publish this room to the public in %(domain)s's room directory?": "是否将此聊天室发布至 %(domain)s 的聊天室目录中?",
"Manage Integrations": "管理集成",
- "No users have specific privileges in this room": "没有用户在这个聊天室有特殊权限",
- "%(senderName)s placed a %(callType)s call.": "%(senderName)s 发起了一个 %(callType)s 通话。",
+ "No users have specific privileges in this room": "此聊天室中没有用户有特殊权限",
+ "%(senderName)s placed a %(callType)s call.": "%(senderName)s 发起了%(callType)s通话。",
"Please check your email and click on the link it contains. Once this is done, click continue.": "请检查你的电子邮箱并点击里面包含的链接。完成时请点击继续。",
"Press to start a chat with someone": "按下 来开始和某个人聊天",
"%(senderName)s removed their profile picture.": "%(senderName)s 移除了他们的头像。",
@@ -464,7 +462,7 @@
"A text message has been sent to +%(msisdn)s. Please enter the verification code it contains": "验证码将发送至 +%(msisdn)s,请输入收到的验证码",
"%(targetName)s accepted the invitation for %(displayName)s.": "%(targetName)s 接受了 %(displayName)s 的邀请。",
"Active call (%(roomName)s)": "当前通话 (来自聊天室 %(roomName)s)",
- "%(senderName)s changed the power level of %(powerLevelDiffText)s.": "%(senderName)s 将级别调整到%(powerLevelDiffText)s 。",
+ "%(senderName)s changed the power level of %(powerLevelDiffText)s.": "%(senderName)s 将级别调整至 %(powerLevelDiffText)s 。",
"Changes colour scheme of current room": "修改了样式",
"Deops user with given id": "按照 ID 取消特定用户的管理员权限",
"Join as