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

This commit is contained in:
Germain 2023-09-01 12:36:49 +01:00
commit 1b8d00d1d4
141 changed files with 6493 additions and 5556 deletions

View file

@ -332,7 +332,6 @@ describe("Cryptography", function () {
cy.findByText("Hoo!"); cy.findByText("Hoo!");
}) })
.closest(".mx_EventTile") .closest(".mx_EventTile")
.should("have.class", "mx_EventTile_verified")
.should("not.have.descendants", ".mx_EventTile_e2eIcon_warning"); .should("not.have.descendants", ".mx_EventTile_e2eIcon_warning");
// bob sends an edit to the first message with his unverified device // bob sends an edit to the first message with his unverified device
@ -377,7 +376,6 @@ describe("Cryptography", function () {
cy.findByText("Hee!"); cy.findByText("Hee!");
}) })
.closest(".mx_EventTile") .closest(".mx_EventTile")
.should("have.class", "mx_EventTile_verified")
.should("not.have.descendants", ".mx_EventTile_e2eIcon_warning"); .should("not.have.descendants", ".mx_EventTile_e2eIcon_warning");
}); });
}); });

View file

@ -378,13 +378,18 @@ describe("Read receipts", () => {
describe("new messages", () => { describe("new messages", () => {
describe("in the main timeline", () => { describe("in the main timeline", () => {
it("Receiving a message makes a room unread", () => { it("Receiving a message makes a room unread", () => {
// Given I am in a different room
goTo(room1); goTo(room1);
assertRead(room2); assertRead(room2);
// When I receive some messages
receiveMessages(room2, ["Msg1"]); receiveMessages(room2, ["Msg1"]);
// Then the room is marked as unread
assertUnread(room2, 1); assertUnread(room2, 1);
}); });
it("Reading latest message makes the room read", () => { it("Reading latest message makes the room read", () => {
// Given I have some unread messages
goTo(room1); goTo(room1);
assertRead(room2); assertRead(room2);
receiveMessages(room2, ["Msg1"]); receiveMessages(room2, ["Msg1"]);
@ -392,85 +397,111 @@ describe("Read receipts", () => {
// When I read the main timeline // When I read the main timeline
goTo(room2); goTo(room2);
// Then the room becomes read
assertRead(room2); assertRead(room2);
}); });
it.skip("Reading an older message leaves the room unread", () => {}); it.skip("Reading an older message leaves the room unread", () => {});
it("Marking a room as read makes it read", () => { it("Marking a room as read makes it read", () => {
// Given I have some unread messages
goTo(room1); goTo(room1);
assertRead(room2); assertRead(room2);
receiveMessages(room2, ["Msg1"]); receiveMessages(room2, ["Msg1"]);
assertUnread(room2, 1); assertUnread(room2, 1);
// When I mark the room as read
markAsRead(room2); markAsRead(room2);
// Then it is read
assertRead(room2); assertRead(room2);
}); });
it("Receiving a new message after marking as read makes it unread", () => { it("Receiving a new message after marking as read makes it unread", () => {
// Given I have marked my messages as read
goTo(room1); goTo(room1);
assertRead(room2); assertRead(room2);
receiveMessages(room2, ["Msg1"]); receiveMessages(room2, ["Msg1"]);
assertUnread(room2, 1); assertUnread(room2, 1);
markAsRead(room2); markAsRead(room2);
assertRead(room2); assertRead(room2);
// When I receive a new message
receiveMessages(room2, ["Msg2"]); receiveMessages(room2, ["Msg2"]);
// Then the room is unread
assertUnread(room2, 1); assertUnread(room2, 1);
}); });
it("A room with a new message is still unread after restart", () => { it("A room with a new message is still unread after restart", () => {
// Given I have an unread message
goTo(room1); goTo(room1);
assertRead(room2); assertRead(room2);
receiveMessages(room2, ["Msg1"]); receiveMessages(room2, ["Msg1"]);
assertUnread(room2, 1); assertUnread(room2, 1);
// When I restart
saveAndReload(); saveAndReload();
// Then I still have an unread message
assertUnread(room2, 1); assertUnread(room2, 1);
}); });
it("A room where all messages are read is still read after restart", () => { it.skip("A room where all messages are read is still read after restart", () => {});
it("A room that was marked as read is still read after restart", () => {
// Given I have marked all messages as read
goTo(room1); goTo(room1);
assertRead(room2); assertRead(room2);
receiveMessages(room2, ["Msg1"]); receiveMessages(room2, ["Msg1"]);
assertUnread(room2, 1); assertUnread(room2, 1);
markAsRead(room2); markAsRead(room2);
assertRead(room2); assertRead(room2);
// When I restart
saveAndReload(); saveAndReload();
// Then all messages are still read
assertRead(room2); assertRead(room2);
}); });
it.skip("Sending a message from a different client marks room as read", () => { // XXX: fails because the room remains unread even though I sent a message
it.skip("Me sending a message from a different client marks room as read", () => {
// Given I have unread messages
goTo(room1); goTo(room1);
assertRead(room2); assertRead(room2);
receiveMessages(room2, ["Msg1"]); receiveMessages(room2, ["Msg1"]);
assertUnread(room2, 1); assertUnread(room2, 1);
// When I send a new message from a different client
sendMessages(room2, ["Msg2"]); sendMessages(room2, ["Msg2"]);
// Then this room is marked as read
assertRead(room2); assertRead(room2);
}); });
}); });
describe("in threads", () => { describe("in threads", () => {
it("Sending a message makes a room unread", () => { it("Receiving a message makes a room unread", () => {
// Given a thread exists // Given a message arrived and is read
goTo(room1); goTo(room1);
receiveMessages(room2, ["Msg1"]); receiveMessages(room2, ["Msg1"]);
assertUnread(room2, 1); assertUnread(room2, 1);
goTo(room2); goTo(room2);
assertRead(room2); assertRead(room2);
goTo(room1); goTo(room1);
// When I receive a threaded message
receiveMessages(room2, [threadedOff("Msg1", "Resp1")]); receiveMessages(room2, [threadedOff("Msg1", "Resp1")]);
// Then the room becomes unread
assertUnread(room2, 1); assertUnread(room2, 1);
}); });
it("Reading the last threaded message makes the room read", () => { it("Reading the last threaded message makes the room read", () => {
// Given a thread exists // Given a thread exists and is not read
goTo(room1); goTo(room1);
receiveMessages(room2, ["Msg1", threadedOff("Msg1", "Resp1")]); receiveMessages(room2, ["Msg1", threadedOff("Msg1", "Resp1")]);
assertUnread(room2, 2); assertUnread(room2, 2);
goTo(room2); goTo(room2);
// When I read it
openThread("Msg1"); openThread("Msg1");
// The room becomes read
assertRead(room2); assertRead(room2);
}); });
it("Reading a thread message makes the thread read", () => { it("Reading a thread message makes the thread read", () => {
@ -492,28 +523,33 @@ describe("Read receipts", () => {
}); });
it.skip("Reading an older thread message (via permalink) leaves the thread unread", () => {}); it.skip("Reading an older thread message (via permalink) leaves the thread unread", () => {});
it("Reading only one thread's message does not make the room read", () => { it("Reading only one thread's message does not make the room read", () => {
// Given two threads are unread
goTo(room1); goTo(room1);
receiveMessages(room2, ["Msg1", threadedOff("Msg1", "Resp1"), "Msg2", threadedOff("Msg2", "Resp2")]); receiveMessages(room2, ["Msg1", threadedOff("Msg1", "Resp1"), "Msg2", threadedOff("Msg2", "Resp2")]);
assertUnread(room2, 4); assertUnread(room2, 4);
goTo(room2); goTo(room2);
assertUnread(room2, 2); assertUnread(room2, 2);
// When I only read one of them
openThread("Msg1"); openThread("Msg1");
// The room is still unread
assertUnread(room2, 1); assertUnread(room2, 1);
}); });
it("Reading only one thread's message makes that thread read but not others", () => { it("Reading only one thread's message makes that thread read but not others", () => {
// Given I have unread threads
goTo(room1); goTo(room1);
receiveMessages(room2, ["Msg1", "Msg2", threadedOff("Msg1", "Resp1"), threadedOff("Msg2", "Resp2")]); receiveMessages(room2, ["Msg1", "Msg2", threadedOff("Msg1", "Resp1"), threadedOff("Msg2", "Resp2")]);
assertUnread(room2, 4); // (Sanity) assertUnread(room2, 4); // (Sanity)
// When I read the main timeline
goTo(room2); goTo(room2);
assertUnread(room2, 2); assertUnread(room2, 2);
assertUnreadThread("Msg1"); assertUnreadThread("Msg1");
assertUnreadThread("Msg2"); assertUnreadThread("Msg2");
// When I read one of them
openThread("Msg1"); openThread("Msg1");
// Then that one is read, but the other is not
assertReadThread("Msg1"); assertReadThread("Msg1");
assertUnreadThread("Msg2"); assertUnreadThread("Msg2");
}); });
@ -525,18 +561,22 @@ describe("Read receipts", () => {
// When I read the main timeline // When I read the main timeline
goTo(room2); goTo(room2);
assertUnread(room2, 2); assertUnread(room2, 2);
// Then thread does appear unread // Then thread does appear unread
assertUnreadThread("Msg1"); assertUnreadThread("Msg1");
}); });
// XXX: fails because the room is still "bold" even though the notification counts all disappear // XXX: fails because the room is still "bold" even though the notification counts all disappear
it.skip("Marking a room with unread threads as read makes it read", () => { it.skip("Marking a room with unread threads as read makes it read", () => {
// Given I have an unread thread
goTo(room1); goTo(room1);
receiveMessages(room2, ["Msg1", threadedOff("Msg1", "Resp1"), threadedOff("Msg1", "Resp2")]); receiveMessages(room2, ["Msg1", threadedOff("Msg1", "Resp1"), threadedOff("Msg1", "Resp2")]);
assertUnread(room2, 3); // (Sanity) assertUnread(room2, 3); // (Sanity)
// When I mark the room as read
markAsRead(room2); markAsRead(room2);
// Then the room is read
assertRead(room2); assertRead(room2);
}); });
// XXX: fails for the same reason as "Marking a room with unread threads as read makes it read" // XXX: fails for the same reason as "Marking a room with unread threads as read makes it read"
@ -593,22 +633,19 @@ describe("Read receipts", () => {
assertRead(room2); assertRead(room2);
}); });
it("A room where all threaded messages are read is still read after restart", () => { it("A room where all threaded messages are read is still read after restart", () => {
// Given a thread exists // Given I have read all the threads
goTo(room1); goTo(room1);
receiveMessages(room2, ["Msg1", threadedOff("Msg1", "Resp1"), threadedOff("Msg1", "Resp2")]); receiveMessages(room2, ["Msg1", threadedOff("Msg1", "Resp1"), threadedOff("Msg1", "Resp2")]);
assertUnread(room2, 3); // (Sanity) assertUnread(room2, 3); // (Sanity)
// When I read the main timeline
goTo(room2); goTo(room2);
// Then room does appear unread
assertUnread(room2, 2); assertUnread(room2, 2);
// Until we open the thread
openThread("Msg1"); openThread("Msg1");
assertRead(room2); assertRead(room2);
// When I restart
saveAndReload(); saveAndReload();
// Then the room is still read
assertRead(room2); assertRead(room2);
}); });
}); });
@ -650,6 +687,7 @@ describe("Read receipts", () => {
describe("editing messages", () => { describe("editing messages", () => {
describe("in the main timeline", () => { describe("in the main timeline", () => {
// TODO: this passes but we think this should fail, because we think edits should not cause unreads.
it("Editing a message makes a room unread", () => { it("Editing a message makes a room unread", () => {
// Given I am not looking at the room // Given I am not looking at the room
goTo(room1); goTo(room1);
@ -665,6 +703,7 @@ describe("Read receipts", () => {
assertUnread(room2, 1); assertUnread(room2, 1);
}); });
it("Reading an edit makes the room read", () => { it("Reading an edit makes the room read", () => {
// Given an edit is making the room unread
goTo(room1); goTo(room1);
receiveMessages(room2, ["Msg1"]); receiveMessages(room2, ["Msg1"]);
assertUnread(room2, 1); assertUnread(room2, 1);
@ -685,6 +724,7 @@ describe("Read receipts", () => {
assertRead(room2); assertRead(room2);
}); });
it("Marking a room as read after an edit makes it read", () => { it("Marking a room as read after an edit makes it read", () => {
// Given an edit is makng a room unread
goTo(room1); goTo(room1);
receiveMessages(room2, ["Msg1"]); receiveMessages(room2, ["Msg1"]);
assertUnread(room2, 1); assertUnread(room2, 1);
@ -699,20 +739,20 @@ describe("Read receipts", () => {
assertRead(room2); assertRead(room2);
}); });
it("Editing a message after marking as read makes the room unread", () => { it("Editing a message after marking as read makes the room unread", () => {
// Given the room is marked as read
goTo(room1); goTo(room1);
receiveMessages(room2, ["Msg1"]); receiveMessages(room2, ["Msg1"]);
assertUnread(room2, 1); assertUnread(room2, 1);
// When I mark it as read
markAsRead(room2); markAsRead(room2);
// When a message is edited
receiveMessages(room2, [editOf("Msg1", "Msg1 Edit1")]); receiveMessages(room2, [editOf("Msg1", "Msg1 Edit1")]);
// Then the room becomes unread // Then the room becomes unread
assertUnread(room2, 1); assertUnread(room2, 1);
}); });
it("Editing a reply after reading it makes the room unread", () => { it("Editing a reply after reading it makes the room unread", () => {
// Given I am not looking at the room // Given the room is all read
goTo(room1); goTo(room1);
receiveMessages(room2, ["Msg1", replyTo("Msg1", "Reply1")]); receiveMessages(room2, ["Msg1", replyTo("Msg1", "Reply1")]);
@ -722,30 +762,28 @@ describe("Read receipts", () => {
assertRead(room2); assertRead(room2);
goTo(room1); goTo(room1);
// When an edit appears in the room // When a message is edited
receiveMessages(room2, [editOf("Reply1", "Reply1 Edit1")]); receiveMessages(room2, [editOf("Reply1", "Reply1 Edit1")]);
// Then it becomes unread // Then it becomes unread
assertUnread(room2, 1); assertUnread(room2, 1);
}); });
it("Editing a reply after marking as read makes the room unread", () => { it("Editing a reply after marking as read makes the room unread", () => {
// Given I am not looking at the room // Given a reply is marked as read
goTo(room1); goTo(room1);
receiveMessages(room2, ["Msg1", replyTo("Msg1", "Reply1")]); receiveMessages(room2, ["Msg1", replyTo("Msg1", "Reply1")]);
assertUnread(room2, 2); assertUnread(room2, 2);
markAsRead(room2); markAsRead(room2);
// When an edit appears in the room // When the reply is edited
receiveMessages(room2, [editOf("Reply1", "Reply1 Edit1")]); receiveMessages(room2, [editOf("Reply1", "Reply1 Edit1")]);
// Then it becomes unread // Then the room becomes unread
assertUnread(room2, 1); assertUnread(room2, 1);
}); });
it("A room with an edit is still unread after restart", () => { it("A room with an edit is still unread after restart", () => {
// Given I am not looking at the room // Given a message is marked as read
goTo(room1); goTo(room1);
receiveMessages(room2, ["Msg1"]); receiveMessages(room2, ["Msg1"]);
assertUnread(room2, 1); assertUnread(room2, 1);
markAsRead(room2); markAsRead(room2);
@ -761,6 +799,7 @@ describe("Read receipts", () => {
assertUnread(room2, 1); assertUnread(room2, 1);
}); });
it("A room where all edits are read is still read after restart", () => { it("A room where all edits are read is still read after restart", () => {
// Given an edit made the room unread
goTo(room1); goTo(room1);
receiveMessages(room2, ["Msg1"]); receiveMessages(room2, ["Msg1"]);
assertUnread(room2, 1); assertUnread(room2, 1);
@ -816,18 +855,24 @@ describe("Read receipts", () => {
receiveMessages(room2, ["Msg1", threadedOff("Msg1", "Resp1"), editOf("Resp1", "Edit1")]); receiveMessages(room2, ["Msg1", threadedOff("Msg1", "Resp1"), editOf("Resp1", "Edit1")]);
assertUnread(room2, 3); // TODO: the edit counts as a message! assertUnread(room2, 3); // TODO: the edit counts as a message!
// When I mark the room as read
markAsRead(room2); markAsRead(room2);
// Then it is read
assertRead(room2); assertRead(room2);
}); });
it.skip("Editing a thread message after marking as read makes the room unread", () => { it.skip("Editing a thread message after marking as read makes the room unread", () => {
// Given a room is marked as read
goTo(room1); goTo(room1);
receiveMessages(room2, ["Msg1", threadedOff("Msg1", "Resp1")]); receiveMessages(room2, ["Msg1", threadedOff("Msg1", "Resp1")]);
assertUnread(room2, 2); assertUnread(room2, 2);
markAsRead(room2); markAsRead(room2);
assertRead(room2); assertRead(room2);
// When a message is edited
receiveMessages(room2, [editOf("Resp1", "Edit1")]); receiveMessages(room2, [editOf("Resp1", "Edit1")]);
// Then the room becomes unread
assertUnread(room2, 1); // TODO: should this edit make us unread? assertUnread(room2, 1); // TODO: should this edit make us unread?
}); });
it("A room with an edited threaded message is still unread after restart", () => { it("A room with an edited threaded message is still unread after restart", () => {

View file

@ -134,6 +134,22 @@ code {
color: $muted-fg-color; color: $muted-fg-color;
} }
.text-primary {
color: $primary-content;
}
.text-secondary {
color: $secondary-content;
}
.mx_Verified {
color: $e2e-verified-color;
}
.mx_Untrusted {
color: $e2e-warning-color;
}
b { b {
/* On Firefox, the default weight for `<b>` is `bolder` which results in no bold */ /* On Firefox, the default weight for `<b>` is `bolder` which results in no bold */
/* effect since we only have specific weights of our fonts available. */ /* effect since we only have specific weights of our fonts available. */

View file

@ -298,6 +298,7 @@
@import "./views/rooms/_RoomCallBanner.pcss"; @import "./views/rooms/_RoomCallBanner.pcss";
@import "./views/rooms/_RoomHeader.pcss"; @import "./views/rooms/_RoomHeader.pcss";
@import "./views/rooms/_RoomInfoLine.pcss"; @import "./views/rooms/_RoomInfoLine.pcss";
@import "./views/rooms/_RoomKnocksBar.pcss";
@import "./views/rooms/_RoomList.pcss"; @import "./views/rooms/_RoomList.pcss";
@import "./views/rooms/_RoomListHeader.pcss"; @import "./views/rooms/_RoomListHeader.pcss";
@import "./views/rooms/_RoomPreviewBar.pcss"; @import "./views/rooms/_RoomPreviewBar.pcss";

View file

@ -52,16 +52,6 @@ limitations under the License.
padding-inline-start: 0; padding-inline-start: 0;
} }
&:hover {
&.mx_EventTile_verified,
&.mx_EventTile_unverified,
&.mx_EventTile_unknown {
.mx_EventTile_line {
box-shadow: none;
}
}
}
.mx_MFileBody { .mx_MFileBody {
line-height: 2.4rem; line-height: 2.4rem;
} }

View file

@ -268,3 +268,7 @@ limitations under the License.
.mx_RoomSummaryCard_icon_poll::before { .mx_RoomSummaryCard_icon_poll::before {
mask-image: url("$(res)/img/element-icons/room/composer/poll.svg"); mask-image: url("$(res)/img/element-icons/room/composer/poll.svg");
} }
.mx_RoomSummaryCard_icon_search::before {
mask-image: url("$(res)/img/element-icons/room/search-inset.svg");
}

View file

@ -257,21 +257,6 @@ $left-gutter: 64px;
.mx_EventTile_line { .mx_EventTile_line {
background-color: $event-selected-color; background-color: $event-selected-color;
} }
&.mx_EventTile_verified .mx_EventTile_line {
box-shadow: inset var(--EventTile-box-shadow-offset-x) 0 0 var(--EventTile-box-shadow-spread-radius)
$e2e-verified-color;
}
&.mx_EventTile_unverified .mx_EventTile_line {
box-shadow: inset var(--EventTile-box-shadow-offset-x) 0 0 var(--EventTile-box-shadow-spread-radius)
$e2e-unverified-color;
}
&.mx_EventTile_unknown .mx_EventTile_line {
box-shadow: inset var(--EventTile-box-shadow-offset-x) 0 0 var(--EventTile-box-shadow-spread-radius)
$e2e-unknown-color;
}
} }
} }
@ -596,14 +581,6 @@ $left-gutter: 64px;
padding-inline-start: calc(var(--EventTile_group_line-spacing-inline-start) + 20px); padding-inline-start: calc(var(--EventTile_group_line-spacing-inline-start) + 20px);
} }
} }
&:hover {
&.mx_EventTile_verified.mx_EventTile_info .mx_EventTile_line,
&.mx_EventTile_unverified.mx_EventTile_info .mx_EventTile_line,
&.mx_EventTile_unknown.mx_EventTile_info .mx_EventTile_line {
padding-inline-start: calc($left-gutter + 18px + var(--selected-message-border-width));
}
}
} }
&[data-layout="bubble"] { &[data-layout="bubble"] {
@ -1327,14 +1304,6 @@ $left-gutter: 64px;
position: absolute; /* for IRC layout */ position: absolute; /* for IRC layout */
top: 2px; /* Align with mx_EventTile_content */ top: 2px; /* Align with mx_EventTile_content */
} }
&:hover {
&.mx_EventTile_verified.mx_EventTile_info .mx_EventTile_line,
&.mx_EventTile_unverified.mx_EventTile_info .mx_EventTile_line,
&.mx_EventTile_unknown.mx_EventTile_info .mx_EventTile_line {
padding-inline-start: 0;
}
}
} }
&[data-layout="bubble"] { &[data-layout="bubble"] {

View file

@ -26,6 +26,12 @@ limitations under the License.
flex: 1; flex: 1;
} }
.mx_RoomHeader_heading {
display: flex;
gap: var(--cpd-space-1x);
align-items: center;
}
.mx_RoomHeader_topic { .mx_RoomHeader_topic {
height: 0; height: 0;
opacity: 0; opacity: 0;

View file

@ -0,0 +1,50 @@
/*
Copyright 2023 Nordeck IT + Consulting GmbH
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.
*/
.mx_RoomKnocksBar {
background-color: var(--cpd-color-bg-subtle-secondary);
display: flex;
padding: var(--cpd-space-2x) var(--cpd-space-4x);
}
.mx_RoomKnocksBar_content {
flex-grow: 1;
margin: 0 var(--cpd-space-3x);
}
.mx_RoomKnocksBar_paragraph {
color: $secondary-content;
font-size: var(--cpd-font-size-body-sm);
margin: 0;
}
.mx_RoomKnocksBar_link {
margin-left: var(--cpd-space-3x);
}
.mx_RoomKnocksBar_action,
.mx_RoomKnocksBar_avatar {
align-self: center;
flex-shrink: 0;
}
.mx_RoomKnocksBar_action + .mx_RoomKnocksBar_action {
margin-left: var(--cpd-space-3x);
}
.mx_RoomKnocksBar_avatar + .mx_RoomKnocksBar_avatar {
margin-left: calc(var(--cpd-space-4x) * -1);
}

View file

@ -24,6 +24,11 @@ limitations under the License.
margin: 0 var(--cpd-space-4x); margin: 0 var(--cpd-space-4x);
} }
.mx_PeopleRoomSettingsTab_avatar {
align-self: flex-start;
flex-shrink: 0;
}
.mx_PeopleRoomSettingsTab_name { .mx_PeopleRoomSettingsTab_name {
font-weight: var(--cpd-font-weight-semibold); font-weight: var(--cpd-font-weight-semibold);
} }

View file

@ -241,8 +241,6 @@ $copy-button-url: "$(res)/img/element-icons/copy.svg";
/* e2e */ /* e2e */
$e2e-verified-color: #0dbd8b; $e2e-verified-color: #0dbd8b;
$e2e-unknown-color: #e8bf37;
$e2e-unverified-color: #e8bf37;
$e2e-warning-color: #ff5b55; $e2e-warning-color: #ff5b55;
$e2e-verified-color-light: var(--cpd-color-green-300); $e2e-verified-color-light: var(--cpd-color-green-300);
$e2e-warning-color-light: var(--cpd-color-red-300); $e2e-warning-color-light: var(--cpd-color-red-300);

View file

@ -210,8 +210,6 @@ $roomtile-default-badge-bg-color: $muted-fg-color;
/* e2e */ /* e2e */
/* ******************** */ /* ******************** */
$e2e-verified-color: var(--cpd-color-green-900); $e2e-verified-color: var(--cpd-color-green-900);
$e2e-unknown-color: var(--cpd-color-yellow-900);
$e2e-unverified-color: var(--cpd-color-green-900);
$e2e-warning-color: var(--cpd-color-red-900); $e2e-warning-color: var(--cpd-color-red-900);
$e2e-verified-color-light: var(--cpd-color-green-300); $e2e-verified-color-light: var(--cpd-color-green-300);
$e2e-warning-color-light: var(--cpd-color-red-300); $e2e-warning-color-light: var(--cpd-color-red-300);

View file

@ -49,7 +49,7 @@ import { getSenderName } from "./utils/event/getSenderName";
function getRoomMemberDisplayname(client: MatrixClient, event: MatrixEvent, userId = event.getSender()): string { function getRoomMemberDisplayname(client: MatrixClient, event: MatrixEvent, userId = event.getSender()): string {
const roomId = event.getRoomId(); const roomId = event.getRoomId();
const member = client.getRoom(roomId)?.getMember(userId!); const member = client.getRoom(roomId)?.getMember(userId!);
return member?.name || member?.rawDisplayName || userId || _t("Someone"); return member?.name || member?.rawDisplayName || userId || _t("common|someone");
} }
function textForCallEvent(event: MatrixEvent, client: MatrixClient): () => string { function textForCallEvent(event: MatrixEvent, client: MatrixClient): () => string {
@ -466,7 +466,7 @@ function textForThreePidInviteEvent(event: MatrixEvent): (() => string) | null {
return () => return () =>
_t("%(senderName)s revoked the invitation for %(targetDisplayName)s to join the room.", { _t("%(senderName)s revoked the invitation for %(targetDisplayName)s to join the room.", {
senderName, senderName,
targetDisplayName: event.getPrevContent().display_name || _t("Someone"), targetDisplayName: event.getPrevContent().display_name || _t("common|someone"),
}); });
} }

View file

@ -257,7 +257,7 @@ export const CATEGORIES: Record<CategoryName, ICategory> = {
], ],
}, },
[CategoryName.ACCESSIBILITY]: { [CategoryName.ACCESSIBILITY]: {
categoryLabel: _td("Accessibility"), categoryLabel: _td("common|accessibility"),
settingNames: [ settingNames: [
KeyBindingAction.Escape, KeyBindingAction.Escape,
KeyBindingAction.Enter, KeyBindingAction.Enter,

View file

@ -216,7 +216,7 @@ export default class ExportE2eKeysDialog extends React.Component<IProps, IState>
<input <input
className="mx_Dialog_primary" className="mx_Dialog_primary"
type="submit" type="submit"
value={_t("Export")} value={_t("action|export")}
disabled={disableForm} disabled={disableForm}
/> />
<button onClick={this.onCancelClick} disabled={disableForm}> <button onClick={this.onCancelClick} disabled={disableForm}>

View file

@ -187,7 +187,7 @@ export default class ImportE2eKeysDialog extends React.Component<IProps, IState>
<input <input
className="mx_Dialog_primary" className="mx_Dialog_primary"
type="submit" type="submit"
value={_t("Import")} value={_t("action|import")}
disabled={!this.state.enableSubmit || disableForm} disabled={!this.state.enableSubmit || disableForm}
/> />
<button onClick={this.onCancelClick} disabled={disableForm}> <button onClick={this.onCancelClick} disabled={disableForm}>

View file

@ -57,6 +57,7 @@ interface RoomlessProps extends BaseProps {
interface RoomProps extends BaseProps { interface RoomProps extends BaseProps {
room: Room; room: Room;
permalinkCreator: RoomPermalinkCreator; permalinkCreator: RoomPermalinkCreator;
onSearchClick?: () => void;
} }
type Props = XOR<RoomlessProps, RoomProps>; type Props = XOR<RoomlessProps, RoomProps>;
@ -293,6 +294,7 @@ export default class RightPanel extends React.Component<Props, IState> {
onClose={this.onClose} onClose={this.onClose}
// whenever RightPanel is passed a room it is passed a permalinkcreator // whenever RightPanel is passed a room it is passed a permalinkcreator
permalinkCreator={this.props.permalinkCreator!} permalinkCreator={this.props.permalinkCreator!}
onSearchClick={this.props.onSearchClick}
/> />
); );
} }

View file

@ -2470,6 +2470,7 @@ export class RoomView extends React.Component<IRoomProps, IRoomState> {
resizeNotifier={this.props.resizeNotifier} resizeNotifier={this.props.resizeNotifier}
permalinkCreator={this.permalinkCreator} permalinkCreator={this.permalinkCreator}
e2eStatus={this.state.e2eStatus} e2eStatus={this.state.e2eStatus}
onSearchClick={this.onSearchClick}
/> />
) : undefined; ) : undefined;

View file

@ -684,7 +684,7 @@ export class MsisdnAuthEntry extends React.Component<IMsisdnAuthEntryProps, IMsi
<br /> <br />
<input <input
type="submit" type="submit"
value={_t("Submit")} value={_t("action|submit")}
className={submitClasses} className={submitClasses}
disabled={!enableSubmit} disabled={!enableSubmit}
/> />

View file

@ -99,7 +99,7 @@ const BaseAvatar: React.FC<IProps> = (props) => {
const { const {
name, name,
idName, idName,
title = "", title,
url, url,
urls, urls,
size = "40px", size = "40px",

View file

@ -68,7 +68,7 @@ export const AppDownloadDialog: FC<Props> = ({ onFinished }) => {
)} )}
<div className="mx_AppDownloadDialog_mobile"> <div className="mx_AppDownloadDialog_mobile">
<div className="mx_AppDownloadDialog_app"> <div className="mx_AppDownloadDialog_app">
<Heading size="3">{_t("iOS")}</Heading> <Heading size="3">{_t("common|ios")}</Heading>
<QRCode data={urlAppStore} margin={0} width={172} /> <QRCode data={urlAppStore} margin={0} width={172} />
<div className="mx_AppDownloadDialog_info"> <div className="mx_AppDownloadDialog_info">
{_t("%(qrCode)s or %(appLinks)s", { {_t("%(qrCode)s or %(appLinks)s", {
@ -89,7 +89,7 @@ export const AppDownloadDialog: FC<Props> = ({ onFinished }) => {
</div> </div>
</div> </div>
<div className="mx_AppDownloadDialog_app"> <div className="mx_AppDownloadDialog_app">
<Heading size="3">{_t("Android")}</Heading> <Heading size="3">{_t("common|android")}</Heading>
<QRCode data={urlAndroid} margin={0} width={172} /> <QRCode data={urlAndroid} margin={0} width={172} />
<div className="mx_AppDownloadDialog_info"> <div className="mx_AppDownloadDialog_info">
{_t("%(qrCode)s or %(appLinks)s", { {_t("%(qrCode)s or %(appLinks)s", {

View file

@ -410,7 +410,7 @@ const ExportDialog: React.FC<IProps> = ({ room, onFinished }) => {
</div> </div>
) : ( ) : (
<DialogButtons <DialogButtons
primaryButton={_t("Export")} primaryButton={_t("action|export")}
onPrimaryButtonClick={onExportClick} onPrimaryButtonClick={onExportClick}
onCancel={() => onFinished(false)} onCancel={() => onFinished(false)}
/> />

View file

@ -1313,7 +1313,7 @@ export default class InviteDialog extends React.PureComponent<Props, IInviteDial
); );
} }
buttonText = _t("Go"); buttonText = _t("action|go");
goButtonFn = this.checkProfileAndStartDm; goButtonFn = this.checkProfileAndStartDm;
extraSection = ( extraSection = (
<div className="mx_InviteDialog_section_hidden_suggestions_disclaimer"> <div className="mx_InviteDialog_section_hidden_suggestions_disclaimer">

View file

@ -428,7 +428,7 @@ export default class ReportEventDialog extends React.Component<IProps, IState> {
{ignoreUserCheckbox} {ignoreUserCheckbox}
</div> </div>
<DialogButtons <DialogButtons
primaryButton={_t("Send report")} primaryButton={_t("action|send_report")}
onPrimaryButtonClick={this.onSubmit} onPrimaryButtonClick={this.onSubmit}
focus={true} focus={true}
onCancel={this.onCancel} onCancel={this.onCancel}
@ -467,7 +467,7 @@ export default class ReportEventDialog extends React.Component<IProps, IState> {
{ignoreUserCheckbox} {ignoreUserCheckbox}
</div> </div>
<DialogButtons <DialogButtons
primaryButton={_t("Send report")} primaryButton={_t("action|send_report")}
onPrimaryButtonClick={this.onSubmit} onPrimaryButtonClick={this.onSubmit}
focus={true} focus={true}
onCancel={this.onCancel} onCancel={this.onCancel}

View file

@ -78,7 +78,7 @@ export default class SessionRestoreErrorDialog extends React.Component<IProps> {
} else { } else {
dialogButtons = ( dialogButtons = (
<DialogButtons <DialogButtons
primaryButton={_t("Refresh")} primaryButton={_t("action|refresh")}
onPrimaryButtonClick={this.onRefreshClick} onPrimaryButtonClick={this.onRefreshClick}
focus={true} focus={true}
hasCancel={false} hasCancel={false}

View file

@ -98,7 +98,7 @@ export const AccountDataExplorer: React.FC<IDevtoolsProps> = ({ onBack, setTool
<BaseAccountDataExplorer <BaseAccountDataExplorer
events={cli.store.accountData} events={cli.store.accountData}
Editor={AccountDataEventEditor} Editor={AccountDataEventEditor}
actionLabel={_t("Send custom account data event")} actionLabel={_t("devtools|send_custom_account_data_event")}
onBack={onBack} onBack={onBack}
setTool={setTool} setTool={setTool}
/> />
@ -112,7 +112,7 @@ export const RoomAccountDataExplorer: React.FC<IDevtoolsProps> = ({ onBack, setT
<BaseAccountDataExplorer <BaseAccountDataExplorer
events={context.room.accountData} events={context.room.accountData}
Editor={RoomAccountDataEventEditor} Editor={RoomAccountDataEventEditor}
actionLabel={_t("Send custom room account data event")} actionLabel={_t("devtools|send_custom_room_account_data_event")}
onBack={onBack} onBack={onBack}
setTool={setTool} setTool={setTool}
/> />

View file

@ -43,13 +43,13 @@ interface IFieldDef {
export const eventTypeField = (defaultValue?: string): IFieldDef => ({ export const eventTypeField = (defaultValue?: string): IFieldDef => ({
id: "eventType", id: "eventType",
label: _td("Event Type"), label: _td("devtools|event_type"),
default: defaultValue, default: defaultValue,
}); });
export const stateKeyField = (defaultValue?: string): IFieldDef => ({ export const stateKeyField = (defaultValue?: string): IFieldDef => ({
id: "stateKey", id: "stateKey",
label: _td("State Key"), label: _td("devtools|state_key"),
default: defaultValue, default: defaultValue,
}); });
@ -69,7 +69,7 @@ const validateEventContent = withValidation<any, Error | undefined>({
if (!value) return true; if (!value) return true;
return !error; return !error;
}, },
invalid: (error) => _t("Doesn't look like valid JSON.") + " " + error, invalid: (error) => _t("devtools|invalid_json") + " " + error,
}, },
], ],
}); });
@ -111,9 +111,9 @@ export const EventEditor: React.FC<IEventEditorProps> = ({ fieldDefs, defaultCon
const json = JSON.parse(content); const json = JSON.parse(content);
await onSend(fieldData, json); await onSend(fieldData, json);
} catch (e) { } catch (e) {
return _t("Failed to send event!") + (e instanceof Error ? ` (${e.message})` : ""); return _t("devtools|failed_to_send") + (e instanceof Error ? ` (${e.message})` : "");
} }
return _t("Event sent!"); return _t("devtools|event_sent");
}; };
return ( return (
@ -122,7 +122,7 @@ export const EventEditor: React.FC<IEventEditorProps> = ({ fieldDefs, defaultCon
<Field <Field
id="evContent" id="evContent"
label={_t("Event Content")} label={_t("devtools|event_content")}
type="text" type="text"
className="mx_DevTools_textarea" className="mx_DevTools_textarea"
autoComplete="off" autoComplete="off"

View file

@ -33,27 +33,29 @@ function UserReadUpTo({ target }: { target: ReadReceipt<any, any> }): JSX.Elemen
return ( return (
<> <>
<li> <li>
{_t("User read up to: ")} {_t("devtools|user_read_up_to")}
<strong>{target.getReadReceiptForUserId(userId)?.eventId ?? _t("No receipt found")}</strong> <strong>{target.getReadReceiptForUserId(userId)?.eventId ?? _t("devtools|no_receipt_found")}</strong>
</li> </li>
<li> <li>
{_t("User read up to (ignoreSynthetic): ")} {_t("devtools|user_read_up_to_ignore_synthetic")}
<strong>{target.getReadReceiptForUserId(userId, true)?.eventId ?? _t("No receipt found")}</strong> <strong>
{target.getReadReceiptForUserId(userId, true)?.eventId ?? _t("devtools|no_receipt_found")}
</strong>
</li> </li>
{hasPrivate && ( {hasPrivate && (
<> <>
<li> <li>
{_t("User read up to (m.read.private): ")} {_t("devtools|user_read_up_to_private")}
<strong> <strong>
{target.getReadReceiptForUserId(userId, false, ReceiptType.ReadPrivate)?.eventId ?? {target.getReadReceiptForUserId(userId, false, ReceiptType.ReadPrivate)?.eventId ??
_t("No receipt found")} _t("devtools|no_receipt_found")}
</strong> </strong>
</li> </li>
<li> <li>
{_t("User read up to (m.read.private;ignoreSynthetic): ")} {_t("devtools|user_read_up_to_private_ignore_synthetic")}
<strong> <strong>
{target.getReadReceiptForUserId(userId, true, ReceiptType.ReadPrivate)?.eventId ?? {target.getReadReceiptForUserId(userId, true, ReceiptType.ReadPrivate)?.eventId ??
_t("No receipt found")} _t("devtools|no_receipt_found")}
</strong> </strong>
</li> </li>
</> </>
@ -72,12 +74,12 @@ export default function RoomNotifications({ onBack }: IDevtoolsProps): JSX.Eleme
return ( return (
<BaseTool onBack={onBack}> <BaseTool onBack={onBack}>
<section> <section>
<h2>{_t("Room status")}</h2> <h2>{_t("devtools|room_status")}</h2>
<ul> <ul>
<li> <li>
{count > 0 {count > 0
? _t( ? _t(
"Room unread status: <strong>%(status)s</strong>, count: <strong>%(count)s</strong>", "devtools|room_unread_status_count",
{ {
status: humanReadableNotificationColor(color), status: humanReadableNotificationColor(color),
count, count,
@ -87,7 +89,7 @@ export default function RoomNotifications({ onBack }: IDevtoolsProps): JSX.Eleme
}, },
) )
: _t( : _t(
"Room unread status: <strong>%(status)s</strong>", "devtools|room_unread_status",
{ {
status: humanReadableNotificationColor(color), status: humanReadableNotificationColor(color),
}, },
@ -98,7 +100,7 @@ export default function RoomNotifications({ onBack }: IDevtoolsProps): JSX.Eleme
</li> </li>
<li> <li>
{_t( {_t(
"Notification state is <strong>%(notificationState)s</strong>", "devtools|notification_state",
{ {
notificationState, notificationState,
}, },
@ -110,8 +112,8 @@ export default function RoomNotifications({ onBack }: IDevtoolsProps): JSX.Eleme
<li> <li>
{_t( {_t(
cli.isRoomEncrypted(room.roomId!) cli.isRoomEncrypted(room.roomId!)
? _td("Room is <strong>encrypted ✅</strong>") ? _td("devtools|room_encrypted")
: _td("Room is <strong>not encrypted 🚨</strong>"), : _td("devtools|room_not_encrypted"),
{}, {},
{ {
strong: (sub) => <strong>{sub}</strong>, strong: (sub) => <strong>{sub}</strong>,
@ -122,33 +124,36 @@ export default function RoomNotifications({ onBack }: IDevtoolsProps): JSX.Eleme
</section> </section>
<section> <section>
<h2>{_t("Main timeline")}</h2> <h2>{_t("devtools|main_timeline")}</h2>
<ul> <ul>
<li> <li>
{_t("Total: ")} {room.getRoomUnreadNotificationCount(NotificationCountType.Total)} {_t("devtools|room_notifications_total")}{" "}
{room.getRoomUnreadNotificationCount(NotificationCountType.Total)}
</li> </li>
<li> <li>
{_t("Highlight: ")} {room.getRoomUnreadNotificationCount(NotificationCountType.Highlight)} {_t("devtools|room_notifications_highlight")}{" "}
{room.getRoomUnreadNotificationCount(NotificationCountType.Highlight)}
</li> </li>
<li> <li>
{_t("Dot: ")} {doesRoomOrThreadHaveUnreadMessages(room) + ""} {_t("devtools|room_notifications_dot")} {doesRoomOrThreadHaveUnreadMessages(room) + ""}
</li> </li>
{roomHasUnread(room) && ( {roomHasUnread(room) && (
<> <>
<UserReadUpTo target={room} /> <UserReadUpTo target={room} />
<li> <li>
{_t("Last event:")} {_t("devtools|room_notifications_last_event")}
<ul> <ul>
<li> <li>
{_t("ID: ")} <strong>{room.timeline[room.timeline.length - 1].getId()}</strong> {_t("devtools|id")}{" "}
<strong>{room.timeline[room.timeline.length - 1].getId()}</strong>
</li> </li>
<li> <li>
{_t("Type: ")}{" "} {_t("devtools|room_notifications_type")}{" "}
<strong>{room.timeline[room.timeline.length - 1].getType()}</strong> <strong>{room.timeline[room.timeline.length - 1].getType()}</strong>
</li> </li>
<li> <li>
{_t("Sender: ")}{" "} {_t("devtools|room_notifications_sender")}{" "}
<strong>{room.timeline[room.timeline.length - 1].getSender()}</strong> <strong>{room.timeline[room.timeline.length - 1].getSender()}</strong>
</li> </li>
</ul> </ul>
@ -159,17 +164,17 @@ export default function RoomNotifications({ onBack }: IDevtoolsProps): JSX.Eleme
</section> </section>
<section> <section>
<h2>{_t("Threads timeline")}</h2> <h2>{_t("devtools|threads_timeline")}</h2>
<ul> <ul>
{room {room
.getThreads() .getThreads()
.filter((thread) => threadHasUnread(thread)) .filter((thread) => threadHasUnread(thread))
.map((thread) => ( .map((thread) => (
<li key={thread.id}> <li key={thread.id}>
{_t("Thread Id: ")} {thread.id} {_t("devtools|room_notifications_thread_id")} {thread.id}
<ul> <ul>
<li> <li>
{_t("Total: ")} {_t("devtools|room_notifications_total")}
<strong> <strong>
{room.getThreadUnreadNotificationCount( {room.getThreadUnreadNotificationCount(
thread.id, thread.id,
@ -178,7 +183,7 @@ export default function RoomNotifications({ onBack }: IDevtoolsProps): JSX.Eleme
</strong> </strong>
</li> </li>
<li> <li>
{_t("Highlight: ")} {_t("devtools|room_notifications_highlight")}
<strong> <strong>
{room.getThreadUnreadNotificationCount( {room.getThreadUnreadNotificationCount(
thread.id, thread.id,
@ -187,20 +192,23 @@ export default function RoomNotifications({ onBack }: IDevtoolsProps): JSX.Eleme
</strong> </strong>
</li> </li>
<li> <li>
{_t("Dot: ")} <strong>{doesRoomOrThreadHaveUnreadMessages(thread) + ""}</strong> {_t("devtools|room_notifications_dot")}{" "}
<strong>{doesRoomOrThreadHaveUnreadMessages(thread) + ""}</strong>
</li> </li>
<UserReadUpTo target={thread} /> <UserReadUpTo target={thread} />
<li> <li>
{_t("Last event:")} {_t("devtools|room_notifications_last_event")}
<ul> <ul>
<li> <li>
{_t("ID: ")} <strong>{thread.lastReply()?.getId()}</strong> {_t("devtools|id")} <strong>{thread.lastReply()?.getId()}</strong>
</li> </li>
<li> <li>
{_t("Type: ")} <strong>{thread.lastReply()?.getType()}</strong> {_t("devtools|room_notifications_type")}{" "}
<strong>{thread.lastReply()?.getType()}</strong>
</li> </li>
<li> <li>
{_t("Sender: ")} <strong>{thread.lastReply()?.getSender()}</strong> {_t("devtools|room_notifications_sender")}{" "}
<strong>{thread.lastReply()?.getSender()}</strong>
</li> </li>
</ul> </ul>
</li> </li>

View file

@ -97,7 +97,7 @@ const StateEventButton: React.FC<StateEventButtonProps> = ({ label, onClick }) =
let content = label; let content = label;
if (!trimmed) { if (!trimmed) {
content = label.length > 0 ? _t("<%(count)s spaces>", { count: label.length }) : _t("<empty string>"); content = label.length > 0 ? _t("devtools|spaces", { count: label.length }) : _t("devtools|empty_string");
} }
return ( return (
@ -150,7 +150,7 @@ const RoomStateExplorerEventType: React.FC<IEventTypeProps> = ({ eventType, onBa
const onHistoryClick = (): void => { const onHistoryClick = (): void => {
setHistory(true); setHistory(true);
}; };
const extraButton = <button onClick={onHistoryClick}>{_t("See history")}</button>; const extraButton = <button onClick={onHistoryClick}>{_t("devtools|see_history")}</button>;
return <EventViewer mxEvent={event} onBack={_onBack} Editor={StateEventEditor} extraButton={extraButton} />; return <EventViewer mxEvent={event} onBack={_onBack} Editor={StateEventEditor} extraButton={extraButton} />;
} }
@ -180,11 +180,11 @@ export const RoomStateExplorer: React.FC<IDevtoolsProps> = ({ onBack, setTool })
} }
const onAction = async (): Promise<void> => { const onAction = async (): Promise<void> => {
setTool(_t("Send custom state event"), StateEventEditor); setTool(_t("devtools|send_custom_state_event"), StateEventEditor);
}; };
return ( return (
<BaseTool onBack={onBack} actionLabel={_t("Send custom state event")} onAction={onAction}> <BaseTool onBack={onBack} actionLabel={_t("devtools|send_custom_state_event")} onAction={onAction}>
<FilteredList query={query} onChange={setQuery}> <FilteredList query={query} onChange={setQuery}>
{Array.from(events.keys()).map((eventType) => ( {Array.from(events.keys()).map((eventType) => (
<StateEventButton key={eventType} label={eventType} onClick={() => setEventType(eventType)} /> <StateEventButton key={eventType} label={eventType} onClick={() => setEventType(eventType)} />

View file

@ -73,25 +73,25 @@ const ServerInfo: React.FC<IDevtoolsProps> = ({ onBack }) => {
} else { } else {
body = ( body = (
<> <>
<h4>{_t("Capabilities")}</h4> <h4>{_t("common|capabilities")}</h4>
{capabilities !== FAILED_TO_LOAD ? ( {capabilities !== FAILED_TO_LOAD ? (
<SyntaxHighlight language="json" children={JSON.stringify(capabilities, null, 4)} /> <SyntaxHighlight language="json" children={JSON.stringify(capabilities, null, 4)} />
) : ( ) : (
<div>{_t("Failed to load.")}</div> <div>{_t("devtools|failed_to_load")}</div>
)} )}
<h4>{_t("Client Versions")}</h4> <h4>{_t("devtools|client_versions")}</h4>
{clientVersions !== FAILED_TO_LOAD ? ( {clientVersions !== FAILED_TO_LOAD ? (
<SyntaxHighlight language="json" children={JSON.stringify(clientVersions, null, 4)} /> <SyntaxHighlight language="json" children={JSON.stringify(clientVersions, null, 4)} />
) : ( ) : (
<div>{_t("Failed to load.")}</div> <div>{_t("devtools|failed_to_load")}</div>
)} )}
<h4>{_t("Server Versions")}</h4> <h4>{_t("devtools|server_versions")}</h4>
{serverVersions !== FAILED_TO_LOAD ? ( {serverVersions !== FAILED_TO_LOAD ? (
<SyntaxHighlight language="json" children={JSON.stringify(serverVersions, null, 4)} /> <SyntaxHighlight language="json" children={JSON.stringify(serverVersions, null, 4)} />
) : ( ) : (
<div>{_t("Failed to load.")}</div> <div>{_t("devtools|failed_to_load")}</div>
)} )}
</> </>
); );

View file

@ -39,8 +39,8 @@ const ServersInRoom: React.FC<IDevtoolsProps> = ({ onBack }) => {
<table> <table>
<thead> <thead>
<tr> <tr>
<th>{_t("Server")}</th> <th>{_t("common|server")}</th>
<th>{_t("Number of users")}</th> <th>{_t("devtools|number_of_users")}</th>
</tr> </tr>
</thead> </thead>
<tbody> <tbody>

View file

@ -125,22 +125,22 @@ const EditSetting: React.FC<IEditSettingProps> = ({ setting, onBack }) => {
} }
onBack(); onBack();
} catch (e) { } catch (e) {
return _t("Failed to save settings.") + (e instanceof Error ? ` (${e.message})` : ""); return _t("devtools|failed_to_save") + (e instanceof Error ? ` (${e.message})` : "");
} }
}; };
return ( return (
<BaseTool onBack={onBack} actionLabel={_t("Save setting values")} onAction={onSave}> <BaseTool onBack={onBack} actionLabel={_t("devtools|save_setting_values")} onAction={onSave}>
<h3> <h3>
{_t("Setting:")} <code>{setting}</code> {_t("devtools|setting_colon")} <code>{setting}</code>
</h3> </h3>
<div className="mx_DevTools_SettingsExplorer_warning"> <div className="mx_DevTools_SettingsExplorer_warning">
<b>{_t("Caution:")}</b> {_t("This UI does NOT check the types of the values. Use at your own risk.")} <b>{_t("devtools|caution_colon")}</b> {_t("devtools|use_at_own_risk")}
</div> </div>
<div> <div>
{_t("Setting definition:")} {_t("devtools|setting_definition")}
<pre> <pre>
<code>{JSON.stringify(SETTINGS[setting], null, 4)}</code> <code>{JSON.stringify(SETTINGS[setting], null, 4)}</code>
</pre> </pre>
@ -150,9 +150,9 @@ const EditSetting: React.FC<IEditSettingProps> = ({ setting, onBack }) => {
<table> <table>
<thead> <thead>
<tr> <tr>
<th>{_t("Level")}</th> <th>{_t("devtools|level")}</th>
<th>{_t("Settable at global")}</th> <th>{_t("devtools|settable_global")}</th>
<th>{_t("Settable at room")}</th> <th>{_t("devtools|settable_room")}</th>
</tr> </tr>
</thead> </thead>
<tbody> <tbody>
@ -172,7 +172,7 @@ const EditSetting: React.FC<IEditSettingProps> = ({ setting, onBack }) => {
<div> <div>
<Field <Field
id="valExpl" id="valExpl"
label={_t("Values at explicit levels")} label={_t("devtools|values_explicit")}
type="text" type="text"
className="mx_DevTools_textarea" className="mx_DevTools_textarea"
element="textarea" element="textarea"
@ -185,7 +185,7 @@ const EditSetting: React.FC<IEditSettingProps> = ({ setting, onBack }) => {
<div> <div>
<Field <Field
id="valExpl" id="valExpl"
label={_t("Values at explicit levels in this room")} label={_t("devtools|values_explicit_room")}
type="text" type="text"
className="mx_DevTools_textarea" className="mx_DevTools_textarea"
element="textarea" element="textarea"
@ -207,37 +207,37 @@ const ViewSetting: React.FC<IViewSettingProps> = ({ setting, onEdit, onBack }) =
const context = useContext(DevtoolsContext); const context = useContext(DevtoolsContext);
return ( return (
<BaseTool onBack={onBack} actionLabel={_t("Edit values")} onAction={onEdit}> <BaseTool onBack={onBack} actionLabel={_t("devtools|edit_values")} onAction={onEdit}>
<h3> <h3>
{_t("Setting:")} <code>{setting}</code> {_t("devtools|setting_colon")} <code>{setting}</code>
</h3> </h3>
<div> <div>
{_t("Setting definition:")} {_t("devtools|setting_definition")}
<pre> <pre>
<code>{JSON.stringify(SETTINGS[setting], null, 4)}</code> <code>{JSON.stringify(SETTINGS[setting], null, 4)}</code>
</pre> </pre>
</div> </div>
<div> <div>
{_t("Value:")}&nbsp; {_t("devtools|value_colon")}&nbsp;
<code>{renderSettingValue(SettingsStore.getValue(setting))}</code> <code>{renderSettingValue(SettingsStore.getValue(setting))}</code>
</div> </div>
<div> <div>
{_t("Value in this room:")}&nbsp; {_t("devtools|value_this_room_colon")}&nbsp;
<code>{renderSettingValue(SettingsStore.getValue(setting, context.room.roomId))}</code> <code>{renderSettingValue(SettingsStore.getValue(setting, context.room.roomId))}</code>
</div> </div>
<div> <div>
{_t("Values at explicit levels:")} {_t("devtools|values_explicit_colon")}
<pre> <pre>
<code>{renderExplicitSettingValues(setting)}</code> <code>{renderExplicitSettingValues(setting)}</code>
</pre> </pre>
</div> </div>
<div> <div>
{_t("Values at explicit levels in this room:")} {_t("devtools|values_explicit_this_room_colon")}
<pre> <pre>
<code>{renderExplicitSettingValues(setting, context.room.roomId)}</code> <code>{renderExplicitSettingValues(setting, context.room.roomId)}</code>
</pre> </pre>
@ -289,9 +289,9 @@ const SettingsList: React.FC<ISettingsListProps> = ({ onBack, onView, onEdit })
<table> <table>
<thead> <thead>
<tr> <tr>
<th>{_t("Setting ID")}</th> <th>{_t("devtools|setting_id")}</th>
<th>{_t("Value")}</th> <th>{_t("devtools|value")}</th>
<th>{_t("Value in this room")}</th> <th>{_t("devtools|value_in_this_room")}</th>
</tr> </tr>
</thead> </thead>
<tbody> <tbody>
@ -306,7 +306,7 @@ const SettingsList: React.FC<ISettingsListProps> = ({ onBack, onView, onEdit })
<code>{i}</code> <code>{i}</code>
</AccessibleButton> </AccessibleButton>
<AccessibleButton <AccessibleButton
alt={_t("Edit setting")} alt={_t("devtools|edit_setting")}
onClick={() => onEdit(i)} onClick={() => onEdit(i)}
className="mx_DevTools_SettingsExplorer_edit" className="mx_DevTools_SettingsExplorer_edit"
> >

View file

@ -28,11 +28,11 @@ import { Tool } from "../DevtoolsDialog";
const PHASE_MAP: Record<Phase, TranslationKey> = { const PHASE_MAP: Record<Phase, TranslationKey> = {
[Phase.Unsent]: _td("Unsent"), [Phase.Unsent]: _td("Unsent"),
[Phase.Requested]: _td("Requested"), [Phase.Requested]: _td("devtools|phase_requested"),
[Phase.Ready]: _td("Ready"), [Phase.Ready]: _td("devtools|phase_ready"),
[Phase.Done]: _td("action|done"), [Phase.Done]: _td("action|done"),
[Phase.Started]: _td("Started"), [Phase.Started]: _td("devtools|phase_started"),
[Phase.Cancelled]: _td("Cancelled"), [Phase.Cancelled]: _td("devtools|phase_cancelled"),
}; };
const VerificationRequestExplorer: React.FC<{ const VerificationRequestExplorer: React.FC<{
@ -62,17 +62,17 @@ const VerificationRequestExplorer: React.FC<{
return ( return (
<div className="mx_DevTools_VerificationRequest"> <div className="mx_DevTools_VerificationRequest">
<dl> <dl>
<dt>{_t("Transaction")}</dt> <dt>{_t("devtools|phase_transaction")}</dt>
<dd>{txnId}</dd> <dd>{txnId}</dd>
<dt>{_t("Phase")}</dt> <dt>{_t("devtools|phase")}</dt>
<dd>{PHASE_MAP[request.phase] ? _t(PHASE_MAP[request.phase]) : request.phase}</dd> <dd>{PHASE_MAP[request.phase] ? _t(PHASE_MAP[request.phase]) : request.phase}</dd>
<dt>{_t("Timeout")}</dt> <dt>{_t("devtools|timeout")}</dt>
<dd>{Math.floor(timeout / 1000)}</dd> <dd>{Math.floor(timeout / 1000)}</dd>
<dt>{_t("Methods")}</dt> <dt>{_t("devtools|methods")}</dt>
<dd>{request.methods && request.methods.join(", ")}</dd> <dd>{request.methods && request.methods.join(", ")}</dd>
<dt>{_t("Requester")}</dt> <dt>{_t("devtools|requester")}</dt>
<dd>{request.requestingUserId}</dd> <dd>{request.requestingUserId}</dd>
<dt>{_t("Observe only")}</dt> <dt>{_t("devtools|observe_only")}</dt>
<dd>{JSON.stringify(request.observeOnly)}</dd> <dd>{JSON.stringify(request.observeOnly)}</dd>
</dl> </dl>
</div> </div>
@ -97,7 +97,7 @@ const VerificationExplorer: Tool = ({ onBack }: IDevtoolsProps) => {
.map(([txnId, request]) => ( .map(([txnId, request]) => (
<VerificationRequestExplorer txnId={txnId} request={request} key={txnId} /> <VerificationRequestExplorer txnId={txnId} request={request} key={txnId} />
))} ))}
{requests.size < 1 && _t("No verification requests found")} {requests.size < 1 && _t("devtools|no_verification_requests_found")}
</BaseTool> </BaseTool>
); );
}; };

View file

@ -51,7 +51,7 @@ const WidgetExplorer: React.FC<IDevtoolsProps> = ({ onBack }) => {
const event = allState.find((ev) => ev.getId() === widget.eventId); const event = allState.find((ev) => ev.getId() === widget.eventId);
if (!event) { if (!event) {
// "should never happen" // "should never happen"
return <BaseTool onBack={onBack}>{_t("There was an error finding this widget.")}</BaseTool>; return <BaseTool onBack={onBack}>{_t("devtools|failed_to_find_widget")}</BaseTool>;
} }
return <StateEventEditor mxEvent={event} onBack={onBack} />; return <StateEventEditor mxEvent={event} onBack={onBack} />;

View file

@ -1038,7 +1038,7 @@ const SpotlightDialog: React.FC<IProps> = ({ initialText = "", initialFilter = n
<h4> <h4>
<span id="mx_SpotlightDialog_section_recentSearches">{_t("Recent searches")}</span> <span id="mx_SpotlightDialog_section_recentSearches">{_t("Recent searches")}</span>
<AccessibleButton kind="link" onClick={clearRecentSearches}> <AccessibleButton kind="link" onClick={clearRecentSearches}>
{_t("Clear")} {_t("action|clear")}
</AccessibleButton> </AccessibleButton>
</h4> </h4>
<div> <div>

View file

@ -155,7 +155,7 @@ export const NetworkDropdown: React.FC<IProps> = ({ protocols, config, setConfig
options: [ options: [
{ {
key: { roomServer, instanceId: undefined }, key: { roomServer, instanceId: undefined },
label: _t("Matrix"), label: _t("common|matrix"),
}, },
...(roomServer === homeServer && protocols ...(roomServer === homeServer && protocols
? Object.values(protocols) ? Object.values(protocols)

View file

@ -737,7 +737,7 @@ export default class AppTile extends React.Component<IProps, IState> {
<AccessibleButton <AccessibleButton
key="toggleMaximised" key="toggleMaximised"
className="mx_AppTileMenuBar_widgets_button" className="mx_AppTileMenuBar_widgets_button"
title={isMaximised ? _t("Un-maximise") : _t("Maximise")} title={isMaximised ? _t("Un-maximise") : _t("action|maximise")}
onClick={this.onToggleMaximisedClick} onClick={this.onToggleMaximisedClick}
> >
{isMaximised ? ( {isMaximised ? (
@ -752,7 +752,7 @@ export default class AppTile extends React.Component<IProps, IState> {
<AccessibleButton <AccessibleButton
key="minimise" key="minimise"
className="mx_AppTileMenuBar_widgets_button" className="mx_AppTileMenuBar_widgets_button"
title={_t("Minimise")} title={_t("action|minimise")}
onClick={this.onMinimiseClicked} onClick={this.onMinimiseClicked}
> >
<MinimiseIcon className="mx_Icon mx_Icon_12" /> <MinimiseIcon className="mx_Icon mx_Icon_12" />

View file

@ -270,12 +270,12 @@ export default class DateSeparator extends React.Component<IProps, IState> {
> >
<IconizedContextMenuOptionList first> <IconizedContextMenuOptionList first>
<IconizedContextMenuOption <IconizedContextMenuOption
label={_t("Last week")} label={_t("time|last_week")}
onClick={this.onLastWeekClicked} onClick={this.onLastWeekClicked}
data-testid="jump-to-date-last-week" data-testid="jump-to-date-last-week"
/> />
<IconizedContextMenuOption <IconizedContextMenuOption
label={_t("Last month")} label={_t("time|last_month")}
onClick={this.onLastMonthClicked} onClick={this.onLastMonthClicked}
data-testid="jump-to-date-last-month" data-testid="jump-to-date-last-month"
/> />

View file

@ -63,7 +63,7 @@ const JumpToDatePicker: React.FC<IProps> = ({ ts, onDatePicked }: IProps) => {
className="mx_JumpToDatePicker_submitButton" className="mx_JumpToDatePicker_submitButton"
onClick={onJumpToDateSubmit} onClick={onJumpToDateSubmit}
> >
{_t("Go")} {_t("action|go")}
</RovingAccessibleButton> </RovingAccessibleButton>
</form> </form>
); );

View file

@ -58,6 +58,7 @@ interface IProps {
room: Room; room: Room;
permalinkCreator: RoomPermalinkCreator; permalinkCreator: RoomPermalinkCreator;
onClose(): void; onClose(): void;
onSearchClick?: () => void;
} }
interface IAppsSectionProps { interface IAppsSectionProps {
@ -162,7 +163,7 @@ const AppRow: React.FC<IAppRowProps> = ({ app, room }) => {
WidgetLayoutStore.instance.moveToContainer(room, app, Container.Center); WidgetLayoutStore.instance.moveToContainer(room, app, Container.Center);
}; };
const maximiseTitle = isMaximised ? _t("action|close") : _t("Maximise"); const maximiseTitle = isMaximised ? _t("action|close") : _t("action|maximise");
let openTitle = ""; let openTitle = "";
if (isPinned) { if (isPinned) {
@ -272,7 +273,7 @@ const onRoomSettingsClick = (ev: ButtonEvent): void => {
PosthogTrackers.trackInteraction("WebRightPanelRoomInfoSettingsButton", ev); PosthogTrackers.trackInteraction("WebRightPanelRoomInfoSettingsButton", ev);
}; };
const RoomSummaryCard: React.FC<IProps> = ({ room, permalinkCreator, onClose }) => { const RoomSummaryCard: React.FC<IProps> = ({ room, permalinkCreator, onClose, onSearchClick }) => {
const cli = useContext(MatrixClientContext); const cli = useContext(MatrixClientContext);
const onShareRoomClick = (): void => { const onShareRoomClick = (): void => {
@ -309,7 +310,7 @@ const RoomSummaryCard: React.FC<IProps> = ({ room, permalinkCreator, onClose })
<div className="mx_RoomSummaryCard_avatar" role="presentation"> <div className="mx_RoomSummaryCard_avatar" role="presentation">
<RoomAvatar room={room} size="54px" viewAvatarOnClick /> <RoomAvatar room={room} size="54px" viewAvatarOnClick />
<TextWithTooltip <TextWithTooltip
tooltip={isRoomEncrypted ? _t("Encrypted") : _t("Not encrypted")} tooltip={isRoomEncrypted ? _t("common|encrypted") : _t("Not encrypted")}
class={classNames("mx_RoomSummaryCard_e2ee", { class={classNames("mx_RoomSummaryCard_e2ee", {
mx_RoomSummaryCard_e2ee_normal: isRoomEncrypted, mx_RoomSummaryCard_e2ee_normal: isRoomEncrypted,
mx_RoomSummaryCard_e2ee_warning: isRoomEncrypted && e2eStatus === E2EStatus.Warning, mx_RoomSummaryCard_e2ee_warning: isRoomEncrypted && e2eStatus === E2EStatus.Warning,
@ -342,6 +343,14 @@ const RoomSummaryCard: React.FC<IProps> = ({ room, permalinkCreator, onClose })
{_t("common|people")} {_t("common|people")}
<span className="mx_BaseCard_Button_sublabel">{memberCount}</span> <span className="mx_BaseCard_Button_sublabel">{memberCount}</span>
</Button> </Button>
<Button
className="mx_RoomSummaryCard_icon_search"
onClick={() => {
onSearchClick?.();
}}
>
{_t("Search")}
</Button>
{!isVideoRoom && ( {!isVideoRoom && (
<Button className="mx_RoomSummaryCard_icon_files" onClick={onRoomFilesClick}> <Button className="mx_RoomSummaryCard_icon_files" onClick={onRoomFilesClick}>
{_t("Files")} {_t("Files")}

View file

@ -206,7 +206,7 @@ export function DeviceItem({ userId, device }: { userId: string; device: IDevice
} }
let trustedLabel: string | undefined; let trustedLabel: string | undefined;
if (userTrust.isVerified()) trustedLabel = isVerified ? _t("Trusted") : _t("Not trusted"); if (userTrust.isVerified()) trustedLabel = isVerified ? _t("common|trusted") : _t("common|not_trusted");
if (isVerified === undefined) { if (isVerified === undefined) {
// we're still deciding if the device is verified // we're still deciding if the device is verified
@ -443,7 +443,7 @@ export const UserOptionsSection: React.FC<{
insertPillButton = ( insertPillButton = (
<AccessibleButton kind="link" onClick={onInsertPillButton} className="mx_UserInfo_field"> <AccessibleButton kind="link" onClick={onInsertPillButton} className="mx_UserInfo_field">
{_t("Mention")} {_t("action|mention")}
</AccessibleButton> </AccessibleButton>
); );
} }

View file

@ -981,9 +981,6 @@ export class UnwrappedEventTile extends React.Component<EventTileProps, IState>
mx_EventTile_lastInSection: this.props.lastInSection, mx_EventTile_lastInSection: this.props.lastInSection,
mx_EventTile_contextual: this.props.contextual, mx_EventTile_contextual: this.props.contextual,
mx_EventTile_actionBarFocused: this.state.actionBarFocused, mx_EventTile_actionBarFocused: this.state.actionBarFocused,
mx_EventTile_verified: !isBubbleMessage && this.state.verified === E2EState.Verified,
mx_EventTile_unverified: !isBubbleMessage && this.state.verified === E2EState.Warning,
mx_EventTile_unknown: !isBubbleMessage && this.state.verified === E2EState.Unknown,
mx_EventTile_bad: isEncryptionFailure, mx_EventTile_bad: isEncryptionFailure,
mx_EventTile_emote: msgtype === MsgType.Emote, mx_EventTile_emote: msgtype === MsgType.Emote,
mx_EventTile_noSender: this.props.hideSender, mx_EventTile_noSender: this.props.hideSender,

View file

@ -36,6 +36,7 @@ import RoomTopic from "../elements/RoomTopic";
import RoomName from "../elements/RoomName"; import RoomName from "../elements/RoomName";
import { E2EStatus } from "../../../utils/ShieldUtils"; import { E2EStatus } from "../../../utils/ShieldUtils";
import { IOOBData } from "../../../stores/ThreepidInviteStore"; import { IOOBData } from "../../../stores/ThreepidInviteStore";
import { RoomKnocksBar } from "./RoomKnocksBar";
import { SearchScope } from "./SearchBar"; import { SearchScope } from "./SearchBar";
import { aboveLeftOf, ContextMenuTooltipButton, useContextMenu } from "../../structures/ContextMenu"; import { aboveLeftOf, ContextMenuTooltipButton, useContextMenu } from "../../structures/ContextMenu";
import RoomContextMenu from "../context_menus/RoomContextMenu"; import RoomContextMenu from "../context_menus/RoomContextMenu";
@ -820,6 +821,7 @@ export default class RoomHeader extends React.Component<IProps, IState> {
</div> </div>
{!isVideoRoom && <RoomCallBanner roomId={this.props.room.roomId} />} {!isVideoRoom && <RoomCallBanner roomId={this.props.room.roomId} />}
<RoomLiveShareWarning roomId={this.props.room.roomId} /> <RoomLiveShareWarning roomId={this.props.room.roomId} />
<RoomKnocksBar room={this.props.room} />
</header> </header>
); );
} }

View file

@ -14,38 +14,41 @@ See the License for the specific language governing permissions and
limitations under the License. limitations under the License.
*/ */
import React, { useCallback, useMemo } from "react"; import React, { useEffect, useMemo, useState } from "react";
import { Body as BodyText, IconButton } from "@vector-im/compound-web"; import { Body as BodyText, IconButton, Tooltip } from "@vector-im/compound-web";
import { Icon as VideoCallIcon } from "@vector-im/compound-design-tokens/icons/video-call.svg"; import { Icon as VideoCallIcon } from "@vector-im/compound-design-tokens/icons/video-call.svg";
import { Icon as VoiceCallIcon } from "@vector-im/compound-design-tokens/icons/voice-call.svg"; import { Icon as VoiceCallIcon } from "@vector-im/compound-design-tokens/icons/voice-call.svg";
import { Icon as ThreadsIcon } from "@vector-im/compound-design-tokens/icons/threads-solid.svg"; import { Icon as ThreadsIcon } from "@vector-im/compound-design-tokens/icons/threads-solid.svg";
import { Icon as NotificationsIcon } from "@vector-im/compound-design-tokens/icons/notifications-solid.svg"; import { Icon as NotificationsIcon } from "@vector-im/compound-design-tokens/icons/notifications-solid.svg";
import { Icon as VerifiedIcon } from "@vector-im/compound-design-tokens/icons/verified.svg";
import { Icon as ErrorIcon } from "@vector-im/compound-design-tokens/icons/error.svg";
import { Icon as PublicIcon } from "@vector-im/compound-design-tokens/icons/public.svg";
import { CallType } from "matrix-js-sdk/src/webrtc/call"; import { CallType } from "matrix-js-sdk/src/webrtc/call";
import { EventType } from "matrix-js-sdk/src/matrix"; import { EventType, JoinRule, type Room } from "matrix-js-sdk/src/matrix";
import type { Room } from "matrix-js-sdk/src/matrix";
import { useRoomName } from "../../../hooks/useRoomName"; import { useRoomName } from "../../../hooks/useRoomName";
import DecoratedRoomAvatar from "../avatars/DecoratedRoomAvatar";
import { RightPanelPhases } from "../../../stores/right-panel/RightPanelStorePhases"; import { RightPanelPhases } from "../../../stores/right-panel/RightPanelStorePhases";
import { useTopic } from "../../../hooks/room/useTopic"; import { useTopic } from "../../../hooks/room/useTopic";
import { useAccountData } from "../../../hooks/useAccountData"; import { useAccountData } from "../../../hooks/useAccountData";
import { useMatrixClientContext } from "../../../contexts/MatrixClientContext"; import { useMatrixClientContext } from "../../../contexts/MatrixClientContext";
import { useRoomMemberCount, useRoomMembers } from "../../../hooks/useRoomMembers"; import { useRoomMemberCount, useRoomMembers } from "../../../hooks/useRoomMembers";
import { _t, getCurrentLanguage } from "../../../languageHandler"; import { _t } from "../../../languageHandler";
import { Flex } from "../../utils/Flex"; import { Flex } from "../../utils/Flex";
import { Box } from "../../utils/Box"; import { Box } from "../../utils/Box";
import { useRoomCallStatus } from "../../../hooks/room/useRoomCallStatus"; import { useRoomCallStatus } from "../../../hooks/room/useRoomCallStatus";
import LegacyCallHandler from "../../../LegacyCallHandler";
import defaultDispatcher from "../../../dispatcher/dispatcher";
import { ViewRoomPayload } from "../../../dispatcher/payloads/ViewRoomPayload";
import { Action } from "../../../dispatcher/actions";
import { useRoomThreadNotifications } from "../../../hooks/room/useRoomThreadNotifications"; import { useRoomThreadNotifications } from "../../../hooks/room/useRoomThreadNotifications";
import { NotificationColor } from "../../../stores/notifications/NotificationColor"; import { NotificationColor } from "../../../stores/notifications/NotificationColor";
import { useGlobalNotificationState } from "../../../hooks/useGlobalNotificationState"; import { useGlobalNotificationState } from "../../../hooks/useGlobalNotificationState";
import SdkConfig from "../../../SdkConfig"; import SdkConfig from "../../../SdkConfig";
import { useFeatureEnabled } from "../../../hooks/useSettings"; import { useFeatureEnabled } from "../../../hooks/useSettings";
import { placeCall } from "../../../utils/room/placeCall";
import { useEncryptionStatus } from "../../../hooks/useEncryptionStatus";
import { E2EStatus } from "../../../utils/ShieldUtils";
import FacePile from "../elements/FacePile"; import FacePile from "../elements/FacePile";
import { setPhase } from "../../../utils/room/setPhase"; import { setPhase } from "../../../utils/room/setPhase";
import { useRoomState } from "../../../hooks/useRoomState";
import RoomAvatar from "../avatars/RoomAvatar";
import { formatCount } from "../../../utils/FormattingUtils";
/** /**
* A helper to transform a notification color to the what the Compound Icon Button * A helper to transform a notification color to the what the Compound Icon Button
@ -66,19 +69,10 @@ export default function RoomHeader({ room }: { room: Room }): JSX.Element {
const roomName = useRoomName(room); const roomName = useRoomName(room);
const roomTopic = useTopic(room); const roomTopic = useTopic(room);
const roomState = useRoomState(room);
const members = useRoomMembers(room); const members = useRoomMembers(room, 2500);
const memberCount = useRoomMemberCount(room); const memberCount = useRoomMemberCount(room, { throttleWait: 2500 });
const directRoomsList = useAccountData<Record<string, string[]>>(client, EventType.Direct);
const isDirectMessage = useMemo(() => {
for (const [, dmRoomList] of Object.entries(directRoomsList)) {
if (dmRoomList.includes(room?.roomId ?? "")) {
return true;
}
}
return false;
}, [directRoomsList, room?.roomId]);
const { voiceCallDisabledReason, voiceCallType, videoCallDisabledReason, videoCallType } = useRoomCallStatus(room); const { voiceCallDisabledReason, voiceCallType, videoCallDisabledReason, videoCallType } = useRoomCallStatus(room);
@ -91,37 +85,21 @@ export default function RoomHeader({ room }: { room: Room }): JSX.Element {
return SdkConfig.get("element_call").use_exclusively && groupCallsEnabled; return SdkConfig.get("element_call").use_exclusively && groupCallsEnabled;
}, [groupCallsEnabled]); }, [groupCallsEnabled]);
const placeCall = useCallback(
async (callType: CallType, platformCallType: typeof voiceCallType) => {
switch (platformCallType) {
case "legacy_or_jitsi":
await LegacyCallHandler.instance.placeCall(room.roomId, callType);
break;
// TODO: Remove the jitsi_or_element_call case and
// use the commented code below
case "element_call":
case "jitsi_or_element_call":
defaultDispatcher.dispatch<ViewRoomPayload>({
action: Action.ViewRoom,
room_id: room.roomId,
view_call: true,
metricsTrigger: undefined,
});
break;
// case "jitsi_or_element_call":
// TODO: Open dropdown menu to choice between
// EC and Jitsi. Waiting on Compound's dropdown
// component
// break;
}
},
[room.roomId],
);
const threadNotifications = useRoomThreadNotifications(room); const threadNotifications = useRoomThreadNotifications(room);
const globalNotificationState = useGlobalNotificationState(); const globalNotificationState = useGlobalNotificationState();
const directRoomsList = useAccountData<Record<string, string[]>>(client, EventType.Direct);
const [isDirectMessage, setDirectMessage] = useState(false);
useEffect(() => {
for (const [, dmRoomList] of Object.entries(directRoomsList)) {
if (dmRoomList.includes(room?.roomId ?? "")) {
setDirectMessage(true);
break;
}
}
}, [room, directRoomsList]);
const e2eStatus = useEncryptionStatus(client, room);
return ( return (
<Flex <Flex
as="header" as="header"
@ -132,7 +110,7 @@ export default function RoomHeader({ room }: { room: Room }): JSX.Element {
setPhase(RightPanelPhases.RoomSummary); setPhase(RightPanelPhases.RoomSummary);
}} }}
> >
<DecoratedRoomAvatar room={room} size="40px" displayBadge={false} /> <RoomAvatar room={room} size="40px" />
<Box flex="1" className="mx_RoomHeader_info"> <Box flex="1" className="mx_RoomHeader_info">
<BodyText <BodyText
as="div" as="div"
@ -142,8 +120,42 @@ export default function RoomHeader({ room }: { room: Room }): JSX.Element {
title={roomName} title={roomName}
role="heading" role="heading"
aria-level={1} aria-level={1}
className="mx_RoomHeader_heading"
> >
{roomName} {roomName}
{!isDirectMessage && roomState.getJoinRule() === JoinRule.Public && (
<Tooltip label={_t("Public room")}>
<PublicIcon
width="16px"
height="16px"
className="text-secondary"
aria-label={_t("Public room")}
/>
</Tooltip>
)}
{isDirectMessage && e2eStatus === E2EStatus.Verified && (
<Tooltip label={_t("common|verified")}>
<VerifiedIcon
width="16px"
height="16px"
className="mx_Verified"
aria-label={_t("common|verified")}
/>
</Tooltip>
)}
{isDirectMessage && e2eStatus === E2EStatus.Warning && (
<Tooltip label={_t("Untrusted")}>
<ErrorIcon
width="16px"
height="16px"
className="mx_Untrusted"
aria-label={_t("Untrusted")}
/>
</Tooltip>
)}
</BodyText> </BodyText>
{roomTopic && ( {roomTopic && (
<BodyText as="div" size="sm" className="mx_RoomHeader_topic"> <BodyText as="div" size="sm" className="mx_RoomHeader_topic">
@ -156,8 +168,8 @@ export default function RoomHeader({ room }: { room: Room }): JSX.Element {
<IconButton <IconButton
disabled={!!voiceCallDisabledReason} disabled={!!voiceCallDisabledReason}
title={!voiceCallDisabledReason ? _t("Voice call") : voiceCallDisabledReason!} title={!voiceCallDisabledReason ? _t("Voice call") : voiceCallDisabledReason!}
onClick={async () => { onClick={() => {
placeCall(CallType.Voice, voiceCallType); placeCall(room, CallType.Voice, voiceCallType);
}} }}
> >
<VoiceCallIcon /> <VoiceCallIcon />
@ -167,7 +179,7 @@ export default function RoomHeader({ room }: { room: Room }): JSX.Element {
disabled={!!videoCallDisabledReason} disabled={!!videoCallDisabledReason}
title={!videoCallDisabledReason ? _t("Video call") : videoCallDisabledReason!} title={!videoCallDisabledReason ? _t("Video call") : videoCallDisabledReason!}
onClick={() => { onClick={() => {
placeCall(CallType.Video, videoCallType); placeCall(room, CallType.Video, videoCallType);
}} }}
> >
<VideoCallIcon /> <VideoCallIcon />
@ -208,7 +220,7 @@ export default function RoomHeader({ room }: { room: Room }): JSX.Element {
size="20px" size="20px"
overflow={false} overflow={false}
> >
{memberCount.toLocaleString(getCurrentLanguage())} {formatCount(memberCount)}
</FacePile> </FacePile>
</BodyText> </BodyText>
)} )}

View file

@ -0,0 +1,159 @@
/*
Copyright 2023 Nordeck IT + Consulting GmbH
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 { EventTimeline, JoinRule, MatrixError, Room, RoomStateEvent } from "matrix-js-sdk/src/matrix";
import React, { ReactElement, ReactNode, useCallback, useState, VFC } from "react";
import { Icon as CheckIcon } from "../../../../res/img/feather-customised/check.svg";
import { Icon as XIcon } from "../../../../res/img/feather-customised/x.svg";
import dis from "../../../dispatcher/dispatcher";
import { useTypedEventEmitterState } from "../../../hooks/useEventEmitter";
import { _t } from "../../../languageHandler";
import Modal from "../../../Modal";
import MemberAvatar from "../avatars/MemberAvatar";
import ErrorDialog from "../dialogs/ErrorDialog";
import { RoomSettingsTab } from "../dialogs/RoomSettingsDialog";
import AccessibleButton from "../elements/AccessibleButton";
import Heading from "../typography/Heading";
export const RoomKnocksBar: VFC<{ room: Room }> = ({ room }) => {
const [disabled, setDisabled] = useState(false);
const knockMembers = useTypedEventEmitterState(
room,
RoomStateEvent.Members,
useCallback(() => room.getMembersWithMembership("knock"), [room]),
);
const knockMembersCount = knockMembers.length;
if (room.getJoinRule() !== JoinRule.Knock || knockMembersCount === 0) return null;
const client = room.client;
const userId = client.getUserId() || "";
const canInvite = room.canInvite(userId);
const member = room.getMember(userId);
const state = room.getLiveTimeline().getState(EventTimeline.FORWARDS);
const canKick = member && state ? state.hasSufficientPowerLevelFor("kick", member.powerLevel) : false;
if (!canInvite && !canKick) return null;
const onError = (error: MatrixError): void => {
Modal.createDialog(ErrorDialog, { title: error.name, description: error.message });
};
const handleApprove = (userId: string): void => {
setDisabled(true);
client
.invite(room.roomId, userId)
.catch(onError)
.finally(() => setDisabled(false));
};
const handleDeny = (userId: string): void => {
setDisabled(true);
client
.kick(room.roomId, userId)
.catch(onError)
.finally(() => setDisabled(false));
};
const handleOpenRoomSettings = (): void =>
dis.dispatch({ action: "open_room_settings", room_id: room.roomId, initial_tab_id: RoomSettingsTab.People });
let buttons: ReactElement = (
<AccessibleButton
className="mx_RoomKnocksBar_action"
kind="primary"
onClick={handleOpenRoomSettings}
title={_t("action|view")}
>
{_t("action|view")}
</AccessibleButton>
);
let names: string = knockMembers
.slice(0, 2)
.map((knockMember) => knockMember.name)
.join(", ");
let link: ReactNode = null;
switch (knockMembersCount) {
case 1: {
buttons = (
<>
<AccessibleButton
className="mx_RoomKnocksBar_action"
disabled={!canKick || disabled}
kind="icon_primary_outline"
onClick={() => handleDeny(knockMembers[0].userId)}
title={_t("action|deny")}
>
<XIcon width={18} height={18} />
</AccessibleButton>
<AccessibleButton
className="mx_RoomKnocksBar_action"
disabled={!canInvite || disabled}
kind="icon_primary"
onClick={() => handleApprove(knockMembers[0].userId)}
title={_t("action|approve")}
>
<CheckIcon width={18} height={18} />
</AccessibleButton>
</>
);
names = `${knockMembers[0].name} (${knockMembers[0].userId})`;
link = (
<AccessibleButton
className="mx_RoomKnocksBar_link"
element="a"
kind="link_inline"
onClick={handleOpenRoomSettings}
>
{_t("action|view_message")}
</AccessibleButton>
);
break;
}
case 2: {
names = _t("%(names)s and %(name)s", { names: knockMembers[0].name, name: knockMembers[1].name });
break;
}
case 3: {
names = _t("%(names)s and %(name)s", { names, name: knockMembers[2].name });
break;
}
default:
names = _t("%(names)s and %(count)s others", { names, count: knockMembersCount - 2 });
}
return (
<div className="mx_RoomKnocksBar">
{knockMembers.slice(0, 2).map((knockMember) => (
<MemberAvatar
className="mx_RoomKnocksBar_avatar"
key={knockMember.userId}
member={knockMember}
size="32px"
/>
))}
<div className="mx_RoomKnocksBar_content">
<Heading size="4">{_t("%(count)s people asking to join", { count: knockMembersCount })}</Heading>
<p className="mx_RoomKnocksBar_paragraph">
{names}
{link}
</p>
</div>
{buttons}
</div>
);
};

View file

@ -160,7 +160,7 @@ export default class EventIndexPanel extends React.Component<{}, IState> {
)} )}
</SettingsSubsectionText> </SettingsSubsectionText>
<AccessibleButton kind="primary" onClick={this.onManage}> <AccessibleButton kind="primary" onClick={this.onManage}>
{_t("Manage")} {_t("action|manage")}
</AccessibleButton> </AccessibleButton>
</> </>
); );

View file

@ -73,18 +73,18 @@ const DeviceDetails: React.FC<Props> = ({
}, },
{ {
id: "application", id: "application",
heading: _t("Application"), heading: _t("common|application"),
values: [ values: [
{ label: _t("common|name"), value: device.appName }, { label: _t("common|name"), value: device.appName },
{ label: _t("Version"), value: device.appVersion }, { label: _t("common|version"), value: device.appVersion },
{ label: _t("URL"), value: device.url }, { label: _t("URL"), value: device.url },
], ],
}, },
{ {
id: "device", id: "device",
heading: _t("Device"), heading: _t("common|device"),
values: [ values: [
{ label: _t("Model"), value: device.deviceModel }, { label: _t("common|model"), value: device.deviceModel },
{ label: _t("Operating system"), value: device.deviceOperatingSystem }, { label: _t("Operating system"), value: device.deviceOperatingSystem },
{ label: _t("Browser"), value: device.client }, { label: _t("Browser"), value: device.client },
{ label: _t("IP address"), value: device.last_seen_ip }, { label: _t("IP address"), value: device.last_seen_ip },

View file

@ -63,7 +63,7 @@ const DeviceMetaDatum: React.FC<{ value: string | React.ReactNode; id: string }>
export const DeviceMetaData: React.FC<Props> = ({ device }) => { export const DeviceMetaData: React.FC<Props> = ({ device }) => {
const inactive = getInactiveMetadata(device); const inactive = getInactiveMetadata(device);
const lastActivity = device.last_seen_ts && `${_t("Last activity")} ${formatLastActivity(device.last_seen_ts)}`; const lastActivity = device.last_seen_ts && `${_t("Last activity")} ${formatLastActivity(device.last_seen_ts)}`;
const verificationStatus = device.isVerified ? _t("Verified") : _t("Unverified"); const verificationStatus = device.isVerified ? _t("common|verified") : _t("common|unverified");
// if device is inactive, don't display last activity or verificationStatus // if device is inactive, don't display last activity or verificationStatus
const metadata = inactive const metadata = inactive
? [inactive, { id: "lastSeenIp", value: device.last_seen_ip }] ? [inactive, { id: "lastSeenIp", value: device.last_seen_ip }]

View file

@ -62,13 +62,13 @@ export const DeviceTypeIcon: React.FC<Props> = ({ isVerified, isSelected, device
<VerifiedIcon <VerifiedIcon
className={classNames("mx_DeviceTypeIcon_verificationIcon", "verified")} className={classNames("mx_DeviceTypeIcon_verificationIcon", "verified")}
role="img" role="img"
aria-label={_t("Verified")} aria-label={_t("common|verified")}
/> />
) : ( ) : (
<UnverifiedIcon <UnverifiedIcon
className={classNames("mx_DeviceTypeIcon_verificationIcon", "unverified")} className={classNames("mx_DeviceTypeIcon_verificationIcon", "unverified")}
role="img" role="img"
aria-label={_t("Unverified")} aria-label={_t("common|unverified")}
/> />
)} )}
</div> </div>

View file

@ -284,12 +284,12 @@ export const FilteredDeviceList = forwardRef(
{ id: ALL_FILTER_ID, label: _t("All") }, { id: ALL_FILTER_ID, label: _t("All") },
{ {
id: DeviceSecurityVariation.Verified, id: DeviceSecurityVariation.Verified,
label: _t("Verified"), label: _t("common|verified"),
description: _t("Ready for secure messaging"), description: _t("Ready for secure messaging"),
}, },
{ {
id: DeviceSecurityVariation.Unverified, id: DeviceSecurityVariation.Unverified,
label: _t("Unverified"), label: _t("common|unverified"),
description: _t("Not ready for secure messaging"), description: _t("Not ready for secure messaging"),
}, },
{ {

View file

@ -82,7 +82,7 @@ const Knock: VFC<{
return ( return (
<div className="mx_PeopleRoomSettingsTab_knock"> <div className="mx_PeopleRoomSettingsTab_knock">
<MemberAvatar member={roomMember} size="42px" /> <MemberAvatar className="mx_PeopleRoomSettingsTab_avatar" member={roomMember} size="42px" />
<div className="mx_PeopleRoomSettingsTab_content"> <div className="mx_PeopleRoomSettingsTab_content">
<span className="mx_PeopleRoomSettingsTab_name">{roomMember.name}</span> <span className="mx_PeopleRoomSettingsTab_name">{roomMember.name}</span>
<Timestamp roomMember={roomMember} /> <Timestamp roomMember={roomMember} />

View file

@ -466,7 +466,7 @@ export default class SecurityRoomSettingsTab extends React.Component<IProps, ISt
<LabelledToggleSwitch <LabelledToggleSwitch
value={isEncrypted} value={isEncrypted}
onChange={this.onEncryptionChange} onChange={this.onEncryptionChange}
label={_t("Encrypted")} label={_t("common|encrypted")}
disabled={!canEnableEncryption} disabled={!canEnableEncryption}
/> />
{isEncryptionForceDisabled && !isEncrypted && ( {isEncryptionForceDisabled && !isEncrypted && (

View file

@ -74,7 +74,7 @@ function UserOnboardingButtonInternal({ selected, minimized }: Props): JSX.Eleme
<> <>
<div className="mx_UserOnboardingButton_content"> <div className="mx_UserOnboardingButton_content">
<Heading size="4" className="mx_Heading_h4"> <Heading size="4" className="mx_Heading_h4">
{_t("Welcome")} {_t("common|welcome")}
</Heading> </Heading>
<AccessibleButton className="mx_UserOnboardingButton_close" onClick={onDismiss} /> <AccessibleButton className="mx_UserOnboardingButton_close" onClick={onDismiss} />
</div> </div>

View file

@ -35,53 +35,38 @@ interface Props {
export function UserOnboardingHeader({ useCase }: Props): JSX.Element { export function UserOnboardingHeader({ useCase }: Props): JSX.Element {
let title: string; let title: string;
let description: string; let description = _t("onboarding|free_e2ee_messaging_unlimited_voip", {
let image; brand: SdkConfig.get("brand"),
});
let image: string;
let actionLabel: string; let actionLabel: string;
switch (useCase) { switch (useCase) {
case UseCase.PersonalMessaging: case UseCase.PersonalMessaging:
title = _t("Secure messaging for friends and family"); title = _t("onboarding|personal_messaging_title");
description = _t(
"With free end-to-end encrypted messaging, and unlimited voice and video calls, %(brand)s is a great way to stay in touch.",
{
brand: SdkConfig.get("brand"),
},
);
image = require("../../../../res/img/user-onboarding/PersonalMessaging.png"); image = require("../../../../res/img/user-onboarding/PersonalMessaging.png");
actionLabel = _t("Start your first chat"); actionLabel = _t("onboarding|personal_messaging_action");
break; break;
case UseCase.WorkMessaging: case UseCase.WorkMessaging:
title = _t("Secure messaging for work"); title = _t("onboarding|work_messaging_title");
description = _t( description = _t("onboarding|free_e2ee_messaging_unlimited_voip", {
"With free end-to-end encrypted messaging, and unlimited voice and video calls, %(brand)s is a great way to stay in touch.", brand: SdkConfig.get("brand"),
{ });
brand: SdkConfig.get("brand"), image = require("../../../../res/img/user-onboarding/WorkMessaging.png");
}, actionLabel = _t("onboarding|work_messaging_action");
); break;
image = require("../../../../res/img/user-onboarding/WorkMessaging.png"); case UseCase.CommunityMessaging:
actionLabel = _t("Find your co-workers"); title = _t("onboarding|community_messaging_title");
break; description = _t("onboarding|community_messaging_description");
case UseCase.CommunityMessaging: image = require("../../../../res/img/user-onboarding/CommunityMessaging.png");
title = _t("Community ownership"); actionLabel = _t("onboarding|community_messaging_action");
description = _t( break;
"Keep ownership and control of community discussion.\nScale to support millions, with powerful moderation and interoperability.", default:
); title = _t("onboarding|welcome_to_brand", {
image = require("../../../../res/img/user-onboarding/CommunityMessaging.png");
actionLabel = _t("Find your people");
break;
default:
title = _t("Welcome to %(brand)s", {
brand: SdkConfig.get("brand"), brand: SdkConfig.get("brand"),
}); });
description = _t(
"With free end-to-end encrypted messaging, and unlimited voice and video calls, %(brand)s is a great way to stay in touch.",
{
brand: SdkConfig.get("brand"),
},
);
image = require("../../../../res/img/user-onboarding/PersonalMessaging.png"); image = require("../../../../res/img/user-onboarding/PersonalMessaging.png");
actionLabel = _t("Start your first chat"); actionLabel = _t("onboarding|personal_messaging_action");
break; break;
} }

View file

@ -52,13 +52,13 @@ export function UserOnboardingList({ tasks }: Props): JSX.Element {
<div className="mx_UserOnboardingList_header"> <div className="mx_UserOnboardingList_header">
<Heading size="3" className="mx_UserOnboardingList_title"> <Heading size="3" className="mx_UserOnboardingList_title">
{waiting > 0 {waiting > 0
? _t("Only %(count)s steps to go", { ? _t("onboarding|only_n_steps_to_go", {
count: waiting, count: waiting,
}) })
: _t("You did it!")} : _t("onboarding|you_did_it")}
</Heading> </Heading>
<div className="mx_UserOnboardingList_hint"> <div className="mx_UserOnboardingList_hint">
{_t("Complete these to get the most out of %(brand)s", { {_t("onboarding|complete_these", {
brand: SdkConfig.get("brand"), brand: SdkConfig.get("brand"),
})} })}
</div> </div>

View file

@ -28,7 +28,7 @@ import { _t } from "../../languageHandler";
import { useRoomMemberCount } from "../useRoomMembers"; import { useRoomMemberCount } from "../useRoomMembers";
import { ElementCall } from "../../models/Call"; import { ElementCall } from "../../models/Call";
type CallType = "element_call" | "jitsi_or_element_call" | "legacy_or_jitsi"; export type PlatformCallType = "element_call" | "jitsi_or_element_call" | "legacy_or_jitsi";
const DEFAULT_DISABLED_REASON = null; const DEFAULT_DISABLED_REASON = null;
const DEFAULT_CALL_TYPE = "jitsi_or_element_call"; const DEFAULT_CALL_TYPE = "jitsi_or_element_call";
@ -42,14 +42,14 @@ export const useRoomCallStatus = (
room: Room, room: Room,
): { ): {
voiceCallDisabledReason: string | null; voiceCallDisabledReason: string | null;
voiceCallType: CallType; voiceCallType: PlatformCallType;
videoCallDisabledReason: string | null; videoCallDisabledReason: string | null;
videoCallType: CallType; videoCallType: PlatformCallType;
} => { } => {
const [voiceCallDisabledReason, setVoiceCallDisabledReason] = useState<string | null>(DEFAULT_DISABLED_REASON); const [voiceCallDisabledReason, setVoiceCallDisabledReason] = useState<string | null>(DEFAULT_DISABLED_REASON);
const [videoCallDisabledReason, setVideoCallDisabledReason] = useState<string | null>(DEFAULT_DISABLED_REASON); const [videoCallDisabledReason, setVideoCallDisabledReason] = useState<string | null>(DEFAULT_DISABLED_REASON);
const [voiceCallType, setVoiceCallType] = useState<CallType>(DEFAULT_CALL_TYPE); const [voiceCallType, setVoiceCallType] = useState<PlatformCallType>(DEFAULT_CALL_TYPE);
const [videoCallType, setVideoCallType] = useState<CallType>(DEFAULT_CALL_TYPE); const [videoCallType, setVideoCallType] = useState<PlatformCallType>(DEFAULT_CALL_TYPE);
const groupCallsEnabled = useFeatureEnabled("feature_group_calls"); const groupCallsEnabled = useFeatureEnabled("feature_group_calls");
const useElementCallExclusively = useMemo(() => { const useElementCallExclusively = useMemo(() => {
@ -67,7 +67,7 @@ export const useRoomCallStatus = (
const hasGroupCall = useCall(room.roomId) !== null; const hasGroupCall = useCall(room.roomId) !== null;
const memberCount = useRoomMemberCount(room, { includeFunctional: false }); const memberCount = useRoomMemberCount(room);
const [mayEditWidgets, mayCreateElementCalls] = useTypedEventEmitterState( const [mayEditWidgets, mayCreateElementCalls] = useTypedEventEmitterState(
room, room,

View file

@ -37,7 +37,6 @@ export const useAccountData = <T extends {}>(cli: MatrixClient, eventType: strin
return value || ({} as T); return value || ({} as T);
}; };
// Hook to simplify listening to Matrix room account data
// Currently not used, commenting out otherwise the dead code CI is unhappy. // Currently not used, commenting out otherwise the dead code CI is unhappy.
// But this code is valid and probably will be needed. // But this code is valid and probably will be needed.

View file

@ -0,0 +1,34 @@
/*
Copyright 2023 The Matrix.org Foundation C.I.C.
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
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 { MatrixClient, Room } from "matrix-js-sdk/src/matrix";
import { useEffect, useState } from "react";
import { E2EStatus, shieldStatusForRoom } from "../utils/ShieldUtils";
export function useEncryptionStatus(client: MatrixClient, room: Room): E2EStatus | null {
const [e2eStatus, setE2eStatus] = useState<E2EStatus | null>(null);
useEffect(() => {
if (client.isCryptoEnabled()) {
shieldStatusForRoom(client, room).then((e2eStatus) => {
setE2eStatus(e2eStatus);
});
}
}, [client, room]);
return e2eStatus;
}

View file

@ -14,27 +14,29 @@ See the License for the specific language governing permissions and
limitations under the License. limitations under the License.
*/ */
import { useState } from "react"; import { useMemo, useState } from "react";
import { Room, RoomEvent, RoomMember, RoomStateEvent } from "matrix-js-sdk/src/matrix"; import { Room, RoomEvent, RoomMember, RoomStateEvent } from "matrix-js-sdk/src/matrix";
import { throttle } from "lodash"; import { throttle } from "lodash";
import { useTypedEventEmitter } from "./useEventEmitter"; import { useTypedEventEmitter } from "./useEventEmitter";
import { getJoinedNonFunctionalMembers } from "../utils/room/getJoinedNonFunctionalMembers";
// Hook to simplify watching Matrix Room joined members // Hook to simplify watching Matrix Room joined members
export const useRoomMembers = (room: Room, throttleWait = 250): RoomMember[] => { export const useRoomMembers = (room: Room, throttleWait = 250): RoomMember[] => {
const [members, setMembers] = useState<RoomMember[]>(room.getJoinedMembers()); const [members, setMembers] = useState<RoomMember[]>(room.getJoinedMembers());
useTypedEventEmitter(
room.currentState, const throttledUpdate = useMemo(
RoomStateEvent.Members, () =>
throttle( throttle(
() => { () => {
setMembers(room.getJoinedMembers()); setMembers(room.getJoinedMembers());
}, },
throttleWait, throttleWait,
{ leading: true, trailing: true }, { leading: true, trailing: true },
), ),
[room, throttleWait],
); );
useTypedEventEmitter(room.currentState, RoomStateEvent.Members, throttledUpdate);
return members; return members;
}; };
@ -43,43 +45,38 @@ type RoomMemberCountOpts = {
* Wait time between room member count update * Wait time between room member count update
*/ */
throttleWait?: number; throttleWait?: number;
/**
* Whether to include functional members (bots, etc...) in the room count
* @default true
*/
includeFunctional: boolean;
}; };
// Hook to simplify watching Matrix Room joined member count /**
* Returns a count of members in a given room
* @param room the room to track.
* @param opts The options.
* @returns the room member count.
*/
export const useRoomMemberCount = ( export const useRoomMemberCount = (
room: Room, room: Room,
opts: RoomMemberCountOpts = { throttleWait: 250, includeFunctional: true }, { throttleWait }: RoomMemberCountOpts = { throttleWait: 250 },
): number => { ): number => {
const [count, setCount] = useState<number>(room.getJoinedMemberCount()); const [count, setCount] = useState<number>(room.getJoinedMemberCount());
const throttledUpdate = useMemo(
const { throttleWait, includeFunctional } = opts; () =>
throttle(
useTypedEventEmitter( () => {
room.currentState, setCount(room.getJoinedMemberCount());
RoomStateEvent.Members, },
throttle( throttleWait,
() => { { leading: true, trailing: true },
// At the time where `RoomStateEvent.Members` is emitted the ),
// summary API has not had a chance to update the `summaryJoinedMemberCount` [room, throttleWait],
// value, therefore handling the logic locally here.
//
// Tracked as part of https://github.com/vector-im/element-web/issues/26033
const membersCount = includeFunctional
? room.getMembers().reduce((count, m) => {
return m.membership === "join" ? count + 1 : count;
}, 0)
: getJoinedNonFunctionalMembers(room).length;
setCount(membersCount);
},
throttleWait,
{ leading: true, trailing: true },
),
); );
useTypedEventEmitter(room.currentState, RoomStateEvent.Members, throttledUpdate);
/**
* `room.getJoinedMemberCount()` caches the member count behind the room summary
* So we need to re-compute the member count when the summary gets updated
*/
useTypedEventEmitter(room, RoomEvent.Summary, throttledUpdate);
return count; return count;
}; };

View file

@ -19,7 +19,6 @@
"Thank you!": "شكرًا !", "Thank you!": "شكرًا !",
"Call invitation": "دعوة لمحادثة", "Call invitation": "دعوة لمحادثة",
"Developer Tools": "أدوات التطوير", "Developer Tools": "أدوات التطوير",
"State Key": "مفتاح الحالة",
"What's new?": "ما الجديد ؟", "What's new?": "ما الجديد ؟",
"powered by Matrix": "مشغل بواسطة Matrix", "powered by Matrix": "مشغل بواسطة Matrix",
"Use Single Sign On to continue": "استعمل الولوج الموحّد للمواصلة", "Use Single Sign On to continue": "استعمل الولوج الموحّد للمواصلة",
@ -183,7 +182,6 @@
"%(senderName)s changed the alternative addresses for this room.": "قام %(senderName)s بتعديل العناوين البديلة لهذه الغرفة.", "%(senderName)s changed the alternative addresses for this room.": "قام %(senderName)s بتعديل العناوين البديلة لهذه الغرفة.",
"%(senderName)s changed the main and alternative addresses for this room.": "قام %(senderName)s بتعديل العناوين الرئيسية و البديلة لهذه الغرفة.", "%(senderName)s changed the main and alternative addresses for this room.": "قام %(senderName)s بتعديل العناوين الرئيسية و البديلة لهذه الغرفة.",
"%(senderName)s changed the addresses for this room.": "قام %(senderName)s بتعديل عناوين هذه الغرفة.", "%(senderName)s changed the addresses for this room.": "قام %(senderName)s بتعديل عناوين هذه الغرفة.",
"Someone": "شخص ما",
"%(senderName)s placed a voice call.": "أجرى %(senderName)s مكالمة صوتية.", "%(senderName)s placed a voice call.": "أجرى %(senderName)s مكالمة صوتية.",
"%(senderName)s placed a voice call. (not supported by this browser)": "أجرى %(senderName)s مكالمة صوتية. (غير متوافقة مع هذا المتصفح)", "%(senderName)s placed a voice call. (not supported by this browser)": "أجرى %(senderName)s مكالمة صوتية. (غير متوافقة مع هذا المتصفح)",
"%(senderName)s placed a video call.": "أجرى %(senderName)s مكالمة فيديو.", "%(senderName)s placed a video call.": "أجرى %(senderName)s مكالمة فيديو.",
@ -633,7 +631,6 @@
"You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "لن تتمكن من التراجع عن هذا التغيير لأنك تقوم بتخفيض رتبتك ، إذا كنت آخر مستخدم ذي امتياز في الغرفة ، فسيكون من المستحيل استعادة الامتيازات.", "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 yourself?": "خفض مرتبة نفسك؟", "Demote yourself?": "خفض مرتبة نفسك؟",
"Share Link to User": "مشاركة رابط للمستخدم", "Share Link to User": "مشاركة رابط للمستخدم",
"Mention": "إشارة",
"Jump to read receipt": "انتقل لإيصال قراءة", "Jump to read receipt": "انتقل لإيصال قراءة",
"Hide sessions": "اخف الاتصالات", "Hide sessions": "اخف الاتصالات",
"%(count)s sessions": { "%(count)s sessions": {
@ -645,8 +642,6 @@
"one": "اتصال واحد محقق", "one": "اتصال واحد محقق",
"other": "%(count)s اتصالات محققة" "other": "%(count)s اتصالات محققة"
}, },
"Not trusted": "غير موثوق",
"Trusted": "موثوق",
"Room settings": "إعدادات الغرفة", "Room settings": "إعدادات الغرفة",
"Share room": "شارك الغرفة", "Share room": "شارك الغرفة",
"Not encrypted": "غير مشفر", "Not encrypted": "غير مشفر",
@ -683,7 +678,6 @@
"%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use <desktopLink>%(brand)s Desktop</desktopLink> for encrypted messages to appear in search results.": "%(brand)s لا يستطيع تخزين الرسائل المشفرة محليًّا (في cache) بشكل آمن طالما أنه يعمل على متصفح ويب. استخدم <desktopLink>%(brand)s على سطح المكتب</desktopLink> لتظهر لك الرسائل المشفرة في نتائج البحث.", "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use <desktopLink>%(brand)s Desktop</desktopLink> for encrypted messages to appear in search results.": "%(brand)s لا يستطيع تخزين الرسائل المشفرة محليًّا (في cache) بشكل آمن طالما أنه يعمل على متصفح ويب. استخدم <desktopLink>%(brand)s على سطح المكتب</desktopLink> لتظهر لك الرسائل المشفرة في نتائج البحث.",
"%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with <nativeLink>search components added</nativeLink>.": "%(brand)s يفقد بعض المكونات المطلوبة لحفظ آمن محليًّا للرسائل المشفرة. إذا أدرت تجربة هذه الخاصية، فأنشئ %(brand)s على سطح المكتب مع <nativeLink>إضافة مكونات البحث</nativeLink>.", "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with <nativeLink>search components added</nativeLink>.": "%(brand)s يفقد بعض المكونات المطلوبة لحفظ آمن محليًّا للرسائل المشفرة. إذا أدرت تجربة هذه الخاصية، فأنشئ %(brand)s على سطح المكتب مع <nativeLink>إضافة مكونات البحث</nativeLink>.",
"Securely cache encrypted messages locally for them to appear in search results.": "تخزين الرسائل المشفرة بشكل آمن (في cache) محليًا حتى تظهر في نتائج البحث.", "Securely cache encrypted messages locally for them to appear in search results.": "تخزين الرسائل المشفرة بشكل آمن (في cache) محليًا حتى تظهر في نتائج البحث.",
"Manage": "إدارة",
"Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "تحقق بشكل فردي من كل اتصال يستخدمه المستخدم لتمييزه أنه موثوق ، دون الوثوق بالأجهزة الموقعة بالتبادل.", "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "تحقق بشكل فردي من كل اتصال يستخدمه المستخدم لتمييزه أنه موثوق ، دون الوثوق بالأجهزة الموقعة بالتبادل.",
"Encryption": "تشفير", "Encryption": "تشفير",
"Failed to set display name": "تعذر تعيين الاسم الظاهر", "Failed to set display name": "تعذر تعيين الاسم الظاهر",
@ -756,13 +750,9 @@
"Manually verify all remote sessions": "تحقق يدويًا من جميع الاتصالات البعيدة", "Manually verify all remote sessions": "تحقق يدويًا من جميع الاتصالات البعيدة",
"How fast should messages be downloaded.": "ما مدى سرعة تنزيل الرسائل.", "How fast should messages be downloaded.": "ما مدى سرعة تنزيل الرسائل.",
"Enable message search in encrypted rooms": "تمكين البحث عن الرسائل في الغرف المشفرة", "Enable message search in encrypted rooms": "تمكين البحث عن الرسائل في الغرف المشفرة",
"Show previews/thumbnails for images": "إظهار المعاينات / الصور المصغرة للصور",
"Show hidden events in timeline": "إظهار الأحداث المخفية في الجدول الزمني", "Show hidden events in timeline": "إظهار الأحداث المخفية في الجدول الزمني",
"Show shortcuts to recently viewed rooms above the room list": "إظهار اختصارات للغرف التي تم عرضها مؤخرًا أعلى قائمة الغرف",
"Prompt before sending invites to potentially invalid matrix IDs": "أعلمني قبل إرسال دعوات لمعرِّفات قد لا تكون صحيحة",
"Enable URL previews by default for participants in this room": "تمكين معاينة الروابط أصلاً لأي مشارك في هذه الغرفة", "Enable URL previews by default for participants in this room": "تمكين معاينة الروابط أصلاً لأي مشارك في هذه الغرفة",
"Enable URL previews for this room (only affects you)": "تمكين معاينة الروابط لهذه الغرفة (يؤثر عليك فقط)", "Enable URL previews for this room (only affects you)": "تمكين معاينة الروابط لهذه الغرفة (يؤثر عليك فقط)",
"Enable inline URL previews by default": "تمكين معاينة الروابط أصلاً",
"Never send encrypted messages to unverified sessions in this room from this session": "لا ترسل أبدًا رسائل مشفرة إلى اتصالات التي لم يتم التحقق منها في هذه الغرفة من هذا الاتصال", "Never send encrypted messages to unverified sessions in this room from this session": "لا ترسل أبدًا رسائل مشفرة إلى اتصالات التي لم يتم التحقق منها في هذه الغرفة من هذا الاتصال",
"Never send encrypted messages to unverified sessions from this session": "لا ترسل أبدًا رسائل مشفرة إلى اتصالات لم يتم التحقق منها من هذا الاتصال", "Never send encrypted messages to unverified sessions from this session": "لا ترسل أبدًا رسائل مشفرة إلى اتصالات لم يتم التحقق منها من هذا الاتصال",
"Send analytics data": "إرسال بيانات التحليلات", "Send analytics data": "إرسال بيانات التحليلات",
@ -770,17 +760,6 @@
"Use a system font": "استخدام خط النظام", "Use a system font": "استخدام خط النظام",
"Match system theme": "مطابقة ألوان النظام", "Match system theme": "مطابقة ألوان النظام",
"Mirror local video feed": "محاكاة تغذية الفيديو المحلية", "Mirror local video feed": "محاكاة تغذية الفيديو المحلية",
"Automatically replace plain text Emoji": "استبدل الرموز التعبيرية المكتوبة بالأحرف بها",
"Show typing notifications": "إظهار إشعار الكتابة",
"Send typing notifications": "إرسال إشعار بالكتابة",
"Enable big emoji in chat": "تفعيل الرموز التعبيرية الكبيرة في المحادثة",
"Enable automatic language detection for syntax highlighting": "تمكين التعرف التلقائي للغة لتلوين الجمل",
"Always show message timestamps": "اعرض دائمًا الطوابع الزمنية للرسالة",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "عرض الطوابع الزمنية بتنسيق 12 ساعة (على سبيل المثال 2:30pm)",
"Show read receipts sent by other users": "إظهار إيصالات القراءة المرسلة من قبل مستخدمين آخرين",
"Show display name changes": "إظهار تغييرات الاسم الظاهر",
"Show a placeholder for removed messages": "إظهار عنصر نائب للرسائل المحذوفة",
"Enable Emoji suggestions while typing": "تفعيل اقتراحات الرموز التعبيرية أثناء الكتابة",
"Use custom size": "استخدام حجم مخصص", "Use custom size": "استخدام حجم مخصص",
"Font size": "حجم الخط", "Font size": "حجم الخط",
"Change notification settings": "تغيير إعدادات الإشعار", "Change notification settings": "تغيير إعدادات الإشعار",
@ -832,7 +811,6 @@
"Your email address hasn't been verified yet": "لم يتم التحقق من عنوان بريدك الإلكتروني حتى الآن", "Your email address hasn't been verified yet": "لم يتم التحقق من عنوان بريدك الإلكتروني حتى الآن",
"Unable to share email address": "تعذرت مشاركة البريد الإلتكروني", "Unable to share email address": "تعذرت مشاركة البريد الإلتكروني",
"Unable to revoke sharing for email address": "تعذر إبطال مشاركة عنوان البريد الإلكتروني", "Unable to revoke sharing for email address": "تعذر إبطال مشاركة عنوان البريد الإلكتروني",
"Encrypted": "التشفير",
"Once enabled, encryption cannot be disabled.": "لا يمكن تعطيل التشفير بعد تمكينه.", "Once enabled, encryption cannot be disabled.": "لا يمكن تعطيل التشفير بعد تمكينه.",
"Security & Privacy": "الأمان والخصوصية", "Security & Privacy": "الأمان والخصوصية",
"Who can read history?": "من يستطيع قراءة التاريخ؟", "Who can read history?": "من يستطيع قراءة التاريخ؟",
@ -915,7 +893,6 @@
"Composer": "الكاتب", "Composer": "الكاتب",
"Room list": "قائمة الغرفة", "Room list": "قائمة الغرفة",
"Always show the window menu bar": "أظهر شريط قائمة النافذة دائمًا", "Always show the window menu bar": "أظهر شريط قائمة النافذة دائمًا",
"Start automatically after system login": "ابدأ تلقائيًا بعد تسجيل الدخول إلى النظام",
"Room ID or address of ban list": "معرف الغرفة أو عنوان قائمة الحظر", "Room ID or address of ban list": "معرف الغرفة أو عنوان قائمة الحظر",
"If this isn't what you want, please use a different tool to ignore users.": "إذا لم يكن هذا ما تريده ، فيرجى استخدام أداة مختلفة لتجاهل المستخدمين.", "If this isn't what you want, please use a different tool to ignore users.": "إذا لم يكن هذا ما تريده ، فيرجى استخدام أداة مختلفة لتجاهل المستخدمين.",
"Subscribing to a ban list will cause you to join it!": "سيؤدي الاشتراك في قائمة الحظر إلى انضمامك إليها!", "Subscribing to a ban list will cause you to join it!": "سيؤدي الاشتراك في قائمة الحظر إلى انضمامك إليها!",
@ -1271,7 +1248,11 @@
"timeline": "الجدول الزمني", "timeline": "الجدول الزمني",
"privacy": "الخصوصية", "privacy": "الخصوصية",
"camera": "كاميرا", "camera": "كاميرا",
"microphone": "ميكروفون" "microphone": "ميكروفون",
"someone": "شخص ما",
"encrypted": "التشفير",
"trusted": "موثوق",
"not_trusted": "غير موثوق"
}, },
"action": { "action": {
"continue": "واصِل", "continue": "واصِل",
@ -1323,7 +1304,9 @@
"complete": "تام", "complete": "تام",
"revoke": "إبطال", "revoke": "إبطال",
"show_all": "أظهر الكل", "show_all": "أظهر الكل",
"review": "مراجعة" "review": "مراجعة",
"manage": "إدارة",
"mention": "إشارة"
}, },
"labs": { "labs": {
"pinning": "تثبيت الرسالة", "pinning": "تثبيت الرسالة",
@ -1357,5 +1340,26 @@
}, },
"time": { "time": {
"date_at_time": "%(date)s في %(time)s" "date_at_time": "%(date)s في %(time)s"
},
"devtools": {
"state_key": "مفتاح الحالة"
},
"settings": {
"show_breadcrumbs": "إظهار اختصارات للغرف التي تم عرضها مؤخرًا أعلى قائمة الغرف",
"use_12_hour_format": "عرض الطوابع الزمنية بتنسيق 12 ساعة (على سبيل المثال 2:30pm)",
"always_show_message_timestamps": "اعرض دائمًا الطوابع الزمنية للرسالة",
"send_typing_notifications": "إرسال إشعار بالكتابة",
"replace_plain_emoji": "استبدل الرموز التعبيرية المكتوبة بالأحرف بها",
"emoji_autocomplete": "تفعيل اقتراحات الرموز التعبيرية أثناء الكتابة",
"automatic_language_detection_syntax_highlight": "تمكين التعرف التلقائي للغة لتلوين الجمل",
"inline_url_previews_default": "تمكين معاينة الروابط أصلاً",
"image_thumbnails": "إظهار المعاينات / الصور المصغرة للصور",
"show_typing_notifications": "إظهار إشعار الكتابة",
"show_redaction_placeholder": "إظهار عنصر نائب للرسائل المحذوفة",
"show_read_receipts": "إظهار إيصالات القراءة المرسلة من قبل مستخدمين آخرين",
"show_displayname_changes": "إظهار تغييرات الاسم الظاهر",
"big_emoji": "تفعيل الرموز التعبيرية الكبيرة في المحادثة",
"prompt_invite": "أعلمني قبل إرسال دعوات لمعرِّفات قد لا تكون صحيحة",
"start_automatically": "ابدأ تلقائيًا بعد تسجيل الدخول إلى النظام"
} }
} }

View file

@ -68,7 +68,6 @@
"%(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 made future room history visible to unknown (%(visibility)s).": "%(senderName)s naməlum rejimdə otağın tarixini açdı (%(visibility)s).",
"%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s üçün %(fromPowerLevel)s-dan %(toPowerLevel)s-lə", "%(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.", "%(senderName)s changed the power level of %(powerLevelDiffText)s.": "%(senderName)s hüquqların səviyyələrini dəyişdirdi %(powerLevelDiffText)s.",
"Always show message timestamps": "Həmişə mesajların göndərilməsi vaxtını göstərmək",
"Incorrect verification code": "Təsdiq etmənin səhv kodu", "Incorrect verification code": "Təsdiq etmənin səhv kodu",
"Phone": "Telefon", "Phone": "Telefon",
"New passwords don't match": "Yeni şifrlər uyğun gəlmir", "New passwords don't match": "Yeni şifrlər uyğun gəlmir",
@ -265,5 +264,8 @@
"moderator": "Moderator", "moderator": "Moderator",
"admin": "Administrator", "admin": "Administrator",
"custom": "Xüsusi (%(level)s)" "custom": "Xüsusi (%(level)s)"
},
"settings": {
"always_show_message_timestamps": "Həmişə mesajların göndərilməsi vaxtını göstərmək"
} }
} }

View file

@ -74,7 +74,6 @@
"%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s премахна името на стаята.", "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s премахна името на стаята.",
"%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s промени името на стаята на %(roomName)s.", "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s промени името на стаята на %(roomName)s.",
"%(senderDisplayName)s sent an image.": "%(senderDisplayName)s изпрати снимка.", "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s изпрати снимка.",
"Someone": "Някой",
"%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s изпрати покана на %(targetDisplayName)s да се присъедини към стаята.", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s изпрати покана на %(targetDisplayName)s да се присъедини към стаята.",
"%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s направи бъдещата история на стаята видима за всички членове, от момента на поканването им в нея.", "%(senderName)s made future room history visible to all room members, from the point they 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, from the point they joined.": "%(senderName)s направи бъдещата история на стаята видима за всички членове, от момента на присъединяването им в нея.",
@ -93,16 +92,10 @@
"Your browser does not support the required cryptography extensions": "Вашият браузър не поддържа необходимите разширения за шифроване", "Your browser does not support the required cryptography extensions": "Вашият браузър не поддържа необходимите разширения за шифроване",
"Not a valid %(brand)s keyfile": "Невалиден файл с ключ за %(brand)s", "Not a valid %(brand)s keyfile": "Невалиден файл с ключ за %(brand)s",
"Authentication check failed: incorrect password?": "Неуспешна автентикация: неправилна парола?", "Authentication check failed: incorrect password?": "Неуспешна автентикация: неправилна парола?",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Показване на времето в 12-часов формат (напр. 2:30pm)",
"Always show message timestamps": "Винаги показвай часа на съобщението",
"Enable automatic language detection for syntax highlighting": "Включване на автоматично разпознаване на език за подчертаване на синтаксиса",
"Automatically replace plain text Emoji": "Автоматично откриване и заместване на емотикони в текста",
"Mirror local video feed": "Показвай ми огледално моя видео образ", "Mirror local video feed": "Показвай ми огледално моя видео образ",
"Enable inline URL previews by default": "Включване по подразбиране на URL прегледи",
"Enable URL previews for this room (only affects you)": "Включване на URL прегледи за тази стая (засяга само Вас)", "Enable URL previews for this room (only affects you)": "Включване на URL прегледи за тази стая (засяга само Вас)",
"Enable URL previews by default for participants in this room": "Включване по подразбиране на URL прегледи за участници в тази стая", "Enable URL previews by default for participants in this room": "Включване по подразбиране на URL прегледи за участници в тази стая",
"Incorrect verification code": "Неправилен код за потвърждение", "Incorrect verification code": "Неправилен код за потвърждение",
"Submit": "Изпрати",
"Phone": "Телефон", "Phone": "Телефон",
"No display name": "Няма име", "No display name": "Няма име",
"New passwords don't match": "Новите пароли не съвпадат", "New passwords don't match": "Новите пароли не съвпадат",
@ -124,7 +117,6 @@
"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.": "Няма да можете да възвърнете тази промяна, тъй като повишавате този потребител до същото ниво на достъп като Вашето.",
"Unignore": "Премахни игнорирането", "Unignore": "Премахни игнорирането",
"Mention": "Спомени",
"Admin Tools": "Инструменти на администратора", "Admin Tools": "Инструменти на администратора",
"and %(count)s others...": { "and %(count)s others...": {
"other": "и %(count)s други...", "other": "и %(count)s други...",
@ -350,7 +342,6 @@
"Import E2E room keys": "Импортирай E2E ключове", "Import E2E room keys": "Импортирай E2E ключове",
"Cryptography": "Криптография", "Cryptography": "Криптография",
"Check for update": "Провери за нова версия", "Check for update": "Провери за нова версия",
"Start automatically after system login": "Автоматично стартиране след влизане в системата",
"No media permissions": "Няма разрешения за медийните устройства", "No media permissions": "Няма разрешения за медийните устройства",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Може да се наложи ръчно да разрешите на %(brand)s да получи достъп до Вашия микрофон/уеб камера", "You may need to manually permit %(brand)s to access your microphone/webcam": "Може да се наложи ръчно да разрешите на %(brand)s да получи достъп до Вашия микрофон/уеб камера",
"No Microphones detected": "Няма открити микрофони", "No Microphones detected": "Няма открити микрофони",
@ -386,10 +377,8 @@
"Export room keys": "Експортиране на ключове за стаята", "Export room keys": "Експортиране на ключове за стаята",
"Enter passphrase": "Въведи парола", "Enter passphrase": "Въведи парола",
"Confirm passphrase": "Потвърди парола", "Confirm passphrase": "Потвърди парола",
"Export": "Експортирай",
"Import room keys": "Импортиране на ключове за стая", "Import room keys": "Импортиране на ключове за стая",
"File to import": "Файл за импортиране", "File to import": "Файл за импортиране",
"Import": "Импортирай",
"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. Искате ли да продължите?", "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. Искате ли да продължите?",
"If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Ако преди сте използвали по-нова версия на %(brand)s, Вашата сесия може да не бъде съвместима с текущата версия. Затворете този прозорец и се върнете в по-новата версия.", "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Ако преди сте използвали по-нова версия на %(brand)s, Вашата сесия може да не бъде съвместима с текущата версия. Затворете този прозорец и се върнете в по-новата версия.",
"Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Засечени са данни от по-стара версия на %(brand)s. Това ще доведе до неправилна работа на криптографията от край до край в по-старата версия. Шифрованите от край до край съобщения, които са били обменени наскоро (при използването на по-стара версия), може да не успеят да бъдат разшифровани в тази версия. Това също може да доведе до неуспех в обмяната на съобщения в тази версия. Ако имате проблеми, излезте и влезте отново в профила си. За да запазите историята на съобщенията, експортирайте и импортирайте отново Вашите ключове.", "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Засечени са данни от по-стара версия на %(brand)s. Това ще доведе до неправилна работа на криптографията от край до край в по-старата версия. Шифрованите от край до край съобщения, които са били обменени наскоро (при използването на по-стара версия), може да не успеят да бъдат разшифровани в тази версия. Това също може да доведе до неуспех в обмяната на съобщения в тази версия. Ако имате проблеми, излезте и влезте отново в профила си. За да запазите историята на съобщенията, експортирайте и импортирайте отново Вашите ключове.",
@ -430,7 +419,6 @@
"All messages": "Всички съобщения", "All messages": "Всички съобщения",
"Call invitation": "Покана за разговор", "Call invitation": "Покана за разговор",
"Messages containing my display name": "Съобщения, съдържащи моя псевдоним", "Messages containing my display name": "Съобщения, съдържащи моя псевдоним",
"State Key": "State ключ",
"What's new?": "Какво ново?", "What's new?": "Какво ново?",
"When I'm invited to a room": "Когато ме поканят в стая", "When I'm invited to a room": "Когато ме поканят в стая",
"Invite to this room": "Покани в тази стая", "Invite to this room": "Покани в тази стая",
@ -441,19 +429,15 @@
"Messages in group chats": "Съобщения в групови чатове", "Messages in group chats": "Съобщения в групови чатове",
"Yesterday": "Вчера", "Yesterday": "Вчера",
"Error encountered (%(errorDetail)s).": "Възникна грешка (%(errorDetail)s).", "Error encountered (%(errorDetail)s).": "Възникна грешка (%(errorDetail)s).",
"Event Type": "Вид на събитие",
"Low Priority": "Нисък приоритет", "Low Priority": "Нисък приоритет",
"What's New": "Какво ново", "What's New": "Какво ново",
"Off": "Изкл.", "Off": "Изкл.",
"Event sent!": "Събитието е изпратено!",
"Event Content": "Съдържание на събитието",
"Thank you!": "Благодарим!", "Thank you!": "Благодарим!",
"Missing roomId.": "Липсва идентификатор на стая.", "Missing roomId.": "Липсва идентификатор на стая.",
"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.": "Не може да се зареди събитието, на което е отговорено. Или не съществува или нямате достъп да го видите.",
"Popout widget": "Изкарай в нов прозорец", "Popout widget": "Изкарай в нов прозорец",
"Clear Storage and Sign Out": "Изчисти запазените данни и излез", "Clear Storage and Sign Out": "Изчисти запазените данни и излез",
"Send Logs": "Изпрати логове", "Send Logs": "Изпрати логове",
"Refresh": "Опресни",
"We encountered an error trying to restore your previous session.": "Възникна грешка при възстановяване на предишната Ви сесия.", "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.": "Изчистване на запазените данни в браузъра може да поправи проблема, но ще Ви изкара от профила и ще направи шифрованите съобщения нечетими.",
"Enable widget screenshots on supported widgets": "Включи скрийншоти за поддържащи ги приспособления", "Enable widget screenshots on supported widgets": "Включи скрийншоти за поддържащи ги приспособления",
@ -572,7 +556,6 @@
"Set up Secure Messages": "Настрой Защитени Съобщения", "Set up Secure Messages": "Настрой Защитени Съобщения",
"Go to Settings": "Отиди в Настройки", "Go to Settings": "Отиди в Настройки",
"Unrecognised address": "Неразпознат адрес", "Unrecognised address": "Неразпознат адрес",
"Prompt before sending invites to potentially invalid matrix IDs": "Питай преди изпращане на покани към потенциално невалидни Matrix идентификатори",
"The following users may not exist": "Следните потребители може да не съществуват", "The following users may not exist": "Следните потребители може да не съществуват",
"Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Не бяга открити профили за изброените по-долу Matrix идентификатори. Желаете ли да ги поканите въпреки това?", "Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Не бяга открити профили за изброените по-долу Matrix идентификатори. Желаете ли да ги поканите въпреки това?",
"Invite anyway and never warn me again": "Покани въпреки това и не питай отново", "Invite anyway and never warn me again": "Покани въпреки това и не питай отново",
@ -586,11 +569,6 @@
"one": "%(names)s и още един пишат …" "one": "%(names)s и още един пишат …"
}, },
"%(names)s and %(lastPerson)s are typing …": "%(names)s и %(lastPerson)s пишат …", "%(names)s and %(lastPerson)s are typing …": "%(names)s и %(lastPerson)s пишат …",
"Enable Emoji suggestions while typing": "Включи емоджи предложенията по време на писане",
"Show a placeholder for removed messages": "Показвай индикатор на позицията на изтритите съобщения",
"Show display name changes": "Показвай промените в имената",
"Enable big emoji in chat": "Включи големи емоджита в чатовете",
"Send typing notifications": "Изпращай индикация, че пиша",
"Messages containing my username": "Съобщения съдържащи потребителското ми име", "Messages containing my username": "Съобщения съдържащи потребителското ми име",
"The other party cancelled the verification.": "Другата страна прекрати потвърждението.", "The other party cancelled the verification.": "Другата страна прекрати потвърждението.",
"Verified!": "Потвърдено!", "Verified!": "Потвърдено!",
@ -628,7 +606,6 @@
"Security & Privacy": "Сигурност и поверителност", "Security & Privacy": "Сигурност и поверителност",
"Encryption": "Шифроване", "Encryption": "Шифроване",
"Once enabled, encryption cannot be disabled.": "Веднъж включено, шифроването не може да бъде изключено.", "Once enabled, encryption cannot be disabled.": "Веднъж включено, шифроването не може да бъде изключено.",
"Encrypted": "Шифровано",
"Ignored users": "Игнорирани потребители", "Ignored users": "Игнорирани потребители",
"Bulk options": "Масови действия", "Bulk options": "Масови действия",
"Missing media permissions, click the button below to request.": "Липсва достъп до медийните устройства. Кликнете бутона по-долу за да поискате такъв.", "Missing media permissions, click the button below to request.": "Липсва достъп до медийните устройства. Кликнете бутона по-долу за да поискате такъв.",
@ -738,7 +715,6 @@
"Your keys are being backed up (the first backup could take a few minutes).": "Прави се резервно копие на ключовете Ви (първото копие може да отнеме няколко минути).", "Your keys are being backed up (the first backup could take a few minutes).": "Прави се резервно копие на ключовете Ви (първото копие може да отнеме няколко минути).",
"Success!": "Успешно!", "Success!": "Успешно!",
"Changes your display nickname in the current room only": "Променя името Ви в тази стая", "Changes your display nickname in the current room only": "Променя името Ви в тази стая",
"Show read receipts sent by other users": "Показвай индикация за прочитане от други потребители",
"Scissors": "Ножици", "Scissors": "Ножици",
"Error updating main address": "Грешка при обновяване на основния адрес", "Error updating main address": "Грешка при обновяване на основния адрес",
"There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Случи се грешка при обновяването на основния адрес за стаята. Може да не е позволено от сървъра, или да се е случила друга временна грешка.", "There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Случи се грешка при обновяването на основния адрес за стаята. Може да не е позволено от сървъра, или да се е случила друга временна грешка.",
@ -972,7 +948,6 @@
"Please fill why you're reporting.": "Въведете защо докладвате.", "Please fill why you're reporting.": "Въведете защо докладвате.",
"Report Content to Your Homeserver Administrator": "Докладвай съдържание до администратора на сървъра", "Report Content to Your Homeserver Administrator": "Докладвай съдържание до администратора на сървъра",
"Reporting this message will send its unique 'event ID' to the administrator of your homeserver. If messages in this room are encrypted, your homeserver administrator will not be able to read the message text or view any files or images.": "Докладването на съобщението ще изпрати уникалният номер на събитието (event ID) до администратора на сървъра. Ако съобщенията в стаята са шифровани, администратора няма да може да прочете текста им или да види снимките или файловете.", "Reporting this message will send its unique 'event ID' to the administrator of your homeserver. If messages in this room are encrypted, your homeserver administrator will not be able to read the message text or view any files or images.": "Докладването на съобщението ще изпрати уникалният номер на събитието (event ID) до администратора на сървъра. Ако съобщенията в стаята са шифровани, администратора няма да може да прочете текста им или да види снимките или файловете.",
"Send report": "Изпрати доклад",
"Explore rooms": "Открий стаи", "Explore rooms": "Открий стаи",
"Verify the link in your inbox": "Потвърдете линка във вашата пощенска кутия", "Verify the link in your inbox": "Потвърдете линка във вашата пощенска кутия",
"Read Marker lifetime (ms)": "Живот на маркера за прочитане (мсек)", "Read Marker lifetime (ms)": "Живот на маркера за прочитане (мсек)",
@ -989,7 +964,6 @@
"Add Email Address": "Добави имейл адрес", "Add Email Address": "Добави имейл адрес",
"Add Phone Number": "Добави телефонен номер", "Add Phone Number": "Добави телефонен номер",
"This action requires accessing the default identity server <server /> to validate an email address or phone number, but the server does not have any terms of service.": "Това действие изисква връзка със сървъра за самоличност <server /> за валидиране на имейл адреса или телефонния номер, но сървърът не предоставя условия за ползване.", "This action requires accessing the default identity server <server /> to validate an email address or phone number, but the server does not have any terms of service.": "Това действие изисква връзка със сървъра за самоличност <server /> за валидиране на имейл адреса или телефонния номер, но сървърът не предоставя условия за ползване.",
"Show previews/thumbnails for images": "Показвай преглед (умален размер) на снимки",
"You should <b>remove your personal data</b> from identity server <idserver /> before disconnecting. Unfortunately, identity server <idserver /> is currently offline or cannot be reached.": "Би било добре да <b>премахнете личните си данни</b> от сървъра за самоличност <idserver /> преди прекъсване на връзката. За съжаление, сървърът за самоличност <idserver /> в момента не е достъпен.", "You should <b>remove your personal data</b> from identity server <idserver /> before disconnecting. Unfortunately, identity server <idserver /> is currently offline or cannot be reached.": "Би било добре да <b>премахнете личните си данни</b> от сървъра за самоличност <idserver /> преди прекъсване на връзката. За съжаление, сървърът за самоличност <idserver /> в момента не е достъпен.",
"You should:": "Ще е добре да:", "You should:": "Ще е добре да:",
"check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "проверите браузър добавките за всичко, което може да блокира връзката със сървъра за самоличност (например Privacy Badger)", "check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "проверите браузър добавките за всичко, което може да блокира връзката със сървъра за самоличност (например Privacy Badger)",
@ -1113,8 +1087,6 @@
"<userName/> wants to chat": "<userName/> иска да чати", "<userName/> wants to chat": "<userName/> иска да чати",
"Start chatting": "Започни чат", "Start chatting": "Започни чат",
"Failed to connect to integration manager": "Неуспешна връзка с мениджъра на интеграции", "Failed to connect to integration manager": "Неуспешна връзка с мениджъра на интеграции",
"Trusted": "Доверени",
"Not trusted": "Недоверени",
"Hide verified sessions": "Скрий потвърдените сесии", "Hide verified sessions": "Скрий потвърдените сесии",
"%(count)s verified sessions": { "%(count)s verified sessions": {
"other": "%(count)s потвърдени сесии", "other": "%(count)s потвърдени сесии",
@ -1150,7 +1122,6 @@
"Recent Conversations": "Скорошни разговори", "Recent Conversations": "Скорошни разговори",
"Show more": "Покажи повече", "Show more": "Покажи повече",
"Direct Messages": "Директни съобщения", "Direct Messages": "Директни съобщения",
"Go": "Давай",
"Failed to find the following users": "Неуспешно откриване на следните потребители", "Failed to find the following users": "Неуспешно откриване на следните потребители",
"The following users might not exist or are invalid, and cannot be invited: %(csvNames)s": "Следните потребители не съществуват или са невалидни и не могат да бъдат поканени: %(csvNames)s", "The following users might not exist or are invalid, and cannot be invited: %(csvNames)s": "Следните потребители не съществуват или са невалидни и не могат да бъдат поканени: %(csvNames)s",
"Use Single Sign On to continue": "Използвайте Single Sign On за да продължите", "Use Single Sign On to continue": "Използвайте Single Sign On за да продължите",
@ -1203,10 +1174,8 @@
"%(num)s hours from now": "след %(num)s часа", "%(num)s hours from now": "след %(num)s часа",
"about a day from now": "след около ден", "about a day from now": "след около ден",
"%(num)s days from now": "след %(num)s дни", "%(num)s days from now": "след %(num)s дни",
"Show typing notifications": "Показвай уведомления за писане",
"Never send encrypted messages to unverified sessions from this session": "Никога не изпращай шифровани съобщения към непотвърдени сесии от тази сесия", "Never send encrypted messages to unverified sessions from this session": "Никога не изпращай шифровани съобщения към непотвърдени сесии от тази сесия",
"Never send encrypted messages to unverified sessions in this room from this session": "Никога не изпращай шифровани съобщения към непотвърдени сесии в тази стая от тази сесия", "Never send encrypted messages to unverified sessions in this room from this session": "Никога не изпращай шифровани съобщения към непотвърдени сесии в тази стая от тази сесия",
"Show shortcuts to recently viewed rooms above the room list": "Показвай преки пътища до скоро-прегледаните стаи над списъка със стаи",
"Enable message search in encrypted rooms": "Включи търсенето на съобщения в шифровани стаи", "Enable message search in encrypted rooms": "Включи търсенето на съобщения в шифровани стаи",
"How fast should messages be downloaded.": "Колко бързо да се изтеглят съобщенията.", "How fast should messages be downloaded.": "Колко бързо да се изтеглят съобщенията.",
"Manually verify all remote sessions": "Ръчно потвърждаване на всички отдалечени сесии", "Manually verify all remote sessions": "Ръчно потвърждаване на всички отдалечени сесии",
@ -1240,7 +1209,6 @@
"Homeserver feature support:": "Поддържани функции от сървъра:", "Homeserver feature support:": "Поддържани функции от сървъра:",
"exists": "съществува", "exists": "съществува",
"Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Потвърждавай индивидуално всяка сесия на потребителите, маркирайки я като доверена и недоверявайки се на кръстосано-подписваните устройства.", "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Потвърждавай индивидуално всяка сесия на потребителите, маркирайки я като доверена и недоверявайки се на кръстосано-подписваните устройства.",
"Manage": "Управление",
"Securely cache encrypted messages locally for them to appear in search results.": "Кеширай шифровани съобщения локално по сигурен начин за да се появяват в резултати от търсения.", "Securely cache encrypted messages locally for them to appear in search results.": "Кеширай шифровани съобщения локално по сигурен начин за да се появяват в резултати от търсения.",
"%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with <nativeLink>search components added</nativeLink>.": "Липсват задължителни компоненти в %(brand)s, за да могат да бъдат складирани локално и по сигурен начин шифровани съобщения. Ако искате да експериментирате с тази функция, \"компилирайте\" версия на %(brand)s Desktop с <nativeLink>добавени компоненти за търсене</nativeLink>.", "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with <nativeLink>search components added</nativeLink>.": "Липсват задължителни компоненти в %(brand)s, за да могат да бъдат складирани локално и по сигурен начин шифровани съобщения. Ако искате да експериментирате с тази функция, \"компилирайте\" версия на %(brand)s Desktop с <nativeLink>добавени компоненти за търсене</nativeLink>.",
"This session is <b>not backing up your keys</b>, but you do have an existing backup you can restore from and add to going forward.": "Тази сесия <b>не прави резервни копия на ключовете</b>, но имате съществуващо резервно копие, което да възстановите и към което да добавяте от тук нататък.", "This session is <b>not backing up your keys</b>, but you do have an existing backup you can restore from and add to going forward.": "Тази сесия <b>не прави резервни копия на ключовете</b>, но имате съществуващо резервно копие, което да възстановите и към което да добавяте от тук нататък.",
@ -1327,7 +1295,6 @@
"Can't find this server or its room list": "Сървърът или списъка със стаи не може да бъде намерен", "Can't find this server or its room list": "Сървърът или списъка със стаи не може да бъде намерен",
"All rooms": "Всички стаи", "All rooms": "Всички стаи",
"Your server": "Вашият сървър", "Your server": "Вашият сървър",
"Matrix": "Matrix",
"Add a new server": "Добави нов сървър", "Add a new server": "Добави нов сървър",
"Enter the name of a new server you want to explore.": "Въведете името на новия сървър, който искате да прегледате.", "Enter the name of a new server you want to explore.": "Въведете името на новия сървър, който искате да прегледате.",
"Server name": "Име на сървър", "Server name": "Име на сървър",
@ -1921,9 +1888,6 @@
"sends fireworks": "изпраща фойерверки", "sends fireworks": "изпраща фойерверки",
"sends confetti": "изпраща конфети", "sends confetti": "изпраща конфети",
"Sends the given message with confetti": "Изпраща даденото съобщение с конфети", "Sends the given message with confetti": "Изпраща даденото съобщение с конфети",
"Show chat effects (animations when receiving e.g. confetti)": "Покажи чат ефектите (анимации при получаване, като например конфети)",
"Use Ctrl + Enter to send a message": "Използвай Ctrl + Enter за изпращане на съобщение",
"Use Command + Enter to send a message": "Използвай Command + Enter за изпращане на съобщение",
"Spaces": "Пространства", "Spaces": "Пространства",
"%(deviceId)s from %(ip)s": "%(deviceId)s от %(ip)s", "%(deviceId)s from %(ip)s": "%(deviceId)s от %(ip)s",
"Use app for a better experience": "Използвайте приложението за по-добра работа", "Use app for a better experience": "Използвайте приложението за по-добра работа",
@ -2020,7 +1984,12 @@
"camera": "Камера", "camera": "Камера",
"microphone": "Микрофон", "microphone": "Микрофон",
"emoji": "Емотикони", "emoji": "Емотикони",
"space": "Space" "space": "Space",
"someone": "Някой",
"encrypted": "Шифровано",
"matrix": "Matrix",
"trusted": "Доверени",
"not_trusted": "Недоверени"
}, },
"action": { "action": {
"continue": "Продължи", "continue": "Продължи",
@ -2090,7 +2059,15 @@
"show_all": "Покажи всички", "show_all": "Покажи всички",
"review": "Прегледай", "review": "Прегледай",
"restore": "Възстанови", "restore": "Възстанови",
"register": "Регистрация" "register": "Регистрация",
"manage": "Управление",
"go": "Давай",
"import": "Импортирай",
"export": "Експортирай",
"refresh": "Опресни",
"mention": "Спомени",
"submit": "Изпрати",
"send_report": "Изпрати доклад"
}, },
"a11y": { "a11y": {
"user_menu": "Потребителско меню" "user_menu": "Потребителско меню"
@ -2146,5 +2123,32 @@
"short_hours": "%(value)sч", "short_hours": "%(value)sч",
"short_minutes": "%(value)sм", "short_minutes": "%(value)sм",
"short_seconds": "%(value)sс" "short_seconds": "%(value)sс"
},
"devtools": {
"event_type": "Вид на събитие",
"state_key": "State ключ",
"event_sent": "Събитието е изпратено!",
"event_content": "Съдържание на събитието"
},
"settings": {
"show_breadcrumbs": "Показвай преки пътища до скоро-прегледаните стаи над списъка със стаи",
"use_12_hour_format": "Показване на времето в 12-часов формат (напр. 2:30pm)",
"always_show_message_timestamps": "Винаги показвай часа на съобщението",
"send_typing_notifications": "Изпращай индикация, че пиша",
"replace_plain_emoji": "Автоматично откриване и заместване на емотикони в текста",
"emoji_autocomplete": "Включи емоджи предложенията по време на писане",
"use_command_enter_send_message": "Използвай Command + Enter за изпращане на съобщение",
"use_control_enter_send_message": "Използвай Ctrl + Enter за изпращане на съобщение",
"automatic_language_detection_syntax_highlight": "Включване на автоматично разпознаване на език за подчертаване на синтаксиса",
"inline_url_previews_default": "Включване по подразбиране на URL прегледи",
"image_thumbnails": "Показвай преглед (умален размер) на снимки",
"show_typing_notifications": "Показвай уведомления за писане",
"show_redaction_placeholder": "Показвай индикатор на позицията на изтритите съобщения",
"show_read_receipts": "Показвай индикация за прочитане от други потребители",
"show_displayname_changes": "Показвай промените в имената",
"show_chat_effects": "Покажи чат ефектите (анимации при получаване, като например конфети)",
"big_emoji": "Включи големи емоджита в чатовете",
"prompt_invite": "Питай преди изпращане на покани към потенциално невалидни Matrix идентификатори",
"start_automatically": "Автоматично стартиране след влизане в системата"
} }
} }

View file

@ -3,7 +3,6 @@
"No Microphones detected": "No s'ha detectat cap micròfon", "No Microphones detected": "No s'ha detectat cap micròfon",
"No Webcams detected": "No s'ha detectat cap càmera web", "No Webcams detected": "No s'ha detectat cap càmera web",
"Advanced": "Avançat", "Advanced": "Avançat",
"Always show message timestamps": "Mostra sempre la marca de temps del missatge",
"Create new room": "Crea una sala nova", "Create new room": "Crea una sala nova",
"Failed to forget room %(errCode)s": "No s'ha pogut oblidar la sala %(errCode)s", "Failed to forget room %(errCode)s": "No s'ha pogut oblidar la sala %(errCode)s",
"Favourite": "Favorit", "Favourite": "Favorit",
@ -76,7 +75,6 @@
"%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s ha eliminat el nom de la sala.", "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s ha eliminat el nom de la sala.",
"%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s ha canviat el nom de la sala a %(roomName)s.", "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s ha canviat el nom de la sala a %(roomName)s.",
"%(senderDisplayName)s sent an image.": "%(senderDisplayName)s ha enviat una imatge.", "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s ha enviat una imatge.",
"Someone": "Algú",
"%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s ha convidat a %(targetDisplayName)s a entrar a la sala.", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s ha convidat a %(targetDisplayName)s a entrar a la sala.",
"%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s ha establert la visibilitat de l'historial futur de la sala a tots els seus membres, a partir de que hi són convidats.", "%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s ha establert la visibilitat de l'historial futur de la sala a tots els seus membres, a partir de que hi són convidats.",
"%(senderName)s made future room history visible to all room members, from the point they joined.": "%(senderName)s ha establert la visibilitat de l'historial futur de la sala a tots els seus membres des de que s'hi uneixen.", "%(senderName)s made future room history visible to all room members, from the point they joined.": "%(senderName)s ha establert la visibilitat de l'historial futur de la sala a tots els seus membres des de que s'hi uneixen.",
@ -96,14 +94,9 @@
"Your browser does not support the required cryptography extensions": "El vostre navegador no és compatible amb els complements criptogràfics necessaris", "Your browser does not support the required cryptography extensions": "El vostre navegador no és compatible amb els complements criptogràfics necessaris",
"Not a valid %(brand)s keyfile": "El fitxer no és un fitxer de claus de %(brand)s vàlid", "Not a valid %(brand)s keyfile": "El fitxer no és un fitxer de claus de %(brand)s vàlid",
"Authentication check failed: incorrect password?": "Ha fallat l'autenticació: heu introduït correctament la contrasenya?", "Authentication check failed: incorrect password?": "Ha fallat l'autenticació: heu introduït correctament la contrasenya?",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Mostra les marques de temps en format de 12 hores (p.e. 2:30pm)",
"Enable automatic language detection for syntax highlighting": "Activa la detecció automàtica d'idiomes per al ressaltat de sintaxi",
"Automatically replace plain text Emoji": "Substitueix automàticament Emoji de text pla",
"Enable inline URL previews by default": "Activa per defecte la vista prèvia d'URL en línia",
"Enable URL previews for this room (only affects you)": "Activa la vista prèvia d'URL d'aquesta sala (no afecta altres usuaris)", "Enable URL previews for this room (only affects you)": "Activa la vista prèvia d'URL d'aquesta sala (no afecta altres usuaris)",
"Enable URL previews by default for participants in this room": "Activa per defecte la vista prèvia d'URL per als participants d'aquesta sala", "Enable URL previews by default for participants in this room": "Activa per defecte la vista prèvia d'URL per als participants d'aquesta sala",
"Incorrect verification code": "El codi de verificació és incorrecte", "Incorrect verification code": "El codi de verificació és incorrecte",
"Submit": "Envia",
"Phone": "Telèfon", "Phone": "Telèfon",
"No display name": "Sense nom visible", "No display name": "Sense nom visible",
"New passwords don't match": "Les noves contrasenyes no coincideixen", "New passwords don't match": "Les noves contrasenyes no coincideixen",
@ -127,7 +120,6 @@
"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 desfer aquest canvi ja que estàs donant a l'usuari el mateix nivell d'autoritat que el teu.", "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 desfer aquest canvi ja que estàs donant a l'usuari el mateix nivell d'autoritat que el teu.",
"Unignore": "Deixa de ignorar", "Unignore": "Deixa de ignorar",
"Jump to read receipt": "Vés a l'últim missatge llegit", "Jump to read receipt": "Vés a l'últim missatge llegit",
"Mention": "Menciona",
"Admin Tools": "Eines d'administració", "Admin Tools": "Eines d'administració",
"and %(count)s others...": { "and %(count)s others...": {
"other": "i %(count)s altres...", "other": "i %(count)s altres...",
@ -354,9 +346,7 @@
"Session ID": "ID de la sessió", "Session ID": "ID de la sessió",
"Export room keys": "Exporta les claus de la sala", "Export room keys": "Exporta les claus de la sala",
"Confirm passphrase": "Introduïu una contrasenya", "Confirm passphrase": "Introduïu una contrasenya",
"Export": "Exporta",
"Import room keys": "Importa les claus de la sala", "Import room keys": "Importa les claus de la sala",
"Import": "Importa",
"Email": "Correu electrònic", "Email": "Correu electrònic",
"Sunday": "Diumenge", "Sunday": "Diumenge",
"Failed to add tag %(tagName)s to room": "No s'ha pogut afegir l'etiqueta %(tagName)s a la sala", "Failed to add tag %(tagName)s to room": "No s'ha pogut afegir l'etiqueta %(tagName)s a la sala",
@ -388,7 +378,6 @@
"Toolbox": "Caixa d'eines", "Toolbox": "Caixa d'eines",
"Collecting logs": "S'estan recopilant els registres", "Collecting logs": "S'estan recopilant els registres",
"All Rooms": "Totes les sales", "All Rooms": "Totes les sales",
"State Key": "Clau d'estat",
"Wednesday": "Dimecres", "Wednesday": "Dimecres",
"All messages": "Tots els missatges", "All messages": "Tots els missatges",
"Call invitation": "Invitació de trucada", "Call invitation": "Invitació de trucada",
@ -404,9 +393,6 @@
"Low Priority": "Baixa prioritat", "Low Priority": "Baixa prioritat",
"Off": "Apagat", "Off": "Apagat",
"Failed to remove tag %(tagName)s from room": "No s'ha pogut esborrar l'etiqueta %(tagName)s de la sala", "Failed to remove tag %(tagName)s from room": "No s'ha pogut esborrar l'etiqueta %(tagName)s de la sala",
"Event Type": "Tipus d'esdeveniment",
"Event sent!": "Esdeveniment enviat!",
"Event Content": "Contingut de l'esdeveniment",
"Thank you!": "Gràcies!", "Thank you!": "Gràcies!",
"Permission Required": "Es necessita permís", "Permission Required": "Es necessita permís",
"You do not have permission to start a conference call in this room": "No tens permís per iniciar una conferència telefònica en aquesta sala", "You do not have permission to start a conference call in this room": "No tens permís per iniciar una conferència telefònica en aquesta sala",
@ -476,16 +462,11 @@
"Avoid years that are associated with you": "Eviteu anys que es puguin relacionar amb vós", "Avoid years that are associated with you": "Eviteu anys que es puguin relacionar amb vós",
"Avoid dates and years that are associated with you": "Eviteu dates i anys que estiguin associats amb vós", "Avoid dates and years that are associated with you": "Eviteu dates i anys que estiguin associats amb vós",
"Please contact your homeserver administrator.": "Si us plau contacteu amb l'administrador del vostre homeserver.", "Please contact your homeserver administrator.": "Si us plau contacteu amb l'administrador del vostre homeserver.",
"Enable Emoji suggestions while typing": "Habilita els suggeriments d'Emojis mentre escric",
"Show display name changes": "Mostra els canvis de nom",
"Show read receipts sent by other users": "Mostra les confirmacions de lectura enviades pels altres usuaris",
"Enable big emoji in chat": "Activa Emojis grans en xats",
"Send analytics data": "Envia dades d'anàlisi", "Send analytics data": "Envia dades d'anàlisi",
"Email addresses": "Adreces de correu electrònic", "Email addresses": "Adreces de correu electrònic",
"Phone numbers": "Números de telèfon", "Phone numbers": "Números de telèfon",
"Language and region": "Idioma i regió", "Language and region": "Idioma i regió",
"Phone Number": "Número de telèfon", "Phone Number": "Número de telèfon",
"Send typing notifications": "Envia notificacions d'escriptura",
"We encountered an error trying to restore your previous session.": "Hem trobat un error en intentar recuperar la teva sessió prèvia.", "We encountered an error trying to restore your previous session.": "Hem trobat un error en intentar recuperar la teva sessió prèvia.",
"Upload Error": "Error de pujada", "Upload Error": "Error de pujada",
"A connection error occurred while trying to contact the server.": "S'ha produït un error de connexió mentre s'intentava connectar al servidor.", "A connection error occurred while trying to contact the server.": "S'ha produït un error de connexió mentre s'intentava connectar al servidor.",
@ -614,7 +595,8 @@
"attachment": "Adjunt", "attachment": "Adjunt",
"guest": "Visitant", "guest": "Visitant",
"camera": "Càmera", "camera": "Càmera",
"microphone": "Micròfon" "microphone": "Micròfon",
"someone": "Algú"
}, },
"action": { "action": {
"continue": "Continua", "continue": "Continua",
@ -651,7 +633,11 @@
"back": "Enrere", "back": "Enrere",
"add": "Afegeix", "add": "Afegeix",
"accept": "Accepta", "accept": "Accepta",
"register": "Registre" "register": "Registre",
"import": "Importa",
"export": "Exporta",
"mention": "Menciona",
"submit": "Envia"
}, },
"labs": { "labs": {
"pinning": "Fixació de missatges", "pinning": "Fixació de missatges",
@ -670,5 +656,23 @@
"bug_reporting": { "bug_reporting": {
"submit_debug_logs": "Enviar logs de depuració", "submit_debug_logs": "Enviar logs de depuració",
"send_logs": "Envia els registres" "send_logs": "Envia els registres"
},
"devtools": {
"event_type": "Tipus d'esdeveniment",
"state_key": "Clau d'estat",
"event_sent": "Esdeveniment enviat!",
"event_content": "Contingut de l'esdeveniment"
},
"settings": {
"use_12_hour_format": "Mostra les marques de temps en format de 12 hores (p.e. 2:30pm)",
"always_show_message_timestamps": "Mostra sempre la marca de temps del missatge",
"send_typing_notifications": "Envia notificacions d'escriptura",
"replace_plain_emoji": "Substitueix automàticament Emoji de text pla",
"emoji_autocomplete": "Habilita els suggeriments d'Emojis mentre escric",
"automatic_language_detection_syntax_highlight": "Activa la detecció automàtica d'idiomes per al ressaltat de sintaxi",
"inline_url_previews_default": "Activa per defecte la vista prèvia d'URL en línia",
"show_read_receipts": "Mostra les confirmacions de lectura enviades pels altres usuaris",
"show_displayname_changes": "Mostra els canvis de nom",
"big_emoji": "Activa Emojis grans en xats"
} }
} }

View file

@ -40,7 +40,6 @@
"No Webcams detected": "Nerozpoznány žádné webkamery", "No Webcams detected": "Nerozpoznány žádné webkamery",
"Default Device": "Výchozí zařízení", "Default Device": "Výchozí zařízení",
"Advanced": "Rozšířené", "Advanced": "Rozšířené",
"Always show message timestamps": "Vždy zobrazovat časové značky zpráv",
"Authentication": "Ověření", "Authentication": "Ověření",
"A new password must be entered.": "Musíte zadat nové heslo.", "A new password must be entered.": "Musíte zadat nové heslo.",
"An error has occurred.": "Nastala chyba.", "An error has occurred.": "Nastala chyba.",
@ -69,10 +68,8 @@
"Download %(text)s": "Stáhnout %(text)s", "Download %(text)s": "Stáhnout %(text)s",
"Email": "E-mail", "Email": "E-mail",
"Email address": "E-mailová adresa", "Email address": "E-mailová adresa",
"Enable automatic language detection for syntax highlighting": "Zapnout automatické rozpoznávání jazyků pro zvýrazňování syntaxe",
"Enter passphrase": "Zadejte přístupovou frázi", "Enter passphrase": "Zadejte přístupovou frázi",
"Error decrypting attachment": "Chyba při dešifrování přílohy", "Error decrypting attachment": "Chyba při dešifrování přílohy",
"Export": "Exportovat",
"Export E2E room keys": "Exportovat šifrovací klíče místností", "Export E2E room keys": "Exportovat šifrovací klíče místností",
"Failed to ban user": "Nepodařilo se vykázat uživatele", "Failed to ban user": "Nepodařilo se vykázat uživatele",
"Failed to mute user": "Ztlumení uživatele se nezdařilo", "Failed to mute user": "Ztlumení uživatele se nezdařilo",
@ -91,9 +88,7 @@
"%(widgetName)s widget modified by %(senderName)s": "%(senderName)s upravil(a) widget %(widgetName)s", "%(widgetName)s widget modified by %(senderName)s": "%(senderName)s upravil(a) widget %(widgetName)s",
"%(widgetName)s widget removed by %(senderName)s": "%(senderName)s odstranil(a) widget %(widgetName)s", "%(widgetName)s widget removed by %(senderName)s": "%(senderName)s odstranil(a) widget %(widgetName)s",
"%(widgetName)s widget added by %(senderName)s": "%(senderName)s přidal(a) widget %(widgetName)s", "%(widgetName)s widget added by %(senderName)s": "%(senderName)s přidal(a) widget %(widgetName)s",
"Automatically replace plain text Emoji": "Automaticky nahrazovat textové emoji",
"Failed to verify email address: make sure you clicked the link in the email": "E-mailovou adresu se nepodařilo ověřit. Přesvědčte se, že jste klepli na odkaz v e-mailové zprávě", "Failed to verify email address: make sure you clicked the link in the email": "E-mailovou adresu se nepodařilo ověřit. Přesvědčte se, že jste klepli na odkaz v e-mailové zprávě",
"Import": "Importovat",
"Import E2E room keys": "Importovat šifrovací klíče místností", "Import E2E room keys": "Importovat šifrovací klíče místností",
"Incorrect username and/or password.": "Nesprávné uživatelské jméno nebo heslo.", "Incorrect username and/or password.": "Nesprávné uživatelské jméno nebo heslo.",
"Incorrect verification code": "Nesprávný ověřovací kód", "Incorrect verification code": "Nesprávný ověřovací kód",
@ -132,10 +127,7 @@
"Server may be unavailable, overloaded, or you hit a bug.": "Server může být nedostupný, přetížený nebo jste narazili na chybu.", "Server may be unavailable, overloaded, or you hit a bug.": "Server může být nedostupný, přetížený nebo jste narazili na chybu.",
"Server unavailable, overloaded, or something else went wrong.": "Server je nedostupný, přetížený nebo se něco pokazilo.", "Server unavailable, overloaded, or something else went wrong.": "Server je nedostupný, přetížený nebo se něco pokazilo.",
"Session ID": "ID sezení", "Session ID": "ID sezení",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Zobrazovat čas v 12hodinovém formátu (např. 2:30 odp.)",
"Someone": "Někdo",
"Start authentication": "Zahájit autentizaci", "Start authentication": "Zahájit autentizaci",
"Submit": "Odeslat",
"This email address is already in use": "Tato e-mailová adresa je již používána", "This email address is already in use": "Tato e-mailová adresa je již používána",
"This email address was not found": "Tato e-mailová adresa nebyla nalezena", "This email address was not found": "Tato e-mailová adresa nebyla nalezena",
"This room has no local addresses": "Tato místnost nemá žádné místní adresy", "This room has no local addresses": "Tato místnost nemá žádné místní adresy",
@ -216,7 +208,6 @@
"one": "(~%(count)s výsledek)" "one": "(~%(count)s výsledek)"
}, },
"Upload avatar": "Nahrát avatar", "Upload avatar": "Nahrát avatar",
"Mention": "Zmínit",
"Invited": "Pozvaní", "Invited": "Pozvaní",
"Search failed": "Vyhledávání selhalo", "Search failed": "Vyhledávání selhalo",
"Banned by %(displayName)s": "Vykázán(a) uživatelem %(displayName)s", "Banned by %(displayName)s": "Vykázán(a) uživatelem %(displayName)s",
@ -244,7 +235,6 @@
"%(senderName)s made future room history visible to unknown (%(visibility)s).": "%(senderName)s nastavil viditelnost budoucí zpráv v místnosti neznámým (%(visibility)s).", "%(senderName)s made future room history visible to unknown (%(visibility)s).": "%(senderName)s nastavil viditelnost budoucí zpráv v místnosti neznámým (%(visibility)s).",
"Not a valid %(brand)s keyfile": "Neplatný soubor s klíčem %(brand)s", "Not a valid %(brand)s keyfile": "Neplatný soubor s klíčem %(brand)s",
"Mirror local video feed": "Zrcadlit lokání video", "Mirror local video feed": "Zrcadlit lokání video",
"Enable inline URL previews by default": "Nastavit povolení náhledů URL adres jako výchozí",
"Enable URL previews for this room (only affects you)": "Povolit náhledy URL adres pro tuto místnost (ovlivňuje pouze vás)", "Enable URL previews for this room (only affects you)": "Povolit náhledy URL adres pro tuto místnost (ovlivňuje pouze vás)",
"Enable URL previews by default for participants in this room": "Povolit náhledy URL adres pro členy této místnosti jako výchozí", "Enable URL previews by default for participants in this room": "Povolit náhledy URL adres pro členy této místnosti jako výchozí",
"%(duration)ss": "%(duration)ss", "%(duration)ss": "%(duration)ss",
@ -368,7 +358,6 @@
"Sent messages will be stored until your connection has returned.": "Odeslané zprávy zůstanou uložené, dokud se spojení znovu neobnoví.", "Sent messages will be stored until your connection has returned.": "Odeslané zprávy zůstanou uložené, dokud se spojení znovu neobnoví.",
"Failed to load timeline position": "Nepodařilo se načíst pozici na časové ose", "Failed to load timeline position": "Nepodařilo se načíst pozici na časové ose",
"Reject all %(invitedRooms)s invites": "Odmítnutí všech %(invitedRooms)s pozvání", "Reject all %(invitedRooms)s invites": "Odmítnutí všech %(invitedRooms)s pozvání",
"Start automatically after system login": "Zahájit automaticky po přihlášení do systému",
"No media permissions": "Žádná oprávnění k médiím", "No media permissions": "Žádná oprávnění k médiím",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Je možné, že budete potřebovat manuálně povolit %(brand)s přístup k mikrofonu/webkameře", "You may need to manually permit %(brand)s to access your microphone/webcam": "Je možné, že budete potřebovat manuálně povolit %(brand)s přístup k mikrofonu/webkameře",
"Profile": "Profil", "Profile": "Profil",
@ -415,7 +404,6 @@
"Invite to this room": "Pozvat do této místnosti", "Invite to this room": "Pozvat do této místnosti",
"All messages": "Všechny zprávy", "All messages": "Všechny zprávy",
"Call invitation": "Pozvánka k hovoru", "Call invitation": "Pozvánka k hovoru",
"State Key": "Stavový klíč",
"What's new?": "Co je nového?", "What's new?": "Co je nového?",
"When I'm invited to a room": "Pozvánka do místnosti", "When I'm invited to a room": "Pozvánka do místnosti",
"All Rooms": "Všechny místnosti", "All Rooms": "Všechny místnosti",
@ -430,10 +418,7 @@
"Off": "Vypnout", "Off": "Vypnout",
"Failed to remove tag %(tagName)s from room": "Nepodařilo se odstranit štítek %(tagName)s z místnosti", "Failed to remove tag %(tagName)s from room": "Nepodařilo se odstranit štítek %(tagName)s z místnosti",
"Wednesday": "Středa", "Wednesday": "Středa",
"Event Type": "Typ události",
"Thank you!": "Děkujeme vám!", "Thank you!": "Děkujeme vám!",
"Event sent!": "Událost odeslána!",
"Event Content": "Obsah události",
"Permission Required": "Vyžaduje oprávnění", "Permission Required": "Vyžaduje oprávnění",
"You do not have permission to start a conference call in this room": "V této místnosti nemáte oprávnění zahájit konferenční hovor", "You do not have permission to start a conference call in this room": "V této místnosti nemáte oprávnění zahájit konferenční hovor",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s",
@ -472,7 +457,6 @@
"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", "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",
"Clear Storage and Sign Out": "Vymazat uložiště a odhlásit se", "Clear Storage and Sign Out": "Vymazat uložiště a odhlásit se",
"Send Logs": "Odeslat záznamy", "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.", "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í úložiště prohlížeče možná váš problém opraví, zároveň se tím ale odhlásíte a můžete přijít o historii svých šifrovaných konverzací.", "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í úložiště prohlížeče možná váš problém opraví, zároveň se tím ale odhlásíte a můžete přijít o historii svých šifrovaných konverzací.",
"Share Room": "Sdílet místnost", "Share Room": "Sdílet místnost",
@ -502,7 +486,6 @@
"Security & Privacy": "Zabezpečení a soukromí", "Security & Privacy": "Zabezpečení a soukromí",
"Encryption": "Šifrování", "Encryption": "Šifrování",
"Once enabled, encryption cannot be disabled.": "Po zapnutí šifrování ho není možné vypnout.", "Once enabled, encryption cannot be disabled.": "Po zapnutí šifrování ho není možné vypnout.",
"Encrypted": "Šifrováno",
"General": "Obecné", "General": "Obecné",
"General failure": "Nějaká chyba", "General failure": "Nějaká chyba",
"This homeserver does not support login using email address.": "Tento domovský serveru neumožňuje přihlášení pomocí e-mailu.", "This homeserver does not support login using email address.": "Tento domovský serveru neumožňuje přihlášení pomocí e-mailu.",
@ -520,14 +503,8 @@
"Missing media permissions, click the button below to request.": "Pro práci se zvukem a videem je potřeba oprávnění. Klepněte na tlačítko a my o ně požádáme.", "Missing media permissions, click the button below to request.": "Pro práci se zvukem a videem je potřeba oprávnění. Klepněte na tlačítko a my o ně požádáme.",
"Request media permissions": "Požádat o oprávnění k mikrofonu a kameře", "Request media permissions": "Požádat o oprávnění k mikrofonu a kameře",
"Composer": "Editor zpráv", "Composer": "Editor zpráv",
"Enable Emoji suggestions while typing": "Napovídat emoji",
"Send typing notifications": "Posílat oznámení, když píšete",
"Room list": "Seznam místností", "Room list": "Seznam místností",
"Autocomplete delay (ms)": "Zpožnění našeptávače (ms)", "Autocomplete delay (ms)": "Zpožnění našeptávače (ms)",
"Enable big emoji in chat": "Povolit velké emoji",
"Prompt before sending invites to potentially invalid matrix IDs": "Potvrdit odeslání pozvánky potenciálně neplatným Matrix ID",
"Show a placeholder for removed messages": "Zobrazovat smazané zprávy",
"Show display name changes": "Zobrazovat změny zobrazovaného jména",
"Messages containing my username": "Zprávy obsahující moje uživatelské jméno", "Messages containing my username": "Zprávy obsahující moje uživatelské jméno",
"Messages containing @room": "Zprávy obsahující @room", "Messages containing @room": "Zprávy obsahující @room",
"Encrypted messages in one-to-one chats": "Šifrované přímé zprávy", "Encrypted messages in one-to-one chats": "Šifrované přímé zprávy",
@ -737,7 +714,6 @@
"Prepends ¯\\_(ツ)_/¯ to a plain-text message": "Vloží ¯\\_(ツ)_/¯ na začátek zprávy", "Prepends ¯\\_(ツ)_/¯ to a plain-text message": "Vloží ¯\\_(ツ)_/¯ na začátek zprávy",
"Changes your display nickname in the current room only": "Změní vaši zobrazovanou přezdívku pouze v této místnosti", "Changes your display nickname in the current room only": "Změní vaši zobrazovanou přezdívku pouze v této místnosti",
"The user must be unbanned before they can be invited.": "Aby mohl být uživatel pozván, musí být jeho vykázání zrušeno.", "The user must be unbanned before they can be invited.": "Aby mohl být uživatel pozván, musí být jeho vykázání zrušeno.",
"Show read receipts sent by other users": "Zobrazovat potvrzení o přečtení",
"Scissors": "Nůžky", "Scissors": "Nůžky",
"Accept all %(invitedRooms)s invites": "Přijmout pozvání do všech těchto místností: %(invitedRooms)s", "Accept all %(invitedRooms)s invites": "Přijmout pozvání do všech těchto místností: %(invitedRooms)s",
"Change room avatar": "Změnit avatar místnosti", "Change room avatar": "Změnit avatar místnosti",
@ -911,7 +887,6 @@
"Please fill why you're reporting.": "Vyplňte prosím co chcete nahlásit.", "Please fill why you're reporting.": "Vyplňte prosím co chcete nahlásit.",
"Report Content to Your Homeserver Administrator": "Nahlásit obsah správci vašeho domovského serveru", "Report Content to Your Homeserver Administrator": "Nahlásit obsah správci vašeho domovského serveru",
"Reporting this message will send its unique 'event ID' to the administrator of your homeserver. If messages in this room are encrypted, your homeserver administrator will not be able to read the message text or view any files or images.": "Nahlášení této zprávy pošle její jedinečné 'event ID' správci vašeho domovského serveru. Pokud jsou zprávy šifrované, správce nebude mít možnost přečíst text zprávy ani se podívat na soubory nebo obrázky.", "Reporting this message will send its unique 'event ID' to the administrator of your homeserver. If messages in this room are encrypted, your homeserver administrator will not be able to read the message text or view any files or images.": "Nahlášení této zprávy pošle její jedinečné 'event ID' správci vašeho domovského serveru. Pokud jsou zprávy šifrované, správce nebude mít možnost přečíst text zprávy ani se podívat na soubory nebo obrázky.",
"Send report": "Nahlásit",
"Upgrading this room requires closing down the current instance of the room and creating a new room in its place. To give room members the best possible experience, we will:": "Aktualizace této místnosti vyžaduje uzavření stávající místnosti a vytvoření nové místnosti, která ji nahradí. Pro usnadnění procesu pro členy místnosti, provedeme:", "Upgrading this room requires closing down the current instance of the room and creating a new room in its place. To give room members the best possible experience, we will:": "Aktualizace této místnosti vyžaduje uzavření stávající místnosti a vytvoření nové místnosti, která ji nahradí. Pro usnadnění procesu pro členy místnosti, provedeme:",
"Command Help": "Nápověda příkazu", "Command Help": "Nápověda příkazu",
"Find others by phone or email": "Najít ostatní pomocí e-mailu nebo telefonu", "Find others by phone or email": "Najít ostatní pomocí e-mailu nebo telefonu",
@ -920,7 +895,6 @@
"Add Phone Number": "Přidat telefonní číslo", "Add Phone Number": "Přidat telefonní číslo",
"This action requires accessing the default identity server <server /> to validate an email address or phone number, but the server does not have any terms of service.": "Tato akce vyžaduje přístup k výchozímu serveru identity <server /> aby šlo ověřit e-mail a telefon, ale server nemá podmínky použití.", "This action requires accessing the default identity server <server /> to validate an email address or phone number, but the server does not have any terms of service.": "Tato akce vyžaduje přístup k výchozímu serveru identity <server /> aby šlo ověřit e-mail a telefon, ale server nemá podmínky použití.",
"%(name)s (%(userId)s)": "%(name)s (%(userId)s)", "%(name)s (%(userId)s)": "%(name)s (%(userId)s)",
"Show previews/thumbnails for images": "Zobrazovat náhledy obrázků",
"You should <b>remove your personal data</b> from identity server <idserver /> before disconnecting. Unfortunately, identity server <idserver /> is currently offline or cannot be reached.": "Před odpojením byste měli <b>smazat osobní údaje</b> ze serveru identit <idserver />. Bohužel, server je offline nebo neodpovídá.", "You should <b>remove your personal data</b> from identity server <idserver /> before disconnecting. Unfortunately, identity server <idserver /> is currently offline or cannot be reached.": "Před odpojením byste měli <b>smazat osobní údaje</b> ze serveru identit <idserver />. Bohužel, server je offline nebo neodpovídá.",
"You should:": "Měli byste:", "You should:": "Měli byste:",
"check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "zkontrolujte, jestli nemáte v prohlížeči nějaký doplněk blokující server identit (např. Privacy Badger)", "check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "zkontrolujte, jestli nemáte v prohlížeči nějaký doplněk blokující server identit (např. Privacy Badger)",
@ -1099,8 +1073,6 @@
"<userName/> wants to chat": "<userName/> si chce psát", "<userName/> wants to chat": "<userName/> si chce psát",
"Start chatting": "Zahájit konverzaci", "Start chatting": "Zahájit konverzaci",
"Failed to connect to integration manager": "Nepovedlo se připojit ke správci integrací", "Failed to connect to integration manager": "Nepovedlo se připojit ke správci integrací",
"Trusted": "Důvěryhodné",
"Not trusted": "Nedůvěryhodné",
"Messages in this room are end-to-end encrypted.": "Zprávy jsou v této místnosti koncově šifrované.", "Messages in this room are end-to-end encrypted.": "Zprávy jsou v této místnosti koncově šifrované.",
"You have ignored this user, so their message is hidden. <a>Show anyways.</a>": "Tohoto uživatele ignorujete, takže jsou jeho zprávy skryté. <a>Přesto zobrazit.</a>", "You have ignored this user, so their message is hidden. <a>Show anyways.</a>": "Tohoto uživatele ignorujete, takže jsou jeho zprávy skryté. <a>Přesto zobrazit.</a>",
"Any of the following data may be shared:": "Následující data můžou být sdílena:", "Any of the following data may be shared:": "Následující data můžou být sdílena:",
@ -1176,7 +1148,6 @@
"in secret storage": "v bezpečném úložišti", "in secret storage": "v bezpečném úložišti",
"Secret storage public key:": "Veřejný klíč bezpečného úložiště:", "Secret storage public key:": "Veřejný klíč bezpečného úložiště:",
"in account data": "v datech účtu", "in account data": "v datech účtu",
"Manage": "Spravovat",
"Securely cache encrypted messages locally for them to appear in search results.": "Bezpečně uchovávat zprávy na tomto zařízení aby se v nich dalo vyhledávat.", "Securely cache encrypted messages locally for them to appear in search results.": "Bezpečně uchovávat zprávy na tomto zařízení aby se v nich dalo vyhledávat.",
"This session is <b>not backing up your keys</b>, but you do have an existing backup you can restore from and add to going forward.": "Tato relace <b>nezálohuje vaše klíče</b>, ale už máte zálohu ze které je můžete obnovit.", "This session is <b>not backing up your keys</b>, but you do have an existing backup you can restore from and add to going forward.": "Tato relace <b>nezálohuje vaše klíče</b>, ale už máte zálohu ze které je můžete obnovit.",
"Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Než se odhlásíte, připojte tuto relaci k záloze klíčů, abyste nepřišli o klíče, které mohou být jen v této relaci.", "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Než se odhlásíte, připojte tuto relaci k záloze klíčů, abyste nepřišli o klíče, které mohou být jen v této relaci.",
@ -1243,7 +1214,6 @@
"The following users might not exist or are invalid, and cannot be invited: %(csvNames)s": "Následující uživatelé asi neexistují nebo jsou neplatní a nelze je pozvat: %(csvNames)s", "The following users might not exist or are invalid, and cannot be invited: %(csvNames)s": "Následující uživatelé asi neexistují nebo jsou neplatní a nelze je pozvat: %(csvNames)s",
"Recent Conversations": "Nedávné konverzace", "Recent Conversations": "Nedávné konverzace",
"Recently Direct Messaged": "Nedávno kontaktovaní", "Recently Direct Messaged": "Nedávno kontaktovaní",
"Go": "Ok",
"Confirm your identity by entering your account password below.": "Potvrďte svou identitu zadáním hesla ke svému účtu.", "Confirm your identity by entering your account password below.": "Potvrďte svou identitu zadáním hesla ke svému účtu.",
"Cancel entering passphrase?": "Zrušit zadávání přístupové fráze?", "Cancel entering passphrase?": "Zrušit zadávání přístupové fráze?",
"Setting up keys": "Příprava klíčů", "Setting up keys": "Příprava klíčů",
@ -1254,7 +1224,6 @@
"Enter your account password to confirm the upgrade:": "Potvrďte, že chcete aktualizaci provést zadáním svého uživatelského hesla:", "Enter your account password to confirm the upgrade:": "Potvrďte, že chcete aktualizaci provést zadáním svého uživatelského hesla:",
"You'll need to authenticate with the server to confirm the upgrade.": "Server si vás potřebuje ověřit, abychom mohli provést aktualizaci.", "You'll need to authenticate with the server to confirm the upgrade.": "Server si vás potřebuje ověřit, abychom mohli provést aktualizaci.",
"Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Aktualizujte tuto přihlášenou relaci abyste mohli ověřovat ostatní relace. Tím jim dáte přístup k šifrovaným konverzacím a ostatní uživatelé je jim budou automaticky věřit.", "Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Aktualizujte tuto přihlášenou relaci abyste mohli ověřovat ostatní relace. Tím jim dáte přístup k šifrovaným konverzacím a ostatní uživatelé je jim budou automaticky věřit.",
"Show typing notifications": "Zobrazovat oznámení „... právě píše...“",
"Destroy cross-signing keys?": "Nenávratně smazat klíče pro křížové podepisování?", "Destroy cross-signing keys?": "Nenávratně smazat klíče pro křížové podepisování?",
"Deleting cross-signing keys is permanent. Anyone you have verified with will see security alerts. You almost certainly don't want to do this, unless you've lost every device you can cross-sign from.": "Smazání klíčů pro křížové podepisování je definitivní. Každý, kdo vás ověřil, teď uvidí bezpečnostní varování. Pokud jste zrovna neztratili všechna zařízení, ze kterých se můžete ověřit, tak to asi nechcete udělat.", "Deleting cross-signing keys is permanent. Anyone you have verified with will see security alerts. You almost certainly don't want to do this, unless you've lost every device you can cross-sign from.": "Smazání klíčů pro křížové podepisování je definitivní. Každý, kdo vás ověřil, teď uvidí bezpečnostní varování. Pokud jste zrovna neztratili všechna zařízení, ze kterých se můžete ověřit, tak to asi nechcete udělat.",
"Clear cross-signing keys": "Smazat klíče pro křížové podepisování", "Clear cross-signing keys": "Smazat klíče pro křížové podepisování",
@ -1280,7 +1249,6 @@
"Sign In or Create Account": "Přihlásit nebo vytvořit nový účet", "Sign In or Create Account": "Přihlásit nebo vytvořit nový účet",
"Use your account or create a new one to continue.": "Pro pokračování se přihlaste stávajícím účtem, nebo si vytvořte nový.", "Use your account or create a new one to continue.": "Pro pokračování se přihlaste stávajícím účtem, nebo si vytvořte nový.",
"Create Account": "Vytvořit účet", "Create Account": "Vytvořit účet",
"Show shortcuts to recently viewed rooms above the room list": "Zobrazovat zkratky do nedávno zobrazených místností navrchu",
"Cancelling…": "Rušení…", "Cancelling…": "Rušení…",
"Your homeserver does not support cross-signing.": "Váš domovský server nepodporuje křížové podepisování.", "Your homeserver does not support cross-signing.": "Váš domovský server nepodporuje křížové podepisování.",
"Homeserver feature support:": "Funkce podporovaná domovským serverem:", "Homeserver feature support:": "Funkce podporovaná domovským serverem:",
@ -1356,7 +1324,6 @@
"Can't find this server or its room list": "Server nebo jeho seznam místností se nepovedlo nalézt", "Can't find this server or its room list": "Server nebo jeho seznam místností se nepovedlo nalézt",
"All rooms": "Všechny místnosti", "All rooms": "Všechny místnosti",
"Your server": "Váš server", "Your server": "Váš server",
"Matrix": "Matrix",
"Add a new server": "Přidat nový server", "Add a new server": "Přidat nový server",
"Enter the name of a new server you want to explore.": "Zadejte jméno serveru, který si chcete prohlédnout.", "Enter the name of a new server you want to explore.": "Zadejte jméno serveru, který si chcete prohlédnout.",
"Server name": "Jméno serveru", "Server name": "Jméno serveru",
@ -1874,8 +1841,6 @@
"Nauru": "Nauru", "Nauru": "Nauru",
"Namibia": "Namibie", "Namibia": "Namibie",
"Security Phrase": "Bezpečnostní fráze", "Security Phrase": "Bezpečnostní fráze",
"Use Command + Enter to send a message": "K odeslání zprávy použijte Command + Enter",
"Use Ctrl + Enter to send a message": "K odeslání zprávy použijte Ctrl + Enter",
"Decide where your account is hosted": "Rozhodněte, kde je váš účet hostován", "Decide where your account is hosted": "Rozhodněte, kde je váš účet hostován",
"Unable to query secret storage status": "Nelze zjistit stav úložiště klíčů", "Unable to query secret storage status": "Nelze zjistit stav úložiště klíčů",
"Update %(brand)s": "Aktualizovat %(brand)s", "Update %(brand)s": "Aktualizovat %(brand)s",
@ -1999,7 +1964,6 @@
"Transfer": "Přepojit", "Transfer": "Přepojit",
"Failed to transfer call": "Hovor se nepodařilo přepojit", "Failed to transfer call": "Hovor se nepodařilo přepojit",
"A call can only be transferred to a single user.": "Hovor lze přepojit pouze jednomu uživateli.", "A call can only be transferred to a single user.": "Hovor lze přepojit pouze jednomu uživateli.",
"There was an error finding this widget.": "Při hledání tohoto widgetu došlo k chybě.",
"Active Widgets": "Aktivní widgety", "Active Widgets": "Aktivní widgety",
"Open dial pad": "Otevřít číselník", "Open dial pad": "Otevřít číselník",
"Dial pad": "Číselník", "Dial pad": "Číselník",
@ -2040,28 +2004,7 @@
"Something went wrong in confirming your identity. Cancel and try again.": "Při ověřování vaší identity se něco pokazilo. Zrušte to a zkuste to znovu.", "Something went wrong in confirming your identity. Cancel and try again.": "Při ověřování vaší identity se něco pokazilo. Zrušte to a zkuste to znovu.",
"We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "Požádali jsme prohlížeč, aby si zapamatoval, který domovský server používáte k přihlášení, ale váš prohlížeč to bohužel zapomněl. Přejděte na přihlašovací stránku a zkuste to znovu.", "We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "Požádali jsme prohlížeč, aby si zapamatoval, který domovský server používáte k přihlášení, ale váš prohlížeč to bohužel zapomněl. Přejděte na přihlašovací stránku a zkuste to znovu.",
"We couldn't log you in": "Nemohli jsme vás přihlásit", "We couldn't log you in": "Nemohli jsme vás přihlásit",
"Show stickers button": "Tlačítko Zobrazit nálepky",
"Expand code blocks by default": "Ve výchozím nastavení rozbalit bloky kódu",
"Show line numbers in code blocks": "Zobrazit čísla řádků v blocích kódu",
"Recently visited rooms": "Nedávno navštívené místnosti", "Recently visited rooms": "Nedávno navštívené místnosti",
"Values at explicit levels in this room:": "Hodnoty na explicitních úrovních v této místnosti:",
"Values at explicit levels:": "Hodnoty na explicitních úrovních:",
"Value in this room:": "Hodnota v této místnosti:",
"Value:": "Hodnota:",
"Save setting values": "Uložit hodnoty nastavení",
"Values at explicit levels in this room": "Hodnoty na explicitních úrovních v této místnosti",
"Values at explicit levels": "Hodnoty na explicitních úrovních",
"Settable at room": "Nastavitelné v místnosti",
"Settable at global": "Nastavitelné na globální úrovni",
"Level": "Úroveň",
"Setting definition:": "Definice nastavení:",
"This UI does NOT check the types of the values. Use at your own risk.": "Toto uživatelské rozhraní NEKONTROLUJE typy hodnot. Použití na vlastní nebezpečí.",
"Caution:": "Pozor:",
"Setting:": "Nastavení:",
"Value in this room": "Hodnota v této místnosti",
"Value": "Hodnota",
"Setting ID": "ID nastavení",
"Show chat effects (animations when receiving e.g. confetti)": "Zobrazit efekty chatu (animace např. při přijetí konfet)",
"Invite by username": "Pozvat podle uživatelského jména", "Invite by username": "Pozvat podle uživatelského jména",
"Invite your teammates": "Pozvěte své spolupracovníky", "Invite your teammates": "Pozvěte své spolupracovníky",
"Failed to invite the following users to your space: %(csvUsers)s": "Nepodařilo se pozvat následující uživatele do vašeho prostoru: %(csvUsers)s", "Failed to invite the following users to your space: %(csvUsers)s": "Nepodařilo se pozvat následující uživatele do vašeho prostoru: %(csvUsers)s",
@ -2110,7 +2053,6 @@
"Invite only, best for yourself or teams": "Pouze pozvat, nejlepší pro sebe nebo pro týmy", "Invite only, best for yourself or teams": "Pouze pozvat, nejlepší pro sebe nebo pro týmy",
"Open space for anyone, best for communities": "Otevřený prostor pro kohokoli, nejlepší pro komunity", "Open space for anyone, best for communities": "Otevřený prostor pro kohokoli, nejlepší pro komunity",
"Create a space": "Vytvořit prostor", "Create a space": "Vytvořit prostor",
"Jump to the bottom of the timeline when you send a message": "Po odeslání zprávy přejít na konec časové osy",
"This homeserver has been blocked by its administrator.": "Tento domovský server byl zablokován jeho správcem.", "This homeserver has been blocked by its administrator.": "Tento domovský server byl zablokován jeho správcem.",
"You're already in a call with this person.": "S touto osobou již telefonujete.", "You're already in a call with this person.": "S touto osobou již telefonujete.",
"Already in call": "Již máte hovor", "Already in call": "Již máte hovor",
@ -2159,7 +2101,6 @@
"%(deviceId)s from %(ip)s": "%(deviceId)s z %(ip)s", "%(deviceId)s from %(ip)s": "%(deviceId)s z %(ip)s",
"unknown person": "neznámá osoba", "unknown person": "neznámá osoba",
"Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "Konzultace s %(transferTarget)s. <a>Převod na %(transferee)s</a>", "Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "Konzultace s %(transferTarget)s. <a>Převod na %(transferee)s</a>",
"Warn before quitting": "Varovat před ukončením",
"Invite to just this room": "Pozvat jen do této místnosti", "Invite to just this room": "Pozvat jen do této místnosti",
"Add existing rooms": "Přidat stávající místnosti", "Add existing rooms": "Přidat stávající místnosti",
"We couldn't create your DM.": "Nemohli jsme vytvořit vaši přímou zprávu.", "We couldn't create your DM.": "Nemohli jsme vytvořit vaši přímou zprávu.",
@ -2287,7 +2228,6 @@
"e.g. my-space": "např. můj-prostor", "e.g. my-space": "např. můj-prostor",
"Silence call": "Ztlumit zvonění", "Silence call": "Ztlumit zvonění",
"Sound on": "Zvuk zapnutý", "Sound on": "Zvuk zapnutý",
"Show all rooms in Home": "Zobrazit všechny místnosti v Domovu",
"%(senderName)s changed the <a>pinned messages</a> for the room.": "%(senderName)s změnil(a) <a>připnuté zprávy</a> v místnosti.", "%(senderName)s changed the <a>pinned messages</a> for the room.": "%(senderName)s změnil(a) <a>připnuté zprávy</a> v místnosti.",
"%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s zrušil(a) pozvání pro uživatele %(targetName)s", "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s zrušil(a) pozvání pro uživatele %(targetName)s",
"%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s zrušil(a) pozvání pro uživatele %(targetName)s: %(reason)s", "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s zrušil(a) pozvání pro uživatele %(targetName)s: %(reason)s",
@ -2318,8 +2258,6 @@
"Code blocks": "Bloky kódu", "Code blocks": "Bloky kódu",
"Displaying time": "Zobrazování času", "Displaying time": "Zobrazování času",
"Keyboard shortcuts": "Klávesové zkratky", "Keyboard shortcuts": "Klávesové zkratky",
"Use Ctrl + F to search timeline": "Stiskněte Ctrl + F k vyhledávání v časové ose",
"Use Command + F to search timeline": "Stiskněte Command + F k vyhledávání v časové ose",
"Integration manager": "Správce integrací", "Integration manager": "Správce integrací",
"Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "Váš %(brand)s neumožňuje použít správce integrací. Kontaktujte prosím správce.", "Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "Váš %(brand)s neumožňuje použít správce integrací. Kontaktujte prosím správce.",
"Using this widget may share data <helpIcon /> with %(widgetDomain)s & your integration manager.": "Použití tohoto widgetu může sdílet data <helpIcon /> s %(widgetDomain)s a vaším správcem integrací.", "Using this widget may share data <helpIcon /> with %(widgetDomain)s & your integration manager.": "Použití tohoto widgetu může sdílet data <helpIcon /> s %(widgetDomain)s a vaším správcem integrací.",
@ -2424,7 +2362,6 @@
"Want to add a new space instead?": "Chcete místo toho přidat nový prostor?", "Want to add a new space instead?": "Chcete místo toho přidat nový prostor?",
"Decrypting": "Dešifrování", "Decrypting": "Dešifrování",
"Show all rooms": "Zobrazit všechny místnosti", "Show all rooms": "Zobrazit všechny místnosti",
"All rooms you're in will appear in Home.": "Všechny místnosti, ve kterých se nacházíte, se zobrazí v Domovu.",
"Missed call": "Zmeškaný hovor", "Missed call": "Zmeškaný hovor",
"Call declined": "Hovor odmítnut", "Call declined": "Hovor odmítnut",
"Surround selected text when typing special characters": "Ohraničit označený text při psaní speciálních znaků", "Surround selected text when typing special characters": "Ohraničit označený text při psaní speciálních znaků",
@ -2455,8 +2392,6 @@
"Cross-signing is ready but keys are not backed up.": "Křížové podepisování je připraveno, ale klíče nejsou zálohovány.", "Cross-signing is ready but keys are not backed up.": "Křížové podepisování je připraveno, ale klíče nejsou zálohovány.",
"The above, but in <Room /> as well": "Výše uvedené, ale také v <Room />", "The above, but in <Room /> as well": "Výše uvedené, ale také v <Room />",
"The above, but in any room you are joined or invited to as well": "Výše uvedené, ale také v jakékoli místnosti, ke které jste připojeni nebo do které jste pozváni", "The above, but in any room you are joined or invited to as well": "Výše uvedené, ale také v jakékoli místnosti, ke které jste připojeni nebo do které jste pozváni",
"Autoplay videos": "Automatické přehrávání videí",
"Autoplay GIFs": "Automatické přehrávání GIFů",
"%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s odepnul(a) zprávu z této místnosti. Zobrazit všechny připnuté zprávy.", "%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s odepnul(a) zprávu z této místnosti. Zobrazit všechny připnuté zprávy.",
"%(senderName)s unpinned <a>a message</a> from this room. See all <b>pinned messages</b>.": "%(senderName)s odepnul(a) <a>zprávu</a> z této místnosti. Zobrazit všechny <b>připnuté zprávy</b>.", "%(senderName)s unpinned <a>a message</a> from this room. See all <b>pinned messages</b>.": "%(senderName)s odepnul(a) <a>zprávu</a> z této místnosti. Zobrazit všechny <b>připnuté zprávy</b>.",
"%(senderName)s pinned a message to this room. See all pinned messages.": "%(senderName)s připnul(a) zprávu k této místnosti. Zobrazit všechny připnuté zprávy.", "%(senderName)s pinned a message to this room. See all pinned messages.": "%(senderName)s připnul(a) zprávu k této místnosti. Zobrazit všechny připnuté zprávy.",
@ -2661,7 +2596,6 @@
"Quick settings": "Rychlá nastavení", "Quick settings": "Rychlá nastavení",
"Spaces you know that contain this space": "Prostory, které znáte obsahující tento prostor", "Spaces you know that contain this space": "Prostory, které znáte obsahující tento prostor",
"Chat": "Chat", "Chat": "Chat",
"Clear": "Smazat",
"You may contact me if you want to follow up or to let me test out upcoming ideas": "Můžete mě kontaktovat, pokud budete chtít doplnit informace nebo mě nechat vyzkoušet připravované návrhy", "You may contact me if you want to follow up or to let me test out upcoming ideas": "Můžete mě kontaktovat, pokud budete chtít doplnit informace nebo mě nechat vyzkoušet připravované návrhy",
"Home options": "Možnosti domovské obrazovky", "Home options": "Možnosti domovské obrazovky",
"%(spaceName)s menu": "Nabídka pro %(spaceName)s", "%(spaceName)s menu": "Nabídka pro %(spaceName)s",
@ -2762,7 +2696,6 @@
"Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Čekáme na ověření na vašem dalším zařízení, %(deviceName)s (%(deviceId)s)…", "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Čekáme na ověření na vašem dalším zařízení, %(deviceName)s (%(deviceId)s)…",
"Verify this device by confirming the following number appears on its screen.": "Ověřte toto zařízení tak, že potvrdíte, že se na jeho obrazovce zobrazí následující číslo.", "Verify this device by confirming the following number appears on its screen.": "Ověřte toto zařízení tak, že potvrdíte, že se na jeho obrazovce zobrazí následující číslo.",
"Confirm the emoji below are displayed on both devices, in the same order:": "Potvrďte, že se následující emotikony zobrazují na obou zařízeních ve stejném pořadí:", "Confirm the emoji below are displayed on both devices, in the same order:": "Potvrďte, že se následující emotikony zobrazují na obou zařízeních ve stejném pořadí:",
"Edit setting": "Upravit nastavení",
"Expand map": "Rozbalit mapu", "Expand map": "Rozbalit mapu",
"Send reactions": "Odesílat reakce", "Send reactions": "Odesílat reakce",
"No active call in this room": "V této místnosti není žádný aktivní hovor", "No active call in this room": "V této místnosti není žádný aktivní hovor",
@ -2794,7 +2727,6 @@
"Remove from %(roomName)s": "Odebrat z %(roomName)s", "Remove from %(roomName)s": "Odebrat z %(roomName)s",
"You were removed from %(roomName)s by %(memberName)s": "Byl(a) jsi odebrán(a) z %(roomName)s uživatelem %(memberName)s", "You were removed from %(roomName)s by %(memberName)s": "Byl(a) jsi odebrán(a) z %(roomName)s uživatelem %(memberName)s",
"Remove users": "Odebrat uživatele", "Remove users": "Odebrat uživatele",
"Show join/leave messages (invites/removes/bans unaffected)": "Zobrazit zprávy o vstupu/odchodu (pozvánky/odebrání/vykázání nejsou ovlivněny)",
"Remove, ban, or invite people to this room, and make you leave": "Odebrat, vykázat nebo pozvat lidi do této místnosti a donutit vás ji opustit", "Remove, ban, or invite people to this room, and make you leave": "Odebrat, vykázat nebo pozvat lidi do této místnosti a donutit vás ji opustit",
"Remove, ban, or invite people to your active room, and make you leave": "Odebrat, vykázat nebo pozvat lidi do vaší aktivní místnosti a donutit vás ji opustit", "Remove, ban, or invite people to your active room, and make you leave": "Odebrat, vykázat nebo pozvat lidi do vaší aktivní místnosti a donutit vás ji opustit",
"%(senderName)s removed %(targetName)s: %(reason)s": "%(senderName)s odebral(a) %(targetName)s: %(reason)s", "%(senderName)s removed %(targetName)s: %(reason)s": "%(senderName)s odebral(a) %(targetName)s: %(reason)s",
@ -2845,8 +2777,6 @@
"Pick a date to jump to": "Vyberte datum, na které chcete přejít", "Pick a date to jump to": "Vyberte datum, na které chcete přejít",
"Jump to date": "Přejít na datum", "Jump to date": "Přejít na datum",
"The beginning of the room": "Začátek místnosti", "The beginning of the room": "Začátek místnosti",
"Last month": "Minulý měsíc",
"Last week": "Minulý týden",
"If you know what you're doing, Element is open-source, be sure to check out our GitHub (https://github.com/vector-im/element-web/) and contribute!": "Pokud víte, co děláte, Element je open-source, určitě se podívejte na náš GitHub (https://github.com/vector-im/element-web/) a zapojte se!", "If you know what you're doing, Element is open-source, be sure to check out our GitHub (https://github.com/vector-im/element-web/) and contribute!": "Pokud víte, co děláte, Element je open-source, určitě se podívejte na náš GitHub (https://github.com/vector-im/element-web/) a zapojte se!",
"If someone told you to copy/paste something here, there is a high likelihood you're being scammed!": "Pokud vám někdo řekl, abyste sem něco zkopírovali/vložili, je vysoká pravděpodobnost, že vás někdo oklamal!", "If someone told you to copy/paste something here, there is a high likelihood you're being scammed!": "Pokud vám někdo řekl, abyste sem něco zkopírovali/vložili, je vysoká pravděpodobnost, že vás někdo oklamal!",
"Wait!": "Pozor!", "Wait!": "Pozor!",
@ -2877,13 +2807,7 @@
"one": "%(severalUsers)ssmazali zprávu", "one": "%(severalUsers)ssmazali zprávu",
"other": "%(severalUsers)ssmazali %(count)s zpráv" "other": "%(severalUsers)ssmazali %(count)s zpráv"
}, },
"Maximise": "Maximalizovat",
"Automatically send debug logs when key backup is not functioning": "Automaticky odeslat ladící protokoly, když zálohování klíčů nefunguje", "Automatically send debug logs when key backup is not functioning": "Automaticky odeslat ladící protokoly, když zálohování klíčů nefunguje",
"<empty string>": "<prázdný řetězec>",
"<%(count)s spaces>": {
"one": "<mezera>",
"other": "<%(count)s mezer>"
},
"Join %(roomAddress)s": "Vstoupit do %(roomAddress)s", "Join %(roomAddress)s": "Vstoupit do %(roomAddress)s",
"Edit poll": "Upravit hlasování", "Edit poll": "Upravit hlasování",
"Sorry, you can't edit a poll after votes have been cast.": "Je nám líto, ale po odevzdání hlasů nelze hlasování upravovat.", "Sorry, you can't edit a poll after votes have been cast.": "Je nám líto, ale po odevzdání hlasů nelze hlasování upravovat.",
@ -2897,7 +2821,6 @@
"Search Dialog": "Dialogové okno hledání", "Search Dialog": "Dialogové okno hledání",
"No virtual room for this room": "Žádná virtuální místnost pro tuto místnost", "No virtual room for this room": "Žádná virtuální místnost pro tuto místnost",
"Switches to this room's virtual room, if it has one": "Přepne do virtuální místnosti této místnosti, pokud ji má", "Switches to this room's virtual room, if it has one": "Přepne do virtuální místnosti této místnosti, pokud ji má",
"Accessibility": "Přístupnost",
"Open user settings": "Otevřít nastavení uživatele", "Open user settings": "Otevřít nastavení uživatele",
"Switch to space by number": "Přepnout do prostoru podle čísla", "Switch to space by number": "Přepnout do prostoru podle čísla",
"Pinned": "Připnuto", "Pinned": "Připnuto",
@ -2911,7 +2834,6 @@
"%(brand)s could not send your location. Please try again later.": "%(brand)s nemohl odeslat vaši polohu. Zkuste to prosím později.", "%(brand)s could not send your location. Please try again later.": "%(brand)s nemohl odeslat vaši polohu. Zkuste to prosím později.",
"We couldn't send your location": "Vaši polohu se nepodařilo odeslat", "We couldn't send your location": "Vaši polohu se nepodařilo odeslat",
"Match system": "Podle systému", "Match system": "Podle systému",
"Insert a trailing colon after user mentions at the start of a message": "Vložit dvojtečku za zmínku o uživateli na začátku zprávy",
"Reply to an ongoing thread or use “%(replyInThread)s” when hovering over a message to start a new one.": "Odpovědět na probíhající vlákno nebo použít \"%(replyInThread)s\", když najedete na zprávu a začnete novou.", "Reply to an ongoing thread or use “%(replyInThread)s” when hovering over a message to start a new one.": "Odpovědět na probíhající vlákno nebo použít \"%(replyInThread)s\", když najedete na zprávu a začnete novou.",
"%(oneUser)schanged the <a>pinned messages</a> for the room %(count)s times": { "%(oneUser)schanged the <a>pinned messages</a> for the room %(count)s times": {
"one": "%(oneUser)szměnil(a) <a>připnuté zprávy</a> místnosti", "one": "%(oneUser)szměnil(a) <a>připnuté zprávy</a> místnosti",
@ -2955,31 +2877,7 @@
"Next recently visited room or space": "Další nedávno navštívená místnost nebo prostor", "Next recently visited room or space": "Další nedávno navštívená místnost nebo prostor",
"Previous recently visited room or space": "Předchozí nedávno navštívená místnost nebo prostor", "Previous recently visited room or space": "Předchozí nedávno navštívená místnost nebo prostor",
"Event ID: %(eventId)s": "ID události: %(eventId)s", "Event ID: %(eventId)s": "ID události: %(eventId)s",
"No verification requests found": "Nebyly nalezeny žádné požadavky na ověření",
"Observe only": "Pouze sledovat",
"Requester": "Žadatel",
"Methods": "Metody",
"Timeout": "Časový limit",
"Phase": "Fáze",
"Client Versions": "Verze klienta",
"Server Versions": "Verze serveru",
"Transaction": "Transakce",
"Cancelled": "Zrušeno",
"Started": "Zahájeno",
"Ready": "Připraveno",
"Requested": "Požadované",
"Unsent": "Neodeslané", "Unsent": "Neodeslané",
"Edit values": "Upravit hodnoty",
"Failed to save settings.": "Nepodařilo se uložit nastavení.",
"Number of users": "Počet uživatelů",
"Server": "Server",
"Failed to load.": "Nepodařilo se načíst.",
"Capabilities": "Schopnosti",
"Send custom state event": "Odeslat vlastní stavovou událost",
"Failed to send event!": "Nepodařilo se odeslat událost!",
"Doesn't look like valid JSON.": "Nevypadá to jako platný JSON.",
"Send custom room account data event": "Odeslat vlastní událost s údaji o účtu místnosti",
"Send custom account data event": "Odeslat vlastní událost s údaji o účtu",
"Room ID: %(roomId)s": "ID místnosti: %(roomId)s", "Room ID: %(roomId)s": "ID místnosti: %(roomId)s",
"Server info": "Informace o serveru", "Server info": "Informace o serveru",
"Settings explorer": "Průzkumník nastavení", "Settings explorer": "Průzkumník nastavení",
@ -3058,7 +2956,6 @@
"Disinvite from space": "Zrušit pozvánku do prostoru", "Disinvite from space": "Zrušit pozvánku do prostoru",
"<b>Tip:</b> Use “%(replyInThread)s” when hovering over a message.": "<b>Tip:</b> Použijte \"%(replyInThread)s\" při najetí na zprávu.", "<b>Tip:</b> Use “%(replyInThread)s” when hovering over a message.": "<b>Tip:</b> Použijte \"%(replyInThread)s\" při najetí na zprávu.",
"No live locations": "Žádné polohy živě", "No live locations": "Žádné polohy živě",
"Enable Markdown": "Povolit Markdown",
"Close sidebar": "Zavřít postranní panel", "Close sidebar": "Zavřít postranní panel",
"View List": "Zobrazit seznam", "View List": "Zobrazit seznam",
"View list": "Zobrazit seznam", "View list": "Zobrazit seznam",
@ -3121,12 +3018,10 @@
"Ignore user": "Ignorovat uživatele", "Ignore user": "Ignorovat uživatele",
"View related event": "Zobrazit související událost", "View related event": "Zobrazit související událost",
"Read receipts": "Potvrzení o přečtení", "Read receipts": "Potvrzení o přečtení",
"Enable hardware acceleration (restart %(appName)s to take effect)": "Povolit hardwarovou akceleraci (restartuje %(appName)s, aby se změna projevila)",
"Failed to set direct message tag": "Nepodařilo se nastavit značku přímé zprávy", "Failed to set direct message tag": "Nepodařilo se nastavit značku přímé zprávy",
"You were disconnected from the call. (Error: %(message)s)": "Hovor byl přerušen. (Chyba: %(message)s)", "You were disconnected from the call. (Error: %(message)s)": "Hovor byl přerušen. (Chyba: %(message)s)",
"Connection lost": "Spojení ztraceno", "Connection lost": "Spojení ztraceno",
"Deactivating your account is a permanent action — be careful!": "Deaktivace účtu je trvalá akce - buďte opatrní!", "Deactivating your account is a permanent action — be careful!": "Deaktivace účtu je trvalá akce - buďte opatrní!",
"Minimise": "Minimalizovat",
"Un-maximise": "Zrušit maximalizaci", "Un-maximise": "Zrušit maximalizaci",
"When you sign out, these keys will be deleted from this device, which means you won't be able to read encrypted messages unless you have the keys for them on your other devices, or backed them up to the server.": "Po odhlášení budou tyto klíče z tohoto zařízení odstraněny, což znamená, že nebudete moci číst zašifrované zprávy, pokud k nim nemáte klíče v jiných zařízeních nebo je nemáte zálohované na serveru.", "When you sign out, these keys will be deleted from this device, which means you won't be able to read encrypted messages unless you have the keys for them on your other devices, or backed them up to the server.": "Po odhlášení budou tyto klíče z tohoto zařízení odstraněny, což znamená, že nebudete moci číst zašifrované zprávy, pokud k nim nemáte klíče v jiných zařízeních nebo je nemáte zálohované na serveru.",
"Joining the beta will reload %(brand)s.": "Po připojení k betě se %(brand)s znovu načte.", "Joining the beta will reload %(brand)s.": "Po připojení k betě se %(brand)s znovu načte.",
@ -3185,21 +3080,6 @@
"Saved Items": "Uložené položky", "Saved Items": "Uložené položky",
"Choose a locale": "Zvolte jazyk", "Choose a locale": "Zvolte jazyk",
"Spell check": "Kontrola pravopisu", "Spell check": "Kontrola pravopisu",
"Complete these to get the most out of %(brand)s": "Dokončete následující, abyste z %(brand)s získali co nejvíce",
"You did it!": "Dokázali jste to!",
"Only %(count)s steps to go": {
"one": "Zbývá už jen %(count)s krok",
"other": "Zbývá už jen %(count)s kroků"
},
"Welcome to %(brand)s": "Vítejte v aplikaci %(brand)s",
"Find your people": "Najděte své lidi",
"Keep ownership and control of community discussion.\nScale to support millions, with powerful moderation and interoperability.": "Zachovejte si vlastnictví a kontrolu nad komunitní diskusí.\nPodpora milionů uživatelů s účinným moderováním a interoperabilitou.",
"Community ownership": "Vlastnictví komunity",
"Find your co-workers": "Najděte své spolupracovníky",
"Secure messaging for work": "Zabezpečené zasílání pracovních zpráv",
"Start your first chat": "Začněte svůj první chat",
"With free end-to-end encrypted messaging, and unlimited voice and video calls, %(brand)s is a great way to stay in touch.": "Díky bezplatným šifrovaným zprávám a neomezeným hlasovým a videohovorům je služba %(brand)s skvělým způsobem, jak zůstat v kontaktu.",
"Secure messaging for friends and family": "Zabezpečené zasílání zpráv pro přátele a rodinu",
"Enable notifications": "Povolit oznámení", "Enable notifications": "Povolit oznámení",
"Dont miss a reply or important message": "Nepropásněte odpověď nebo důležitou zprávu", "Dont miss a reply or important message": "Nepropásněte odpověď nebo důležitou zprávu",
"Turn on notifications": "Zapnout oznámení", "Turn on notifications": "Zapnout oznámení",
@ -3215,8 +3095,6 @@
"Its what youre here for, so lets get to it": "Kvůli tomu jste tady, tak se do toho pusťte", "Its what youre here for, so lets get to it": "Kvůli tomu jste tady, tak se do toho pusťte",
"Find and invite your friends": "Najděte a pozvěte své přátele", "Find and invite your friends": "Najděte a pozvěte své přátele",
"You made it!": "Zvládli jste to!", "You made it!": "Zvládli jste to!",
"iOS": "iOS",
"Android": "Android",
"We're creating a room with %(names)s": "Vytváříme místnost s %(names)s", "We're creating a room with %(names)s": "Vytváříme místnost s %(names)s",
"Google Play and the Google Play logo are trademarks of Google LLC.": "Google Play a logo Google Play jsou ochranné známky společnosti Google LLC.", "Google Play and the Google Play logo are trademarks of Google LLC.": "Google Play a logo Google Play jsou ochranné známky společnosti Google LLC.",
"App Store® and the Apple logo® are trademarks of Apple Inc.": "App Store® a logo Apple® jsou ochranné známky společnosti Apple Inc.", "App Store® and the Apple logo® are trademarks of Apple Inc.": "App Store® a logo Apple® jsou ochranné známky společnosti Apple Inc.",
@ -3225,12 +3103,9 @@
"Download on the App Store": "Stáhnout v App Store", "Download on the App Store": "Stáhnout v App Store",
"Download %(brand)s Desktop": "Stáhnout %(brand)s Desktop", "Download %(brand)s Desktop": "Stáhnout %(brand)s Desktop",
"Download %(brand)s": "Stáhnout %(brand)s", "Download %(brand)s": "Stáhnout %(brand)s",
"Unverified": "Neověřeno",
"Verified": "Ověřeno",
"Inactive for %(inactiveAgeDays)s+ days": "Neaktivní po dobu %(inactiveAgeDays)s+ dnů", "Inactive for %(inactiveAgeDays)s+ days": "Neaktivní po dobu %(inactiveAgeDays)s+ dnů",
"Session details": "Podrobnosti o relaci", "Session details": "Podrobnosti o relaci",
"IP address": "IP adresa", "IP address": "IP adresa",
"Device": "Zařízení",
"Last activity": "Poslední aktivita", "Last activity": "Poslední aktivita",
"For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "V zájmu co nejlepšího zabezpečení ověřujte své relace a odhlašujte se ze všech relací, které již nepoznáváte nebo nepoužíváte.", "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "V zájmu co nejlepšího zabezpečení ověřujte své relace a odhlašujte se ze všech relací, které již nepoznáváte nebo nepoužíváte.",
"Other sessions": "Ostatní relace", "Other sessions": "Ostatní relace",
@ -3242,9 +3117,7 @@
"Verified session": "Ověřená relace", "Verified session": "Ověřená relace",
"Your server doesn't support disabling sending read receipts.": "Váš server nepodporuje vypnutí odesílání potvrzení o přečtení.", "Your server doesn't support disabling sending read receipts.": "Váš server nepodporuje vypnutí odesílání potvrzení o přečtení.",
"Share your activity and status with others.": "Sdílejte své aktivity a stav s ostatními.", "Share your activity and status with others.": "Sdílejte své aktivity a stav s ostatními.",
"Welcome": "Vítejte",
"Show shortcut to welcome checklist above the room list": "Zobrazit zástupce na uvítací kontrolní seznam nad seznamem místností", "Show shortcut to welcome checklist above the room list": "Zobrazit zástupce na uvítací kontrolní seznam nad seznamem místností",
"Send read receipts": "Odesílat potvrzení o přečtení",
"Inactive sessions": "Neaktivní relace", "Inactive sessions": "Neaktivní relace",
"Verify your sessions for enhanced secure messaging or sign out from those you don't recognize or use anymore.": "Ověřte své relace pro bezpečné zasílání zpráv nebo se odhlaste z těch, které již nepoznáváte nebo nepoužíváte.", "Verify your sessions for enhanced secure messaging or sign out from those you don't recognize or use anymore.": "Ověřte své relace pro bezpečné zasílání zpráv nebo se odhlaste z těch, které již nepoznáváte nebo nepoužíváte.",
"Unverified sessions": "Neověřené relace", "Unverified sessions": "Neověřené relace",
@ -3309,8 +3182,6 @@
"%(name)s started a video call": "%(name)s zahájil(a) videohovor", "%(name)s started a video call": "%(name)s zahájil(a) videohovor",
"Record the client name, version, and url to recognise sessions more easily in session manager": "Zaznamenat název, verzi a url pro snadnější rozpoznání relací ve správci relací", "Record the client name, version, and url to recognise sessions more easily in session manager": "Zaznamenat název, verzi a url pro snadnější rozpoznání relací ve správci relací",
"URL": "URL", "URL": "URL",
"Version": "Verze",
"Application": "Aplikace",
"Room info": "Informace o místnosti", "Room info": "Informace o místnosti",
"View chat timeline": "Zobrazit časovou osu konverzace", "View chat timeline": "Zobrazit časovou osu konverzace",
"Close call": "Zavřít hovor", "Close call": "Zavřít hovor",
@ -3326,7 +3197,6 @@
"Video call started in %(roomName)s. (not supported by this browser)": "Videohovor byl zahájen v %(roomName)s. (není podporováno tímto prohlížečem)", "Video call started in %(roomName)s. (not supported by this browser)": "Videohovor byl zahájen v %(roomName)s. (není podporováno tímto prohlížečem)",
"Video call started in %(roomName)s.": "Videohovor byl zahájen v %(roomName)s.", "Video call started in %(roomName)s.": "Videohovor byl zahájen v %(roomName)s.",
"Operating system": "Operační systém", "Operating system": "Operační systém",
"Model": "Model",
"Video call (%(brand)s)": "Videohovor (%(brand)s)", "Video call (%(brand)s)": "Videohovor (%(brand)s)",
"Call type": "Typ volání", "Call type": "Typ volání",
"You do not have sufficient permissions to change this.": "Ke změně nemáte dostatečná oprávnění.", "You do not have sufficient permissions to change this.": "Ke změně nemáte dostatečná oprávnění.",
@ -3486,19 +3356,6 @@
"All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "Všechny zprávy a pozvánky od tohoto uživatele budou skryty. Opravdu je chcete ignorovat?", "All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "Všechny zprávy a pozvánky od tohoto uživatele budou skryty. Opravdu je chcete ignorovat?",
"Ignore %(user)s": "Ignorovat %(user)s", "Ignore %(user)s": "Ignorovat %(user)s",
"Unable to decrypt voice broadcast": "Nelze dešifrovat hlasové vysílání", "Unable to decrypt voice broadcast": "Nelze dešifrovat hlasové vysílání",
"Thread Id: ": "Id vlákna: ",
"Threads timeline": "Časová osa vláken",
"Sender: ": "Odesílatel: ",
"Type: ": "Typ: ",
"ID: ": "ID: ",
"Last event:": "Poslední událost:",
"No receipt found": "Žádné potvrzení o přečtení",
"User read up to: ": "Uživatel přečetl až: ",
"Dot: ": "Tečka: ",
"Highlight: ": "Nejdůležitější: ",
"Total: ": "Celkem: ",
"Main timeline": "Hlavní časová osa",
"Room status": "Stav místnosti",
"Notifications debug": "Ladění oznámení", "Notifications debug": "Ladění oznámení",
"unknown": "neznámé", "unknown": "neznámé",
"Red": "Červená", "Red": "Červená",
@ -3558,17 +3415,9 @@
"Loading polls": "Načítání hlasování", "Loading polls": "Načítání hlasování",
"The sender has blocked you from receiving this message": "Odesílatel vám zablokoval přijetí této zprávy", "The sender has blocked you from receiving this message": "Odesílatel vám zablokoval přijetí této zprávy",
"Room directory": "Adresář místností", "Room directory": "Adresář místností",
"Show NSFW content": "Zobrazit NSFW obsah",
"Room is <strong>encrypted ✅</strong>": "Místnost je <strong>šifrovaná ✅</strong>",
"Notification state is <strong>%(notificationState)s</strong>": "Stav oznámení je <strong>%(notificationState)s</strong>",
"Room unread status: <strong>%(status)s</strong>": "Stav nepřečtení místnosti: <strong>%(status)s</strong>",
"Room unread status: <strong>%(status)s</strong>, count: <strong>%(count)s</strong>": {
"other": "Stav nepřečtení místnosti: <strong>%(status)s</strong>, počet: <strong>%(count)s</strong>"
},
"Due to decryption errors, some votes may not be counted": "Kvůli chybám v dešifrování nemusí být některé hlasy započítány", "Due to decryption errors, some votes may not be counted": "Kvůli chybám v dešifrování nemusí být některé hlasy započítány",
"Identity server is <code>%(identityServerUrl)s</code>": "Server identit je <code>%(identityServerUrl)s</code>", "Identity server is <code>%(identityServerUrl)s</code>": "Server identit je <code>%(identityServerUrl)s</code>",
"Homeserver is <code>%(homeserverUrl)s</code>": "Domovský server je <code>%(homeserverUrl)s</code>", "Homeserver is <code>%(homeserverUrl)s</code>": "Domovský server je <code>%(homeserverUrl)s</code>",
"Room is <strong>not encrypted 🚨</strong>": "Místnost <strong>není šifrovaná 🚨</strong>",
"Ended a poll": "Ukončil hlasování", "Ended a poll": "Ukončil hlasování",
"Yes, it was me": "Ano, to jsem byl já", "Yes, it was me": "Ano, to jsem byl já",
"Answered elsewhere": "Hovor přijat jinde", "Answered elsewhere": "Hovor přijat jinde",
@ -3624,7 +3473,6 @@
"Formatting": "Formátování", "Formatting": "Formátování",
"Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it.": "Nepodařilo se najít starou verzi této místnosti (ID místnosti: %(roomId)s), a nebyl poskytnut parametr 'via_servers', který by umožnil její vyhledání.", "Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it.": "Nepodařilo se najít starou verzi této místnosti (ID místnosti: %(roomId)s), a nebyl poskytnut parametr 'via_servers', který by umožnil její vyhledání.",
"Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it. It's possible that guessing the server from the room ID will work. If you want to try, click this link:": "Nepodařilo se najít starou verzi této místnosti (ID místnosti: %(roomId)s), a nebyl poskytnut parametr 'via_servers', který by umožnil její vyhledání. Je možné, že odhad serveru z ID místnosti bude fungovat. Pokud to chcete zkusit, klikněte na tento odkaz:", "Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it. It's possible that guessing the server from the room ID will work. If you want to try, click this link:": "Nepodařilo se najít starou verzi této místnosti (ID místnosti: %(roomId)s), a nebyl poskytnut parametr 'via_servers', který by umožnil její vyhledání. Je možné, že odhad serveru z ID místnosti bude fungovat. Pokud to chcete zkusit, klikněte na tento odkaz:",
"Start messages with <code>/plain</code> to send without markdown.": "Začněte zprávy s <code>/plain</code> pro odeslání bez markdown.",
"The add / bind with MSISDN flow is misconfigured": "Přidání/připojení s MSISDN je nesprávně nakonfigurováno", "The add / bind with MSISDN flow is misconfigured": "Přidání/připojení s MSISDN je nesprávně nakonfigurováno",
"No identity access token found": "Nebyl nalezen žádný přístupový token identity", "No identity access token found": "Nebyl nalezen žádný přístupový token identity",
"Identity server not set": "Server identit není nastaven", "Identity server not set": "Server identit není nastaven",
@ -3665,8 +3513,6 @@
"Exported Data": "Exportovaná data", "Exported Data": "Exportovaná data",
"Views room with given address": "Zobrazí místnost s danou adresou", "Views room with given address": "Zobrazí místnost s danou adresou",
"Notification Settings": "Nastavení oznámení", "Notification Settings": "Nastavení oznámení",
"Show current profile picture and name for users in message history": "Zobrazit aktuální profilové obrázky a jména uživatelů v historii zpráv",
"Show profile picture changes": "Zobrazit změny profilového obrázku",
"Email summary": "E-mailový souhrn", "Email summary": "E-mailový souhrn",
"Select which emails you want to send summaries to. Manage your emails in <button>General</button>.": "Vyberte e-maily, na které chcete zasílat souhrny. E-maily můžete spravovat v nastavení <button>Obecné</button>.", "Select which emails you want to send summaries to. Manage your emails in <button>General</button>.": "Vyberte e-maily, na které chcete zasílat souhrny. E-maily můžete spravovat v nastavení <button>Obecné</button>.",
"People, Mentions and Keywords": "Lidé, zmínky a klíčová slova", "People, Mentions and Keywords": "Lidé, zmínky a klíčová slova",
@ -3684,10 +3530,6 @@
"People cannot join unless access is granted.": "Lidé nemohou vstoupit, pokud jim není povolen přístup.", "People cannot join unless access is granted.": "Lidé nemohou vstoupit, pokud jim není povolen přístup.",
"Email Notifications": "E-mailová oznámení", "Email Notifications": "E-mailová oznámení",
"Unable to find user by email": "Nelze najít uživatele podle e-mailu", "Unable to find user by email": "Nelze najít uživatele podle e-mailu",
"User read up to (ignoreSynthetic): ": "Uživatel čte až do (ignoreSynthetic): ",
"User read up to (m.read.private): ": "Uživatel čte až do (m.read.private): ",
"User read up to (m.read.private;ignoreSynthetic): ": "Uživatel čte až do (m.read.private;ignoreSynthetic): ",
"See history": "Prohlédnout historii",
"%(senderDisplayName)s changed the join rule to ask to join.": "%(senderDisplayName)s změnil(a) pravidlo žádosti o vstup.", "%(senderDisplayName)s changed the join rule to ask to join.": "%(senderDisplayName)s změnil(a) pravidlo žádosti o vstup.",
"<strong>Update:</strong>Weve simplified Notifications Settings to make options easier to find. Some custom settings youve chosen in the past are not shown here, but theyre still active. If you proceed, some of your settings may change. <a>Learn more</a>": "<strong>Aktualizace:</strong>Zjednodušili jsme Nastavení oznámení, aby bylo možné snadněji najít možnosti nastavení. Některá vlastní nastavení, která jste zvolili v minulosti, se zde nezobrazují, ale jsou stále aktivní. Pokud budete pokračovat, některá vaše nastavení se mohou změnit. <a>Zjistit více</a>", "<strong>Update:</strong>Weve simplified Notifications Settings to make options easier to find. Some custom settings youve chosen in the past are not shown here, but theyre still active. If you proceed, some of your settings may change. <a>Learn more</a>": "<strong>Aktualizace:</strong>Zjednodušili jsme Nastavení oznámení, aby bylo možné snadněji najít možnosti nastavení. Některá vlastní nastavení, která jste zvolili v minulosti, se zde nezobrazují, ale jsou stále aktivní. Pokud budete pokračovat, některá vaše nastavení se mohou změnit. <a>Zjistit více</a>",
"Messages in this room are end-to-end encrypted. When people join, you can verify them in their profile, just tap on their profile picture.": "Zprávy v této místnosti jsou koncově šifrovány. Když lidé vstoupí, můžete je ověřit v jejich profilu, stačí klepnout na jejich profilový obrázek.", "Messages in this room are end-to-end encrypted. When people join, you can verify them in their profile, just tap on their profile picture.": "Zprávy v této místnosti jsou koncově šifrovány. Když lidé vstoupí, můžete je ověřit v jejich profilu, stačí klepnout na jejich profilový obrázek.",
@ -3786,21 +3628,38 @@
"beta": "Beta", "beta": "Beta",
"attachment": "Příloha", "attachment": "Příloha",
"appearance": "Vzhled", "appearance": "Vzhled",
"guest": "Host",
"legal": "Právní informace",
"credits": "Poděkování",
"faq": "Často kladené dotazy (FAQ)",
"access_token": "Přístupový token",
"preferences": "Předvolby",
"presence": "Přítomnost",
"timeline": "Časová osa", "timeline": "Časová osa",
"privacy": "Soukromí",
"camera": "Kamera",
"microphone": "Mikrofon",
"emoji": "Emoji",
"random": "Náhodný",
"support": "Podpora", "support": "Podpora",
"space": "Prostor" "space": "Prostor",
"random": "Náhodný",
"privacy": "Soukromí",
"presence": "Přítomnost",
"preferences": "Předvolby",
"microphone": "Mikrofon",
"legal": "Právní informace",
"guest": "Host",
"faq": "Často kladené dotazy (FAQ)",
"emoji": "Emoji",
"credits": "Poděkování",
"camera": "Kamera",
"access_token": "Přístupový token",
"someone": "Někdo",
"welcome": "Vítejte",
"encrypted": "Šifrováno",
"application": "Aplikace",
"version": "Verze",
"device": "Zařízení",
"model": "Model",
"verified": "Ověřeno",
"unverified": "Neověřeno",
"matrix": "Matrix",
"ios": "iOS",
"android": "Android",
"trusted": "Důvěryhodné",
"not_trusted": "Nedůvěryhodné",
"accessibility": "Přístupnost",
"capabilities": "Schopnosti",
"server": "Server"
}, },
"action": { "action": {
"continue": "Pokračovat", "continue": "Pokračovat",
@ -3873,24 +3732,35 @@
"apply": "Použít", "apply": "Použít",
"add": "Přidat", "add": "Přidat",
"accept": "Přijmout", "accept": "Přijmout",
"disconnect": "Odpojit",
"change": "Změnit",
"subscribe": "Odebírat",
"unsubscribe": "Přestat odebírat",
"approve": "Schválit",
"deny": "Odmítnout",
"proceed": "Pokračovat",
"complete": "Dokončit",
"revoke": "Zneplatnit",
"rename": "Přejmenovat",
"view_all": "Zobrazit všechny", "view_all": "Zobrazit všechny",
"unsubscribe": "Přestat odebírat",
"subscribe": "Odebírat",
"show_all": "Zobrazit vše", "show_all": "Zobrazit vše",
"show": "Zobrazit", "show": "Zobrazit",
"revoke": "Zneplatnit",
"review": "Prohlédnout", "review": "Prohlédnout",
"restore": "Obnovit", "restore": "Obnovit",
"rename": "Přejmenovat",
"register": "Zaregistrovat",
"proceed": "Pokračovat",
"play": "Přehrát", "play": "Přehrát",
"pause": "Pozastavit", "pause": "Pozastavit",
"register": "Zaregistrovat" "disconnect": "Odpojit",
"deny": "Odmítnout",
"complete": "Dokončit",
"change": "Změnit",
"approve": "Schválit",
"manage": "Spravovat",
"go": "Ok",
"import": "Importovat",
"export": "Exportovat",
"refresh": "Obnovit",
"minimise": "Minimalizovat",
"maximise": "Maximalizovat",
"mention": "Zmínit",
"submit": "Odeslat",
"send_report": "Nahlásit",
"clear": "Smazat"
}, },
"a11y": { "a11y": {
"user_menu": "Uživatelská nabídka" "user_menu": "Uživatelská nabídka"
@ -3978,8 +3848,8 @@
"restricted": "Omezené", "restricted": "Omezené",
"moderator": "Moderátor", "moderator": "Moderátor",
"admin": "Správce", "admin": "Správce",
"custom": "Vlastní (%(level)s)", "mod": "Moderátor",
"mod": "Moderátor" "custom": "Vlastní (%(level)s)"
}, },
"bug_reporting": { "bug_reporting": {
"introduction": "Pokud jste odeslali chybu prostřednictvím GitHubu, ladící protokoly nám mohou pomoci problém vysledovat. ", "introduction": "Pokud jste odeslali chybu prostřednictvím GitHubu, ladící protokoly nám mohou pomoci problém vysledovat. ",
@ -4004,6 +3874,142 @@
"short_seconds": "%(value)ss", "short_seconds": "%(value)ss",
"short_days_hours_minutes_seconds": "%(days)sd %(hours)sh %(minutes)sm %(seconds)ss", "short_days_hours_minutes_seconds": "%(days)sd %(hours)sh %(minutes)sm %(seconds)ss",
"short_hours_minutes_seconds": "%(hours)sh %(minutes)sm %(seconds)ss", "short_hours_minutes_seconds": "%(hours)sh %(minutes)sm %(seconds)ss",
"short_minutes_seconds": "%(minutes)sm %(seconds)ss" "short_minutes_seconds": "%(minutes)sm %(seconds)ss",
"last_week": "Minulý týden",
"last_month": "Minulý měsíc"
},
"onboarding": {
"personal_messaging_title": "Zabezpečené zasílání zpráv pro přátele a rodinu",
"free_e2ee_messaging_unlimited_voip": "Díky bezplatným šifrovaným zprávám a neomezeným hlasovým a videohovorům je služba %(brand)s skvělým způsobem, jak zůstat v kontaktu.",
"personal_messaging_action": "Začněte svůj první chat",
"work_messaging_title": "Zabezpečené zasílání pracovních zpráv",
"work_messaging_action": "Najděte své spolupracovníky",
"community_messaging_title": "Vlastnictví komunity",
"community_messaging_action": "Najděte své lidi",
"welcome_to_brand": "Vítejte v aplikaci %(brand)s",
"only_n_steps_to_go": {
"one": "Zbývá už jen %(count)s krok",
"other": "Zbývá už jen %(count)s kroků"
},
"you_did_it": "Dokázali jste to!",
"complete_these": "Dokončete následující, abyste z %(brand)s získali co nejvíce",
"community_messaging_description": "Zachovejte si vlastnictví a kontrolu nad komunitní diskusí.\nPodpora milionů uživatelů s účinným moderováním a interoperabilitou."
},
"devtools": {
"send_custom_account_data_event": "Odeslat vlastní událost s údaji o účtu",
"send_custom_room_account_data_event": "Odeslat vlastní událost s údaji o účtu místnosti",
"event_type": "Typ události",
"state_key": "Stavový klíč",
"invalid_json": "Nevypadá to jako platný JSON.",
"failed_to_send": "Nepodařilo se odeslat událost!",
"event_sent": "Událost odeslána!",
"event_content": "Obsah události",
"user_read_up_to": "Uživatel přečetl až: ",
"no_receipt_found": "Žádné potvrzení o přečtení",
"user_read_up_to_ignore_synthetic": "Uživatel čte až do (ignoreSynthetic): ",
"user_read_up_to_private": "Uživatel čte až do (m.read.private): ",
"user_read_up_to_private_ignore_synthetic": "Uživatel čte až do (m.read.private;ignoreSynthetic): ",
"room_status": "Stav místnosti",
"room_unread_status_count": {
"other": "Stav nepřečtení místnosti: <strong>%(status)s</strong>, počet: <strong>%(count)s</strong>"
},
"notification_state": "Stav oznámení je <strong>%(notificationState)s</strong>",
"room_encrypted": "Místnost je <strong>šifrovaná ✅</strong>",
"room_not_encrypted": "Místnost <strong>není šifrovaná 🚨</strong>",
"main_timeline": "Hlavní časová osa",
"threads_timeline": "Časová osa vláken",
"room_notifications_total": "Celkem: ",
"room_notifications_highlight": "Nejdůležitější: ",
"room_notifications_dot": "Tečka: ",
"room_notifications_last_event": "Poslední událost:",
"room_notifications_type": "Typ: ",
"room_notifications_sender": "Odesílatel: ",
"room_notifications_thread_id": "Id vlákna: ",
"spaces": {
"one": "<mezera>",
"other": "<%(count)s mezer>"
},
"empty_string": "<prázdný řetězec>",
"room_unread_status": "Stav nepřečtení místnosti: <strong>%(status)s</strong>",
"id": "ID: ",
"send_custom_state_event": "Odeslat vlastní stavovou událost",
"see_history": "Prohlédnout historii",
"failed_to_load": "Nepodařilo se načíst.",
"client_versions": "Verze klienta",
"server_versions": "Verze serveru",
"number_of_users": "Počet uživatelů",
"failed_to_save": "Nepodařilo se uložit nastavení.",
"save_setting_values": "Uložit hodnoty nastavení",
"setting_colon": "Nastavení:",
"caution_colon": "Pozor:",
"use_at_own_risk": "Toto uživatelské rozhraní NEKONTROLUJE typy hodnot. Použití na vlastní nebezpečí.",
"setting_definition": "Definice nastavení:",
"level": "Úroveň",
"settable_global": "Nastavitelné na globální úrovni",
"settable_room": "Nastavitelné v místnosti",
"values_explicit": "Hodnoty na explicitních úrovních",
"values_explicit_room": "Hodnoty na explicitních úrovních v této místnosti",
"edit_values": "Upravit hodnoty",
"value_colon": "Hodnota:",
"value_this_room_colon": "Hodnota v této místnosti:",
"values_explicit_colon": "Hodnoty na explicitních úrovních:",
"values_explicit_this_room_colon": "Hodnoty na explicitních úrovních v této místnosti:",
"setting_id": "ID nastavení",
"value": "Hodnota",
"value_in_this_room": "Hodnota v této místnosti",
"edit_setting": "Upravit nastavení",
"phase_requested": "Požadované",
"phase_ready": "Připraveno",
"phase_started": "Zahájeno",
"phase_cancelled": "Zrušeno",
"phase_transaction": "Transakce",
"phase": "Fáze",
"timeout": "Časový limit",
"methods": "Metody",
"requester": "Žadatel",
"observe_only": "Pouze sledovat",
"no_verification_requests_found": "Nebyly nalezeny žádné požadavky na ověření",
"failed_to_find_widget": "Při hledání tohoto widgetu došlo k chybě."
},
"settings": {
"show_breadcrumbs": "Zobrazovat zkratky do nedávno zobrazených místností navrchu",
"all_rooms_home_description": "Všechny místnosti, ve kterých se nacházíte, se zobrazí v Domovu.",
"use_command_f_search": "Stiskněte Command + F k vyhledávání v časové ose",
"use_control_f_search": "Stiskněte Ctrl + F k vyhledávání v časové ose",
"use_12_hour_format": "Zobrazovat čas v 12hodinovém formátu (např. 2:30 odp.)",
"always_show_message_timestamps": "Vždy zobrazovat časové značky zpráv",
"send_read_receipts": "Odesílat potvrzení o přečtení",
"send_typing_notifications": "Posílat oznámení, když píšete",
"replace_plain_emoji": "Automaticky nahrazovat textové emoji",
"enable_markdown": "Povolit Markdown",
"emoji_autocomplete": "Napovídat emoji",
"use_command_enter_send_message": "K odeslání zprávy použijte Command + Enter",
"use_control_enter_send_message": "K odeslání zprávy použijte Ctrl + Enter",
"all_rooms_home": "Zobrazit všechny místnosti v Domovu",
"enable_markdown_description": "Začněte zprávy s <code>/plain</code> pro odeslání bez markdown.",
"show_stickers_button": "Tlačítko Zobrazit nálepky",
"insert_trailing_colon_mentions": "Vložit dvojtečku za zmínku o uživateli na začátku zprávy",
"automatic_language_detection_syntax_highlight": "Zapnout automatické rozpoznávání jazyků pro zvýrazňování syntaxe",
"code_block_expand_default": "Ve výchozím nastavení rozbalit bloky kódu",
"code_block_line_numbers": "Zobrazit čísla řádků v blocích kódu",
"inline_url_previews_default": "Nastavit povolení náhledů URL adres jako výchozí",
"autoplay_gifs": "Automatické přehrávání GIFů",
"autoplay_videos": "Automatické přehrávání videí",
"image_thumbnails": "Zobrazovat náhledy obrázků",
"show_typing_notifications": "Zobrazovat oznámení „... právě píše...“",
"show_redaction_placeholder": "Zobrazovat smazané zprávy",
"show_read_receipts": "Zobrazovat potvrzení o přečtení",
"show_join_leave": "Zobrazit zprávy o vstupu/odchodu (pozvánky/odebrání/vykázání nejsou ovlivněny)",
"show_displayname_changes": "Zobrazovat změny zobrazovaného jména",
"show_chat_effects": "Zobrazit efekty chatu (animace např. při přijetí konfet)",
"show_avatar_changes": "Zobrazit změny profilového obrázku",
"big_emoji": "Povolit velké emoji",
"jump_to_bottom_on_send": "Po odeslání zprávy přejít na konec časové osy",
"disable_historical_profile": "Zobrazit aktuální profilové obrázky a jména uživatelů v historii zpráv",
"show_nsfw_content": "Zobrazit NSFW obsah",
"prompt_invite": "Potvrdit odeslání pozvánky potenciálně neplatným Matrix ID",
"hardware_acceleration": "Povolit hardwarovou akceleraci (restartuje %(appName)s, aby se změna projevila)",
"start_automatically": "Zahájit automaticky po přihlášení do systému",
"warn_quit": "Varovat před ukončením"
} }
} }

View file

@ -91,7 +91,6 @@
"%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s fjernede rumnavnet.", "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s fjernede rumnavnet.",
"%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s ændrede rumnavnet til %(roomName)s.", "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s ændrede rumnavnet til %(roomName)s.",
"%(senderDisplayName)s sent an image.": "%(senderDisplayName)s sendte et billed.", "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s sendte et billed.",
"Someone": "Nogen",
"%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s inviterede %(targetDisplayName)s til rummet.", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s inviterede %(targetDisplayName)s til rummet.",
"Online": "Online", "Online": "Online",
"Sunday": "Søndag", "Sunday": "Søndag",
@ -117,13 +116,11 @@
"Search…": "Søg…", "Search…": "Søg…",
"When I'm invited to a room": "Når jeg bliver inviteret til et rum", "When I'm invited to a room": "Når jeg bliver inviteret til et rum",
"Tuesday": "Tirsdag", "Tuesday": "Tirsdag",
"Event sent!": "Begivenhed sendt!",
"Saturday": "Lørdag", "Saturday": "Lørdag",
"Monday": "Mandag", "Monday": "Mandag",
"Toolbox": "Værktøjer", "Toolbox": "Værktøjer",
"Collecting logs": "Indsamler logfiler", "Collecting logs": "Indsamler logfiler",
"Invite to this room": "Inviter til dette rum", "Invite to this room": "Inviter til dette rum",
"State Key": "Tilstandsnøgle",
"Send": "Send", "Send": "Send",
"All messages": "Alle beskeder", "All messages": "Alle beskeder",
"Call invitation": "Opkalds invitation", "Call invitation": "Opkalds invitation",
@ -135,12 +132,10 @@
"Messages in group chats": "Beskeder i gruppechats", "Messages in group chats": "Beskeder i gruppechats",
"Yesterday": "I går", "Yesterday": "I går",
"Error encountered (%(errorDetail)s).": "En fejl er opstået (%(errorDetail)s).", "Error encountered (%(errorDetail)s).": "En fejl er opstået (%(errorDetail)s).",
"Event Type": "Begivenhedstype",
"Low Priority": "Lav prioritet", "Low Priority": "Lav prioritet",
"Failed to remove tag %(tagName)s from room": "Kunne ikke fjerne tag(s): %(tagName)s fra rummet", "Failed to remove tag %(tagName)s from room": "Kunne ikke fjerne tag(s): %(tagName)s fra rummet",
"Wednesday": "Onsdag", "Wednesday": "Onsdag",
"Developer Tools": "Udviklingsværktøjer", "Developer Tools": "Udviklingsværktøjer",
"Event Content": "Begivenhedsindhold",
"Thank you!": "Tak!", "Thank you!": "Tak!",
"Logs sent": "Logfiler sendt", "Logs sent": "Logfiler sendt",
"Failed to send logs: ": "Kunne ikke sende logfiler: ", "Failed to send logs: ": "Kunne ikke sende logfiler: ",
@ -269,8 +264,6 @@
"Add Email Address": "Tilføj e-mail adresse", "Add Email Address": "Tilføj e-mail adresse",
"Add Phone Number": "Tilføj telefonnummer", "Add Phone Number": "Tilføj telefonnummer",
"%(widgetName)s widget modified by %(senderName)s": "%(widgetName)s ændret af %(senderName)s", "%(widgetName)s widget modified by %(senderName)s": "%(widgetName)s ændret af %(senderName)s",
"Enable Emoji suggestions while typing": "Aktiver emoji forslag under indtastning",
"Show a placeholder for removed messages": "Vis en pladsholder for fjernede beskeder",
"Use Single Sign On to continue": "Brug engangs login for at fortsætte", "Use Single Sign On to continue": "Brug engangs login for at fortsætte",
"Confirm adding this email address by using Single Sign On to prove your identity.": "Bekræft tilføjelsen af denne email adresse ved at bruge Single Sign On til at bevise din identitet.", "Confirm adding this email address by using Single Sign On to prove your identity.": "Bekræft tilføjelsen af denne email adresse ved at bruge Single Sign On til at bevise din identitet.",
"Single Sign On": "Engangs login", "Single Sign On": "Engangs login",
@ -327,7 +320,6 @@
"%(senderName)s updated a ban rule matching %(glob)s for %(reason)s": "%(senderName)s opdaterede en ban-regel der matcher %(glob)s på grund af %(reason)s", "%(senderName)s updated a ban rule matching %(glob)s for %(reason)s": "%(senderName)s opdaterede en ban-regel der matcher %(glob)s på grund af %(reason)s",
"Explore rooms": "Udforsk rum", "Explore rooms": "Udforsk rum",
"Verification code": "Verifikationskode", "Verification code": "Verifikationskode",
"Encrypted": "Krypteret",
"Once enabled, encryption cannot be disabled.": "Efter aktivering er det ikke muligt at slå kryptering fra.", "Once enabled, encryption cannot be disabled.": "Efter aktivering er det ikke muligt at slå kryptering fra.",
"Security & Privacy": "Sikkerhed & Privatliv", "Security & Privacy": "Sikkerhed & Privatliv",
"Who can read history?": "Hvem kan læse historikken?", "Who can read history?": "Hvem kan læse historikken?",
@ -343,7 +335,6 @@
"Confirm password": "Bekræft adgangskode", "Confirm password": "Bekræft adgangskode",
"Enter password": "Indtast adgangskode", "Enter password": "Indtast adgangskode",
"Add a new server": "Tilføj en ny server", "Add a new server": "Tilføj en ny server",
"Matrix": "Matrix",
"Change notification settings": "Skift notifikations indstillinger", "Change notification settings": "Skift notifikations indstillinger",
"%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s", "%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s",
"%(senderName)s: %(message)s": "%(senderName)s: %(message)s", "%(senderName)s: %(message)s": "%(senderName)s: %(message)s",
@ -680,7 +671,10 @@
"favourites": "Favoritter", "favourites": "Favoritter",
"description": "Beskrivelse", "description": "Beskrivelse",
"privacy": "Privatliv", "privacy": "Privatliv",
"emoji": "Emoji" "emoji": "Emoji",
"someone": "Nogen",
"encrypted": "Krypteret",
"matrix": "Matrix"
}, },
"action": { "action": {
"continue": "Fortsæt", "continue": "Fortsæt",
@ -732,5 +726,15 @@
}, },
"time": { "time": {
"date_at_time": "%(date)s om %(time)s" "date_at_time": "%(date)s om %(time)s"
},
"devtools": {
"event_type": "Begivenhedstype",
"state_key": "Tilstandsnøgle",
"event_sent": "Begivenhed sendt!",
"event_content": "Begivenhedsindhold"
},
"settings": {
"emoji_autocomplete": "Aktiver emoji forslag under indtastning",
"show_redaction_placeholder": "Vis en pladsholder for fjernede beskeder"
} }
} }

View file

@ -45,7 +45,6 @@
"Reject invitation": "Einladung ablehnen", "Reject invitation": "Einladung ablehnen",
"Return to login screen": "Zur Anmeldemaske zurückkehren", "Return to login screen": "Zur Anmeldemaske zurückkehren",
"Signed Out": "Abgemeldet", "Signed Out": "Abgemeldet",
"Someone": "Jemand",
"This doesn't appear to be a valid email address": "Dies scheint keine gültige E-Mail-Adresse zu sein", "This doesn't appear to be a valid email address": "Dies scheint keine gültige E-Mail-Adresse zu sein",
"This room is not accessible by remote Matrix servers": "Dieser Raum ist von Personen auf anderen Matrix-Servern nicht betretbar", "This room is not accessible by remote Matrix servers": "Dieser Raum ist von Personen auf anderen Matrix-Servern nicht betretbar",
"Admin": "Admin", "Admin": "Admin",
@ -140,7 +139,6 @@
"Server error": "Server-Fehler", "Server error": "Server-Fehler",
"Server may be unavailable, overloaded, or search timed out :(": "Der Server ist entweder nicht verfügbar, überlastet oder die Suche wurde wegen Zeitüberschreitung abgebrochen :(", "Server may be unavailable, overloaded, or search timed out :(": "Der Server ist entweder nicht verfügbar, überlastet oder die Suche wurde wegen Zeitüberschreitung abgebrochen :(",
"Server unavailable, overloaded, or something else went wrong.": "Server ist nicht verfügbar, überlastet oder ein anderer Fehler ist aufgetreten.", "Server unavailable, overloaded, or something else went wrong.": "Server ist nicht verfügbar, überlastet oder ein anderer Fehler ist aufgetreten.",
"Submit": "Absenden",
"This room has no local addresses": "Dieser Raum hat keine lokale Adresse", "This room has no local addresses": "Dieser Raum hat keine lokale Adresse",
"Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Dir fehlt die Berechtigung, diese alten Nachrichten zu lesen.", "Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Dir fehlt die Berechtigung, diese alten Nachrichten zu lesen.",
"Tried to load a specific point in this room's timeline, but was unable to find it.": "Das Laden einer bestimmten Stelle im Verlauf des Raumes zu laden ist gescheitert, da sie nicht gefunden wurde.", "Tried to load a specific point in this room's timeline, but was unable to find it.": "Das Laden einer bestimmten Stelle im Verlauf des Raumes zu laden ist gescheitert, da sie nicht gefunden wurde.",
@ -150,7 +148,6 @@
"Failed to load timeline position": "Laden der Verlaufsposition fehlgeschlagen", "Failed to load timeline position": "Laden der Verlaufsposition fehlgeschlagen",
"%(items)s and %(lastItem)s": "%(items)s und %(lastItem)s", "%(items)s and %(lastItem)s": "%(items)s und %(lastItem)s",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(day)s. %(monthName)s %(fullYear)s %(time)s", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(day)s. %(monthName)s %(fullYear)s %(time)s",
"Always show message timestamps": "Nachrichtenzeitstempel immer anzeigen",
"Authentication": "Authentifizierung", "Authentication": "Authentifizierung",
"An error has occurred.": "Ein Fehler ist aufgetreten.", "An error has occurred.": "Ein Fehler ist aufgetreten.",
"Confirm password": "Passwort bestätigen", "Confirm password": "Passwort bestätigen",
@ -159,7 +156,6 @@
"New passwords don't match": "Die neuen Passwörter stimmen nicht überein", "New passwords don't match": "Die neuen Passwörter stimmen nicht überein",
"Passwords can't be empty": "Passwortfelder dürfen nicht leer sein", "Passwords can't be empty": "Passwortfelder dürfen nicht leer sein",
"%(brand)s version:": "Version von %(brand)s:", "%(brand)s version:": "Version von %(brand)s:",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Uhrzeiten im 12-Stundenformat (z. B. 2:30 p. m.)",
"Email address": "E-Mail-Adresse", "Email address": "E-Mail-Adresse",
"Error decrypting attachment": "Fehler beim Entschlüsseln des Anhangs", "Error decrypting attachment": "Fehler beim Entschlüsseln des Anhangs",
"Operation failed": "Aktion fehlgeschlagen", "Operation failed": "Aktion fehlgeschlagen",
@ -194,7 +190,6 @@
"Drop file here to upload": "Datei hier loslassen zum hochladen", "Drop file here to upload": "Datei hier loslassen zum hochladen",
"Idle": "Abwesend", "Idle": "Abwesend",
"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?": "Um dein Konto für die Verwendung von %(integrationsUrl)s zu authentifizieren, wirst du jetzt auf die Website eines Drittanbieters weitergeleitet. Möchtest du fortfahren?", "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?": "Um dein Konto für die Verwendung von %(integrationsUrl)s zu authentifizieren, wirst du jetzt auf die Website eines Drittanbieters weitergeleitet. Möchtest du fortfahren?",
"Start automatically after system login": "Nach Systemstart automatisch starten",
"Jump to first unread message.": "Zur ersten ungelesenen Nachricht springen.", "Jump to first unread message.": "Zur ersten ungelesenen Nachricht springen.",
"Invited": "Eingeladen", "Invited": "Eingeladen",
"%(senderDisplayName)s removed the room avatar.": "%(senderDisplayName)s hat das Raumbild entfernt.", "%(senderDisplayName)s removed the room avatar.": "%(senderDisplayName)s hat das Raumbild entfernt.",
@ -203,8 +198,6 @@
"No media permissions": "Keine Medienberechtigungen", "No media permissions": "Keine Medienberechtigungen",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Gegebenenfalls kann es notwendig sein, dass du %(brand)s manuell den Zugriff auf dein Mikrofon bzw. deine Webcam gewähren musst", "You may need to manually permit %(brand)s to access your microphone/webcam": "Gegebenenfalls kann es notwendig sein, dass du %(brand)s manuell den Zugriff auf dein Mikrofon bzw. deine Webcam gewähren musst",
"Default Device": "Standardgerät", "Default Device": "Standardgerät",
"Export": "Exportieren",
"Import": "Importieren",
"Incorrect username and/or password.": "Inkorrekter Nutzername und/oder Passwort.", "Incorrect username and/or password.": "Inkorrekter Nutzername und/oder Passwort.",
"Anyone": "Alle", "Anyone": "Alle",
"Are you sure you want to leave the room '%(roomName)s'?": "Bist du sicher, dass du den Raum „%(roomName)s“ verlassen möchtest?", "Are you sure you want to leave the room '%(roomName)s'?": "Bist du sicher, dass du den Raum „%(roomName)s“ verlassen möchtest?",
@ -245,11 +238,9 @@
"Check for update": "Nach Aktualisierung suchen", "Check for update": "Nach Aktualisierung suchen",
"Delete widget": "Widget entfernen", "Delete widget": "Widget entfernen",
"Define the power level of a user": "Berechtigungsstufe einers Benutzers setzen", "Define the power level of a user": "Berechtigungsstufe einers Benutzers setzen",
"Enable automatic language detection for syntax highlighting": "Automatische Spracherkennung für die Syntaxhervorhebung",
"Unable to create widget.": "Widget kann nicht erstellt werden.", "Unable to create widget.": "Widget kann nicht erstellt werden.",
"You are not in this room.": "Du bist nicht in diesem Raum.", "You are not in this room.": "Du bist nicht in diesem Raum.",
"You do not have permission to do that in this room.": "Du hast dafür keine Berechtigung.", "You do not have permission to do that in this room.": "Du hast dafür keine Berechtigung.",
"Automatically replace plain text Emoji": "Klartext-Emoji automatisch ersetzen",
"AM": "a. m.", "AM": "a. m.",
"PM": "p. m.", "PM": "p. m.",
"%(widgetName)s widget added by %(senderName)s": "%(senderName)s hat das Widget %(widgetName)s hinzugefügt", "%(widgetName)s widget added by %(senderName)s": "%(senderName)s hat das Widget %(widgetName)s hinzugefügt",
@ -273,7 +264,6 @@
"other": "Und %(count)s weitere …" "other": "Und %(count)s weitere …"
}, },
"Delete Widget": "Widget löschen", "Delete Widget": "Widget löschen",
"Mention": "Erwähnen",
"Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Das Löschen des Widgets entfernt es für alle in diesem Raum. Wirklich löschen?", "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Das Löschen des Widgets entfernt es für alle in diesem Raum. Wirklich löschen?",
"Mirror local video feed": "Lokalen Video-Feed spiegeln", "Mirror local video feed": "Lokalen Video-Feed spiegeln",
"%(nameList)s %(transitionList)s": "%(nameList)s %(transitionList)s", "%(nameList)s %(transitionList)s": "%(nameList)s %(transitionList)s",
@ -367,7 +357,6 @@
}, },
"Notify the whole room": "Alle im Raum benachrichtigen", "Notify the whole room": "Alle im Raum benachrichtigen",
"Room Notification": "Raum-Benachrichtigung", "Room Notification": "Raum-Benachrichtigung",
"Enable inline URL previews by default": "URL-Vorschau standardmäßig aktivieren",
"Enable URL previews for this room (only affects you)": "URL-Vorschau für dich in diesem Raum", "Enable URL previews for this room (only affects you)": "URL-Vorschau für dich in diesem Raum",
"Enable URL previews by default for participants in this room": "URL-Vorschau für Raummitglieder", "Enable URL previews by default for participants in this room": "URL-Vorschau für Raummitglieder",
"Please note you are logging into the %(hs)s server, not matrix.org.": "Bitte beachte, dass du dich gerade auf %(hs)s anmeldest, nicht matrix.org.", "Please note you are logging into the %(hs)s server, not matrix.org.": "Bitte beachte, dass du dich gerade auf %(hs)s anmeldest, nicht matrix.org.",
@ -431,7 +420,6 @@
"You cannot delete this message. (%(code)s)": "Diese Nachricht kann nicht gelöscht werden. (%(code)s)", "You cannot delete this message. (%(code)s)": "Diese Nachricht kann nicht gelöscht werden. (%(code)s)",
"All messages": "Alle Nachrichten", "All messages": "Alle Nachrichten",
"Call invitation": "Anrufe", "Call invitation": "Anrufe",
"State Key": "Statusschlüssel",
"What's new?": "Was ist neu?", "What's new?": "Was ist neu?",
"When I'm invited to a room": "Einladungen", "When I'm invited to a room": "Einladungen",
"All Rooms": "In allen Räumen", "All Rooms": "In allen Räumen",
@ -444,16 +432,12 @@
"Error encountered (%(errorDetail)s).": "Es ist ein Fehler aufgetreten (%(errorDetail)s).", "Error encountered (%(errorDetail)s).": "Es ist ein Fehler aufgetreten (%(errorDetail)s).",
"Low Priority": "Niedrige Priorität", "Low Priority": "Niedrige Priorität",
"Off": "Aus", "Off": "Aus",
"Event Type": "Eventtyp",
"Event sent!": "Ereignis gesendet!",
"Event Content": "Ereignisinhalt",
"Thank you!": "Danke!", "Thank you!": "Danke!",
"Missing roomId.": "Fehlende Raum-ID.", "Missing roomId.": "Fehlende Raum-ID.",
"Popout widget": "Widget in eigenem Fenster öffnen", "Popout widget": "Widget in eigenem Fenster öffnen",
"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, kann nicht geladen werden, da es entweder nicht existiert oder du keine Berechtigung zum Betrachten hast.", "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, kann nicht geladen werden, da es entweder nicht existiert oder du keine Berechtigung zum Betrachten hast.",
"Send Logs": "Sende Protokoll", "Send Logs": "Sende Protokoll",
"Clear Storage and Sign Out": "Speicher leeren und abmelden", "Clear Storage and Sign Out": "Speicher leeren und abmelden",
"Refresh": "Neu laden",
"We encountered an error trying to restore your previous session.": "Wir haben ein Problem beim Wiederherstellen deiner vorherigen Sitzung festgestellt.", "We encountered an error trying to restore your previous session.": "Wir haben ein Problem beim Wiederherstellen deiner vorherigen Sitzung festgestellt.",
"Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Den Browser-Speicher zu löschen kann das Problem lösen, wird dich aber abmelden und verschlüsselte Nachrichten unlesbar machen.", "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Den Browser-Speicher zu löschen kann das Problem lösen, wird dich aber abmelden und verschlüsselte Nachrichten unlesbar machen.",
"Enable widget screenshots on supported widgets": "Bildschirmfotos für unterstützte Widgets", "Enable widget screenshots on supported widgets": "Bildschirmfotos für unterstützte Widgets",
@ -572,7 +556,6 @@
"Go to Settings": "Gehe zu Einstellungen", "Go to Settings": "Gehe zu Einstellungen",
"Sign in with single sign-on": "Einmalanmeldung nutzen", "Sign in with single sign-on": "Einmalanmeldung nutzen",
"Unrecognised address": "Nicht erkannte Adresse", "Unrecognised address": "Nicht erkannte Adresse",
"Prompt before sending invites to potentially invalid matrix IDs": "Warnen, bevor du Einladungen zu ungültigen Matrix-IDs sendest",
"The following users may not exist": "Eventuell existieren folgende Benutzer nicht", "The following users may not exist": "Eventuell existieren folgende Benutzer nicht",
"Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Profile für die nachfolgenden Matrix-IDs wurden nicht gefunden willst du sie dennoch einladen?", "Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Profile für die nachfolgenden Matrix-IDs wurden nicht gefunden willst du sie dennoch einladen?",
"Invite anyway and never warn me again": "Trotzdem einladen und mich nicht mehr warnen", "Invite anyway and never warn me again": "Trotzdem einladen und mich nicht mehr warnen",
@ -586,11 +569,6 @@
"one": "%(names)s und eine weitere Person tippen …" "one": "%(names)s und eine weitere Person tippen …"
}, },
"%(names)s and %(lastPerson)s are typing …": "%(names)s und %(lastPerson)s tippen …", "%(names)s and %(lastPerson)s are typing …": "%(names)s und %(lastPerson)s tippen …",
"Enable Emoji suggestions while typing": "Emoji-Vorschläge während Eingabe",
"Show a placeholder for removed messages": "Platzhalter für gelöschte Nachrichten",
"Show display name changes": "Änderungen von Anzeigenamen",
"Send typing notifications": "Tippbenachrichtigungen senden",
"Enable big emoji in chat": "Große Emojis im Verlauf anzeigen",
"Messages containing my username": "Nachrichten mit meinem Benutzernamen", "Messages containing my username": "Nachrichten mit meinem Benutzernamen",
"The other party cancelled the verification.": "Die Gegenstelle hat die Überprüfung abgebrochen.", "The other party cancelled the verification.": "Die Gegenstelle hat die Überprüfung abgebrochen.",
"Verified!": "Verifiziert!", "Verified!": "Verifiziert!",
@ -697,7 +675,6 @@
"Security & Privacy": "Sicherheit", "Security & Privacy": "Sicherheit",
"Encryption": "Verschlüsselung", "Encryption": "Verschlüsselung",
"Once enabled, encryption cannot be disabled.": "Sobald du die Verschlüsselung aktivierst, kannst du sie nicht mehr deaktivieren.", "Once enabled, encryption cannot be disabled.": "Sobald du die Verschlüsselung aktivierst, kannst du sie nicht mehr deaktivieren.",
"Encrypted": "Verschlüsseln",
"Ignored users": "Blockierte Benutzer", "Ignored users": "Blockierte Benutzer",
"Gets or sets the room topic": "Raumthema anzeigen oder ändern", "Gets or sets the room topic": "Raumthema anzeigen oder ändern",
"Verify this user by confirming the following emoji appear on their screen.": "Verifiziere diesen Nutzer, indem du bestätigst, dass folgende Emojis auf dessen Bildschirm erscheinen.", "Verify this user by confirming the following emoji appear on their screen.": "Verifiziere diesen Nutzer, indem du bestätigst, dass folgende Emojis auf dessen Bildschirm erscheinen.",
@ -740,7 +717,6 @@
"Prepends ¯\\_(ツ)_/¯ to a plain-text message": "Stellt ¯\\_(ツ)_/¯ einer Klartextnachricht voran", "Prepends ¯\\_(ツ)_/¯ to a plain-text message": "Stellt ¯\\_(ツ)_/¯ einer Klartextnachricht voran",
"Changes your display nickname in the current room only": "Ändert den Anzeigenamen ausschließlich für den aktuellen Raum", "Changes your display nickname in the current room only": "Ändert den Anzeigenamen ausschließlich für den aktuellen Raum",
"The user must be unbanned before they can be invited.": "Verbannte Nutzer können nicht eingeladen werden.", "The user must be unbanned before they can be invited.": "Verbannte Nutzer können nicht eingeladen werden.",
"Show read receipts sent by other users": "Lesebestätigungen von anderen Benutzern anzeigen",
"Scissors": "Schere", "Scissors": "Schere",
"Accept all %(invitedRooms)s invites": "Akzeptiere alle %(invitedRooms)s Einladungen", "Accept all %(invitedRooms)s invites": "Akzeptiere alle %(invitedRooms)s Einladungen",
"Change room avatar": "Raumbild ändern", "Change room avatar": "Raumbild ändern",
@ -828,7 +804,6 @@
"Add Phone Number": "Telefonnummer hinzufügen", "Add Phone Number": "Telefonnummer hinzufügen",
"Changes the avatar of the current room": "Ändert das Icon vom Raum", "Changes the avatar of the current room": "Ändert das Icon vom Raum",
"Deactivate account": "Benutzerkonto deaktivieren", "Deactivate account": "Benutzerkonto deaktivieren",
"Show previews/thumbnails for images": "Vorschauen für Bilder",
"This action requires accessing the default identity server <server /> to validate an email address or phone number, but the server does not have any terms of service.": "Diese Handlung erfordert es, auf den Standard-Identitäts-Server <server /> zuzugreifen, um eine E-Mail-Adresse oder Telefonnummer zu validieren, aber der Server hat keine Nutzungsbedingungen.", "This action requires accessing the default identity server <server /> to validate an email address or phone number, but the server does not have any terms of service.": "Diese Handlung erfordert es, auf den Standard-Identitäts-Server <server /> zuzugreifen, um eine E-Mail-Adresse oder Telefonnummer zu validieren, aber der Server hat keine Nutzungsbedingungen.",
"Only continue if you trust the owner of the server.": "Fahre nur fort, wenn du den Server-Betreibenden vertraust.", "Only continue if you trust the owner of the server.": "Fahre nur fort, wenn du den Server-Betreibenden vertraust.",
"Sends a message as plain text, without interpreting it as markdown": "Sendet eine Nachricht als Klartext, ohne sie als Markdown darzustellen", "Sends a message as plain text, without interpreting it as markdown": "Sendet eine Nachricht als Klartext, ohne sie als Markdown darzustellen",
@ -866,7 +841,6 @@
"Lock": "Schloss", "Lock": "Schloss",
"Later": "Später", "Later": "Später",
"not found": "nicht gefunden", "not found": "nicht gefunden",
"Manage": "Verwalten",
"Securely cache encrypted messages locally for them to appear in search results.": "Speichere verschlüsselte Nachrichten lokal, sodass sie deinen Suchergebnissen erscheinen können.", "Securely cache encrypted messages locally for them to appear in search results.": "Speichere verschlüsselte Nachrichten lokal, sodass sie deinen Suchergebnissen erscheinen können.",
"Cannot connect to integration manager": "Verbindung zum Integrationsassistenten fehlgeschlagen", "Cannot connect to integration manager": "Verbindung zum Integrationsassistenten fehlgeschlagen",
"The integration manager is offline or it cannot reach your homeserver.": "Der Integrationsassistent ist außer Betrieb oder kann deinen Heim-Server nicht erreichen.", "The integration manager is offline or it cannot reach your homeserver.": "Der Integrationsassistent ist außer Betrieb oder kann deinen Heim-Server nicht erreichen.",
@ -910,7 +884,6 @@
"Direct Messages": "Direktnachrichten", "Direct Messages": "Direktnachrichten",
"You can use <code>/help</code> to list available commands. Did you mean to send this as a message?": "Du kannst <code>/help</code> benutzen, um alle verfügbaren Befehle aufzulisten. Willst du es stattdessen als Nachricht senden?", "You can use <code>/help</code> to list available commands. Did you mean to send this as a message?": "Du kannst <code>/help</code> benutzen, um alle verfügbaren Befehle aufzulisten. Willst du es stattdessen als Nachricht senden?",
"Recently Direct Messaged": "Zuletzt kontaktiert", "Recently Direct Messaged": "Zuletzt kontaktiert",
"Go": "Los",
"Command Help": "Befehl Hilfe", "Command Help": "Befehl Hilfe",
"To help us prevent this in future, please <a>send us logs</a>.": "Um uns zu helfen, dies in Zukunft zu vermeiden, <a>sende uns bitte die Protokolldateien</a>.", "To help us prevent this in future, please <a>send us logs</a>.": "Um uns zu helfen, dies in Zukunft zu vermeiden, <a>sende uns bitte die Protokolldateien</a>.",
"You have %(count)s unread notifications in a prior version of this room.": { "You have %(count)s unread notifications in a prior version of this room.": {
@ -957,13 +930,10 @@
"Sign In or Create Account": "Anmelden oder Konto erstellen", "Sign In or Create Account": "Anmelden oder Konto erstellen",
"Use your account or create a new one to continue.": "Benutze dein Konto oder erstelle ein neues, um fortzufahren.", "Use your account or create a new one to continue.": "Benutze dein Konto oder erstelle ein neues, um fortzufahren.",
"Create Account": "Konto erstellen", "Create Account": "Konto erstellen",
"Show typing notifications": "Tippbenachrichtigungen anzeigen",
"When rooms are upgraded": "Raumaktualisierungen", "When rooms are upgraded": "Raumaktualisierungen",
"Scan this unique code": "Lese diesen eindeutigen Code ein", "Scan this unique code": "Lese diesen eindeutigen Code ein",
"Compare unique emoji": "Vergleiche einzigartige Emojis", "Compare unique emoji": "Vergleiche einzigartige Emojis",
"Discovery": "Kontakte", "Discovery": "Kontakte",
"Trusted": "Vertrauenswürdig",
"Not trusted": "Nicht vertrauenswürdig",
"Messages in this room are not end-to-end encrypted.": "Nachrichten in diesem Raum sind nicht Ende-zu-Ende verschlüsselt.", "Messages in this room are not end-to-end encrypted.": "Nachrichten in diesem Raum sind nicht Ende-zu-Ende verschlüsselt.",
"Ask %(displayName)s to scan your code:": "Bitte %(displayName)s, deinen Code zu scannen:", "Ask %(displayName)s to scan your code:": "Bitte %(displayName)s, deinen Code zu scannen:",
"Verify by emoji": "Mit Emojis verifizieren", "Verify by emoji": "Mit Emojis verifizieren",
@ -1052,10 +1022,8 @@
"Recent Conversations": "Letzte Unterhaltungen", "Recent Conversations": "Letzte Unterhaltungen",
"Report Content to Your Homeserver Administrator": "Inhalte an die Administration deines Heim-Servers melden", "Report Content to Your Homeserver Administrator": "Inhalte an die Administration deines Heim-Servers melden",
"Reporting this message will send its unique 'event ID' to the administrator of your homeserver. If messages in this room are encrypted, your homeserver administrator will not be able to read the message text or view any files or images.": "Wenn du diese Nachricht meldest, wird die eindeutige Ereignis-ID an die Administration deines Heim-Servers übermittelt. Wenn die Nachrichten in diesem Raum verschlüsselt sind, wird deine Heim-Server-Administration nicht in der Lage sein, Nachrichten zu lesen oder Medien einzusehen.", "Reporting this message will send its unique 'event ID' to the administrator of your homeserver. If messages in this room are encrypted, your homeserver administrator will not be able to read the message text or view any files or images.": "Wenn du diese Nachricht meldest, wird die eindeutige Ereignis-ID an die Administration deines Heim-Servers übermittelt. Wenn die Nachrichten in diesem Raum verschlüsselt sind, wird deine Heim-Server-Administration nicht in der Lage sein, Nachrichten zu lesen oder Medien einzusehen.",
"Send report": "Bericht senden",
"%(creator)s created and configured the room.": "%(creator)s hat den Raum erstellt und konfiguriert.", "%(creator)s created and configured the room.": "%(creator)s hat den Raum erstellt und konfiguriert.",
"Sends a message as html, without interpreting it as markdown": "Sendet eine Nachricht als HTML, ohne sie als Markdown darzustellen", "Sends a message as html, without interpreting it as markdown": "Sendet eine Nachricht als HTML, ohne sie als Markdown darzustellen",
"Show shortcuts to recently viewed rooms above the room list": "Kürzlich besuchte Räume anzeigen",
"Use Single Sign On to continue": "Einmalanmeldung zum Fortfahren nutzen", "Use Single Sign On to continue": "Einmalanmeldung zum Fortfahren nutzen",
"Confirm adding this email address by using Single Sign On to prove your identity.": "Bestätige die neue E-Mail-Adresse mit Single-Sign-On, um deine Identität nachzuweisen.", "Confirm adding this email address by using Single Sign On to prove your identity.": "Bestätige die neue E-Mail-Adresse mit Single-Sign-On, um deine Identität nachzuweisen.",
"Single Sign On": "Single Sign-on", "Single Sign On": "Single Sign-on",
@ -1270,7 +1238,6 @@
"Can't find this server or its room list": "Kann diesen Server oder seine Raumliste nicht finden", "Can't find this server or its room list": "Kann diesen Server oder seine Raumliste nicht finden",
"All rooms": "Alle Räume", "All rooms": "Alle Räume",
"Your server": "Dein Server", "Your server": "Dein Server",
"Matrix": "Matrix",
"Add a new server": "Einen Server hinzufügen", "Add a new server": "Einen Server hinzufügen",
"Enter the name of a new server you want to explore.": "Gib den Namen des Servers an, den du erkunden möchtest.", "Enter the name of a new server you want to explore.": "Gib den Namen des Servers an, den du erkunden möchtest.",
"Server name": "Server-Name", "Server name": "Server-Name",
@ -1665,8 +1632,6 @@
"New version of %(brand)s is available": "Neue Version von %(brand)s verfügbar", "New version of %(brand)s is available": "Neue Version von %(brand)s verfügbar",
"You ended the call": "Du hast den Anruf beendet", "You ended the call": "Du hast den Anruf beendet",
"%(senderName)s ended the call": "%(senderName)s hat den Anruf beendet", "%(senderName)s ended the call": "%(senderName)s hat den Anruf beendet",
"Use Command + Enter to send a message": "Benutze Betriebssystemtaste + Eingabe um eine Nachricht zu senden",
"Use Ctrl + Enter to send a message": "Nutze Strg + Enter, um Nachrichten zu senden",
"Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": { "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": {
"other": "Verschlüsselte Nachrichten sicher lokal zwischenspeichern, um sie in Suchergebnissen finden zu können. Es werden %(size)s benötigt, um die Nachrichten von %(rooms)s Räumen zu speichern.", "other": "Verschlüsselte Nachrichten sicher lokal zwischenspeichern, um sie in Suchergebnissen finden zu können. Es werden %(size)s benötigt, um die Nachrichten von %(rooms)s Räumen zu speichern.",
"one": "Verschlüsselte Nachrichten sicher lokal zwischenspeichern, um sie in Suchergebnissen finden zu können. Es werden %(size)s benötigt, um die Nachrichten vom Raum %(rooms)s zu speichern." "one": "Verschlüsselte Nachrichten sicher lokal zwischenspeichern, um sie in Suchergebnissen finden zu können. Es werden %(size)s benötigt, um die Nachrichten vom Raum %(rooms)s zu speichern."
@ -2011,7 +1976,6 @@
"Unable to access secret storage. Please verify that you entered the correct Security Phrase.": "Zugriff auf sicheren Speicher nicht möglich. Bitte überprüfe, ob du die richtige Sicherheitsphrase eingegeben hast.", "Unable to access secret storage. Please verify that you entered the correct Security Phrase.": "Zugriff auf sicheren Speicher nicht möglich. Bitte überprüfe, ob du die richtige Sicherheitsphrase eingegeben hast.",
"Invalid Security Key": "Ungültiger Sicherheitsschlüssel", "Invalid Security Key": "Ungültiger Sicherheitsschlüssel",
"Wrong Security Key": "Falscher Sicherheitsschlüssel", "Wrong Security Key": "Falscher Sicherheitsschlüssel",
"There was an error finding this widget.": "Fehler beim Finden dieses Widgets.",
"Active Widgets": "Aktive Widgets", "Active Widgets": "Aktive Widgets",
"Open dial pad": "Wähltastatur öffnen", "Open dial pad": "Wähltastatur öffnen",
"Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Sichere deine Schlüssel mit deinen Kontodaten, für den Fall, dass du den Zugriff auf deine Sitzungen verlierst. Deine Schlüssel werden mit einem eindeutigen Sicherheitsschlüssel geschützt.", "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Sichere deine Schlüssel mit deinen Kontodaten, für den Fall, dass du den Zugriff auf deine Sitzungen verlierst. Deine Schlüssel werden mit einem eindeutigen Sicherheitsschlüssel geschützt.",
@ -2041,26 +2005,8 @@
"Use app": "App verwenden", "Use app": "App verwenden",
"Use app for a better experience": "Nutze die App für eine bessere Erfahrung", "Use app for a better experience": "Nutze die App für eine bessere Erfahrung",
"We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "Wir haben deinen Browser gebeten, sich zu merken, bei welchem Heim-Server du dich anmeldest, aber dein Browser hat dies leider vergessen. Gehe zur Anmeldeseite und versuche es erneut.", "We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "Wir haben deinen Browser gebeten, sich zu merken, bei welchem Heim-Server du dich anmeldest, aber dein Browser hat dies leider vergessen. Gehe zur Anmeldeseite und versuche es erneut.",
"Show stickers button": "Sticker-Schaltfläche",
"We couldn't log you in": "Wir konnten dich nicht anmelden", "We couldn't log you in": "Wir konnten dich nicht anmelden",
"Recently visited rooms": "Kürzlich besuchte Räume", "Recently visited rooms": "Kürzlich besuchte Räume",
"Show line numbers in code blocks": "Zeilennummern in Quelltextblöcken",
"Expand code blocks by default": "Quelltextblöcke standardmäßig erweitern",
"Value in this room:": "Wert in diesem Raum:",
"Value:": "Wert:",
"Level": "Level",
"This UI does NOT check the types of the values. Use at your own risk.": "Diese Benutzeroberfläche prüft nicht auf richtige Datentypen. Benutzung auf eigene Gefahr.",
"Setting:": "Einstellung:",
"Value": "Wert",
"Setting ID": "Einstellungs-ID",
"Show chat effects (animations when receiving e.g. confetti)": "Effekte bei manchen Emojis (z. B. Konfetti)",
"Save setting values": "Einstellungswerte speichern",
"Caution:": "Vorsicht:",
"Settable at global": "Global einstellbar",
"Setting definition:": "Definition der Einstellung:",
"Value in this room": "Wert in diesem Raum",
"Values at explicit levels": "Werte für explizite Stufen",
"Settable at room": "Für den Raum einstellbar",
"%(count)s members": { "%(count)s members": {
"other": "%(count)s Mitglieder", "other": "%(count)s Mitglieder",
"one": "%(count)s Mitglied" "one": "%(count)s Mitglied"
@ -2081,7 +2027,6 @@
"You're already in a call with this person.": "Du bist schon in einem Anruf mit dieser Person.", "You're already in a call with this person.": "Du bist schon in einem Anruf mit dieser Person.",
"Already in call": "Schon im Anruf", "Already in call": "Schon im Anruf",
"Invite people": "Personen einladen", "Invite people": "Personen einladen",
"Jump to the bottom of the timeline when you send a message": "Nach Senden einer Nachricht im Verlauf nach unten springen",
"Empty room": "Leerer Raum", "Empty room": "Leerer Raum",
"Your message was sent": "Die Nachricht wurde gesendet", "Your message was sent": "Die Nachricht wurde gesendet",
"Leave space": "Space verlassen", "Leave space": "Space verlassen",
@ -2145,7 +2090,6 @@
"one": "%(count)s Person, die du kennst, ist schon beigetreten", "one": "%(count)s Person, die du kennst, ist schon beigetreten",
"other": "%(count)s Leute, die du kennst, sind bereits beigetreten" "other": "%(count)s Leute, die du kennst, sind bereits beigetreten"
}, },
"Warn before quitting": "Vor Beenden warnen",
"Space options": "Space-Optionen", "Space options": "Space-Optionen",
"Manage & explore rooms": "Räume erkunden und verwalten", "Manage & explore rooms": "Räume erkunden und verwalten",
"unknown person": "unbekannte Person", "unknown person": "unbekannte Person",
@ -2156,9 +2100,6 @@
"Avatar": "Avatar", "Avatar": "Avatar",
"Invited people will be able to read old messages.": "Eingeladene Leute werden ältere Nachrichten lesen können.", "Invited people will be able to read old messages.": "Eingeladene Leute werden ältere Nachrichten lesen können.",
"Sends the given message as a spoiler": "Die gegebene Nachricht als Spoiler senden", "Sends the given message as a spoiler": "Die gegebene Nachricht als Spoiler senden",
"Values at explicit levels in this room:": "Werte für explizite Stufen in diesem Raum:",
"Values at explicit levels:": "Werte für explizite Stufen:",
"Values at explicit levels in this room": "Werte für explizite Stufen in diesem Raum",
"Invite to just this room": "Nur in diesen Raum einladen", "Invite to just this room": "Nur in diesen Raum einladen",
"Consult first": "Zuerst Anfragen", "Consult first": "Zuerst Anfragen",
"Reset event store?": "Ereignisspeicher zurück setzen?", "Reset event store?": "Ereignisspeicher zurück setzen?",
@ -2286,7 +2227,6 @@
"Address": "Adresse", "Address": "Adresse",
"e.g. my-space": "z. B. mein-space", "e.g. my-space": "z. B. mein-space",
"Sound on": "Ton an", "Sound on": "Ton an",
"Show all rooms in Home": "Alle Räume auf Startseite anzeigen",
"%(senderName)s changed the <a>pinned messages</a> for the room.": "%(senderName)s hat die <a>angehefteten Nachrichten</a> geändert.", "%(senderName)s changed the <a>pinned messages</a> for the room.": "%(senderName)s hat die <a>angehefteten Nachrichten</a> geändert.",
"%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s hat die Einladung für %(targetName)s zurückgezogen", "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s hat die Einladung für %(targetName)s zurückgezogen",
"%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s hat die Einladung für %(targetName)s zurückgezogen: %(reason)s", "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s hat die Einladung für %(targetName)s zurückgezogen: %(reason)s",
@ -2345,7 +2285,6 @@
"An error occurred whilst saving your notification preferences.": "Beim Speichern der Benachrichtigungseinstellungen ist ein Fehler aufgetreten.", "An error occurred whilst saving your notification preferences.": "Beim Speichern der Benachrichtigungseinstellungen ist ein Fehler aufgetreten.",
"Error saving notification preferences": "Fehler beim Speichern der Benachrichtigungseinstellungen", "Error saving notification preferences": "Fehler beim Speichern der Benachrichtigungseinstellungen",
"Messages containing keywords": "Nachrichten mit Schlüsselwörtern", "Messages containing keywords": "Nachrichten mit Schlüsselwörtern",
"Use Ctrl + F to search timeline": "Nutze Strg + F, um den Verlauf zu durchsuchen",
"The call is in an unknown state!": "Dieser Anruf ist in einem unbekannten Zustand!", "The call is in an unknown state!": "Dieser Anruf ist in einem unbekannten Zustand!",
"Call back": "Zurückrufen", "Call back": "Zurückrufen",
"Connection failed": "Verbindung fehlgeschlagen", "Connection failed": "Verbindung fehlgeschlagen",
@ -2403,7 +2342,6 @@
"Delete avatar": "Avatar löschen", "Delete avatar": "Avatar löschen",
"%(sharerName)s is presenting": "%(sharerName)s präsentiert", "%(sharerName)s is presenting": "%(sharerName)s präsentiert",
"You are presenting": "Du präsentierst", "You are presenting": "Du präsentierst",
"All rooms you're in will appear in Home.": "Alle Räume, denen du beigetreten bist, werden auf der Startseite erscheinen.",
"Only people invited will be able to find and join this room.": "Nur eingeladene Personen können den Raum finden und betreten.", "Only people invited will be able to find and join this room.": "Nur eingeladene Personen können den Raum finden und betreten.",
"Anyone will be able to find and join this room.": "Alle können diesen Raum finden und betreten.", "Anyone will be able to find and join this room.": "Alle können diesen Raum finden und betreten.",
"Anyone will be able to find and join this room, not just members of <SpaceName/>.": "Finden und Betreten ist allen, nicht nur Mitgliedern von <SpaceName/>, möglich.", "Anyone will be able to find and join this room, not just members of <SpaceName/>.": "Finden und Betreten ist allen, nicht nur Mitgliedern von <SpaceName/>, möglich.",
@ -2440,7 +2378,6 @@
"Enable encryption in settings.": "Aktiviere Verschlüsselung in den Einstellungen.", "Enable encryption in settings.": "Aktiviere Verschlüsselung in den Einstellungen.",
"Your private messages are normally encrypted, but this room isn't. Usually this is due to an unsupported device or method being used, like email invites.": "Dieser Raum ist nicht verschlüsselt. Oft ist dies aufgrund eines nicht unterstützten Geräts oder Methode wie E-Mail-Einladungen der Fall.", "Your private messages are normally encrypted, but this room isn't. Usually this is due to an unsupported device or method being used, like email invites.": "Dieser Raum ist nicht verschlüsselt. Oft ist dies aufgrund eines nicht unterstützten Geräts oder Methode wie E-Mail-Einladungen der Fall.",
"Cross-signing is ready but keys are not backed up.": "Quersignatur ist bereit, die Schlüssel sind aber nicht gesichert.", "Cross-signing is ready but keys are not backed up.": "Quersignatur ist bereit, die Schlüssel sind aber nicht gesichert.",
"Use Command + F to search timeline": "Nutze Command + F um den Verlauf zu durchsuchen",
"Reply to thread…": "Nachricht an Thread senden …", "Reply to thread…": "Nachricht an Thread senden …",
"Reply to encrypted thread…": "Verschlüsselte Nachricht an Thread senden …", "Reply to encrypted thread…": "Verschlüsselte Nachricht an Thread senden …",
"Role in <RoomName/>": "Rolle in <RoomName/>", "Role in <RoomName/>": "Rolle in <RoomName/>",
@ -2457,8 +2394,6 @@
"Change space name": "Name des Space ändern", "Change space name": "Name des Space ändern",
"Change space avatar": "Space-Icon ändern", "Change space avatar": "Space-Icon ändern",
"Anyone in <spaceName/> can find and join. You can select other spaces too.": "Finden und betreten ist Mitgliedern von <spaceName/> erlaubt. Du kannst auch weitere Spaces wählen.", "Anyone in <spaceName/> can find and join. You can select other spaces too.": "Finden und betreten ist Mitgliedern von <spaceName/> erlaubt. Du kannst auch weitere Spaces wählen.",
"Autoplay videos": "Videos automatisch abspielen",
"Autoplay GIFs": "GIFs automatisch abspielen",
"%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s hat eine Nachricht losgelöst. Alle angepinnten Nachrichten anzeigen.", "%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s hat eine Nachricht losgelöst. Alle angepinnten Nachrichten anzeigen.",
"%(senderName)s unpinned <a>a message</a> from this room. See all <b>pinned messages</b>.": "%(senderName)s hat <a>eine Nachricht</a> losgeheftet. Alle <b>angehefteten Nachrichten anzeigen</b>.", "%(senderName)s unpinned <a>a message</a> from this room. See all <b>pinned messages</b>.": "%(senderName)s hat <a>eine Nachricht</a> losgeheftet. Alle <b>angehefteten Nachrichten anzeigen</b>.",
"%(senderName)s pinned a message to this room. See all pinned messages.": "%(senderName)s hat eine Nachricht angeheftet. Alle angehefteten Nachrichten anzeigen.", "%(senderName)s pinned a message to this room. See all pinned messages.": "%(senderName)s hat eine Nachricht angeheftet. Alle angehefteten Nachrichten anzeigen.",
@ -2628,7 +2563,6 @@
"Get notified for every message": "Bei jeder Nachricht benachrichtigen", "Get notified for every message": "Bei jeder Nachricht benachrichtigen",
"Rooms outside of a space": "Räume außerhalb von Spaces", "Rooms outside of a space": "Räume außerhalb von Spaces",
"Manage rooms in this space": "Räume in diesem Space verwalten", "Manage rooms in this space": "Räume in diesem Space verwalten",
"Clear": "Löschen",
"%(count)s votes": { "%(count)s votes": {
"one": "%(count)s Stimme", "one": "%(count)s Stimme",
"other": "%(count)s Stimmen" "other": "%(count)s Stimmen"
@ -2745,7 +2679,6 @@
"Confirm the emoji below are displayed on both devices, in the same order:": "Bestätige, dass die folgenden Emoji auf beiden Geräten in der gleichen Reihenfolge angezeigt werden:", "Confirm the emoji below are displayed on both devices, in the same order:": "Bestätige, dass die folgenden Emoji auf beiden Geräten in der gleichen Reihenfolge angezeigt werden:",
"Dial": "Wählen", "Dial": "Wählen",
"Automatically send debug logs on decryption errors": "Sende bei Entschlüsselungsfehlern automatisch Protokolle zur Fehlerkorrektur", "Automatically send debug logs on decryption errors": "Sende bei Entschlüsselungsfehlern automatisch Protokolle zur Fehlerkorrektur",
"Show join/leave messages (invites/removes/bans unaffected)": "Bei-/Austrittsnachrichten (Einladung/Entfernen/Bann nicht betroffen)",
"Back to thread": "Zurück zum Thread", "Back to thread": "Zurück zum Thread",
"Back to chat": "Zurück zur Unterhaltung", "Back to chat": "Zurück zur Unterhaltung",
"Remove, ban, or invite people to your active room, and make you leave": "Entferne, verbanne oder lade andere in deinen aktiven Raum ein und verlasse den Raum selbst", "Remove, ban, or invite people to your active room, and make you leave": "Entferne, verbanne oder lade andere in deinen aktiven Raum ein und verlasse den Raum selbst",
@ -2791,7 +2724,6 @@
"Unable to verify this device": "Gerät konnte nicht verifiziert werden", "Unable to verify this device": "Gerät konnte nicht verifiziert werden",
"Space home": "Space-Übersicht", "Space home": "Space-Übersicht",
"Verify other device": "Anderes Gerät verifizieren", "Verify other device": "Anderes Gerät verifizieren",
"Edit setting": "Einstellung bearbeiten",
"You can read all our terms <PrivacyPolicyUrl>here</PrivacyPolicyUrl>": "<PrivacyPolicyUrl>Du kannst unsere Datenschutzbedingungen hier lesen</PrivacyPolicyUrl>", "You can read all our terms <PrivacyPolicyUrl>here</PrivacyPolicyUrl>": "<PrivacyPolicyUrl>Du kannst unsere Datenschutzbedingungen hier lesen</PrivacyPolicyUrl>",
"Missing room name or separator e.g. (my-room:domain.org)": "Fehlender Raumname oder Doppelpunkt (z. B. dein-raum:domain.org)", "Missing room name or separator e.g. (my-room:domain.org)": "Fehlender Raumname oder Doppelpunkt (z. B. dein-raum:domain.org)",
"Missing domain separator e.g. (:domain.org)": "Fehlender Doppelpunkt vor Server (z. B. :domain.org)", "Missing domain separator e.g. (:domain.org)": "Fehlender Doppelpunkt vor Server (z. B. :domain.org)",
@ -2848,8 +2780,6 @@
"Pick a date to jump to": "Wähle eine Datum aus", "Pick a date to jump to": "Wähle eine Datum aus",
"Jump to date": "Zu Datum springen", "Jump to date": "Zu Datum springen",
"The beginning of the room": "Der Anfang des Raums", "The beginning of the room": "Der Anfang des Raums",
"Last month": "Letzter Monat",
"Last week": "Letzte Woche",
"Location": "Standort", "Location": "Standort",
"Poll": "Umfrage", "Poll": "Umfrage",
"Voice Message": "Sprachnachricht", "Voice Message": "Sprachnachricht",
@ -2860,20 +2790,13 @@
"Use <arrows/> to scroll": "Benutze <arrows/> zum scrollen", "Use <arrows/> to scroll": "Benutze <arrows/> zum scrollen",
"Click for more info": "Klicke für mehr Infos", "Click for more info": "Klicke für mehr Infos",
"This is a beta feature": "Dies ist eine Betafunktion", "This is a beta feature": "Dies ist eine Betafunktion",
"Maximise": "Maximieren",
"Automatically send debug logs when key backup is not functioning": "Sende automatisch Protokolle zur Fehlerkorrektur, wenn die Schlüsselsicherung nicht funktioniert", "Automatically send debug logs when key backup is not functioning": "Sende automatisch Protokolle zur Fehlerkorrektur, wenn die Schlüsselsicherung nicht funktioniert",
"Open user settings": "Benutzereinstellungen öffnen", "Open user settings": "Benutzereinstellungen öffnen",
"Switch to space by number": "Mit Nummer zu Space springen", "Switch to space by number": "Mit Nummer zu Space springen",
"Accessibility": "Barrierefreiheit",
"Pinned": "Angeheftet", "Pinned": "Angeheftet",
"Open thread": "Thread anzeigen", "Open thread": "Thread anzeigen",
"Search Dialog": "Suchdialog", "Search Dialog": "Suchdialog",
"Join %(roomAddress)s": "%(roomAddress)s betreten", "Join %(roomAddress)s": "%(roomAddress)s betreten",
"<empty string>": "<Leere Zeichenkette>",
"<%(count)s spaces>": {
"one": "<Leerzeichen>",
"other": "<%(count)s Leerzeichen>"
},
"Results are only revealed when you end the poll": "Die Ergebnisse werden erst sichtbar, sobald du die Umfrage beendest", "Results are only revealed when you end the poll": "Die Ergebnisse werden erst sichtbar, sobald du die Umfrage beendest",
"Voters see results as soon as they have voted": "Abstimmende können die Ergebnisse nach Stimmabgabe sehen", "Voters see results as soon as they have voted": "Abstimmende können die Ergebnisse nach Stimmabgabe sehen",
"Open poll": "Offene Umfrage", "Open poll": "Offene Umfrage",
@ -2916,7 +2839,6 @@
"Can't create a thread from an event with an existing relation": "Du kannst keinen Thread in einem Thread starten", "Can't create a thread from an event with an existing relation": "Du kannst keinen Thread in einem Thread starten",
"Spaces are a new way to group rooms and people. What kind of Space do you want to create? You can change this later.": "Spaces sind eine neue Möglichkeit, Räume und Personen zu gruppieren. Welche Art von Space willst du erstellen? Du kannst dies später ändern.", "Spaces are a new way to group rooms and people. What kind of Space do you want to create? You can change this later.": "Spaces sind eine neue Möglichkeit, Räume und Personen zu gruppieren. Welche Art von Space willst du erstellen? Du kannst dies später ändern.",
"Match system": "An System anpassen", "Match system": "An System anpassen",
"Insert a trailing colon after user mentions at the start of a message": "Doppelpunkt nach Erwähnungen einfügen",
"Reply to an ongoing thread or use “%(replyInThread)s” when hovering over a message to start a new one.": "Antworte auf einen Thread oder klicke bei einer Nachricht auf „%(replyInThread)s“, um einen Thread zu starten.", "Reply to an ongoing thread or use “%(replyInThread)s” when hovering over a message to start a new one.": "Antworte auf einen Thread oder klicke bei einer Nachricht auf „%(replyInThread)s“, um einen Thread zu starten.",
"We'll create rooms for each of them.": "Wir werden für jedes einen Raum erstellen.", "We'll create rooms for each of them.": "Wir werden für jedes einen Raum erstellen.",
"Export Cancelled": "Exportieren abgebrochen", "Export Cancelled": "Exportieren abgebrochen",
@ -2952,7 +2874,6 @@
}, },
"%(timeRemaining)s left": "%(timeRemaining)s übrig", "%(timeRemaining)s left": "%(timeRemaining)s übrig",
"Share for %(duration)s": "Geteilt für %(duration)s", "Share for %(duration)s": "Geteilt für %(duration)s",
"Enable Markdown": "Markdown aktivieren",
"Failed to join": "Betreten fehlgeschlagen", "Failed to join": "Betreten fehlgeschlagen",
"The person who invited you has already left, or their server is offline.": "Die dich einladende Person hat den Raum verlassen oder ihr Heim-Server ist außer Betrieb.", "The person who invited you has already left, or their server is offline.": "Die dich einladende Person hat den Raum verlassen oder ihr Heim-Server ist außer Betrieb.",
"The person who invited you has already left.": "Die Person, die dich eingeladen hat, hat den Raum wieder verlassen.", "The person who invited you has already left.": "Die Person, die dich eingeladen hat, hat den Raum wieder verlassen.",
@ -3026,21 +2947,7 @@
"Cameras": "Kameras", "Cameras": "Kameras",
"Output devices": "Ausgabegeräte", "Output devices": "Ausgabegeräte",
"Input devices": "Eingabegeräte", "Input devices": "Eingabegeräte",
"No verification requests found": "Keine Verifizierungsanfrage gefunden",
"Methods": "Methoden",
"Transaction": "Transaktion",
"Cancelled": "Abgebrochen",
"Started": "Gestartet",
"Ready": "Bereit",
"Unsent": "Nicht gesendet", "Unsent": "Nicht gesendet",
"Edit values": "Werte bearbeiten",
"Failed to save settings.": "Speichern der Einstellungen fehlgeschlagen.",
"Number of users": "Benutzeranzahl",
"Server": "Server",
"Server Versions": "Server-Versionen",
"Client Versions": "Anwendungsversionen",
"Send custom state event": "Benutzerdefiniertes Status-Event senden",
"Failed to send event!": "Übertragung des Ereignisses fehlgeschlagen!",
"Server info": "Server-Info", "Server info": "Server-Info",
"Explore account data": "Kontodaten erkunden", "Explore account data": "Kontodaten erkunden",
"View servers in room": "Zeige Server im Raum", "View servers in room": "Zeige Server im Raum",
@ -3072,7 +2979,6 @@
"You were disconnected from the call. (Error: %(message)s)": "Du wurdest vom Anruf getrennt. (Error: %(message)s)", "You were disconnected from the call. (Error: %(message)s)": "Du wurdest vom Anruf getrennt. (Error: %(message)s)",
"Connection lost": "Verbindung verloren", "Connection lost": "Verbindung verloren",
"Explore public spaces in the new search dialog": "Erkunde öffentliche Räume mit der neuen Suchfunktion", "Explore public spaces in the new search dialog": "Erkunde öffentliche Räume mit der neuen Suchfunktion",
"Enable hardware acceleration (restart %(appName)s to take effect)": "Hardwarebeschleunigung aktivieren (Neustart von %(appName)s erforderlich)",
"%(count)s people joined": { "%(count)s people joined": {
"one": "%(count)s Person beigetreten", "one": "%(count)s Person beigetreten",
"other": "%(count)s Personen beigetreten" "other": "%(count)s Personen beigetreten"
@ -3081,7 +2987,6 @@
"Please note: this is a labs feature using a temporary implementation. This means you will not be able to delete your location history, and advanced users will be able to see your location history even after you stop sharing your live location with this room.": "Bitte beachte: Dies ist eine experimentelle Funktion, die eine temporäre Implementierung nutzt. Das bedeutet, dass du deinen Standortverlauf nicht löschen kannst und erfahrene Nutzer ihn sehen können, selbst wenn du deinen Echtzeit-Standort nicht mehr mit diesem Raum teilst.", "Please note: this is a labs feature using a temporary implementation. This means you will not be able to delete your location history, and advanced users will be able to see your location history even after you stop sharing your live location with this room.": "Bitte beachte: Dies ist eine experimentelle Funktion, die eine temporäre Implementierung nutzt. Das bedeutet, dass du deinen Standortverlauf nicht löschen kannst und erfahrene Nutzer ihn sehen können, selbst wenn du deinen Echtzeit-Standort nicht mehr mit diesem Raum teilst.",
"Video room": "Videoraum", "Video room": "Videoraum",
"Video rooms are a beta feature": "Videoräume sind eine Betafunktion", "Video rooms are a beta feature": "Videoräume sind eine Betafunktion",
"Minimise": "Minimieren",
"Edit topic": "Thema bearbeiten", "Edit topic": "Thema bearbeiten",
"Remove server “%(roomServer)s”": "Server „%(roomServer)s“ entfernen", "Remove server “%(roomServer)s”": "Server „%(roomServer)s“ entfernen",
"Click to read topic": "Klicke, um das Thema zu lesen", "Click to read topic": "Klicke, um das Thema zu lesen",
@ -3112,13 +3017,6 @@
"Updated %(humanizedUpdateTime)s": "%(humanizedUpdateTime)s aktualisiert", "Updated %(humanizedUpdateTime)s": "%(humanizedUpdateTime)s aktualisiert",
"Joining the beta will reload %(brand)s.": "Die Teilnahme an der Beta wird %(brand)s neustarten.", "Joining the beta will reload %(brand)s.": "Die Teilnahme an der Beta wird %(brand)s neustarten.",
"Leaving the beta will reload %(brand)s.": "Das Verlassen der Beta wird %(brand)s neustarten.", "Leaving the beta will reload %(brand)s.": "Das Verlassen der Beta wird %(brand)s neustarten.",
"Observe only": "Nur beobachten",
"Timeout": "Zeitüberschreitung",
"Phase": "Phase",
"Requested": "Angefragt",
"Failed to load.": "Fehler beim Laden.",
"Capabilities": "Funktionen",
"Doesn't look like valid JSON.": "Scheint kein gültiges JSON zu sein.",
"Other options": "Andere Optionen", "Other options": "Andere Optionen",
"If you can't find the room you're looking for, ask for an invite or create a new room.": "Falls du den Raum nicht findest, frag nach einer Einladung oder erstelle einen neuen Raum.", "If you can't find the room you're looking for, ask for an invite or create a new room.": "Falls du den Raum nicht findest, frag nach einer Einladung oder erstelle einen neuen Raum.",
"An error occurred whilst sharing your live location, please try again": "Ein Fehler ist während des Teilens deines Echtzeit-Standorts aufgetreten, bitte versuche es erneut", "An error occurred whilst sharing your live location, please try again": "Ein Fehler ist während des Teilens deines Echtzeit-Standorts aufgetreten, bitte versuche es erneut",
@ -3133,8 +3031,6 @@
"Unread email icon": "Ungelesene E-Mail Symbol", "Unread email icon": "Ungelesene E-Mail Symbol",
"Coworkers and teams": "Kollegen und Gruppen", "Coworkers and teams": "Kollegen und Gruppen",
"Friends and family": "Freunde und Familie", "Friends and family": "Freunde und Familie",
"iOS": "iOS",
"Android": "Android",
"You can't disable this later. The room will be encrypted but the embedded call will not.": "Dies kann später nicht deaktiviert werden. Der Raum wird verschlüsselt sein, nicht aber der eingebettete Anruf.", "You can't disable this later. The room will be encrypted but the embedded call will not.": "Dies kann später nicht deaktiviert werden. Der Raum wird verschlüsselt sein, nicht aber der eingebettete Anruf.",
"You need to have the right permissions in order to share locations in this room.": "Du benötigst die entsprechenden Berechtigungen, um deinen Echtzeit-Standort in diesem Raum freizugeben.", "You need to have the right permissions in order to share locations in this room.": "Du benötigst die entsprechenden Berechtigungen, um deinen Echtzeit-Standort in diesem Raum freizugeben.",
"Who will you chat to the most?": "Mit wem wirst du am meisten schreiben?", "Who will you chat to the most?": "Mit wem wirst du am meisten schreiben?",
@ -3142,7 +3038,6 @@
"Messages in this chat will be end-to-end encrypted.": "Nachrichten in dieser Unterhaltung werden Ende-zu-Ende-verschlüsselt.", "Messages in this chat will be end-to-end encrypted.": "Nachrichten in dieser Unterhaltung werden Ende-zu-Ende-verschlüsselt.",
"Send your first message to invite <displayName/> to chat": "Schreibe deine erste Nachricht, um <displayName/> zur Unterhaltung einzuladen", "Send your first message to invite <displayName/> to chat": "Schreibe deine erste Nachricht, um <displayName/> zur Unterhaltung einzuladen",
"Your server doesn't support disabling sending read receipts.": "Dein Server unterstützt das Deaktivieren von Lesebestätigungen nicht.", "Your server doesn't support disabling sending read receipts.": "Dein Server unterstützt das Deaktivieren von Lesebestätigungen nicht.",
"Send read receipts": "Sende Lesebestätigungen",
"Share your activity and status with others.": "Teile anderen deine Aktivität und deinen Status mit.", "Share your activity and status with others.": "Teile anderen deine Aktivität und deinen Status mit.",
"Deactivating your account is a permanent action — be careful!": "Die Deaktivierung deines Kontos ist unwiderruflich — sei vorsichtig!", "Deactivating your account is a permanent action — be careful!": "Die Deaktivierung deines Kontos ist unwiderruflich — sei vorsichtig!",
"Developer command: Discards the current outbound group session and sets up new Olm sessions": "Entwicklungsbefehl: Verwirft die aktuell ausgehende Gruppensitzung und setzt eine neue Olm-Sitzung auf", "Developer command: Discards the current outbound group session and sets up new Olm sessions": "Entwicklungsbefehl: Verwirft die aktuell ausgehende Gruppensitzung und setzt eine neue Olm-Sitzung auf",
@ -3169,30 +3064,15 @@
"Unverified session": "Nicht verifizierte Sitzung", "Unverified session": "Nicht verifizierte Sitzung",
"This session is ready for secure messaging.": "Diese Sitzung ist für sichere Kommunikation bereit.", "This session is ready for secure messaging.": "Diese Sitzung ist für sichere Kommunikation bereit.",
"Verified session": "Verifizierte Sitzung", "Verified session": "Verifizierte Sitzung",
"Unverified": "Nicht verifiziert",
"Verified": "Verifiziert",
"Inactive for %(inactiveAgeDays)s+ days": "Seit %(inactiveAgeDays)s+ Tagen inaktiv", "Inactive for %(inactiveAgeDays)s+ days": "Seit %(inactiveAgeDays)s+ Tagen inaktiv",
"Session details": "Sitzungsdetails", "Session details": "Sitzungsdetails",
"IP address": "IP-Adresse", "IP address": "IP-Adresse",
"Device": "Gerät",
"Last activity": "Neueste Aktivität", "Last activity": "Neueste Aktivität",
"Current session": "Aktuelle Sitzung", "Current session": "Aktuelle Sitzung",
"For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Für bestmögliche Sicherheit verifiziere deine Sitzungen und melde dich von allen ab, die du nicht erkennst oder nutzt.", "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Für bestmögliche Sicherheit verifiziere deine Sitzungen und melde dich von allen ab, die du nicht erkennst oder nutzt.",
"Other sessions": "Andere Sitzungen", "Other sessions": "Andere Sitzungen",
"Sessions": "Sitzungen", "Sessions": "Sitzungen",
"Spell check": "Rechtschreibprüfung", "Spell check": "Rechtschreibprüfung",
"Complete these to get the most out of %(brand)s": "Vervollständige sie für die beste %(brand)s-Erfahrung",
"You did it!": "Geschafft!",
"Only %(count)s steps to go": {
"one": "Nur noch %(count)s Schritt",
"other": "Nur noch %(count)s Schritte"
},
"Welcome to %(brand)s": "Willkommen bei %(brand)s",
"Find your co-workers": "Finde deine Kollegen",
"Secure messaging for work": "Sichere Kommunikation für die Arbeit",
"Start your first chat": "Beginne eine Unterhaltung",
"Secure messaging for friends and family": "Sichere Kommunikation für Freunde und Familie",
"Welcome": "Willkommen",
"Enable notifications": "Benachrichtigungen aktivieren", "Enable notifications": "Benachrichtigungen aktivieren",
"Turn on notifications": "Benachrichtigungen einschalten", "Turn on notifications": "Benachrichtigungen einschalten",
"Your profile": "Dein Profil", "Your profile": "Dein Profil",
@ -3233,14 +3113,10 @@
"Interactively verify by emoji": "Interaktiv per Emoji verifizieren", "Interactively verify by emoji": "Interaktiv per Emoji verifizieren",
"Manually verify by text": "Manuell per Text verifizieren", "Manually verify by text": "Manuell per Text verifizieren",
"To create your account, open the link in the email we just sent to %(emailAddress)s.": "Um dein Konto zu erstellen, öffne den Link in der E-Mail, die wir gerade an %(emailAddress)s geschickt haben.", "To create your account, open the link in the email we just sent to %(emailAddress)s.": "Um dein Konto zu erstellen, öffne den Link in der E-Mail, die wir gerade an %(emailAddress)s geschickt haben.",
"Requester": "Anforderer",
"Send custom room account data event": "Sende benutzerdefiniertes Raumdatenereignis",
"Send custom account data event": "Sende benutzerdefiniertes Kontodatenereignis",
"Remove search filter for %(filter)s": "Entferne Suchfilter für %(filter)s", "Remove search filter for %(filter)s": "Entferne Suchfilter für %(filter)s",
"If you want to retain access to your chat history in encrypted rooms, set up Key Backup or export your message keys from one of your other devices before proceeding.": "Falls du den Zugriff auf deinen Nachrichtenverlauf behalten willst, richte die Schlüsselsicherung ein oder exportiere deine Verschlüsselungsschlüssel von einem deiner Geräte bevor du weiter machst.", "If you want to retain access to your chat history in encrypted rooms, set up Key Backup or export your message keys from one of your other devices before proceeding.": "Falls du den Zugriff auf deinen Nachrichtenverlauf behalten willst, richte die Schlüsselsicherung ein oder exportiere deine Verschlüsselungsschlüssel von einem deiner Geräte bevor du weiter machst.",
"Signing out your devices will delete the message encryption keys stored on them, making encrypted chat history unreadable.": "Das Abmelden deines Geräts wird die Verschlüsselungsschlüssel löschen, woraufhin verschlüsselte Nachrichtenverläufe nicht mehr lesbar sein werden.", "Signing out your devices will delete the message encryption keys stored on them, making encrypted chat history unreadable.": "Das Abmelden deines Geräts wird die Verschlüsselungsschlüssel löschen, woraufhin verschlüsselte Nachrichtenverläufe nicht mehr lesbar sein werden.",
"<b>Tip:</b> Use “%(replyInThread)s” when hovering over a message.": "<b>Tipp:</b> Nutze “%(replyInThread)s” beim Schweben über eine Nachricht.", "<b>Tip:</b> Use “%(replyInThread)s” when hovering over a message.": "<b>Tipp:</b> Nutze “%(replyInThread)s” beim Schweben über eine Nachricht.",
"With free end-to-end encrypted messaging, and unlimited voice and video calls, %(brand)s is a great way to stay in touch.": "Dank freien, Ende-zu-Ende verschlüsselter Kommunikation und unbegrenzten Sprach- und Videoanrufen ist %(brand)s eine großartige Möglichkeit, um in Kontakt zu bleiben.",
"Dont miss a reply or important message": "Verpasse keine Antworten oder wichtigen Nachrichten", "Dont miss a reply or important message": "Verpasse keine Antworten oder wichtigen Nachrichten",
"Make sure people know its really you": "Lass andere wissen, dass du es wirklich bist", "Make sure people know its really you": "Lass andere wissen, dass du es wirklich bist",
"Dont miss a thing by taking %(brand)s with you": "Nimm %(brand)s mit, um nichts mehr zu verpassen", "Dont miss a thing by taking %(brand)s with you": "Nimm %(brand)s mit, um nichts mehr zu verpassen",
@ -3257,12 +3133,9 @@
"Read receipts": "Lesebestätigungen", "Read receipts": "Lesebestätigungen",
"Verify your sessions for enhanced secure messaging or sign out from those you don't recognize or use anymore.": "Für besonders sichere Kommunikation verifiziere deine Sitzungen oder melde dich von ihnen ab, falls du sie nicht mehr identifizieren kannst.", "Verify your sessions for enhanced secure messaging or sign out from those you don't recognize or use anymore.": "Für besonders sichere Kommunikation verifiziere deine Sitzungen oder melde dich von ihnen ab, falls du sie nicht mehr identifizieren kannst.",
"Verify or sign out from this session for best security and reliability.": "Für bestmögliche Sicherheit und Zuverlässigkeit verifiziere diese Sitzung oder melde sie ab.", "Verify or sign out from this session for best security and reliability.": "Für bestmögliche Sicherheit und Zuverlässigkeit verifiziere diese Sitzung oder melde sie ab.",
"Keep ownership and control of community discussion.\nScale to support millions, with powerful moderation and interoperability.": "Verfüge und behalte die Kontrolle über Gespräche deiner Gemeinschaft.\nSkalierbar für Millionen von Nutzenden, mit mächtigen Moderationswerkzeugen und Interoperabilität.",
"Community ownership": "In gemeinschaftlicher Hand",
"Join the room to participate": "Betrete den Raum, um teilzunehmen", "Join the room to participate": "Betrete den Raum, um teilzunehmen",
"Show shortcut to welcome checklist above the room list": "Verknüpfung zu ersten Schritten (Willkommen) anzeigen", "Show shortcut to welcome checklist above the room list": "Verknüpfung zu ersten Schritten (Willkommen) anzeigen",
"Find people": "Finde Personen", "Find people": "Finde Personen",
"Find your people": "Finde deine Leute",
"Its what youre here for, so lets get to it": "Dafür bist du hier, also dann mal los", "Its what youre here for, so lets get to it": "Dafür bist du hier, also dann mal los",
"<b>It's not recommended to add encryption to public rooms.</b> Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.": "<b>Verschlüsselung ist für öffentliche Räume nicht empfohlen.</b> Jeder kann öffentliche Räume finden und betreten, also kann auch jeder die Nachrichten lesen. Du wirst keine der Vorteile von Verschlüsselung erhalten und kannst sie später auch nicht mehr deaktivieren. Nachrichten in öffentlichen Räumen zu verschlüsseln, wird das empfangen und senden verlangsamen.", "<b>It's not recommended to add encryption to public rooms.</b> Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.": "<b>Verschlüsselung ist für öffentliche Räume nicht empfohlen.</b> Jeder kann öffentliche Räume finden und betreten, also kann auch jeder die Nachrichten lesen. Du wirst keine der Vorteile von Verschlüsselung erhalten und kannst sie später auch nicht mehr deaktivieren. Nachrichten in öffentlichen Räumen zu verschlüsseln, wird das empfangen und senden verlangsamen.",
"Empty room (was %(oldName)s)": "Leerer Raum (war %(oldName)s)", "Empty room (was %(oldName)s)": "Leerer Raum (war %(oldName)s)",
@ -3308,9 +3181,7 @@
"Video call ended": "Videoanruf beendet", "Video call ended": "Videoanruf beendet",
"%(name)s started a video call": "%(name)s hat einen Videoanruf begonnen", "%(name)s started a video call": "%(name)s hat einen Videoanruf begonnen",
"Record the client name, version, and url to recognise sessions more easily in session manager": "Bezeichnung, Version und URL der Anwendung registrieren, damit diese Sitzung in der Sitzungsverwaltung besser erkennbar ist", "Record the client name, version, and url to recognise sessions more easily in session manager": "Bezeichnung, Version und URL der Anwendung registrieren, damit diese Sitzung in der Sitzungsverwaltung besser erkennbar ist",
"Application": "Anwendung",
"URL": "URL", "URL": "URL",
"Version": "Version",
"Mobile session": "Mobil-Sitzung", "Mobile session": "Mobil-Sitzung",
"Desktop session": "Desktop-Sitzung", "Desktop session": "Desktop-Sitzung",
"Web session": "Web-Sitzung", "Web session": "Web-Sitzung",
@ -3325,7 +3196,6 @@
"Room info": "Raum-Info", "Room info": "Raum-Info",
"View chat timeline": "Nachrichtenverlauf anzeigen", "View chat timeline": "Nachrichtenverlauf anzeigen",
"Close call": "Anruf schließen", "Close call": "Anruf schließen",
"Model": "Modell",
"Operating system": "Betriebssystem", "Operating system": "Betriebssystem",
"Call type": "Anrufart", "Call type": "Anrufart",
"You do not have sufficient permissions to change this.": "Du hast nicht die erforderlichen Berechtigungen, um dies zu ändern.", "You do not have sufficient permissions to change this.": "Du hast nicht die erforderlichen Berechtigungen, um dies zu ändern.",
@ -3486,22 +3356,9 @@
"All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "Alle Nachrichten und Einladungen der Person werden verborgen. Bist du sicher, dass du sie ignorieren möchtest?", "All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "Alle Nachrichten und Einladungen der Person werden verborgen. Bist du sicher, dass du sie ignorieren möchtest?",
"Ignore %(user)s": "%(user)s ignorieren", "Ignore %(user)s": "%(user)s ignorieren",
"Unable to decrypt voice broadcast": "Entschlüsseln der Sprachübertragung nicht möglich", "Unable to decrypt voice broadcast": "Entschlüsseln der Sprachübertragung nicht möglich",
"Thread Id: ": "Thread-ID: ",
"Threads timeline": "Thread-Verlauf",
"Type: ": "Typ: ",
"ID: ": "ID: ",
"Last event:": "Neuestes Ereignis:",
"Total: ": "Insgesamt: ",
"Main timeline": "Hauptverlauf",
"Room status": "Raumstatus",
"unknown": "unbekannt", "unknown": "unbekannt",
"Red": "Rot", "Red": "Rot",
"Grey": "Grau", "Grey": "Grau",
"Sender: ": "Absender: ",
"No receipt found": "Keine Bestätigung gefunden",
"User read up to: ": "Der Benutzer hat gelesen bis: ",
"Dot: ": "Punkt: ",
"Highlight: ": "Höhepunkt: ",
"Notifications debug": "Debug-Modus für Benachrichtigungen", "Notifications debug": "Debug-Modus für Benachrichtigungen",
"Are you sure you want to stop your live broadcast? This will end the broadcast and the full recording will be available in the room.": "Möchtest du deine Übertragung wirklich beenden? Dies wird die Übertragung abschließen und die vollständige Aufnahme im Raum bereitstellen.", "Are you sure you want to stop your live broadcast? This will end the broadcast and the full recording will be available in the room.": "Möchtest du deine Übertragung wirklich beenden? Dies wird die Übertragung abschließen und die vollständige Aufnahme im Raum bereitstellen.",
"Your email address does not appear to be associated with a Matrix ID on this homeserver.": "Deine E-Mail-Adresse scheint nicht mit einer Matrix-ID auf diesem Heim-Server verknüpft zu sein.", "Your email address does not appear to be associated with a Matrix ID on this homeserver.": "Deine E-Mail-Adresse scheint nicht mit einer Matrix-ID auf diesem Heim-Server verknüpft zu sein.",
@ -3558,16 +3415,8 @@
"Loading polls": "Lade Umfragen", "Loading polls": "Lade Umfragen",
"The sender has blocked you from receiving this message": "Der Absender hat dich vom Erhalt dieser Nachricht ausgeschlossen", "The sender has blocked you from receiving this message": "Der Absender hat dich vom Erhalt dieser Nachricht ausgeschlossen",
"Room directory": "Raumverzeichnis", "Room directory": "Raumverzeichnis",
"Show NSFW content": "NSFW-Inhalte anzeigen",
"Due to decryption errors, some votes may not be counted": "Evtl. werden infolge von Entschlüsselungsfehlern einige Stimmen nicht gezählt", "Due to decryption errors, some votes may not be counted": "Evtl. werden infolge von Entschlüsselungsfehlern einige Stimmen nicht gezählt",
"Ended a poll": "Eine Umfrage beendet", "Ended a poll": "Eine Umfrage beendet",
"Room is <strong>not encrypted 🚨</strong>": "Raum ist <strong>nicht verschlüsselt 🚨</strong>",
"Room is <strong>encrypted ✅</strong>": "Raum ist <strong>verschlüsselt ✅</strong>",
"Notification state is <strong>%(notificationState)s</strong>": "Benachrichtigungsstand ist <strong>%(notificationState)s</strong>",
"Room unread status: <strong>%(status)s</strong>": "Ungelesen-Status im Raum: <strong>%(status)s</strong>",
"Room unread status: <strong>%(status)s</strong>, count: <strong>%(count)s</strong>": {
"other": "Ungelesen-Status im Raum: <strong>%(status)s</strong>, Anzahl: <strong>%(count)s</strong>"
},
"Identity server is <code>%(identityServerUrl)s</code>": "Identitäts-Server ist <code>%(identityServerUrl)s</code>", "Identity server is <code>%(identityServerUrl)s</code>": "Identitäts-Server ist <code>%(identityServerUrl)s</code>",
"Homeserver is <code>%(homeserverUrl)s</code>": "Heim-Server ist <code>%(homeserverUrl)s</code>", "Homeserver is <code>%(homeserverUrl)s</code>": "Heim-Server ist <code>%(homeserverUrl)s</code>",
"Yes, it was me": "Ja, das war ich", "Yes, it was me": "Ja, das war ich",
@ -3624,7 +3473,6 @@
"Formatting": "Formatierung", "Formatting": "Formatierung",
"Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it.": "Konnte die alte Version dieses Raumes nicht finden (Raum-ID: %(roomId)s) und uns wurde „via_servers“ nicht mitgeteilt, um danach zu suchen.", "Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it.": "Konnte die alte Version dieses Raumes nicht finden (Raum-ID: %(roomId)s) und uns wurde „via_servers“ nicht mitgeteilt, um danach zu suchen.",
"Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it. It's possible that guessing the server from the room ID will work. If you want to try, click this link:": "Konnte die alte Version dieses Raumes nicht finden (Raum-ID: %(roomId)s) und uns wurde „via_servers“ nicht mitgeteilt, um danach zu suchen. Es ist möglich, dass das Erraten des Servers basierend auf der Raum-ID funktioniert. Wenn du dies probieren möchtest, klicke auf folgenden Link:", "Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it. It's possible that guessing the server from the room ID will work. If you want to try, click this link:": "Konnte die alte Version dieses Raumes nicht finden (Raum-ID: %(roomId)s) und uns wurde „via_servers“ nicht mitgeteilt, um danach zu suchen. Es ist möglich, dass das Erraten des Servers basierend auf der Raum-ID funktioniert. Wenn du dies probieren möchtest, klicke auf folgenden Link:",
"Start messages with <code>/plain</code> to send without markdown.": "Beginne Nachrichten mit <code>/plain</code>, um sie ohne Markdown zu senden.",
"The add / bind with MSISDN flow is misconfigured": "Das MSISDN-Verknüpfungsverfahren ist falsch konfiguriert", "The add / bind with MSISDN flow is misconfigured": "Das MSISDN-Verknüpfungsverfahren ist falsch konfiguriert",
"No identity access token found": "Kein Identitäts-Zugangs-Token gefunden", "No identity access token found": "Kein Identitäts-Zugangs-Token gefunden",
"Identity server not set": "Kein Identitäts-Server festgelegt", "Identity server not set": "Kein Identitäts-Server festgelegt",
@ -3664,14 +3512,12 @@
"Next group of messages": "Nächste Nachrichtengruppe", "Next group of messages": "Nächste Nachrichtengruppe",
"Exported Data": "Exportierte Daten", "Exported Data": "Exportierte Daten",
"Notification Settings": "Benachrichtigungseinstellungen", "Notification Settings": "Benachrichtigungseinstellungen",
"Show current profile picture and name for users in message history": "Aktuelle Profilbilder und Anzeigenamen im Verlauf anzeigen",
"People, Mentions and Keywords": "Personen, Erwähnungen und Schlüsselwörter", "People, Mentions and Keywords": "Personen, Erwähnungen und Schlüsselwörter",
"<strong>Update:</strong>Weve simplified Notifications Settings to make options easier to find. Some custom settings youve chosen in the past are not shown here, but theyre still active. If you proceed, some of your settings may change. <a>Learn more</a>": "<strong>Aktualisierung:</strong> Wir haben die Benachrichtigungseinstellungen vereinfacht, damit Optionen schneller zu finden sind. Einige benutzerdefinierte Einstellungen werden hier nicht angezeigt, sind aber dennoch aktiv. Wenn du fortfährst, könnten sich einige Einstellungen ändern. <a>Erfahre mehr</a>", "<strong>Update:</strong>Weve simplified Notifications Settings to make options easier to find. Some custom settings youve chosen in the past are not shown here, but theyre still active. If you proceed, some of your settings may change. <a>Learn more</a>": "<strong>Aktualisierung:</strong> Wir haben die Benachrichtigungseinstellungen vereinfacht, damit Optionen schneller zu finden sind. Einige benutzerdefinierte Einstellungen werden hier nicht angezeigt, sind aber dennoch aktiv. Wenn du fortfährst, könnten sich einige Einstellungen ändern. <a>Erfahre mehr</a>",
"Anyone can request to join, but admins or moderators need to grant access. You can change this later.": "Jeder kann Anfragen beizutreten, aber Admins oder Moderatoren müssen dies bestätigen. Du kannst dies später ändern.", "Anyone can request to join, but admins or moderators need to grant access. You can change this later.": "Jeder kann Anfragen beizutreten, aber Admins oder Moderatoren müssen dies bestätigen. Du kannst dies später ändern.",
"This homeserver doesn't offer any login flows that are supported by this client.": "Dieser Heim-Server verfügt über keines von dieser Anwendung unterstütztes Anmeldeverfahren.", "This homeserver doesn't offer any login flows that are supported by this client.": "Dieser Heim-Server verfügt über keines von dieser Anwendung unterstütztes Anmeldeverfahren.",
"Views room with given address": "Raum mit angegebener Adresse betrachten", "Views room with given address": "Raum mit angegebener Adresse betrachten",
"Something went wrong.": "Etwas ist schiefgelaufen.", "Something went wrong.": "Etwas ist schiefgelaufen.",
"Show profile picture changes": "Profilbildänderungen anzeigen",
"Email Notifications": "E-Mail-Benachrichtigungen", "Email Notifications": "E-Mail-Benachrichtigungen",
"Email summary": "E-Mail-Zusammenfassung", "Email summary": "E-Mail-Zusammenfassung",
"Receive an email summary of missed notifications": "E-Mail-Zusammenfassung für verpasste Benachrichtigungen erhalten", "Receive an email summary of missed notifications": "E-Mail-Zusammenfassung für verpasste Benachrichtigungen erhalten",
@ -3710,14 +3556,10 @@
}, },
"Ask to join": "Beitrittsanfragen", "Ask to join": "Beitrittsanfragen",
"Thread Root ID: %(threadRootId)s": "Thread-Ursprungs-ID: %(threadRootId)s", "Thread Root ID: %(threadRootId)s": "Thread-Ursprungs-ID: %(threadRootId)s",
"See history": "Verlauf anzeigen",
"The exported file will allow anyone who can read it to decrypt any encrypted messages that you can see, so you should be careful to keep it secure. To help with this, you should enter a unique passphrase below, which will only be used to encrypt the exported data. It will only be possible to import the data by using the same passphrase.": "Die exportierte Datei erlaubt Unbefugten, jede Nachricht zu entschlüsseln, sei also vorsichtig und halte sie versteckt. Um dies zu verhindern, empfiehlt es sich eine einzigartige Passphrase unten einzugeben, die nur für das Entschlüsseln der exportierten Datei genutzt wird. Es ist nur möglich, diese Datei mit der selben Passphrase zu importieren.", "The exported file will allow anyone who can read it to decrypt any encrypted messages that you can see, so you should be careful to keep it secure. To help with this, you should enter a unique passphrase below, which will only be used to encrypt the exported data. It will only be possible to import the data by using the same passphrase.": "Die exportierte Datei erlaubt Unbefugten, jede Nachricht zu entschlüsseln, sei also vorsichtig und halte sie versteckt. Um dies zu verhindern, empfiehlt es sich eine einzigartige Passphrase unten einzugeben, die nur für das Entschlüsseln der exportierten Datei genutzt wird. Es ist nur möglich, diese Datei mit der selben Passphrase zu importieren.",
"People cannot join unless access is granted.": "Personen können den Raum nur betreten, wenn sie Zutritt erhalten.", "People cannot join unless access is granted.": "Personen können den Raum nur betreten, wenn sie Zutritt erhalten.",
"Upgrade room": "Raum aktualisieren", "Upgrade room": "Raum aktualisieren",
"Great! This passphrase looks strong enough": "Super! Diese Passphrase wirkt stark genug", "Great! This passphrase looks strong enough": "Super! Diese Passphrase wirkt stark genug",
"User read up to (ignoreSynthetic): ": "Der Benutzer hat gelesen bis (ignoreSynthetic): ",
"User read up to (m.read.private): ": "Benutzer las bis (m.read.private): ",
"User read up to (m.read.private;ignoreSynthetic): ": "Benutzer las bis (m.read.private;ignoreSynthetic): ",
"Other spaces you know": "Andere dir bekannte Spaces", "Other spaces you know": "Andere dir bekannte Spaces",
"Ask to join %(roomName)s?": "Beitrittsanfrage für %(roomName)s stellen?", "Ask to join %(roomName)s?": "Beitrittsanfrage für %(roomName)s stellen?",
"You need to be granted access to this room in order to view or participate in the conversation. You can send a request to join below.": "Du benötigst eine Beitrittsberechtigung, um den Raum betrachten oder an der Unterhaltung teilnehmen zu können. Du kannst nachstehend eine Beitrittsanfrage stellen.", "You need to be granted access to this room in order to view or participate in the conversation. You can send a request to join below.": "Du benötigst eine Beitrittsberechtigung, um den Raum betrachten oder an der Unterhaltung teilnehmen zu können. Du kannst nachstehend eine Beitrittsanfrage stellen.",
@ -3786,21 +3628,38 @@
"beta": "Beta", "beta": "Beta",
"attachment": "Anhang", "attachment": "Anhang",
"appearance": "Erscheinungsbild", "appearance": "Erscheinungsbild",
"guest": "Gast",
"legal": "Rechtliches",
"credits": "Danksagungen",
"faq": "Häufige Fragen",
"access_token": "Zugriffstoken",
"preferences": "Optionen",
"presence": "Anwesenheit",
"timeline": "Verlauf", "timeline": "Verlauf",
"privacy": "Privatsphäre",
"camera": "Kamera",
"microphone": "Mikrofon",
"emoji": "Emojis",
"random": "Ohne Thema",
"support": "Unterstützung", "support": "Unterstützung",
"space": "Space" "space": "Space",
"random": "Ohne Thema",
"privacy": "Privatsphäre",
"presence": "Anwesenheit",
"preferences": "Optionen",
"microphone": "Mikrofon",
"legal": "Rechtliches",
"guest": "Gast",
"faq": "Häufige Fragen",
"emoji": "Emojis",
"credits": "Danksagungen",
"camera": "Kamera",
"access_token": "Zugriffstoken",
"someone": "Jemand",
"welcome": "Willkommen",
"encrypted": "Verschlüsseln",
"application": "Anwendung",
"version": "Version",
"device": "Gerät",
"model": "Modell",
"verified": "Verifiziert",
"unverified": "Nicht verifiziert",
"matrix": "Matrix",
"ios": "iOS",
"android": "Android",
"trusted": "Vertrauenswürdig",
"not_trusted": "Nicht vertrauenswürdig",
"accessibility": "Barrierefreiheit",
"capabilities": "Funktionen",
"server": "Server"
}, },
"action": { "action": {
"continue": "Fortfahren", "continue": "Fortfahren",
@ -3873,24 +3732,35 @@
"apply": "Anwenden", "apply": "Anwenden",
"add": "Hinzufügen", "add": "Hinzufügen",
"accept": "Annehmen", "accept": "Annehmen",
"disconnect": "Trennen",
"change": "Ändern",
"subscribe": "Abonnieren",
"unsubscribe": "Deabonnieren",
"approve": "Zustimmen",
"deny": "Ablehnen",
"proceed": "Fortfahren",
"complete": "Abschließen",
"revoke": "Widerrufen",
"rename": "Umbenennen",
"view_all": "Alles anzeigen", "view_all": "Alles anzeigen",
"unsubscribe": "Deabonnieren",
"subscribe": "Abonnieren",
"show_all": "Alles zeigen", "show_all": "Alles zeigen",
"show": "Zeigen", "show": "Zeigen",
"revoke": "Widerrufen",
"review": "Überprüfen", "review": "Überprüfen",
"restore": "Wiederherstellen", "restore": "Wiederherstellen",
"rename": "Umbenennen",
"register": "Registrieren",
"proceed": "Fortfahren",
"play": "Abspielen", "play": "Abspielen",
"pause": "Pause", "pause": "Pause",
"register": "Registrieren" "disconnect": "Trennen",
"deny": "Ablehnen",
"complete": "Abschließen",
"change": "Ändern",
"approve": "Zustimmen",
"manage": "Verwalten",
"go": "Los",
"import": "Importieren",
"export": "Exportieren",
"refresh": "Neu laden",
"minimise": "Minimieren",
"maximise": "Maximieren",
"mention": "Erwähnen",
"submit": "Absenden",
"send_report": "Bericht senden",
"clear": "Löschen"
}, },
"a11y": { "a11y": {
"user_menu": "Benutzermenü" "user_menu": "Benutzermenü"
@ -3978,8 +3848,8 @@
"restricted": "Eingeschränkt", "restricted": "Eingeschränkt",
"moderator": "Moderator", "moderator": "Moderator",
"admin": "Admin", "admin": "Admin",
"custom": "Benutzerdefiniert (%(level)s)", "mod": "Moderator",
"mod": "Moderator" "custom": "Benutzerdefiniert (%(level)s)"
}, },
"bug_reporting": { "bug_reporting": {
"introduction": "Wenn du uns einen Bug auf GitHub gemeldet hast, können uns Debug-Logs helfen, das Problem zu finden. ", "introduction": "Wenn du uns einen Bug auf GitHub gemeldet hast, können uns Debug-Logs helfen, das Problem zu finden. ",
@ -4004,6 +3874,142 @@
"short_seconds": "%(value)ss", "short_seconds": "%(value)ss",
"short_days_hours_minutes_seconds": "%(days)s d %(hours)s h %(minutes)s m %(seconds)s s", "short_days_hours_minutes_seconds": "%(days)s d %(hours)s h %(minutes)s m %(seconds)s s",
"short_hours_minutes_seconds": "%(hours)s h %(minutes)s m %(seconds)s s", "short_hours_minutes_seconds": "%(hours)s h %(minutes)s m %(seconds)s s",
"short_minutes_seconds": "%(minutes)s m %(seconds)s s" "short_minutes_seconds": "%(minutes)s m %(seconds)s s",
"last_week": "Letzte Woche",
"last_month": "Letzter Monat"
},
"onboarding": {
"personal_messaging_title": "Sichere Kommunikation für Freunde und Familie",
"free_e2ee_messaging_unlimited_voip": "Dank freien, Ende-zu-Ende verschlüsselter Kommunikation und unbegrenzten Sprach- und Videoanrufen ist %(brand)s eine großartige Möglichkeit, um in Kontakt zu bleiben.",
"personal_messaging_action": "Beginne eine Unterhaltung",
"work_messaging_title": "Sichere Kommunikation für die Arbeit",
"work_messaging_action": "Finde deine Kollegen",
"community_messaging_title": "In gemeinschaftlicher Hand",
"community_messaging_action": "Finde deine Leute",
"welcome_to_brand": "Willkommen bei %(brand)s",
"only_n_steps_to_go": {
"one": "Nur noch %(count)s Schritt",
"other": "Nur noch %(count)s Schritte"
},
"you_did_it": "Geschafft!",
"complete_these": "Vervollständige sie für die beste %(brand)s-Erfahrung",
"community_messaging_description": "Verfüge und behalte die Kontrolle über Gespräche deiner Gemeinschaft.\nSkalierbar für Millionen von Nutzenden, mit mächtigen Moderationswerkzeugen und Interoperabilität."
},
"devtools": {
"send_custom_account_data_event": "Sende benutzerdefiniertes Kontodatenereignis",
"send_custom_room_account_data_event": "Sende benutzerdefiniertes Raumdatenereignis",
"event_type": "Eventtyp",
"state_key": "Statusschlüssel",
"invalid_json": "Scheint kein gültiges JSON zu sein.",
"failed_to_send": "Übertragung des Ereignisses fehlgeschlagen!",
"event_sent": "Ereignis gesendet!",
"event_content": "Ereignisinhalt",
"user_read_up_to": "Der Benutzer hat gelesen bis: ",
"no_receipt_found": "Keine Bestätigung gefunden",
"user_read_up_to_ignore_synthetic": "Der Benutzer hat gelesen bis (ignoreSynthetic): ",
"user_read_up_to_private": "Benutzer las bis (m.read.private): ",
"user_read_up_to_private_ignore_synthetic": "Benutzer las bis (m.read.private;ignoreSynthetic): ",
"room_status": "Raumstatus",
"room_unread_status_count": {
"other": "Ungelesen-Status im Raum: <strong>%(status)s</strong>, Anzahl: <strong>%(count)s</strong>"
},
"notification_state": "Benachrichtigungsstand ist <strong>%(notificationState)s</strong>",
"room_encrypted": "Raum ist <strong>verschlüsselt ✅</strong>",
"room_not_encrypted": "Raum ist <strong>nicht verschlüsselt 🚨</strong>",
"main_timeline": "Hauptverlauf",
"threads_timeline": "Thread-Verlauf",
"room_notifications_total": "Insgesamt: ",
"room_notifications_highlight": "Höhepunkt: ",
"room_notifications_dot": "Punkt: ",
"room_notifications_last_event": "Neuestes Ereignis:",
"room_notifications_type": "Typ: ",
"room_notifications_sender": "Absender: ",
"room_notifications_thread_id": "Thread-ID: ",
"spaces": {
"one": "<Leerzeichen>",
"other": "<%(count)s Leerzeichen>"
},
"empty_string": "<Leere Zeichenkette>",
"room_unread_status": "Ungelesen-Status im Raum: <strong>%(status)s</strong>",
"id": "ID: ",
"send_custom_state_event": "Benutzerdefiniertes Status-Event senden",
"see_history": "Verlauf anzeigen",
"failed_to_load": "Fehler beim Laden.",
"client_versions": "Anwendungsversionen",
"server_versions": "Server-Versionen",
"number_of_users": "Benutzeranzahl",
"failed_to_save": "Speichern der Einstellungen fehlgeschlagen.",
"save_setting_values": "Einstellungswerte speichern",
"setting_colon": "Einstellung:",
"caution_colon": "Vorsicht:",
"use_at_own_risk": "Diese Benutzeroberfläche prüft nicht auf richtige Datentypen. Benutzung auf eigene Gefahr.",
"setting_definition": "Definition der Einstellung:",
"level": "Level",
"settable_global": "Global einstellbar",
"settable_room": "Für den Raum einstellbar",
"values_explicit": "Werte für explizite Stufen",
"values_explicit_room": "Werte für explizite Stufen in diesem Raum",
"edit_values": "Werte bearbeiten",
"value_colon": "Wert:",
"value_this_room_colon": "Wert in diesem Raum:",
"values_explicit_colon": "Werte für explizite Stufen:",
"values_explicit_this_room_colon": "Werte für explizite Stufen in diesem Raum:",
"setting_id": "Einstellungs-ID",
"value": "Wert",
"value_in_this_room": "Wert in diesem Raum",
"edit_setting": "Einstellung bearbeiten",
"phase_requested": "Angefragt",
"phase_ready": "Bereit",
"phase_started": "Gestartet",
"phase_cancelled": "Abgebrochen",
"phase_transaction": "Transaktion",
"phase": "Phase",
"timeout": "Zeitüberschreitung",
"methods": "Methoden",
"requester": "Anforderer",
"observe_only": "Nur beobachten",
"no_verification_requests_found": "Keine Verifizierungsanfrage gefunden",
"failed_to_find_widget": "Fehler beim Finden dieses Widgets."
},
"settings": {
"show_breadcrumbs": "Kürzlich besuchte Räume anzeigen",
"all_rooms_home_description": "Alle Räume, denen du beigetreten bist, werden auf der Startseite erscheinen.",
"use_command_f_search": "Nutze Command + F um den Verlauf zu durchsuchen",
"use_control_f_search": "Nutze Strg + F, um den Verlauf zu durchsuchen",
"use_12_hour_format": "Uhrzeiten im 12-Stundenformat (z. B. 2:30 p. m.)",
"always_show_message_timestamps": "Nachrichtenzeitstempel immer anzeigen",
"send_read_receipts": "Sende Lesebestätigungen",
"send_typing_notifications": "Tippbenachrichtigungen senden",
"replace_plain_emoji": "Klartext-Emoji automatisch ersetzen",
"enable_markdown": "Markdown aktivieren",
"emoji_autocomplete": "Emoji-Vorschläge während Eingabe",
"use_command_enter_send_message": "Benutze Betriebssystemtaste + Eingabe um eine Nachricht zu senden",
"use_control_enter_send_message": "Nutze Strg + Enter, um Nachrichten zu senden",
"all_rooms_home": "Alle Räume auf Startseite anzeigen",
"enable_markdown_description": "Beginne Nachrichten mit <code>/plain</code>, um sie ohne Markdown zu senden.",
"show_stickers_button": "Sticker-Schaltfläche",
"insert_trailing_colon_mentions": "Doppelpunkt nach Erwähnungen einfügen",
"automatic_language_detection_syntax_highlight": "Automatische Spracherkennung für die Syntaxhervorhebung",
"code_block_expand_default": "Quelltextblöcke standardmäßig erweitern",
"code_block_line_numbers": "Zeilennummern in Quelltextblöcken",
"inline_url_previews_default": "URL-Vorschau standardmäßig aktivieren",
"autoplay_gifs": "GIFs automatisch abspielen",
"autoplay_videos": "Videos automatisch abspielen",
"image_thumbnails": "Vorschauen für Bilder",
"show_typing_notifications": "Tippbenachrichtigungen anzeigen",
"show_redaction_placeholder": "Platzhalter für gelöschte Nachrichten",
"show_read_receipts": "Lesebestätigungen von anderen Benutzern anzeigen",
"show_join_leave": "Bei-/Austrittsnachrichten (Einladung/Entfernen/Bann nicht betroffen)",
"show_displayname_changes": "Änderungen von Anzeigenamen",
"show_chat_effects": "Effekte bei manchen Emojis (z. B. Konfetti)",
"show_avatar_changes": "Profilbildänderungen anzeigen",
"big_emoji": "Große Emojis im Verlauf anzeigen",
"jump_to_bottom_on_send": "Nach Senden einer Nachricht im Verlauf nach unten springen",
"disable_historical_profile": "Aktuelle Profilbilder und Anzeigenamen im Verlauf anzeigen",
"show_nsfw_content": "NSFW-Inhalte anzeigen",
"prompt_invite": "Warnen, bevor du Einladungen zu ungültigen Matrix-IDs sendest",
"hardware_acceleration": "Hardwarebeschleunigung aktivieren (Neustart von %(appName)s erforderlich)",
"start_automatically": "Nach Systemstart automatisch starten",
"warn_quit": "Vor Beenden warnen"
} }
} }

View file

@ -17,7 +17,6 @@
"Are you sure you want to leave the room '%(roomName)s'?": "Είστε σίγουροι ότι θέλετε να αποχωρήσετε από το δωμάτιο '%(roomName)s';", "Are you sure you want to leave the room '%(roomName)s'?": "Είστε σίγουροι ότι θέλετε να αποχωρήσετε από το δωμάτιο '%(roomName)s';",
"Are you sure you want to reject the invitation?": "Είστε σίγουροι ότι θέλετε να απορρίψετε την πρόσκληση;", "Are you sure you want to reject the invitation?": "Είστε σίγουροι ότι θέλετε να απορρίψετε την πρόσκληση;",
"%(items)s and %(lastItem)s": "%(items)s και %(lastItem)s", "%(items)s and %(lastItem)s": "%(items)s και %(lastItem)s",
"Always show message timestamps": "Εμφάνιση πάντα της ένδειξης ώρας στα μηνύματα",
"and %(count)s others...": { "and %(count)s others...": {
"one": "και ένας ακόμα...", "one": "και ένας ακόμα...",
"other": "και %(count)s άλλοι..." "other": "και %(count)s άλλοι..."
@ -40,7 +39,6 @@
"Email": "Ηλεκτρονική διεύθυνση", "Email": "Ηλεκτρονική διεύθυνση",
"Email address": "Ηλεκτρονική διεύθυνση", "Email address": "Ηλεκτρονική διεύθυνση",
"Error decrypting attachment": "Σφάλμα κατά την αποκρυπτογράφηση της επισύναψης", "Error decrypting attachment": "Σφάλμα κατά την αποκρυπτογράφηση της επισύναψης",
"Export": "Εξαγωγή",
"Export E2E room keys": "Εξαγωγή κλειδιών κρυπτογράφησης για το δωμάτιο", "Export E2E room keys": "Εξαγωγή κλειδιών κρυπτογράφησης για το δωμάτιο",
"Failed to change password. Is your password correct?": "Δεν ήταν δυνατή η αλλαγή του κωδικού πρόσβασης. Είναι σωστός ο κωδικός πρόσβασης;", "Failed to change password. Is your password correct?": "Δεν ήταν δυνατή η αλλαγή του κωδικού πρόσβασης. Είναι σωστός ο κωδικός πρόσβασης;",
"Failed to mute user": "Δεν ήταν δυνατή η σίγαση του χρήστη", "Failed to mute user": "Δεν ήταν δυνατή η σίγαση του χρήστη",
@ -53,7 +51,6 @@
"For security, this session has been signed out. Please sign in again.": "Για λόγους ασφαλείας, αυτή η συνεδρία έχει τερματιστεί. Παρακαλούμε συνδεθείτε ξανά.", "For security, this session has been signed out. Please sign in again.": "Για λόγους ασφαλείας, αυτή η συνεδρία έχει τερματιστεί. Παρακαλούμε συνδεθείτε ξανά.",
"Hangup": "Κλείσιμο", "Hangup": "Κλείσιμο",
"Historical": "Ιστορικό", "Historical": "Ιστορικό",
"Import": "Εισαγωγή",
"Import E2E room keys": "Εισαγωγή κλειδιών E2E", "Import E2E room keys": "Εισαγωγή κλειδιών E2E",
"Incorrect username and/or password.": "Λανθασμένο όνομα χρήστη και/ή κωδικός.", "Incorrect username and/or password.": "Λανθασμένο όνομα χρήστη και/ή κωδικός.",
"Incorrect verification code": "Λανθασμένος κωδικός επαλήθευσης", "Incorrect verification code": "Λανθασμένος κωδικός επαλήθευσης",
@ -79,7 +76,6 @@
"Search failed": "Η αναζήτηση απέτυχε", "Search failed": "Η αναζήτηση απέτυχε",
"Server error": "Σφάλμα διακομιστή", "Server error": "Σφάλμα διακομιστή",
"Signed Out": "Αποσυνδέθηκε", "Signed Out": "Αποσυνδέθηκε",
"Someone": "Κάποιος",
"This email address is already in use": "Η διεύθυνση ηλ. αλληλογραφίας χρησιμοποιείται ήδη", "This email address is already in use": "Η διεύθυνση ηλ. αλληλογραφίας χρησιμοποιείται ήδη",
"This email address was not found": "Δεν βρέθηκε η διεύθυνση ηλ. αλληλογραφίας", "This email address was not found": "Δεν βρέθηκε η διεύθυνση ηλ. αλληλογραφίας",
"Create new room": "Δημιουργία νέου δωματίου", "Create new room": "Δημιουργία νέου δωματίου",
@ -102,7 +98,6 @@
"%(senderDisplayName)s sent an image.": "Ο %(senderDisplayName)s έστειλε μια φωτογραφία.", "%(senderDisplayName)s sent an image.": "Ο %(senderDisplayName)s έστειλε μια φωτογραφία.",
"Session ID": "Αναγνωριστικό συνεδρίας", "Session ID": "Αναγνωριστικό συνεδρίας",
"Start authentication": "Έναρξη πιστοποίησης", "Start authentication": "Έναρξη πιστοποίησης",
"Submit": "Υποβολή",
"This room has no local addresses": "Αυτό το δωμάτιο δεν έχει τοπικές διευθύνσεις", "This room has no local addresses": "Αυτό το δωμάτιο δεν έχει τοπικές διευθύνσεις",
"This doesn't appear to be a valid email address": "Δεν μοιάζει με μια έγκυρη διεύθυνση ηλεκτρονικής αλληλογραφίας", "This doesn't appear to be a valid email address": "Δεν μοιάζει με μια έγκυρη διεύθυνση ηλεκτρονικής αλληλογραφίας",
"This phone number is already in use": "Αυτός ο αριθμός τηλεφώνου είναι ήδη σε χρήση", "This phone number is already in use": "Αυτός ο αριθμός τηλεφώνου είναι ήδη σε χρήση",
@ -148,7 +143,6 @@
"other": "(~%(count)s αποτελέσματα)" "other": "(~%(count)s αποτελέσματα)"
}, },
"New Password": "Νέος κωδικός πρόσβασης", "New Password": "Νέος κωδικός πρόσβασης",
"Start automatically after system login": "Αυτόματη έναρξη μετά τη σύνδεση",
"Passphrases must match": "Δεν ταιριάζουν τα συνθηματικά", "Passphrases must match": "Δεν ταιριάζουν τα συνθηματικά",
"Passphrase must not be empty": "Το συνθηματικό δεν πρέπει να είναι κενό", "Passphrase must not be empty": "Το συνθηματικό δεν πρέπει να είναι κενό",
"Export room keys": "Εξαγωγή κλειδιών δωματίου", "Export room keys": "Εξαγωγή κλειδιών δωματίου",
@ -224,7 +218,6 @@
"You must join the room to see its files": "Πρέπει να συνδεθείτε στο δωμάτιο για να δείτε τα αρχεία του", "You must join the room to see its files": "Πρέπει να συνδεθείτε στο δωμάτιο για να δείτε τα αρχεία του",
"Reject all %(invitedRooms)s invites": "Απόρριψη όλων των προσκλήσεων %(invitedRooms)s", "Reject all %(invitedRooms)s invites": "Απόρριψη όλων των προσκλήσεων %(invitedRooms)s",
"Deops user with given id": "Deop χρήστη με το συγκεκριμένο αναγνωριστικό", "Deops user with given id": "Deop χρήστη με το συγκεκριμένο αναγνωριστικό",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Εμφάνιση χρονικών σημάνσεων σε 12ωρη μορφή ώρας (π.χ. 2:30 μ.μ.)",
"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.": "Δεν θα μπορέσετε να αναιρέσετε αυτήν την αλλαγή καθώς προωθείτε τον χρήστη να έχει το ίδιο επίπεδο δύναμης με τον εαυτό σας.",
"Sent messages will be stored until your connection has returned.": "Τα απεσταλμένα μηνύματα θα αποθηκευτούν μέχρι να αακτηθεί η σύνδεσή σας.", "Sent messages will be stored until your connection has returned.": "Τα απεσταλμένα μηνύματα θα αποθηκευτούν μέχρι να αακτηθεί η σύνδεσή σας.",
"Failed to load timeline position": "Δεν ήταν δυνατή η φόρτωση της θέσης του χρονολόγιου", "Failed to load timeline position": "Δεν ήταν δυνατή η φόρτωση της θέσης του χρονολόγιου",
@ -297,7 +290,6 @@
"%(widgetName)s widget added by %(senderName)s": "Προστέθηκε η μικροεφαρμογή %(widgetName)s από τον/την %(senderName)s", "%(widgetName)s widget added by %(senderName)s": "Προστέθηκε η μικροεφαρμογή %(widgetName)s από τον/την %(senderName)s",
"%(widgetName)s widget removed by %(senderName)s": "Η μικροεφαρμογή %(widgetName)s αφαιρέθηκε από τον/την %(senderName)s", "%(widgetName)s widget removed by %(senderName)s": "Η μικροεφαρμογή %(widgetName)s αφαιρέθηκε από τον/την %(senderName)s",
"Enable URL previews for this room (only affects you)": "Ενεργοποίηση προεπισκόπισης URL για αυτό το δωμάτιο (επηρεάζει μόνο εσάς)", "Enable URL previews for this room (only affects you)": "Ενεργοποίηση προεπισκόπισης URL για αυτό το δωμάτιο (επηρεάζει μόνο εσάς)",
"Mention": "Αναφορά",
"Send an encrypted reply…": "Αποστολή κρυπτογραφημένης απάντησης…", "Send an encrypted reply…": "Αποστολή κρυπτογραφημένης απάντησης…",
"Send an encrypted message…": "Αποστολή κρυπτογραφημένου μηνύματος…", "Send an encrypted message…": "Αποστολή κρυπτογραφημένου μηνύματος…",
"%(duration)ss": "%(duration)sδ", "%(duration)ss": "%(duration)sδ",
@ -828,7 +820,6 @@
"Verify the link in your inbox": "Επαληθεύστε τον σύνδεσμο στα εισερχόμενα σας", "Verify the link in your inbox": "Επαληθεύστε τον σύνδεσμο στα εισερχόμενα σας",
"Your email address hasn't been verified yet": "Η διεύθυνση email σας δεν έχει επαληθευτεί ακόμα", "Your email address hasn't been verified yet": "Η διεύθυνση email σας δεν έχει επαληθευτεί ακόμα",
"Unable to share email address": "Δεν είναι δυνατή η κοινή χρήση της διεύθυνσης email", "Unable to share email address": "Δεν είναι δυνατή η κοινή χρήση της διεύθυνσης email",
"Encrypted": "Κρυπτογραφημένο",
"Once enabled, encryption cannot be disabled.": "Αφού ενεργοποιηθεί, η κρυπτογράφηση δεν μπορεί να απενεργοποιηθεί.", "Once enabled, encryption cannot be disabled.": "Αφού ενεργοποιηθεί, η κρυπτογράφηση δεν μπορεί να απενεργοποιηθεί.",
"To avoid these issues, create a <a>new public room</a> for the conversation you plan to have.": "Για να αποφύγετε αυτά τα ζητήματα, δημιουργήστε ένα <a>νέο δημόσιο δωμάτιο</a> για τη συνομιλία που σκοπεύετε να έχετε.", "To avoid these issues, create a <a>new public room</a> for the conversation you plan to have.": "Για να αποφύγετε αυτά τα ζητήματα, δημιουργήστε ένα <a>νέο δημόσιο δωμάτιο</a> για τη συνομιλία που σκοπεύετε να έχετε.",
"Are you sure you want to make this encrypted room public?": "Είστε βέβαιοι ότι θέλετε να κάνετε δημόσιο αυτό το κρυπτογραφημένο δωμάτιο;", "Are you sure you want to make this encrypted room public?": "Είστε βέβαιοι ότι θέλετε να κάνετε δημόσιο αυτό το κρυπτογραφημένο δωμάτιο;",
@ -891,10 +882,8 @@
"Click to copy": "Κλικ για αντιγραφή", "Click to copy": "Κλικ για αντιγραφή",
"Show all rooms": "Εμφάνιση όλων των δωματίων", "Show all rooms": "Εμφάνιση όλων των δωματίων",
"Developer mode": "Λειτουργία για προγραμματιστές", "Developer mode": "Λειτουργία για προγραμματιστές",
"Show all rooms in Home": "Εμφάνιση όλων των δωματίων στην Αρχική",
"Enable message search in encrypted rooms": "Ενεργοποίηση αναζήτησης μηνυμάτων σε κρυπτογραφημένα δωμάτια", "Enable message search in encrypted rooms": "Ενεργοποίηση αναζήτησης μηνυμάτων σε κρυπτογραφημένα δωμάτια",
"Show hidden events in timeline": "Εμφάνιση κρυφών συμβάντων στη γραμμή χρόνου", "Show hidden events in timeline": "Εμφάνιση κρυφών συμβάντων στη γραμμή χρόνου",
"Show shortcuts to recently viewed rooms above the room list": "Εμφάνιση συντομεύσεων σε δωμάτια που προβλήθηκαν πρόσφατα πάνω από τη λίστα δωματίων",
"Never send encrypted messages to unverified sessions in this room from this session": "Μη στέλνετε ποτέ κρυπτογραφημένα μηνύματα σε μη επαληθευμένες συνεδρίες σε αυτό το δωμάτιο από αυτή τη συνεδρία", "Never send encrypted messages to unverified sessions in this room from this session": "Μη στέλνετε ποτέ κρυπτογραφημένα μηνύματα σε μη επαληθευμένες συνεδρίες σε αυτό το δωμάτιο από αυτή τη συνεδρία",
"Never send encrypted messages to unverified sessions from this session": "Μη στέλνετε ποτέ κρυπτογραφημένα μηνύματα σε μη επαληθευμένες συνεδρίες από αυτήν τη συνεδρία", "Never send encrypted messages to unverified sessions from this session": "Μη στέλνετε ποτέ κρυπτογραφημένα μηνύματα σε μη επαληθευμένες συνεδρίες από αυτήν τη συνεδρία",
"Send analytics data": "Αποστολή δεδομένων αναλυτικών στοιχείων", "Send analytics data": "Αποστολή δεδομένων αναλυτικών στοιχείων",
@ -1139,41 +1128,16 @@
"That's fine": "Είναι εντάξει", "That's fine": "Είναι εντάξει",
"File Attached": "Tο αρχείο επισυνάφθηκε", "File Attached": "Tο αρχείο επισυνάφθηκε",
"Surround selected text when typing special characters": "Περιτριγυριστείτε το επιλεγμένο κείμενο κατά την πληκτρολόγηση ειδικών χαρακτήρων", "Surround selected text when typing special characters": "Περιτριγυριστείτε το επιλεγμένο κείμενο κατά την πληκτρολόγηση ειδικών χαρακτήρων",
"Use Ctrl + Enter to send a message": "Χρησιμοποιήστε Ctrl + Enter για να στείλετε ένα μήνυμα",
"Use Command + Enter to send a message": "Χρησιμοποιήστε Command + Enter για να στείλετε ένα μήνυμα",
"Use Ctrl + F to search timeline": "Χρησιμοποιήστε τα πλήκτρα Ctrl + F για αναζήτηση στο χρονοδιάγραμμα",
"Use Command + F to search timeline": "Χρησιμοποιήστε το Command + F για αναζήτηση στο χρονοδιάγραμμα",
"Show typing notifications": "Εμφάνιση ειδοποιήσεων πληκτρολόγησης",
"Send typing notifications": "Αποστολή ειδοποιήσεων πληκτρολόγησης",
"Enable big emoji in chat": "Ενεργοποίηση μεγάλων emoji στη συνομιλία",
"Jump to the bottom of the timeline when you send a message": "Μεταβείτε στο τέλος του χρονοδιαγράμματος όταν στέλνετε ένα μήνυμα",
"Show line numbers in code blocks": "Εμφάνιση αριθμών γραμμής σε μπλοκ κώδικα",
"Expand code blocks by default": "Αναπτύξτε τα μπλοκ κώδικα από προεπιλογή",
"Enable automatic language detection for syntax highlighting": "Ενεργοποίηση αυτόματης ανίχνευσης γλώσσας για επισήμανση σύνταξης",
"Autoplay videos": "Αυτόματη αναπαραγωγή videos",
"Autoplay GIFs": "Αυτόματη αναπαραγωγή GIFs",
"Show read receipts sent by other users": "Εμφάνιση αποδείξεων ανάγνωσης που έχουν αποσταλεί από άλλους χρήστες",
"Show display name changes": "Εμφάνιση αλλαγών εμφανιζόμενου ονόματος",
"Show join/leave messages (invites/removes/bans unaffected)": "Εμφάνιση μηνυμάτων συμμετοχής/αποχώρησης (προσκλήσεις/αφαιρέσεις/απαγορεύσεις δεν επηρεάζονται)",
"Show a placeholder for removed messages": "Εμφάνιση πλαισίου θέσης για μηνύματα που έχουν αφαιρεθεί",
"Use a more compact 'Modern' layout": "Χρησιμοποιήστε μια πιο συμπαγή \"Μοντέρνα\" διάταξη", "Use a more compact 'Modern' layout": "Χρησιμοποιήστε μια πιο συμπαγή \"Μοντέρνα\" διάταξη",
"Insert a trailing colon after user mentions at the start of a message": "Εισαγάγετε άνω και κάτω τελεία μετά την αναφορά του χρήστη στην αρχή ενός μηνύματος",
"Show polls button": "Εμφάνιση κουμπιού δημοσκοπήσεων", "Show polls button": "Εμφάνιση κουμπιού δημοσκοπήσεων",
"Show stickers button": "Εμφάνιση κουμπιού αυτοκόλλητων",
"Enable Emoji suggestions while typing": "Ενεργοποιήστε τις προτάσεις Emoji κατά την πληκτρολόγηση",
"Media omitted": "Τα μέσα παραλείφθηκαν", "Media omitted": "Τα μέσα παραλείφθηκαν",
"Enable widget screenshots on supported widgets": "Ενεργοποίηση στιγμιότυπων οθόνης μικροεφαρμογών σε υποστηριζόμενες μικροεφαρμογές", "Enable widget screenshots on supported widgets": "Ενεργοποίηση στιγμιότυπων οθόνης μικροεφαρμογών σε υποστηριζόμενες μικροεφαρμογές",
"Enable URL previews by default for participants in this room": "Ενεργοποιήστε τις προεπισκοπήσεις URL από προεπιλογή για τους συμμετέχοντες σε αυτό το δωμάτιο", "Enable URL previews by default for participants in this room": "Ενεργοποιήστε τις προεπισκοπήσεις URL από προεπιλογή για τους συμμετέχοντες σε αυτό το δωμάτιο",
"Enable inline URL previews by default": "Ενεργοποιήστε τις ενσωματωμένες προεπισκοπήσεις URL από προεπιλογή",
"Match system theme": "Αντιστοίχιση θέματος συστήματος", "Match system theme": "Αντιστοίχιση θέματος συστήματος",
"Mirror local video feed": "Αντικατοπτρίστε την τοπική ροή βίντεο", "Mirror local video feed": "Αντικατοπτρίστε την τοπική ροή βίντεο",
"Automatically replace plain text Emoji": "Αυτόματη αντικατάσταση απλού κειμένου Emoji",
"All rooms you're in will appear in Home.": "Όλα τα δωμάτια στα οποία συμμετέχετε θα εμφανίζονται στην Αρχική σελίδα.",
"Show chat effects (animations when receiving e.g. confetti)": "Εμφάνιση εφέ συνομιλίας (κινούμενα σχέδια κατά τη λήψη π.χ. κομφετί)",
"IRC display name width": "Πλάτος εμφανιζόμενου ονόματος IRC", "IRC display name width": "Πλάτος εμφανιζόμενου ονόματος IRC",
"Manually verify all remote sessions": "Επαληθεύστε χειροκίνητα όλες τις απομακρυσμένες συνεδρίες", "Manually verify all remote sessions": "Επαληθεύστε χειροκίνητα όλες τις απομακρυσμένες συνεδρίες",
"How fast should messages be downloaded.": "Πόσο γρήγορα πρέπει να γίνεται λήψη των μηνυμάτων.", "How fast should messages be downloaded.": "Πόσο γρήγορα πρέπει να γίνεται λήψη των μηνυμάτων.",
"Show previews/thumbnails for images": "Εμφάνιση προεπισκοπήσεων/μικρογραφιών για εικόνες",
"Pizza": "Πίτσα", "Pizza": "Πίτσα",
"Corn": "Καλαμπόκι", "Corn": "Καλαμπόκι",
"Strawberry": "Φράουλα", "Strawberry": "Φράουλα",
@ -1350,7 +1314,6 @@
"Rocket": "Πύραυλος", "Rocket": "Πύραυλος",
"%(peerName)s held the call": "%(peerName)s έβαλε την κλήση σε αναμονή", "%(peerName)s held the call": "%(peerName)s έβαλε την κλήση σε αναμονή",
"Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "Συμβουλευτική με %(transferTarget)s. <a>Μεταφορά στο %(transferee)s</a>", "Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "Συμβουλευτική με %(transferTarget)s. <a>Μεταφορά στο %(transferee)s</a>",
"Prompt before sending invites to potentially invalid matrix IDs": "Ερώτηση πριν από την αποστολή προσκλήσεων σε δυνητικά μη έγκυρα αναγνωριστικά matrix",
"Effects": "Εφέ", "Effects": "Εφέ",
"Backup key cached:": "Αποθηκευμένο εφεδρικό κλειδί στην κρυφή μνήμη:", "Backup key cached:": "Αποθηκευμένο εφεδρικό κλειδί στην κρυφή μνήμη:",
"not stored": "μη αποθηκευμένο", "not stored": "μη αποθηκευμένο",
@ -1379,7 +1342,6 @@
"%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use <desktopLink>%(brand)s Desktop</desktopLink> for encrypted messages to appear in search results.": "Το %(brand)s δεν μπορεί να αποθηκεύσει με ασφάλεια κρυπτογραφημένα μηνύματα τοπικά ενώ εκτελείται σε πρόγραμμα περιήγησης ιστού. Χρησιμοποιήστε την <desktopLink>%(brand)s Επιφάνεια εργασίας</desktopLink> για να εμφανίζονται κρυπτογραφημένα μηνύματα στα αποτελέσματα αναζήτησης.", "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use <desktopLink>%(brand)s Desktop</desktopLink> for encrypted messages to appear in search results.": "Το %(brand)s δεν μπορεί να αποθηκεύσει με ασφάλεια κρυπτογραφημένα μηνύματα τοπικά ενώ εκτελείται σε πρόγραμμα περιήγησης ιστού. Χρησιμοποιήστε την <desktopLink>%(brand)s Επιφάνεια εργασίας</desktopLink> για να εμφανίζονται κρυπτογραφημένα μηνύματα στα αποτελέσματα αναζήτησης.",
"%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with <nativeLink>search components added</nativeLink>.": "Λείπουν ορισμένα στοιχεία από το %(brand)s που απαιτούνται για την ασφαλή αποθήκευση κρυπτογραφημένων μηνυμάτων τοπικά. Εάν θέλετε να πειραματιστείτε με αυτό το χαρακτηριστικό, δημιουργήστε μια προσαρμοσμένη %(brand)s επιφάνεια εργασίαςμε <nativeLink>προσθήκη στοιχείων αναζήτησης</nativeLink>.", "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with <nativeLink>search components added</nativeLink>.": "Λείπουν ορισμένα στοιχεία από το %(brand)s που απαιτούνται για την ασφαλή αποθήκευση κρυπτογραφημένων μηνυμάτων τοπικά. Εάν θέλετε να πειραματιστείτε με αυτό το χαρακτηριστικό, δημιουργήστε μια προσαρμοσμένη %(brand)s επιφάνεια εργασίαςμε <nativeLink>προσθήκη στοιχείων αναζήτησης</nativeLink>.",
"Securely cache encrypted messages locally for them to appear in search results.": "Αποθηκεύστε με ασφάλεια κρυπτογραφημένα μηνύματα τοπικά για να εμφανίζονται στα αποτελέσματα αναζήτησης.", "Securely cache encrypted messages locally for them to appear in search results.": "Αποθηκεύστε με ασφάλεια κρυπτογραφημένα μηνύματα τοπικά για να εμφανίζονται στα αποτελέσματα αναζήτησης.",
"Manage": "Διαχειριστείτε",
"Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": { "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": {
"one": "Αποθηκεύστε με ασφάλεια κρυπτογραφημένα μηνύματα τοπικά για να εμφανίζονται στα αποτελέσματα αναζήτησης, χρησιμοποιώντας %(size)s για αποθήκευση μηνυμάτων από το %(rooms)sδωμάτιο .", "one": "Αποθηκεύστε με ασφάλεια κρυπτογραφημένα μηνύματα τοπικά για να εμφανίζονται στα αποτελέσματα αναζήτησης, χρησιμοποιώντας %(size)s για αποθήκευση μηνυμάτων από το %(rooms)sδωμάτιο .",
"other": "Αποθηκεύστε με ασφάλεια κρυπτογραφημένα μηνύματα τοπικά για να εμφανίζονται στα αποτελέσματα αναζήτησης, χρησιμοποιώντας %(size)s για αποθήκευση μηνυμάτων από τα %(rooms)sδωμάτια ." "other": "Αποθηκεύστε με ασφάλεια κρυπτογραφημένα μηνύματα τοπικά για να εμφανίζονται στα αποτελέσματα αναζήτησης, χρησιμοποιώντας %(size)s για αποθήκευση μηνυμάτων από τα %(rooms)sδωμάτια ."
@ -1457,7 +1419,6 @@
"Image size in the timeline": "Μέγεθος εικόνας στη γραμμή χρόνου", "Image size in the timeline": "Μέγεθος εικόνας στη γραμμή χρόνου",
"Use between %(min)s pt and %(max)s pt": "Χρήση μεταξύ %(min)s pt και %(max)s pt", "Use between %(min)s pt and %(max)s pt": "Χρήση μεταξύ %(min)s pt και %(max)s pt",
"Always show the window menu bar": "Να εμφανίζεται πάντα η μπάρα μενού παραθύρου", "Always show the window menu bar": "Να εμφανίζεται πάντα η μπάρα μενού παραθύρου",
"Warn before quitting": "Προειδοποιήστε πριν την παραίτηση",
"Room ID or address of ban list": "Ταυτότητα δωματίου ή διεύθυνση της λίστας απαγορευσων", "Room ID or address of ban list": "Ταυτότητα δωματίου ή διεύθυνση της λίστας απαγορευσων",
"If this isn't what you want, please use a different tool to ignore users.": "Εάν αυτό δεν είναι αυτό που θέλετε, χρησιμοποιήστε ένα διαφορετικό εργαλείο για να αγνοήσετε τους χρήστες.", "If this isn't what you want, please use a different tool to ignore users.": "Εάν αυτό δεν είναι αυτό που θέλετε, χρησιμοποιήστε ένα διαφορετικό εργαλείο για να αγνοήσετε τους χρήστες.",
"Subscribing to a ban list will cause you to join it!": "Η εγγραφή σε μια λίστα απαγορεύσων θα σας κάνει να εγγραφείτε σε αυτήν!", "Subscribing to a ban list will cause you to join it!": "Η εγγραφή σε μια λίστα απαγορεύσων θα σας κάνει να εγγραφείτε σε αυτήν!",
@ -1705,7 +1666,6 @@
"Failed to upgrade room": "Αποτυχία αναβάθμισης δωματίου", "Failed to upgrade room": "Αποτυχία αναβάθμισης δωματίου",
"Room Settings - %(roomName)s": "Ρυθμίσεις Δωματίου - %(roomName)s", "Room Settings - %(roomName)s": "Ρυθμίσεις Δωματίου - %(roomName)s",
"Report Content to Your Homeserver Administrator": "Αναφορά Περιεχομένου στον Διαχειριστή του Διακομιστή σας", "Report Content to Your Homeserver Administrator": "Αναφορά Περιεχομένου στον Διαχειριστή του Διακομιστή σας",
"Send report": "Αποστολή αναφοράς",
"Report the entire room": "Αναφορά ολόκληρου του δωματίου", "Report the entire room": "Αναφορά ολόκληρου του δωματίου",
"Spam or propaganda": "Spam ή προπαγάνδα", "Spam or propaganda": "Spam ή προπαγάνδα",
"Illegal Content": "Παράνομο Περιεχόμενο", "Illegal Content": "Παράνομο Περιεχόμενο",
@ -1863,7 +1823,6 @@
"Missing session data": "Λείπουν δεδομένα της συνεδρίας (session)", "Missing session data": "Λείπουν δεδομένα της συνεδρίας (session)",
"Search Dialog": "Παράθυρο Αναζήτησης", "Search Dialog": "Παράθυρο Αναζήτησης",
"Use <arrows/> to scroll": "Χρησιμοποιήστε τα <arrows/> για κύλιση", "Use <arrows/> to scroll": "Χρησιμοποιήστε τα <arrows/> για κύλιση",
"Clear": "Καθαρισμός",
"Recent searches": "Πρόσφατες αναζητήσεις", "Recent searches": "Πρόσφατες αναζητήσεις",
"Other searches": "'Άλλες αναζητήσεις", "Other searches": "'Άλλες αναζητήσεις",
"Public rooms": "Δημόσια δωμάτια", "Public rooms": "Δημόσια δωμάτια",
@ -1880,7 +1839,6 @@
"Link to most recent message": "Σύνδεσμος προς το πιο πρόσφατο μήνυμα", "Link to most recent message": "Σύνδεσμος προς το πιο πρόσφατο μήνυμα",
"Share Room": "Κοινή χρήση Δωματίου", "Share Room": "Κοινή χρήση Δωματίου",
"We encountered an error trying to restore your previous session.": "Αντιμετωπίσαμε ένα σφάλμα κατά την επαναφορά της προηγούμενης συνεδρίας σας.", "We encountered an error trying to restore your previous session.": "Αντιμετωπίσαμε ένα σφάλμα κατά την επαναφορά της προηγούμενης συνεδρίας σας.",
"Refresh": "Ανανέωση",
"Send Logs": "Αποστολή Αρχείων καταγραφής", "Send Logs": "Αποστολή Αρχείων καταγραφής",
"Clear Storage and Sign Out": "Εκκαθάριση Χώρου αποθήκευσης και Αποσύνδεση", "Clear Storage and Sign Out": "Εκκαθάριση Χώρου αποθήκευσης και Αποσύνδεση",
"Sign out and remove encryption keys?": "Αποσύνδεση και κατάργηση κλειδιών κρυπτογράφησης;", "Sign out and remove encryption keys?": "Αποσύνδεση και κατάργηση κλειδιών κρυπτογράφησης;",
@ -1959,7 +1917,6 @@
"Can't create a thread from an event with an existing relation": "Δεν είναι δυνατή η δημιουργία νήματος από ένα συμβάν με μια υπάρχουσα σχέση", "Can't create a thread from an event with an existing relation": "Δεν είναι δυνατή η δημιουργία νήματος από ένα συμβάν με μια υπάρχουσα σχέση",
"Reply in thread": "Απάντηση στο νήμα", "Reply in thread": "Απάντηση στο νήμα",
"Error processing audio message": "Σφάλμα επεξεργασίας του ηχητικού μηνύματος", "Error processing audio message": "Σφάλμα επεξεργασίας του ηχητικού μηνύματος",
"Go": "Μετάβαση",
"Pick a date to jump to": "Επιλέξτε μια ημερομηνία για να μεταβείτε", "Pick a date to jump to": "Επιλέξτε μια ημερομηνία για να μεταβείτε",
"Message pending moderation": "Μήνυμα σε εκκρεμότητα συντονισμού", "Message pending moderation": "Μήνυμα σε εκκρεμότητα συντονισμού",
"Message pending moderation: %(reason)s": "Μήνυμα σε εκκρεμότητα συντονισμού: %(reason)s", "Message pending moderation: %(reason)s": "Μήνυμα σε εκκρεμότητα συντονισμού: %(reason)s",
@ -2075,8 +2032,6 @@
"Downloading": "Γίνεται λήψη", "Downloading": "Γίνεται λήψη",
"Jump to date": "Μετάβαση σε ημερομηνία", "Jump to date": "Μετάβαση σε ημερομηνία",
"The beginning of the room": "Η αρχή του δωματίου", "The beginning of the room": "Η αρχή του δωματίου",
"Last month": "Προηγούμενο μήνα",
"Last week": "Προηγούμενη εβδομάδα",
"The call is in an unknown state!": "Η κλήση βρίσκεται σε άγνωστη κατάσταση!", "The call is in an unknown state!": "Η κλήση βρίσκεται σε άγνωστη κατάσταση!",
"Missed call": "Αναπάντητη κλήση", "Missed call": "Αναπάντητη κλήση",
"Unknown failure: %(reason)s": "Άγνωστο σφάλμα: %(reason)s", "Unknown failure: %(reason)s": "Άγνωστο σφάλμα: %(reason)s",
@ -2135,7 +2090,6 @@
"one": "1 επαληθευμένη συνεδρία", "one": "1 επαληθευμένη συνεδρία",
"other": "%(count)s επαληθευμένες συνεδρίες" "other": "%(count)s επαληθευμένες συνεδρίες"
}, },
"Trusted": "Έμπιστο",
"Room settings": "Ρυθμίσεις δωματίου", "Room settings": "Ρυθμίσεις δωματίου",
"Share room": "Κοινή χρήση δωματίου", "Share room": "Κοινή χρήση δωματίου",
"Export chat": "Εξαγωγή συνομιλίας", "Export chat": "Εξαγωγή συνομιλίας",
@ -2147,7 +2101,6 @@
"Set my room layout for everyone": "Ορίστε τη διάταξη του δωματίου μου για όλους", "Set my room layout for everyone": "Ορίστε τη διάταξη του δωματίου μου για όλους",
"Close this widget to view it in this panel": "Κλείστε αυτήν τη μικροεφαρμογή για να την προβάλετε σε αυτόν τον πίνακα", "Close this widget to view it in this panel": "Κλείστε αυτήν τη μικροεφαρμογή για να την προβάλετε σε αυτόν τον πίνακα",
"Unpin this widget to view it in this panel": "Ξεκαρφιτσώστε αυτήν τη μικροεφαρμογή για να την προβάλετε σε αυτόν τον πίνακα", "Unpin this widget to view it in this panel": "Ξεκαρφιτσώστε αυτήν τη μικροεφαρμογή για να την προβάλετε σε αυτόν τον πίνακα",
"Maximise": "Μεγιστοποίηση",
"You can only pin up to %(count)s widgets": { "You can only pin up to %(count)s widgets": {
"other": "Μπορείτε να καρφιτσώσετε μόνο έως %(count)s μικρεοεφαρμογές" "other": "Μπορείτε να καρφιτσώσετε μόνο έως %(count)s μικρεοεφαρμογές"
}, },
@ -2361,7 +2314,6 @@
"Remove them from specific things I'm able to": "Αφαιρέστε τους από συγκεκριμένες λειτουργίες που έχω δικαίωμα", "Remove them from specific things I'm able to": "Αφαιρέστε τους από συγκεκριμένες λειτουργίες που έχω δικαίωμα",
"Remove them from everything I'm able to": "Αφαιρέστε τους από οτιδήποτε έχω δικαίωμα", "Remove them from everything I'm able to": "Αφαιρέστε τους από οτιδήποτε έχω δικαίωμα",
"Demote yourself?": "Υποβιβάστε τον εαυτό σας;", "Demote yourself?": "Υποβιβάστε τον εαυτό σας;",
"Not trusted": "Μη Έμπιστο",
"Upgrading this room will shut down the current instance of the room and create an upgraded room with the same name.": "Η αναβάθμιση αυτού του δωματίου θα τερματίσει το δωμάτιο και θα δημιουργήσει ένα αναβαθμισμένο δωμάτιο με το ίδιο όνομα.", "Upgrading this room will shut down the current instance of the room and create an upgraded room with the same name.": "Η αναβάθμιση αυτού του δωματίου θα τερματίσει το δωμάτιο και θα δημιουργήσει ένα αναβαθμισμένο δωμάτιο με το ίδιο όνομα.",
"Favourited": "Αγαπημένα", "Favourited": "Αγαπημένα",
"You can only join it with a working invite.": "Μπορείτε να συμμετάσχετε μόνο με ενεργή πρόσκληση.", "You can only join it with a working invite.": "Μπορείτε να συμμετάσχετε μόνο με ενεργή πρόσκληση.",
@ -2409,7 +2361,6 @@
"Cancel replying to a message": "Ακύρωση απάντησης σε μήνυμα", "Cancel replying to a message": "Ακύρωση απάντησης σε μήνυμα",
"Autocomplete": "Αυτόματη συμπλήρωση", "Autocomplete": "Αυτόματη συμπλήρωση",
"Navigation": "Πλοήγηση", "Navigation": "Πλοήγηση",
"Accessibility": "Προσβασιμότητα",
"Room List": "Λίστα Δωματίων", "Room List": "Λίστα Δωματίων",
"Calls": "Κλήσεις", "Calls": "Κλήσεις",
"%(doneRooms)s out of %(totalRooms)s": "%(doneRooms)s από %(totalRooms)s", "%(doneRooms)s out of %(totalRooms)s": "%(doneRooms)s από %(totalRooms)s",
@ -2539,7 +2490,6 @@
"Join the beta": "Συμμετοχή στη beta", "Join the beta": "Συμμετοχή στη beta",
"Leave the beta": "Αποχώρηση από τη beta", "Leave the beta": "Αποχώρηση από τη beta",
"This is a beta feature": "Αυτή είναι μια δυνατότητα beta", "This is a beta feature": "Αυτή είναι μια δυνατότητα beta",
"Ready": "Έτοιμα",
"Failed to load list of rooms.": "Αποτυχία φόρτωσης λίστας δωματίων.", "Failed to load list of rooms.": "Αποτυχία φόρτωσης λίστας δωματίων.",
"Mark as suggested": "Επισήμανση ως προτεινόμενο", "Mark as suggested": "Επισήμανση ως προτεινόμενο",
"Mark as not suggested": "Επισήμανση ως μη προτεινόμενο", "Mark as not suggested": "Επισήμανση ως μη προτεινόμενο",
@ -2691,7 +2641,6 @@
"Are you sure you want to stop exporting your data? If you do, you'll need to start over.": "Είστε βέβαιοι ότι θέλετε να διακόψετε την εξαγωγή των δεδομένων σας; Εάν το κάνετε, θα πρέπει να ξεκινήσετε από την αρχή.", "Are you sure you want to stop exporting your data? If you do, you'll need to start over.": "Είστε βέβαιοι ότι θέλετε να διακόψετε την εξαγωγή των δεδομένων σας; Εάν το κάνετε, θα πρέπει να ξεκινήσετε από την αρχή.",
"Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Δεν είναι δυνατή η εύρεση προφίλ για τα αναγνωριστικά Matrix που αναφέρονται παρακάτω - θα θέλατε να τα προσκαλέσετε ούτως ή άλλως;", "Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Δεν είναι δυνατή η εύρεση προφίλ για τα αναγνωριστικά Matrix που αναφέρονται παρακάτω - θα θέλατε να τα προσκαλέσετε ούτως ή άλλως;",
"Adding spaces has moved.": "Η προσθήκη χώρων μετακινήθηκε.", "Adding spaces has moved.": "Η προσθήκη χώρων μετακινήθηκε.",
"Matrix": "Matrix",
"And %(count)s more...": { "And %(count)s more...": {
"other": "Και %(count)s ακόμα..." "other": "Και %(count)s ακόμα..."
}, },
@ -2771,34 +2720,9 @@
"Failed to start livestream": "Η έναρξη της ζωντανής ροής απέτυχε", "Failed to start livestream": "Η έναρξη της ζωντανής ροής απέτυχε",
"Manage & explore rooms": "Διαχειριστείτε και εξερευνήστε δωμάτια", "Manage & explore rooms": "Διαχειριστείτε και εξερευνήστε δωμάτια",
"Mentions only": "Αναφορές μόνο", "Mentions only": "Αναφορές μόνο",
"Methods": "Μέθοδοι",
"Phase": "Φάση",
"Transaction": "Συναλλαγή",
"Cancelled": "Ακυρώθηκαν",
"Started": "Ξεκίνησαν",
"Unsent": "Μη απεσταλμένα", "Unsent": "Μη απεσταλμένα",
"Value in this room": "Τιμή σε αυτό το δωμάτιο",
"Value": "Τιμή",
"Value in this room:": "Τιμή σε αυτό το δωμάτιο:",
"Value:": "Τιμή:",
"Level": "Επίπεδο",
"Setting definition:": "Ορισμός ρύθμισης:",
"This UI does NOT check the types of the values. Use at your own risk.": "Αυτό το UI ΔΕΝ ελέγχει τους τύπους των τιμών. Χρησιμοποιήστε το με δική σας ευθύνη.",
"Caution:": "Προσοχή:",
"Setting:": "Ρύθμιση:",
"Save setting values": "Αποθήκευση τιμών ρύθμισης",
"Failed to save settings.": "Αποτυχία αποθήκευσης ρυθμίσεων.",
"Number of users": "Αριθμός χρηστών",
"Server": "Διακομιστής",
"Failed to load.": "Αποτυχία φόρτωσης.",
"Capabilities": "Δυνατότητες",
"<%(count)s spaces>": {
"one": "<χώρος>",
"other": "<%(count)s χώροι>"
},
"No results found": "Δε βρέθηκαν αποτελέσματα", "No results found": "Δε βρέθηκαν αποτελέσματα",
"Filter results": "Φιλτράρισμα αποτελεσμάτων", "Filter results": "Φιλτράρισμα αποτελεσμάτων",
"Doesn't look like valid JSON.": "Δε μοιάζει με έγκυρο JSON.",
"To help us prevent this in future, please <a>send us logs</a>.": "Για να μας βοηθήσετε να το αποτρέψουμε αυτό στο μέλλον, <a>στείλτε μας τα αρχεία καταγραφής</a>.", "To help us prevent this in future, please <a>send us logs</a>.": "Για να μας βοηθήσετε να το αποτρέψουμε αυτό στο μέλλον, <a>στείλτε μας τα αρχεία καταγραφής</a>.",
"To search messages, look for this icon at the top of a room <icon/>": "Για να αναζητήσετε μηνύματα, βρείτε αυτό το εικονίδιο στην κορυφή ενός δωματίου <icon/>", "To search messages, look for this icon at the top of a room <icon/>": "Για να αναζητήσετε μηνύματα, βρείτε αυτό το εικονίδιο στην κορυφή ενός δωματίου <icon/>",
"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.": "Η εκκαθάριση του αποθηκευτικού χώρου του προγράμματος περιήγησής σας μπορεί να διορθώσει το πρόβλημα, αλλά θα αποσυνδεθείτε και θα κάνει τυχόν κρυπτογραφημένο ιστορικό συνομιλιών να μην είναι αναγνώσιμο.",
@ -2872,7 +2796,6 @@
"Unable to validate homeserver": "Δεν είναι δυνατή η επικύρωση του κεντρικού διακομιστή", "Unable to validate homeserver": "Δεν είναι δυνατή η επικύρωση του κεντρικού διακομιστή",
"This room is dedicated to illegal or toxic content or the moderators fail to moderate illegal or toxic content.\nThis will be reported to the administrators of %(homeserver)s. The administrators will NOT be able to read the encrypted content of this room.": "Αυτό το δωμάτιο είναι αφιερωμένο σε παράνομο ή τοξικό περιεχόμενο ή οι συντονιστές αποτυγχάνουν να μετριάσουν το παράνομο ή τοξικό περιεχόμενο.\nΑυτό θα αναφερθεί στους διαχειριστές του %(homeserver)s. Οι διαχειριστές ΔΕ θα μπορούν να διαβάσουν το κρυπτογραφημένο περιεχόμενο αυτού του δωματίου.", "This room is dedicated to illegal or toxic content or the moderators fail to moderate illegal or toxic content.\nThis will be reported to the administrators of %(homeserver)s. The administrators will NOT be able to read the encrypted content of this room.": "Αυτό το δωμάτιο είναι αφιερωμένο σε παράνομο ή τοξικό περιεχόμενο ή οι συντονιστές αποτυγχάνουν να μετριάσουν το παράνομο ή τοξικό περιεχόμενο.\nΑυτό θα αναφερθεί στους διαχειριστές του %(homeserver)s. Οι διαχειριστές ΔΕ θα μπορούν να διαβάσουν το κρυπτογραφημένο περιεχόμενο αυτού του δωματίου.",
"The integration manager is offline or it cannot reach your homeserver.": "Ο διαχειριστής πρόσθετων είναι εκτός σύνδεσης ή δεν μπορεί να επικοινωνήσει με κεντρικό διακομιστή σας.", "The integration manager is offline or it cannot reach your homeserver.": "Ο διαχειριστής πρόσθετων είναι εκτός σύνδεσης ή δεν μπορεί να επικοινωνήσει με κεντρικό διακομιστή σας.",
"There was an error finding this widget.": "Παρουσιάστηκε σφάλμα κατά την εύρεση αυτής της μικροεφαρμογής.",
"The widget will verify your user ID, but won't be able to perform actions for you:": "Η μικροεφαρμογή θα επαληθεύσει το αναγνωριστικό χρήστη σας, αλλά δε θα μπορεί να εκτελέσει ενέργειες για εσάς:", "The widget will verify your user ID, but won't be able to perform actions for you:": "Η μικροεφαρμογή θα επαληθεύσει το αναγνωριστικό χρήστη σας, αλλά δε θα μπορεί να εκτελέσει ενέργειες για εσάς:",
"Allow this widget to verify your identity": "Επιτρέψτε σε αυτήν τη μικροεφαρμογή να επαληθεύσει την ταυτότητά σας", "Allow this widget to verify your identity": "Επιτρέψτε σε αυτήν τη μικροεφαρμογή να επαληθεύσει την ταυτότητά σας",
"Remember my selection for this widget": "Να θυμάστε την επιλογή μου για αυτήν τη μικροεφαρμογή", "Remember my selection for this widget": "Να θυμάστε την επιλογή μου για αυτήν τη μικροεφαρμογή",
@ -2934,31 +2857,6 @@
"See room timeline (devtools)": "Εμφάνιση χρονοδιαγράμματος δωματίου (develtools)", "See room timeline (devtools)": "Εμφάνιση χρονοδιαγράμματος δωματίου (develtools)",
"Forget": "Ξεχάστε", "Forget": "Ξεχάστε",
"Resend %(unsentCount)s reaction(s)": "Επανάληψη αποστολής %(unsentCount)s αντιδράσεων", "Resend %(unsentCount)s reaction(s)": "Επανάληψη αποστολής %(unsentCount)s αντιδράσεων",
"No verification requests found": "Δεν βρέθηκαν αιτήματα επαλήθευσης",
"Observe only": "Παρατηρήστε μόνο",
"Requester": "Aιτών",
"Timeout": "Λήξη χρόνου",
"Requested": "Απαιτείται",
"Edit setting": "Επεξεργασία ρύθμισης",
"Setting ID": "Ρύθμιση αναγνωριστικού",
"Values at explicit levels in this room:": "Τιμές σε σαφή επίπεδα σε αυτό το δωμάτιο:",
"Values at explicit levels:": "Τιμές σε σαφή επίπεδα:",
"Edit values": "Επεξεργασία τιμών",
"Values at explicit levels in this room": "Αξίες σε σαφής επίπεδα σε αυτό το δωμάτιο",
"Values at explicit levels": "Αξίες σε σαφής επίπεδα",
"Settable at room": "Ρυθμιζόμενο σε δωμάτιο",
"Settable at global": "Ρυθμιζόμενο σε παγκόσμιο",
"Server Versions": "Εκδόσεις διακομιστή",
"Client Versions": "Εκδόσεις πελάτη",
"Send custom state event": "Αποστολή προσαρμοσμένου συμβάντος κατάστασης",
"<empty string>": "<empty string>",
"Event Content": "Περιεχόμενο συμβάντος",
"Event sent!": "Το συμβάν στάλθηκε!",
"Failed to send event!": "Αποτυχία αποστολής συμβάντος!",
"State Key": "Κλειδί κατάστασης",
"Event Type": "Τύπος συμβάντος",
"Send custom account data event": "Αποστολή προσαρμοσμένου συμβάντος δεδομένων λογαριασμού",
"Send custom room account data event": "Αποστολή προσαρμοσμένου συμβάντος δεδομένων λογαριασμού δωματίου",
"If you've forgotten your Security Key you can <button>set up new recovery options</button>": "Εάν έχετε ξεχάσει το κλειδί ασφαλείας σας, μπορείτε να <button>ρυθμίσετε νέες επιλογές ανάκτησης</button>", "If you've forgotten your Security Key you can <button>set up new recovery options</button>": "Εάν έχετε ξεχάσει το κλειδί ασφαλείας σας, μπορείτε να <button>ρυθμίσετε νέες επιλογές ανάκτησης</button>",
"Access your secure message history and set up secure messaging by entering your Security Key.": "Αποκτήστε πρόσβαση στο ιστορικό ασφαλών μηνυμάτων σας και ρυθμίστε την ασφαλή ανταλλαγή μηνυμάτων εισάγοντας το Κλειδί ασφαλείας σας.", "Access your secure message history and set up secure messaging by entering your Security Key.": "Αποκτήστε πρόσβαση στο ιστορικό ασφαλών μηνυμάτων σας και ρυθμίστε την ασφαλή ανταλλαγή μηνυμάτων εισάγοντας το Κλειδί ασφαλείας σας.",
"If you've forgotten your Security Phrase you can <button1>use your Security Key</button1> or <button2>set up new recovery options</button2>": "Εάν έχετε ξεχάσει τη φράση ασφαλείας σας, μπορείτε να <button1>χρησιμοποιήσετε το κλειδί ασφαλείας</button1> ή <button2>να ρυθμίστε νέες επιλογές ανάκτησης</button2>", "If you've forgotten your Security Phrase you can <button1>use your Security Key</button1> or <button2>set up new recovery options</button2>": "Εάν έχετε ξεχάσει τη φράση ασφαλείας σας, μπορείτε να <button1>χρησιμοποιήσετε το κλειδί ασφαλείας</button1> ή <button2>να ρυθμίστε νέες επιλογές ανάκτησης</button2>",
@ -3049,7 +2947,6 @@
"Unmute microphone": "Κατάργηση σίγασης μικροφώνου", "Unmute microphone": "Κατάργηση σίγασης μικροφώνου",
"Mute microphone": "Σίγαση μικροφώνου", "Mute microphone": "Σίγαση μικροφώνου",
"Audio devices": "Συσκευές ήχου", "Audio devices": "Συσκευές ήχου",
"Enable Markdown": "Ενεργοποίηση Markdown",
"Threads help keep your conversations on-topic and easy to track.": "Τα νήματα σας βοηθούν να οργανώνετε και να παρακολουθείτε καλύτερα τις συνομιλίες σας.", "Threads help keep your conversations on-topic and easy to track.": "Τα νήματα σας βοηθούν να οργανώνετε και να παρακολουθείτε καλύτερα τις συνομιλίες σας.",
"Unread email icon": "Εικονίδιο μη αναγνωσμένου μηνύματος", "Unread email icon": "Εικονίδιο μη αναγνωσμένου μηνύματος",
"Check your email to continue": "Ελέγξτε το email σας για να συνεχίσετε", "Check your email to continue": "Ελέγξτε το email σας για να συνεχίσετε",
@ -3071,7 +2968,6 @@
"Confirm that you would like to deactivate your account. If you proceed:": "Επιβεβαιώστε ότι θέλετε να απενεργοποιήσετε τον λογαριασμό σας. Εάν προχωρήσετε:", "Confirm that you would like to deactivate your account. If you proceed:": "Επιβεβαιώστε ότι θέλετε να απενεργοποιήσετε τον λογαριασμό σας. Εάν προχωρήσετε:",
"Add new server…": "Προσθήκη νέου διακομιστή…", "Add new server…": "Προσθήκη νέου διακομιστή…",
"Edit topic": "Επεξεργασία θέματος", "Edit topic": "Επεξεργασία θέματος",
"Minimise": "Ελαχιστοποίηση",
"Ban from space": "Αποκλεισμός από τον χώρο", "Ban from space": "Αποκλεισμός από τον χώρο",
"Unban from space": "Αναίρεση αποκλεισμού από τον χώρο", "Unban from space": "Αναίρεση αποκλεισμού από τον χώρο",
"Disinvite from room": "Ακύρωση πρόσκλησης από το δωμάτιο", "Disinvite from room": "Ακύρωση πρόσκλησης από το δωμάτιο",
@ -3093,7 +2989,6 @@
"one": "Αναγνώστηκε από %(count)s άτομο", "one": "Αναγνώστηκε από %(count)s άτομο",
"other": "Αναγνώστηκε από %(count)s άτομα" "other": "Αναγνώστηκε από %(count)s άτομα"
}, },
"Enable hardware acceleration (restart %(appName)s to take effect)": "Ενεργοποίηση επιτάχυνσης υλικού (κάντε επανεκκίνηση του %(appName)s για να τεθεί σε ισχύ)",
"Deactivating your account is a permanent action — be careful!": "Η απενεργοποίηση του λογαριασμού σας είναι μια μόνιμη ενέργεια — να είστε προσεκτικοί!", "Deactivating your account is a permanent action — be careful!": "Η απενεργοποίηση του λογαριασμού σας είναι μια μόνιμη ενέργεια — να είστε προσεκτικοί!",
"Enable hardware acceleration": "Ενεργοποίηση επιτάχυνσης υλικού", "Enable hardware acceleration": "Ενεργοποίηση επιτάχυνσης υλικού",
"You were disconnected from the call. (Error: %(message)s)": "Αποσυνδεθήκατε από την κλήση. (Σφάλμα: %(message)s)", "You were disconnected from the call. (Error: %(message)s)": "Αποσυνδεθήκατε από την κλήση. (Σφάλμα: %(message)s)",
@ -3158,7 +3053,15 @@
"emoji": "Εικονίδια", "emoji": "Εικονίδια",
"random": "Τυχαία", "random": "Τυχαία",
"support": "Υποστήριξη", "support": "Υποστήριξη",
"space": "Χώρος" "space": "Χώρος",
"someone": "Κάποιος",
"encrypted": "Κρυπτογραφημένο",
"matrix": "Matrix",
"trusted": "Έμπιστο",
"not_trusted": "Μη Έμπιστο",
"accessibility": "Προσβασιμότητα",
"capabilities": "Δυνατότητες",
"server": "Διακομιστής"
}, },
"action": { "action": {
"continue": "Συνέχεια", "continue": "Συνέχεια",
@ -3242,7 +3145,18 @@
"restore": "Επαναφορά", "restore": "Επαναφορά",
"play": "Αναπαραγωγή", "play": "Αναπαραγωγή",
"pause": "Παύση", "pause": "Παύση",
"register": "Εγγραφή" "register": "Εγγραφή",
"manage": "Διαχειριστείτε",
"go": "Μετάβαση",
"import": "Εισαγωγή",
"export": "Εξαγωγή",
"refresh": "Ανανέωση",
"minimise": "Ελαχιστοποίηση",
"maximise": "Μεγιστοποίηση",
"mention": "Αναφορά",
"submit": "Υποβολή",
"send_report": "Αποστολή αναφοράς",
"clear": "Καθαρισμός"
}, },
"a11y": { "a11y": {
"user_menu": "Μενού χρήστη" "user_menu": "Μενού χρήστη"
@ -3311,6 +3225,96 @@
"short_days": "%(value)sμέρες", "short_days": "%(value)sμέρες",
"short_hours": "%(value)sώρες", "short_hours": "%(value)sώρες",
"short_minutes": "%(value)s'", "short_minutes": "%(value)s'",
"short_seconds": "%(value)s\"" "short_seconds": "%(value)s\"",
"last_week": "Προηγούμενη εβδομάδα",
"last_month": "Προηγούμενο μήνα"
},
"devtools": {
"send_custom_account_data_event": "Αποστολή προσαρμοσμένου συμβάντος δεδομένων λογαριασμού",
"send_custom_room_account_data_event": "Αποστολή προσαρμοσμένου συμβάντος δεδομένων λογαριασμού δωματίου",
"event_type": "Τύπος συμβάντος",
"state_key": "Κλειδί κατάστασης",
"invalid_json": "Δε μοιάζει με έγκυρο JSON.",
"failed_to_send": "Αποτυχία αποστολής συμβάντος!",
"event_sent": "Το συμβάν στάλθηκε!",
"event_content": "Περιεχόμενο συμβάντος",
"spaces": {
"one": "<χώρος>",
"other": "<%(count)s χώροι>"
},
"empty_string": "<empty string>",
"send_custom_state_event": "Αποστολή προσαρμοσμένου συμβάντος κατάστασης",
"failed_to_load": "Αποτυχία φόρτωσης.",
"client_versions": "Εκδόσεις πελάτη",
"server_versions": "Εκδόσεις διακομιστή",
"number_of_users": "Αριθμός χρηστών",
"failed_to_save": "Αποτυχία αποθήκευσης ρυθμίσεων.",
"save_setting_values": "Αποθήκευση τιμών ρύθμισης",
"setting_colon": "Ρύθμιση:",
"caution_colon": "Προσοχή:",
"use_at_own_risk": "Αυτό το UI ΔΕΝ ελέγχει τους τύπους των τιμών. Χρησιμοποιήστε το με δική σας ευθύνη.",
"setting_definition": "Ορισμός ρύθμισης:",
"level": "Επίπεδο",
"settable_global": "Ρυθμιζόμενο σε παγκόσμιο",
"settable_room": "Ρυθμιζόμενο σε δωμάτιο",
"values_explicit": "Αξίες σε σαφής επίπεδα",
"values_explicit_room": "Αξίες σε σαφής επίπεδα σε αυτό το δωμάτιο",
"edit_values": "Επεξεργασία τιμών",
"value_colon": "Τιμή:",
"value_this_room_colon": "Τιμή σε αυτό το δωμάτιο:",
"values_explicit_colon": "Τιμές σε σαφή επίπεδα:",
"values_explicit_this_room_colon": "Τιμές σε σαφή επίπεδα σε αυτό το δωμάτιο:",
"setting_id": "Ρύθμιση αναγνωριστικού",
"value": "Τιμή",
"value_in_this_room": "Τιμή σε αυτό το δωμάτιο",
"edit_setting": "Επεξεργασία ρύθμισης",
"phase_requested": "Απαιτείται",
"phase_ready": "Έτοιμα",
"phase_started": "Ξεκίνησαν",
"phase_cancelled": "Ακυρώθηκαν",
"phase_transaction": "Συναλλαγή",
"phase": "Φάση",
"timeout": "Λήξη χρόνου",
"methods": "Μέθοδοι",
"requester": "Aιτών",
"observe_only": "Παρατηρήστε μόνο",
"no_verification_requests_found": "Δεν βρέθηκαν αιτήματα επαλήθευσης",
"failed_to_find_widget": "Παρουσιάστηκε σφάλμα κατά την εύρεση αυτής της μικροεφαρμογής."
},
"settings": {
"show_breadcrumbs": "Εμφάνιση συντομεύσεων σε δωμάτια που προβλήθηκαν πρόσφατα πάνω από τη λίστα δωματίων",
"all_rooms_home_description": "Όλα τα δωμάτια στα οποία συμμετέχετε θα εμφανίζονται στην Αρχική σελίδα.",
"use_command_f_search": "Χρησιμοποιήστε το Command + F για αναζήτηση στο χρονοδιάγραμμα",
"use_control_f_search": "Χρησιμοποιήστε τα πλήκτρα Ctrl + F για αναζήτηση στο χρονοδιάγραμμα",
"use_12_hour_format": "Εμφάνιση χρονικών σημάνσεων σε 12ωρη μορφή ώρας (π.χ. 2:30 μ.μ.)",
"always_show_message_timestamps": "Εμφάνιση πάντα της ένδειξης ώρας στα μηνύματα",
"send_typing_notifications": "Αποστολή ειδοποιήσεων πληκτρολόγησης",
"replace_plain_emoji": "Αυτόματη αντικατάσταση απλού κειμένου Emoji",
"enable_markdown": "Ενεργοποίηση Markdown",
"emoji_autocomplete": "Ενεργοποιήστε τις προτάσεις Emoji κατά την πληκτρολόγηση",
"use_command_enter_send_message": "Χρησιμοποιήστε Command + Enter για να στείλετε ένα μήνυμα",
"use_control_enter_send_message": "Χρησιμοποιήστε Ctrl + Enter για να στείλετε ένα μήνυμα",
"all_rooms_home": "Εμφάνιση όλων των δωματίων στην Αρχική",
"show_stickers_button": "Εμφάνιση κουμπιού αυτοκόλλητων",
"insert_trailing_colon_mentions": "Εισαγάγετε άνω και κάτω τελεία μετά την αναφορά του χρήστη στην αρχή ενός μηνύματος",
"automatic_language_detection_syntax_highlight": "Ενεργοποίηση αυτόματης ανίχνευσης γλώσσας για επισήμανση σύνταξης",
"code_block_expand_default": "Αναπτύξτε τα μπλοκ κώδικα από προεπιλογή",
"code_block_line_numbers": "Εμφάνιση αριθμών γραμμής σε μπλοκ κώδικα",
"inline_url_previews_default": "Ενεργοποιήστε τις ενσωματωμένες προεπισκοπήσεις URL από προεπιλογή",
"autoplay_gifs": "Αυτόματη αναπαραγωγή GIFs",
"autoplay_videos": "Αυτόματη αναπαραγωγή videos",
"image_thumbnails": "Εμφάνιση προεπισκοπήσεων/μικρογραφιών για εικόνες",
"show_typing_notifications": "Εμφάνιση ειδοποιήσεων πληκτρολόγησης",
"show_redaction_placeholder": "Εμφάνιση πλαισίου θέσης για μηνύματα που έχουν αφαιρεθεί",
"show_read_receipts": "Εμφάνιση αποδείξεων ανάγνωσης που έχουν αποσταλεί από άλλους χρήστες",
"show_join_leave": "Εμφάνιση μηνυμάτων συμμετοχής/αποχώρησης (προσκλήσεις/αφαιρέσεις/απαγορεύσεις δεν επηρεάζονται)",
"show_displayname_changes": "Εμφάνιση αλλαγών εμφανιζόμενου ονόματος",
"show_chat_effects": "Εμφάνιση εφέ συνομιλίας (κινούμενα σχέδια κατά τη λήψη π.χ. κομφετί)",
"big_emoji": "Ενεργοποίηση μεγάλων emoji στη συνομιλία",
"jump_to_bottom_on_send": "Μεταβείτε στο τέλος του χρονοδιαγράμματος όταν στέλνετε ένα μήνυμα",
"prompt_invite": "Ερώτηση πριν από την αποστολή προσκλήσεων σε δυνητικά μη έγκυρα αναγνωριστικά matrix",
"hardware_acceleration": "Ενεργοποίηση επιτάχυνσης υλικού (κάντε επανεκκίνηση του %(appName)s για να τεθεί σε ισχύ)",
"start_automatically": "Αυτόματη έναρξη μετά τη σύνδεση",
"warn_quit": "Προειδοποιήστε πριν την παραίτηση"
} }
} }

View file

@ -46,6 +46,7 @@
"apply": "Apply", "apply": "Apply",
"remove": "Remove", "remove": "Remove",
"reset": "Reset", "reset": "Reset",
"manage": "Manage",
"save": "Save", "save": "Save",
"disconnect": "Disconnect", "disconnect": "Disconnect",
"change": "Change", "change": "Change",
@ -67,35 +68,46 @@
"search": "Search", "search": "Search",
"quote": "Quote", "quote": "Quote",
"unpin": "Unpin", "unpin": "Unpin",
"view": "View",
"view_message": "View message",
"start_chat": "Start chat", "start_chat": "Start chat",
"invites_list": "Invites", "invites_list": "Invites",
"reject": "Reject", "reject": "Reject",
"leave": "Leave", "leave": "Leave",
"back": "Back", "back": "Back",
"maximise": "Maximise",
"mention": "Mention",
"start": "Start", "start": "Start",
"got_it": "Got it", "got_it": "Got it",
"download": "Download", "download": "Download",
"view_source": "View Source", "view_source": "View Source",
"go": "Go",
"retry": "Retry", "retry": "Retry",
"react": "React", "react": "React",
"edit": "Edit", "edit": "Edit",
"reply": "Reply", "reply": "Reply",
"minimise": "Minimise",
"copy": "Copy", "copy": "Copy",
"done": "Done", "done": "Done",
"skip": "Skip", "skip": "Skip",
"create_a_room": "Create a room", "create_a_room": "Create a room",
"export": "Export",
"report_content": "Report Content", "report_content": "Report Content",
"send_report": "Send report",
"resend": "Resend", "resend": "Resend",
"refresh": "Refresh",
"next": "Next", "next": "Next",
"view": "View",
"ask_to_join": "Ask to join", "ask_to_join": "Ask to join",
"clear": "Clear",
"forward": "Forward", "forward": "Forward",
"copy_link": "Copy link", "copy_link": "Copy link",
"submit": "Submit",
"register": "Register", "register": "Register",
"pause": "Pause", "pause": "Pause",
"play": "Play", "play": "Play",
"logout": "Logout", "logout": "Logout",
"restore": "Restore", "restore": "Restore",
"import": "Import",
"disable": "Disable" "disable": "Disable"
}, },
"Add Email Address": "Add Email Address", "Add Email Address": "Add Email Address",
@ -108,6 +120,7 @@
"common": { "common": {
"error": "Error", "error": "Error",
"attachment": "Attachment", "attachment": "Attachment",
"someone": "Someone",
"light": "Light", "light": "Light",
"dark": "Dark", "dark": "Dark",
"video": "Video", "video": "Video",
@ -120,6 +133,7 @@
"analytics": "Analytics", "analytics": "Analytics",
"user": "User", "user": "User",
"room": "Room", "room": "Room",
"welcome": "Welcome",
"settings": "Settings", "settings": "Settings",
"theme": "Theme", "theme": "Theme",
"name": "Name", "name": "Name",
@ -141,12 +155,21 @@
"privacy": "Privacy", "privacy": "Privacy",
"microphone": "Microphone", "microphone": "Microphone",
"camera": "Camera", "camera": "Camera",
"encrypted": "Encrypted",
"application": "Application",
"version": "Version",
"device": "Device",
"model": "Model",
"verified": "Verified",
"unverified": "Unverified",
"emoji": "Emoji", "emoji": "Emoji",
"sticker": "Sticker", "sticker": "Sticker",
"offline": "Offline", "offline": "Offline",
"loading": "Loading…", "loading": "Loading…",
"appearance": "Appearance", "appearance": "Appearance",
"about": "About", "about": "About",
"trusted": "Trusted",
"not_trusted": "Not trusted",
"message": "Message", "message": "Message",
"unmute": "Unmute", "unmute": "Unmute",
"mute": "Mute", "mute": "Mute",
@ -157,10 +180,15 @@
"reactions": "Reactions", "reactions": "Reactions",
"homeserver": "Homeserver", "homeserver": "Homeserver",
"help": "Help", "help": "Help",
"matrix": "Matrix",
"ios": "iOS",
"android": "Android",
"report_a_bug": "Report a bug", "report_a_bug": "Report a bug",
"forward_message": "Forward message", "forward_message": "Forward message",
"suggestions": "Suggestions", "suggestions": "Suggestions",
"labs": "Labs", "labs": "Labs",
"capabilities": "Capabilities",
"server": "Server",
"space": "Space", "space": "Space",
"beta": "Beta", "beta": "Beta",
"password": "Password", "password": "Password",
@ -168,7 +196,8 @@
"random": "Random", "random": "Random",
"support": "Support", "support": "Support",
"room_name": "Room name", "room_name": "Room name",
"thread": "Thread" "thread": "Thread",
"accessibility": "Accessibility"
}, },
"Unable to load! Check your network connectivity and try again.": "Unable to load! Check your network connectivity and try again.", "Unable to load! Check your network connectivity and try again.": "Unable to load! Check your network connectivity and try again.",
"The file '%(fileName)s' failed to upload.": "The file '%(fileName)s' failed to upload.", "The file '%(fileName)s' failed to upload.": "The file '%(fileName)s' failed to upload.",
@ -189,7 +218,9 @@
"short_seconds": "%(value)ss", "short_seconds": "%(value)ss",
"short_days_hours_minutes_seconds": "%(days)sd %(hours)sh %(minutes)sm %(seconds)ss", "short_days_hours_minutes_seconds": "%(days)sd %(hours)sh %(minutes)sm %(seconds)ss",
"short_hours_minutes_seconds": "%(hours)sh %(minutes)sm %(seconds)ss", "short_hours_minutes_seconds": "%(hours)sh %(minutes)sm %(seconds)ss",
"short_minutes_seconds": "%(minutes)sm %(seconds)ss" "short_minutes_seconds": "%(minutes)sm %(seconds)ss",
"last_week": "Last week",
"last_month": "Last month"
}, },
"Identity server has no terms of service": "Identity server has no terms of service", "Identity server has no terms of service": "Identity server has no terms of service",
"This action requires accessing the default identity server <server /> to validate an email address or phone number, but the server does not have any terms of service.": "This action requires accessing the default identity server <server /> to validate an email address or phone number, but the server does not have any terms of service.", "This action requires accessing the default identity server <server /> to validate an email address or phone number, but the server does not have any terms of service.": "This action requires accessing the default identity server <server /> to validate an email address or phone number, but the server does not have any terms of service.",
@ -357,7 +388,6 @@
"Could not find room": "Could not find room", "Could not find room": "Could not find room",
"Converts the DM to a room": "Converts the DM to a room", "Converts the DM to a room": "Converts the DM to a room",
"Displays action": "Displays action", "Displays action": "Displays action",
"Someone": "Someone",
"Video call started in %(roomName)s.": "Video call started in %(roomName)s.", "Video call started in %(roomName)s.": "Video call started in %(roomName)s.",
"Video call started in %(roomName)s. (not supported by this browser)": "Video call started in %(roomName)s. (not supported by this browser)", "Video call started in %(roomName)s. (not supported by this browser)": "Video call started in %(roomName)s. (not supported by this browser)",
"%(senderName)s placed a voice call.": "%(senderName)s placed a voice call.", "%(senderName)s placed a voice call.": "%(senderName)s placed a voice call.",
@ -867,50 +897,62 @@
"hidebold": "Hide notification dot (only display counters badges)", "hidebold": "Hide notification dot (only display counters badges)",
"intentional_mentions": "Enable intentional mentions", "intentional_mentions": "Enable intentional mentions",
"ask_to_join": "Enable ask to join", "ask_to_join": "Enable ask to join",
"new_room_decoration_ui": "Under active development, new room header & details interface" "new_room_decoration_ui": "New room header & details interface"
}, },
"Thank you for trying the beta, please go into as much detail as you can so we can improve it.": "Thank you for trying the beta, please go into as much detail as you can so we can improve it.", "Thank you for trying the beta, please go into as much detail as you can so we can improve it.": "Thank you for trying the beta, please go into as much detail as you can so we can improve it.",
"Notification Settings": "Notification Settings", "Notification Settings": "Notification Settings",
"Introducing a simpler way to change your notification settings. Customize your %(brand)s, just the way you like.": "Introducing a simpler way to change your notification settings. Customize your %(brand)s, just the way you like.", "Introducing a simpler way to change your notification settings. Customize your %(brand)s, just the way you like.": "Introducing a simpler way to change your notification settings. Customize your %(brand)s, just the way you like.",
"In rooms that support moderation, the “Report” button will let you report abuse to room moderators.": "In rooms that support moderation, the “Report” button will let you report abuse to room moderators.", "In rooms that support moderation, the “Report” button will let you report abuse to room moderators.": "In rooms that support moderation, the “Report” button will let you report abuse to room moderators.",
"Show current profile picture and name for users in message history": "Show current profile picture and name for users in message history", "settings": {
"Send read receipts": "Send read receipts", "disable_historical_profile": "Show current profile picture and name for users in message history",
"send_read_receipts": "Send read receipts",
"emoji_autocomplete": "Enable Emoji suggestions while typing",
"show_stickers_button": "Show stickers button",
"insert_trailing_colon_mentions": "Insert a trailing colon after user mentions at the start of a message",
"show_redaction_placeholder": "Show a placeholder for removed messages",
"show_join_leave": "Show join/leave messages (invites/removes/bans unaffected)",
"show_avatar_changes": "Show profile picture changes",
"show_displayname_changes": "Show display name changes",
"show_read_receipts": "Show read receipts sent by other users",
"use_12_hour_format": "Show timestamps in 12 hour format (e.g. 2:30pm)",
"always_show_message_timestamps": "Always show message timestamps",
"autoplay_gifs": "Autoplay GIFs",
"autoplay_videos": "Autoplay videos",
"automatic_language_detection_syntax_highlight": "Enable automatic language detection for syntax highlighting",
"code_block_expand_default": "Expand code blocks by default",
"code_block_line_numbers": "Show line numbers in code blocks",
"jump_to_bottom_on_send": "Jump to the bottom of the timeline when you send a message",
"big_emoji": "Enable big emoji in chat",
"send_typing_notifications": "Send typing notifications",
"show_typing_notifications": "Show typing notifications",
"use_command_f_search": "Use Command + F to search timeline",
"use_control_f_search": "Use Ctrl + F to search timeline",
"use_command_enter_send_message": "Use Command + Enter to send a message",
"use_control_enter_send_message": "Use Ctrl + Enter to send a message",
"replace_plain_emoji": "Automatically replace plain text Emoji",
"enable_markdown": "Enable Markdown",
"enable_markdown_description": "Start messages with <code>/plain</code> to send without markdown.",
"show_nsfw_content": "Show NSFW content",
"inline_url_previews_default": "Enable inline URL previews by default",
"prompt_invite": "Prompt before sending invites to potentially invalid matrix IDs",
"show_breadcrumbs": "Show shortcuts to recently viewed rooms above the room list",
"image_thumbnails": "Show previews/thumbnails for images",
"show_chat_effects": "Show chat effects (animations when receiving e.g. confetti)",
"all_rooms_home": "Show all rooms in Home",
"all_rooms_home_description": "All rooms you're in will appear in Home.",
"start_automatically": "Start automatically after system login",
"warn_quit": "Warn before quitting"
},
"Your server doesn't support disabling sending read receipts.": "Your server doesn't support disabling sending read receipts.", "Your server doesn't support disabling sending read receipts.": "Your server doesn't support disabling sending read receipts.",
"Enable MSC3946 (to support late-arriving room archives)": "Enable MSC3946 (to support late-arriving room archives)", "Enable MSC3946 (to support late-arriving room archives)": "Enable MSC3946 (to support late-arriving room archives)",
"Force 15s voice broadcast chunk length": "Force 15s voice broadcast chunk length", "Force 15s voice broadcast chunk length": "Force 15s voice broadcast chunk length",
"Enable new native OIDC flows (Under active development)": "Enable new native OIDC flows (Under active development)", "Enable new native OIDC flows (Under active development)": "Enable new native OIDC flows (Under active development)",
"Font size": "Font size", "Font size": "Font size",
"Use custom size": "Use custom size", "Use custom size": "Use custom size",
"Enable Emoji suggestions while typing": "Enable Emoji suggestions while typing",
"Show stickers button": "Show stickers button",
"Show polls button": "Show polls button", "Show polls button": "Show polls button",
"Insert a trailing colon after user mentions at the start of a message": "Insert a trailing colon after user mentions at the start of a message",
"Use a more compact 'Modern' layout": "Use a more compact 'Modern' layout", "Use a more compact 'Modern' layout": "Use a more compact 'Modern' layout",
"Show a placeholder for removed messages": "Show a placeholder for removed messages",
"Show join/leave messages (invites/removes/bans unaffected)": "Show join/leave messages (invites/removes/bans unaffected)",
"Show profile picture changes": "Show profile picture changes",
"Show display name changes": "Show display name changes",
"Show read receipts sent by other users": "Show read receipts sent by other users",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Show timestamps in 12 hour format (e.g. 2:30pm)",
"Always show message timestamps": "Always show message timestamps",
"Autoplay GIFs": "Autoplay GIFs",
"Autoplay videos": "Autoplay videos",
"Enable automatic language detection for syntax highlighting": "Enable automatic language detection for syntax highlighting",
"Expand code blocks by default": "Expand code blocks by default",
"Show line numbers in code blocks": "Show line numbers in code blocks",
"Jump to the bottom of the timeline when you send a message": "Jump to the bottom of the timeline when you send a message",
"Show avatars in user, room and event mentions": "Show avatars in user, room and event mentions", "Show avatars in user, room and event mentions": "Show avatars in user, room and event mentions",
"Enable big emoji in chat": "Enable big emoji in chat",
"Send typing notifications": "Send typing notifications",
"Show typing notifications": "Show typing notifications",
"Use Command + F to search timeline": "Use Command + F to search timeline",
"Use Ctrl + F to search timeline": "Use Ctrl + F to search timeline",
"Use Command + Enter to send a message": "Use Command + Enter to send a message",
"Use Ctrl + Enter to send a message": "Use Ctrl + Enter to send a message",
"Surround selected text when typing special characters": "Surround selected text when typing special characters", "Surround selected text when typing special characters": "Surround selected text when typing special characters",
"Automatically replace plain text Emoji": "Automatically replace plain text Emoji",
"Enable Markdown": "Enable Markdown",
"Start messages with <code>/plain</code> to send without markdown.": "Start messages with <code>/plain</code> to send without markdown.",
"Mirror local video feed": "Mirror local video feed", "Mirror local video feed": "Mirror local video feed",
"Match system theme": "Match system theme", "Match system theme": "Match system theme",
"Use a system font": "Use a system font", "Use a system font": "Use a system font",
@ -920,36 +962,26 @@
"Automatic gain control": "Automatic gain control", "Automatic gain control": "Automatic gain control",
"Echo cancellation": "Echo cancellation", "Echo cancellation": "Echo cancellation",
"Noise suppression": "Noise suppression", "Noise suppression": "Noise suppression",
"Show NSFW content": "Show NSFW content",
"Send analytics data": "Send analytics data", "Send analytics data": "Send analytics data",
"Record the client name, version, and url to recognise sessions more easily in session manager": "Record the client name, version, and url to recognise sessions more easily in session manager", "Record the client name, version, and url to recognise sessions more easily in session manager": "Record the client name, version, and url to recognise sessions more easily in session manager",
"Never send encrypted messages to unverified sessions from this session": "Never send encrypted messages to unverified sessions from this session", "Never send encrypted messages to unverified sessions from this session": "Never send encrypted messages to unverified sessions from this session",
"Never send encrypted messages to unverified sessions in this room from this session": "Never send encrypted messages to unverified sessions in this room from this session", "Never send encrypted messages to unverified sessions in this room from this session": "Never send encrypted messages to unverified sessions in this room from this session",
"Enable inline URL previews by default": "Enable inline URL previews by default",
"Enable URL previews for this room (only affects you)": "Enable URL previews for this room (only affects you)", "Enable URL previews for this room (only affects you)": "Enable URL previews for this room (only affects you)",
"Enable URL previews by default for participants in this room": "Enable URL previews by default for participants in this room", "Enable URL previews by default for participants in this room": "Enable URL previews by default for participants in this room",
"Enable widget screenshots on supported widgets": "Enable widget screenshots on supported widgets", "Enable widget screenshots on supported widgets": "Enable widget screenshots on supported widgets",
"Prompt before sending invites to potentially invalid matrix IDs": "Prompt before sending invites to potentially invalid matrix IDs",
"Show shortcuts to recently viewed rooms above the room list": "Show shortcuts to recently viewed rooms above the room list",
"Show shortcut to welcome checklist above the room list": "Show shortcut to welcome checklist above the room list", "Show shortcut to welcome checklist above the room list": "Show shortcut to welcome checklist above the room list",
"Show hidden events in timeline": "Show hidden events in timeline", "Show hidden events in timeline": "Show hidden events in timeline",
"Low bandwidth mode": "Low bandwidth mode", "Low bandwidth mode": "Low bandwidth mode",
"Requires compatible homeserver.": "Requires compatible homeserver.", "Requires compatible homeserver.": "Requires compatible homeserver.",
"Only applies if your homeserver does not offer one. Your IP address would be shared during a call.": "Only applies if your homeserver does not offer one. Your IP address would be shared during a call.", "Only applies if your homeserver does not offer one. Your IP address would be shared during a call.": "Only applies if your homeserver does not offer one. Your IP address would be shared during a call.",
"Show previews/thumbnails for images": "Show previews/thumbnails for images",
"Enable message search in encrypted rooms": "Enable message search in encrypted rooms", "Enable message search in encrypted rooms": "Enable message search in encrypted rooms",
"How fast should messages be downloaded.": "How fast should messages be downloaded.", "How fast should messages be downloaded.": "How fast should messages be downloaded.",
"Manually verify all remote sessions": "Manually verify all remote sessions", "Manually verify all remote sessions": "Manually verify all remote sessions",
"IRC display name width": "IRC display name width", "IRC display name width": "IRC display name width",
"Show chat effects (animations when receiving e.g. confetti)": "Show chat effects (animations when receiving e.g. confetti)",
"Show all rooms in Home": "Show all rooms in Home",
"All rooms you're in will appear in Home.": "All rooms you're in will appear in Home.",
"Developer mode": "Developer mode", "Developer mode": "Developer mode",
"Automatically send debug logs on any error": "Automatically send debug logs on any error", "Automatically send debug logs on any error": "Automatically send debug logs on any error",
"Automatically send debug logs on decryption errors": "Automatically send debug logs on decryption errors", "Automatically send debug logs on decryption errors": "Automatically send debug logs on decryption errors",
"Automatically send debug logs when key backup is not functioning": "Automatically send debug logs when key backup is not functioning", "Automatically send debug logs when key backup is not functioning": "Automatically send debug logs when key backup is not functioning",
"Start automatically after system login": "Start automatically after system login",
"Warn before quitting": "Warn before quitting",
"Always show the window menu bar": "Always show the window menu bar", "Always show the window menu bar": "Always show the window menu bar",
"Show tray icon and minimise window to it on close": "Show tray icon and minimise window to it on close", "Show tray icon and minimise window to it on close": "Show tray icon and minimise window to it on close",
"Enable hardware acceleration": "Enable hardware acceleration", "Enable hardware acceleration": "Enable hardware acceleration",
@ -1070,22 +1102,23 @@
"They don't match": "They don't match", "They don't match": "They don't match",
"They match": "They match", "They match": "They match",
"To be secure, do this in person or use a trusted way to communicate.": "To be secure, do this in person or use a trusted way to communicate.", "To be secure, do this in person or use a trusted way to communicate.": "To be secure, do this in person or use a trusted way to communicate.",
"Welcome": "Welcome", "onboarding": {
"Secure messaging for friends and family": "Secure messaging for friends and family", "free_e2ee_messaging_unlimited_voip": "With free end-to-end encrypted messaging, and unlimited voice and video calls, %(brand)s is a great way to stay in touch.",
"With free end-to-end encrypted messaging, and unlimited voice and video calls, %(brand)s is a great way to stay in touch.": "With free end-to-end encrypted messaging, and unlimited voice and video calls, %(brand)s is a great way to stay in touch.", "personal_messaging_title": "Secure messaging for friends and family",
"Start your first chat": "Start your first chat", "personal_messaging_action": "Start your first chat",
"Secure messaging for work": "Secure messaging for work", "work_messaging_title": "Secure messaging for work",
"Find your co-workers": "Find your co-workers", "work_messaging_action": "Find your co-workers",
"Community ownership": "Community ownership", "community_messaging_title": "Community ownership",
"Keep ownership and control of community discussion.\nScale to support millions, with powerful moderation and interoperability.": "Keep ownership and control of community discussion.\nScale to support millions, with powerful moderation and interoperability.", "community_messaging_description": "Keep ownership and control of community discussion.\nScale to support millions, with powerful moderation and interoperability.",
"Find your people": "Find your people", "community_messaging_action": "Find your people",
"Welcome to %(brand)s": "Welcome to %(brand)s", "welcome_to_brand": "Welcome to %(brand)s",
"Only %(count)s steps to go": { "only_n_steps_to_go": {
"other": "Only %(count)s steps to go", "other": "Only %(count)s steps to go",
"one": "Only %(count)s step to go" "one": "Only %(count)s step to go"
},
"you_did_it": "You did it!",
"complete_these": "Complete these to get the most out of %(brand)s"
}, },
"You did it!": "You did it!",
"Complete these to get the most out of %(brand)s": "Complete these to get the most out of %(brand)s",
"Your server isn't responding to some <a>requests</a>.": "Your server isn't responding to some <a>requests</a>.", "Your server isn't responding to some <a>requests</a>.": "Your server isn't responding to some <a>requests</a>.",
"%(deviceId)s from %(ip)s": "%(deviceId)s from %(ip)s", "%(deviceId)s from %(ip)s": "%(deviceId)s from %(ip)s",
"Ignore (%(counter)s)": "Ignore (%(counter)s)", "Ignore (%(counter)s)": "Ignore (%(counter)s)",
@ -1191,7 +1224,6 @@
"other": "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.", "other": "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.",
"one": "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s room." "one": "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s room."
}, },
"Manage": "Manage",
"Securely cache encrypted messages locally for them to appear in search results.": "Securely cache encrypted messages locally for them to appear in search results.", "Securely cache encrypted messages locally for them to appear in search results.": "Securely cache encrypted messages locally for them to appear in search results.",
"%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with <nativeLink>search components added</nativeLink>.": "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with <nativeLink>search components added</nativeLink>.", "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with <nativeLink>search components added</nativeLink>.": "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with <nativeLink>search components added</nativeLink>.",
"%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use <desktopLink>%(brand)s Desktop</desktopLink> for encrypted messages to appear in search results.": "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use <desktopLink>%(brand)s Desktop</desktopLink> for encrypted messages to appear in search results.", "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use <desktopLink>%(brand)s Desktop</desktopLink> for encrypted messages to appear in search results.": "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use <desktopLink>%(brand)s Desktop</desktopLink> for encrypted messages to appear in search results.",
@ -1565,7 +1597,6 @@
"People with supported clients will be able to join the room without having a registered account.": "People with supported clients will be able to join the room without having a registered account.", "People with supported clients will be able to join the room without having a registered account.": "People with supported clients will be able to join the room without having a registered account.",
"Security & Privacy": "Security & Privacy", "Security & Privacy": "Security & Privacy",
"Once enabled, encryption cannot be disabled.": "Once enabled, encryption cannot be disabled.", "Once enabled, encryption cannot be disabled.": "Once enabled, encryption cannot be disabled.",
"Encrypted": "Encrypted",
"Your server requires encryption to be disabled.": "Your server requires encryption to be disabled.", "Your server requires encryption to be disabled.": "Your server requires encryption to be disabled.",
"Enable %(brand)s as an additional calling option in this room": "Enable %(brand)s as an additional calling option in this room", "Enable %(brand)s as an additional calling option in this room": "Enable %(brand)s as an additional calling option in this room",
"%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.", "%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.",
@ -1638,11 +1669,7 @@
"This provides them with confidence that they are really speaking to you, but it also means they can see the session name you enter here.": "This provides them with confidence that they are really speaking to you, but it also means they can see the session name you enter here.", "This provides them with confidence that they are really speaking to you, but it also means they can see the session name you enter here.": "This provides them with confidence that they are really speaking to you, but it also means they can see the session name you enter here.",
"Session ID": "Session ID", "Session ID": "Session ID",
"Last activity": "Last activity", "Last activity": "Last activity",
"Application": "Application",
"Version": "Version",
"URL": "URL", "URL": "URL",
"Device": "Device",
"Model": "Model",
"Operating system": "Operating system", "Operating system": "Operating system",
"Browser": "Browser", "Browser": "Browser",
"IP address": "IP address", "IP address": "IP address",
@ -1654,8 +1681,6 @@
"Hide details": "Hide details", "Hide details": "Hide details",
"Show details": "Show details", "Show details": "Show details",
"Inactive for %(inactiveAgeDays)s+ days": "Inactive for %(inactiveAgeDays)s+ days", "Inactive for %(inactiveAgeDays)s+ days": "Inactive for %(inactiveAgeDays)s+ days",
"Verified": "Verified",
"Unverified": "Unverified",
"Verified sessions": "Verified sessions", "Verified sessions": "Verified sessions",
"Verified sessions are anywhere you are using this account after entering your passphrase or confirming your identity with another verified session.": "Verified sessions are anywhere you are using this account after entering your passphrase or confirming your identity with another verified session.", "Verified sessions are anywhere you are using this account after entering your passphrase or confirming your identity with another verified session.": "Verified sessions are anywhere you are using this account after entering your passphrase or confirming your identity with another verified session.",
"This means that you have all the keys needed to unlock your encrypted messages and confirm to other users that you trust this session.": "This means that you have all the keys needed to unlock your encrypted messages and confirm to other users that you trust this session.", "This means that you have all the keys needed to unlock your encrypted messages and confirm to other users that you trust this session.": "This means that you have all the keys needed to unlock your encrypted messages and confirm to other users that you trust this session.",
@ -1851,15 +1876,25 @@
"Room %(name)s": "Room %(name)s", "Room %(name)s": "Room %(name)s",
"Recently visited rooms": "Recently visited rooms", "Recently visited rooms": "Recently visited rooms",
"No recently visited rooms": "No recently visited rooms", "No recently visited rooms": "No recently visited rooms",
"Public room": "Public room",
"Untrusted": "Untrusted",
"%(count)s members": { "%(count)s members": {
"other": "%(count)s members", "other": "%(count)s members",
"one": "%(count)s member" "one": "%(count)s member"
}, },
"Video room": "Video room", "Video room": "Video room",
"Public space": "Public space", "Public space": "Public space",
"Public room": "Public room",
"Private space": "Private space", "Private space": "Private space",
"Private room": "Private room", "Private room": "Private room",
"%(names)s and %(name)s": "%(names)s and %(name)s",
"%(names)s and %(count)s others": {
"other": "%(names)s and %(count)s others",
"one": "%(names)s and %(count)s other"
},
"%(count)s people asking to join": {
"other": "%(count)s people asking to join",
"one": "Asking to join"
},
"Start new chat": "Start new chat", "Start new chat": "Start new chat",
"Invite to space": "Invite to space", "Invite to space": "Invite to space",
"You do not have permissions to invite people to this space": "You do not have permissions to invite people to this space", "You do not have permissions to invite people to this space": "You do not have permissions to invite people to this space",
@ -2071,21 +2106,19 @@
"You can only pin up to %(count)s widgets": { "You can only pin up to %(count)s widgets": {
"other": "You can only pin up to %(count)s widgets" "other": "You can only pin up to %(count)s widgets"
}, },
"Maximise": "Maximise",
"Unpin this widget to view it in this panel": "Unpin this widget to view it in this panel", "Unpin this widget to view it in this panel": "Unpin this widget to view it in this panel",
"Close this widget to view it in this panel": "Close this widget to view it in this panel", "Close this widget to view it in this panel": "Close this widget to view it in this panel",
"Set my room layout for everyone": "Set my room layout for everyone", "Set my room layout for everyone": "Set my room layout for everyone",
"Edit widgets, bridges & bots": "Edit widgets, bridges & bots", "Edit widgets, bridges & bots": "Edit widgets, bridges & bots",
"Add widgets, bridges & bots": "Add widgets, bridges & bots", "Add widgets, bridges & bots": "Add widgets, bridges & bots",
"Not encrypted": "Not encrypted", "Not encrypted": "Not encrypted",
"Search": "Search",
"Files": "Files", "Files": "Files",
"Poll history": "Poll history", "Poll history": "Poll history",
"Pinned": "Pinned", "Pinned": "Pinned",
"Export chat": "Export chat", "Export chat": "Export chat",
"Share room": "Share room", "Share room": "Share room",
"Room settings": "Room settings", "Room settings": "Room settings",
"Trusted": "Trusted",
"Not trusted": "Not trusted",
"%(count)s verified sessions": { "%(count)s verified sessions": {
"other": "%(count)s verified sessions", "other": "%(count)s verified sessions",
"one": "1 verified session" "one": "1 verified session"
@ -2099,7 +2132,6 @@
"Ignore %(user)s": "Ignore %(user)s", "Ignore %(user)s": "Ignore %(user)s",
"All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "All messages and invites from this user will be hidden. Are you sure you want to ignore them?", "All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "All messages and invites from this user will be hidden. Are you sure you want to ignore them?",
"Jump to read receipt": "Jump to read receipt", "Jump to read receipt": "Jump to read receipt",
"Mention": "Mention",
"Share Link to User": "Share Link to User", "Share Link to User": "Share Link to User",
"Demote yourself?": "Demote yourself?", "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 space 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 space 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 space 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 space it will be impossible to regain privileges.",
@ -2199,8 +2231,6 @@
"Please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "Please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.", "Please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "Please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.",
"Unable to find event at that date": "Unable to find event at that date", "Unable to find event at that date": "Unable to find event at that date",
"Error details": "Error details", "Error details": "Error details",
"Last week": "Last week",
"Last month": "Last month",
"The beginning of the room": "The beginning of the room", "The beginning of the room": "The beginning of the room",
"Jump to date": "Jump to date", "Jump to date": "Jump to date",
"The sender has blocked you from receiving this message": "The sender has blocked you from receiving this message", "The sender has blocked you from receiving this message": "The sender has blocked you from receiving this message",
@ -2217,7 +2247,6 @@
"Message pending moderation: %(reason)s": "Message pending moderation: %(reason)s", "Message pending moderation: %(reason)s": "Message pending moderation: %(reason)s",
"Message pending moderation": "Message pending moderation", "Message pending moderation": "Message pending moderation",
"Pick a date to jump to": "Pick a date to jump to", "Pick a date to jump to": "Pick a date to jump to",
"Go": "Go",
"Call declined": "Call declined", "Call declined": "Call declined",
"Call back": "Call back", "Call back": "Call back",
"Answered elsewhere": "Answered elsewhere", "Answered elsewhere": "Answered elsewhere",
@ -2352,7 +2381,6 @@
"Error loading Widget": "Error loading Widget", "Error loading Widget": "Error loading Widget",
"Error - Mixed content": "Error - Mixed content", "Error - Mixed content": "Error - Mixed content",
"Un-maximise": "Un-maximise", "Un-maximise": "Un-maximise",
"Minimise": "Minimise",
"Popout widget": "Popout widget", "Popout widget": "Popout widget",
"Share entire screen": "Share entire screen", "Share entire screen": "Share entire screen",
"Application window": "Application window", "Application window": "Application window",
@ -2576,7 +2604,6 @@
"You are not allowed to view this server's rooms list": "You are not allowed to view this server's rooms list", "You are not allowed to view this server's rooms list": "You are not allowed to view this server's rooms list",
"Can't find this server or its room list": "Can't find this server or its room list", "Can't find this server or its room list": "Can't find this server or its room list",
"Your server": "Your server", "Your server": "Your server",
"Matrix": "Matrix",
"Remove server “%(roomServer)s”": "Remove server “%(roomServer)s”", "Remove server “%(roomServer)s”": "Remove server “%(roomServer)s”",
"Add a new server": "Add a new server", "Add a new server": "Add a new server",
"Enter the name of a new server you want to explore.": "Enter the name of a new server you want to explore.", "Enter the name of a new server you want to explore.": "Enter the name of a new server you want to explore.",
@ -2605,10 +2632,8 @@
"We <Bold>don't</Bold> share information with third parties": "We <Bold>don't</Bold> share information with third parties", "We <Bold>don't</Bold> share information with third parties": "We <Bold>don't</Bold> share information with third parties",
"You can turn this off anytime in settings": "You can turn this off anytime in settings", "You can turn this off anytime in settings": "You can turn this off anytime in settings",
"Download %(brand)s Desktop": "Download %(brand)s Desktop", "Download %(brand)s Desktop": "Download %(brand)s Desktop",
"iOS": "iOS",
"%(qrCode)s or %(appLinks)s": "%(qrCode)s or %(appLinks)s", "%(qrCode)s or %(appLinks)s": "%(qrCode)s or %(appLinks)s",
"Download on the App Store": "Download on the App Store", "Download on the App Store": "Download on the App Store",
"Android": "Android",
"Get it on Google Play": "Get it on Google Play", "Get it on Google Play": "Get it on Google Play",
"Get it on F-Droid": "Get it on F-Droid", "Get it on F-Droid": "Get it on F-Droid",
"App Store® and the Apple logo® are trademarks of Apple Inc.": "App Store® and the Apple logo® are trademarks of Apple Inc.", "App Store® and the Apple logo® are trademarks of Apple Inc.": "App Store® and the Apple logo® are trademarks of Apple Inc.",
@ -2745,7 +2770,6 @@
"Format": "Format", "Format": "Format",
"Size Limit": "Size Limit", "Size Limit": "Size Limit",
"Include Attachments": "Include Attachments", "Include Attachments": "Include Attachments",
"Export": "Export",
"Feedback sent": "Feedback sent", "Feedback sent": "Feedback sent",
"Comment": "Comment", "Comment": "Comment",
"Your platform and username will be noted to help us use your feedback as much as we can.": "Your platform and username will be noted to help us use your feedback as much as we can.", "Your platform and username will be noted to help us use your feedback as much as we can.": "Your platform and username will be noted to help us use your feedback as much as we can.",
@ -2881,7 +2905,6 @@
"Illegal Content": "Illegal Content", "Illegal Content": "Illegal Content",
"Spam or propaganda": "Spam or propaganda", "Spam or propaganda": "Spam or propaganda",
"Report the entire room": "Report the entire room", "Report the entire room": "Report the entire room",
"Send report": "Send report",
"Report Content to Your Homeserver Administrator": "Report Content to Your Homeserver Administrator", "Report Content to Your Homeserver Administrator": "Report Content to Your Homeserver Administrator",
"Reporting this message will send its unique 'event ID' to the administrator of your homeserver. If messages in this room are encrypted, your homeserver administrator will not be able to read the message text or view any files or images.": "Reporting this message will send its unique 'event ID' to the administrator of your homeserver. If messages in this room are encrypted, your homeserver administrator will not be able to read the message text or view any files or images.", "Reporting this message will send its unique 'event ID' to the administrator of your homeserver. If messages in this room are encrypted, your homeserver administrator will not be able to read the message text or view any files or images.": "Reporting this message will send its unique 'event ID' to the administrator of your homeserver. If messages in this room are encrypted, your homeserver administrator will not be able to read the message text or view any files or images.",
"Room Settings - %(roomName)s": "Room Settings - %(roomName)s", "Room Settings - %(roomName)s": "Room Settings - %(roomName)s",
@ -2931,7 +2954,6 @@
"Sign out and remove encryption keys?": "Sign out and remove encryption keys?", "Sign out and remove encryption keys?": "Sign out and remove encryption keys?",
"Clear Storage and Sign Out": "Clear Storage and Sign Out", "Clear Storage and Sign Out": "Clear Storage and Sign Out",
"Send Logs": "Send Logs", "Send Logs": "Send Logs",
"Refresh": "Refresh",
"Unable to restore session": "Unable to restore session", "Unable to restore session": "Unable to restore session",
"We encountered an error trying to restore your previous session.": "We encountered an error trying to restore your previous session.", "We encountered an error trying to restore your previous session.": "We encountered an error trying to restore your previous session.",
"If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.", "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.",
@ -3023,7 +3045,6 @@
"Other searches": "Other searches", "Other searches": "Other searches",
"To search messages, look for this icon at the top of a room <icon/>": "To search messages, look for this icon at the top of a room <icon/>", "To search messages, look for this icon at the top of a room <icon/>": "To search messages, look for this icon at the top of a room <icon/>",
"Recent searches": "Recent searches", "Recent searches": "Recent searches",
"Clear": "Clear",
"Recently viewed": "Recently viewed", "Recently viewed": "Recently viewed",
"Use <arrows/> to scroll": "Use <arrows/> to scroll", "Use <arrows/> to scroll": "Use <arrows/> to scroll",
"Search Dialog": "Search Dialog", "Search Dialog": "Search Dialog",
@ -3071,84 +3092,84 @@
"Access your secure message history and set up secure messaging by entering your Security Key.": "Access your secure message history and set up secure messaging by entering your Security Key.", "Access your secure message history and set up secure messaging by entering your Security Key.": "Access your secure message history and set up secure messaging by entering your Security Key.",
"If you've forgotten your Security Key you can <button>set up new recovery options</button>": "If you've forgotten your Security Key you can <button>set up new recovery options</button>", "If you've forgotten your Security Key you can <button>set up new recovery options</button>": "If you've forgotten your Security Key you can <button>set up new recovery options</button>",
"You will be redirected to your server's authentication provider to complete sign out.": "You will be redirected to your server's authentication provider to complete sign out.", "You will be redirected to your server's authentication provider to complete sign out.": "You will be redirected to your server's authentication provider to complete sign out.",
"Send custom account data event": "Send custom account data event", "devtools": {
"Send custom room account data event": "Send custom room account data event", "send_custom_account_data_event": "Send custom account data event",
"Event Type": "Event Type", "send_custom_room_account_data_event": "Send custom room account data event",
"State Key": "State Key", "event_type": "Event Type",
"Doesn't look like valid JSON.": "Doesn't look like valid JSON.", "state_key": "State Key",
"Failed to send event!": "Failed to send event!", "invalid_json": "Doesn't look like valid JSON.",
"Event sent!": "Event sent!", "failed_to_send": "Failed to send event!",
"Event Content": "Event Content", "event_sent": "Event sent!",
"event_content": "Event Content",
"user_read_up_to": "User read up to: ",
"no_receipt_found": "No receipt found",
"user_read_up_to_ignore_synthetic": "User read up to (ignoreSynthetic): ",
"user_read_up_to_private": "User read up to (m.read.private): ",
"user_read_up_to_private_ignore_synthetic": "User read up to (m.read.private;ignoreSynthetic): ",
"room_status": "Room status",
"room_unread_status_count": {
"other": "Room unread status: <strong>%(status)s</strong>, count: <strong>%(count)s</strong>"
},
"room_unread_status": "Room unread status: <strong>%(status)s</strong>",
"notification_state": "Notification state is <strong>%(notificationState)s</strong>",
"room_encrypted": "Room is <strong>encrypted ✅</strong>",
"room_not_encrypted": "Room is <strong>not encrypted 🚨</strong>",
"main_timeline": "Main timeline",
"room_notifications_total": "Total: ",
"room_notifications_highlight": "Highlight: ",
"room_notifications_dot": "Dot: ",
"room_notifications_last_event": "Last event:",
"id": "ID: ",
"room_notifications_type": "Type: ",
"room_notifications_sender": "Sender: ",
"threads_timeline": "Threads timeline",
"room_notifications_thread_id": "Thread Id: ",
"spaces": {
"other": "<%(count)s spaces>",
"one": "<space>"
},
"empty_string": "<empty string>",
"see_history": "See history",
"send_custom_state_event": "Send custom state event",
"failed_to_load": "Failed to load.",
"client_versions": "Client Versions",
"server_versions": "Server Versions",
"number_of_users": "Number of users",
"failed_to_save": "Failed to save settings.",
"save_setting_values": "Save setting values",
"setting_colon": "Setting:",
"caution_colon": "Caution:",
"use_at_own_risk": "This UI does NOT check the types of the values. Use at your own risk.",
"setting_definition": "Setting definition:",
"level": "Level",
"settable_global": "Settable at global",
"settable_room": "Settable at room",
"values_explicit": "Values at explicit levels",
"values_explicit_room": "Values at explicit levels in this room",
"edit_values": "Edit values",
"value_colon": "Value:",
"value_this_room_colon": "Value in this room:",
"values_explicit_colon": "Values at explicit levels:",
"values_explicit_this_room_colon": "Values at explicit levels in this room:",
"setting_id": "Setting ID",
"value": "Value",
"value_in_this_room": "Value in this room",
"edit_setting": "Edit setting",
"phase_requested": "Requested",
"phase_ready": "Ready",
"phase_started": "Started",
"phase_cancelled": "Cancelled",
"phase_transaction": "Transaction",
"phase": "Phase",
"timeout": "Timeout",
"methods": "Methods",
"requester": "Requester",
"observe_only": "Observe only",
"no_verification_requests_found": "No verification requests found",
"failed_to_find_widget": "There was an error finding this widget."
},
"Filter results": "Filter results", "Filter results": "Filter results",
"No results found": "No results found", "No results found": "No results found",
"User read up to: ": "User read up to: ",
"No receipt found": "No receipt found",
"User read up to (ignoreSynthetic): ": "User read up to (ignoreSynthetic): ",
"User read up to (m.read.private): ": "User read up to (m.read.private): ",
"User read up to (m.read.private;ignoreSynthetic): ": "User read up to (m.read.private;ignoreSynthetic): ",
"Room status": "Room status",
"Room unread status: <strong>%(status)s</strong>, count: <strong>%(count)s</strong>": {
"other": "Room unread status: <strong>%(status)s</strong>, count: <strong>%(count)s</strong>"
},
"Room unread status: <strong>%(status)s</strong>": "Room unread status: <strong>%(status)s</strong>",
"Notification state is <strong>%(notificationState)s</strong>": "Notification state is <strong>%(notificationState)s</strong>",
"Room is <strong>encrypted ✅</strong>": "Room is <strong>encrypted ✅</strong>",
"Room is <strong>not encrypted 🚨</strong>": "Room is <strong>not encrypted 🚨</strong>",
"Main timeline": "Main timeline",
"Total: ": "Total: ",
"Highlight: ": "Highlight: ",
"Dot: ": "Dot: ",
"Last event:": "Last event:",
"ID: ": "ID: ",
"Type: ": "Type: ",
"Sender: ": "Sender: ",
"Threads timeline": "Threads timeline",
"Thread Id: ": "Thread Id: ",
"<%(count)s spaces>": {
"other": "<%(count)s spaces>",
"one": "<space>"
},
"<empty string>": "<empty string>",
"See history": "See history",
"Send custom state event": "Send custom state event",
"Capabilities": "Capabilities",
"Failed to load.": "Failed to load.",
"Client Versions": "Client Versions",
"Server Versions": "Server Versions",
"Server": "Server",
"Number of users": "Number of users",
"Failed to save settings.": "Failed to save settings.",
"Save setting values": "Save setting values",
"Setting:": "Setting:",
"Caution:": "Caution:",
"This UI does NOT check the types of the values. Use at your own risk.": "This UI does NOT check the types of the values. Use at your own risk.",
"Setting definition:": "Setting definition:",
"Level": "Level",
"Settable at global": "Settable at global",
"Settable at room": "Settable at room",
"Values at explicit levels": "Values at explicit levels",
"Values at explicit levels in this room": "Values at explicit levels in this room",
"Edit values": "Edit values",
"Value:": "Value:",
"Value in this room:": "Value in this room:",
"Values at explicit levels:": "Values at explicit levels:",
"Values at explicit levels in this room:": "Values at explicit levels in this room:",
"Setting ID": "Setting ID",
"Value": "Value",
"Value in this room": "Value in this room",
"Edit setting": "Edit setting",
"Requested": "Requested",
"Ready": "Ready",
"Started": "Started",
"Cancelled": "Cancelled",
"Transaction": "Transaction",
"Phase": "Phase",
"Timeout": "Timeout",
"Methods": "Methods",
"Requester": "Requester",
"Observe only": "Observe only",
"No verification requests found": "No verification requests found",
"There was an error finding this widget.": "There was an error finding this widget.",
"Input devices": "Input devices", "Input devices": "Input devices",
"Output devices": "Output devices", "Output devices": "Output devices",
"Cameras": "Cameras", "Cameras": "Cameras",
@ -3232,7 +3253,6 @@
"A text message has been sent to %(msisdn)s": "A text message has been sent to %(msisdn)s", "A text message has been sent to %(msisdn)s": "A text message has been sent to %(msisdn)s",
"Please enter the code it contains:": "Please enter the code it contains:", "Please enter the code it contains:": "Please enter the code it contains:",
"Code": "Code", "Code": "Code",
"Submit": "Submit",
"Enter a registration token provided by the homeserver administrator.": "Enter a registration token provided by the homeserver administrator.", "Enter a registration token provided by the homeserver administrator.": "Enter a registration token provided by the homeserver administrator.",
"Registration token": "Registration token", "Registration token": "Registration token",
"Something went wrong in confirming your identity. Cancel and try again.": "Something went wrong in confirming your identity. Cancel and try again.", "Something went wrong in confirming your identity. Cancel and try again.": "Something went wrong in confirming your identity. Cancel and try again.",
@ -3559,7 +3579,6 @@
"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.": "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.", "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.": "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.": "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.", "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.",
"File to import": "File to import", "File to import": "File to import",
"Import": "Import",
"New Recovery Method": "New Recovery Method", "New Recovery Method": "New Recovery Method",
"A new Security Phrase and key for Secure Messages have been detected.": "A new Security Phrase and key for Secure Messages have been detected.", "A new Security Phrase and key for Secure Messages have been detected.": "A new Security Phrase and key for Secure Messages have been detected.",
"If you didn't set the new recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.": "If you didn't set the new recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.", "If you didn't set the new recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.": "If you didn't set the new recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.",
@ -3597,7 +3616,6 @@
}, },
"Calls": "Calls", "Calls": "Calls",
"Room List": "Room List", "Room List": "Room List",
"Accessibility": "Accessibility",
"Navigation": "Navigation", "Navigation": "Navigation",
"Autocomplete": "Autocomplete", "Autocomplete": "Autocomplete",
"Toggle Bold": "Toggle Bold", "Toggle Bold": "Toggle Bold",

View file

@ -9,7 +9,6 @@
"You may need to manually permit %(brand)s to access your microphone/webcam": "You may need to manually permit %(brand)s to access your microphone/webcam", "You may need to manually permit %(brand)s to access your microphone/webcam": "You may need to manually permit %(brand)s to access your microphone/webcam",
"Default Device": "Default Device", "Default Device": "Default Device",
"Advanced": "Advanced", "Advanced": "Advanced",
"Always show message timestamps": "Always show message timestamps",
"Authentication": "Authentication", "Authentication": "Authentication",
"%(items)s and %(lastItem)s": "%(items)s and %(lastItem)s", "%(items)s and %(lastItem)s": "%(items)s and %(lastItem)s",
"and %(count)s others...": { "and %(count)s others...": {
@ -47,7 +46,6 @@
"Email": "Email", "Email": "Email",
"Email address": "Email address", "Email address": "Email address",
"Error decrypting attachment": "Error decrypting attachment", "Error decrypting attachment": "Error decrypting attachment",
"Export": "Export",
"Export E2E room keys": "Export E2E room keys", "Export E2E room keys": "Export E2E room keys",
"Failed to ban user": "Failed to ban user", "Failed to ban user": "Failed to ban user",
"Failed to change password. Is your password correct?": "Failed to change password. Is your password correct?", "Failed to change password. Is your password correct?": "Failed to change password. Is your password correct?",
@ -69,7 +67,6 @@
"%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s", "%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s",
"Hangup": "Hangup", "Hangup": "Hangup",
"Historical": "Historical", "Historical": "Historical",
"Import": "Import",
"Import E2E room keys": "Import E2E room keys", "Import E2E room keys": "Import E2E room keys",
"Incorrect username and/or password.": "Incorrect username and/or password.", "Incorrect username and/or password.": "Incorrect username and/or password.",
"Incorrect verification code": "Incorrect verification code", "Incorrect verification code": "Incorrect verification code",
@ -129,10 +126,7 @@
"Server may be unavailable, overloaded, or you hit a bug.": "Server may be unavailable, overloaded, or you hit a bug.", "Server may be unavailable, overloaded, or you hit a bug.": "Server may be unavailable, overloaded, or you hit a bug.",
"Server unavailable, overloaded, or something else went wrong.": "Server unavailable, overloaded, or something else went wrong.", "Server unavailable, overloaded, or something else went wrong.": "Server unavailable, overloaded, or something else went wrong.",
"Session ID": "Session ID", "Session ID": "Session ID",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Show timestamps in 12 hour format (e.g. 2:30pm)",
"Signed Out": "Signed Out", "Signed Out": "Signed Out",
"Someone": "Someone",
"Submit": "Submit",
"This email address is already in use": "This email address is already in use", "This email address is already in use": "This email address is already in use",
"This email address was not found": "This email address was not found", "This email address was not found": "This email address was not found",
"The email address linked to your account must be entered.": "The email address linked to your account must be entered.", "The email address linked to your account must be entered.": "The email address linked to your account must be entered.",
@ -193,7 +187,6 @@
"This server does not support authentication with a phone number.": "This server does not support authentication with a phone number.", "This server does not support authentication with a phone number.": "This server does not support authentication with a phone number.",
"Connectivity to the server has been lost.": "Connectivity to the server has been lost.", "Connectivity to the server has been lost.": "Connectivity to the server has been lost.",
"Sent messages will be stored until your connection has returned.": "Sent messages will be stored until your connection has returned.", "Sent messages will be stored until your connection has returned.": "Sent messages will be stored until your connection has returned.",
"Start automatically after system login": "Start automatically after system login",
"Banned by %(displayName)s": "Banned by %(displayName)s", "Banned by %(displayName)s": "Banned by %(displayName)s",
"Passphrases must match": "Passphrases must match", "Passphrases must match": "Passphrases must match",
"Passphrase must not be empty": "Passphrase must not be empty", "Passphrase must not be empty": "Passphrase must not be empty",
@ -256,12 +249,10 @@
"This will allow you to reset your password and receive notifications.": "This will allow you to reset your password and receive notifications.", "This will allow you to reset your password and receive notifications.": "This will allow you to reset your password and receive notifications.",
"Check for update": "Check for update", "Check for update": "Check for update",
"Define the power level of a user": "Define the power level of a user", "Define the power level of a user": "Define the power level of a user",
"Enable automatic language detection for syntax highlighting": "Enable automatic language detection for syntax highlighting",
"Sets the room name": "Sets the room name", "Sets the room name": "Sets the room name",
"Unable to create widget.": "Unable to create widget.", "Unable to create widget.": "Unable to create widget.",
"You are not in this room.": "You are not in this room.", "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.", "You do not have permission to do that in this room.": "You do not have permission to do that in this room.",
"Automatically replace plain text Emoji": "Automatically replace plain text Emoji",
"%(widgetName)s widget added by %(senderName)s": "%(widgetName)s widget added by %(senderName)s", "%(widgetName)s widget added by %(senderName)s": "%(widgetName)s widget added by %(senderName)s",
"%(widgetName)s widget removed by %(senderName)s": "%(widgetName)s widget removed by %(senderName)s", "%(widgetName)s widget removed by %(senderName)s": "%(widgetName)s widget removed by %(senderName)s",
"%(senderName)s changed the pinned messages for the room.": "%(senderName)s changed the pinned messages for the room.", "%(senderName)s changed the pinned messages for the room.": "%(senderName)s changed the pinned messages for the room.",
@ -416,7 +407,8 @@
"attachment": "Attachment", "attachment": "Attachment",
"camera": "Camera", "camera": "Camera",
"microphone": "Microphone", "microphone": "Microphone",
"emoji": "Emoji" "emoji": "Emoji",
"someone": "Someone"
}, },
"action": { "action": {
"continue": "Continue", "continue": "Continue",
@ -449,7 +441,10 @@
"cancel": "Cancel", "cancel": "Cancel",
"add": "Add", "add": "Add",
"accept": "Accept", "accept": "Accept",
"register": "Register" "register": "Register",
"import": "Import",
"export": "Export",
"submit": "Submit"
}, },
"keyboard": { "keyboard": {
"home": "Home" "home": "Home"
@ -468,5 +463,12 @@
"hours_minutes_seconds_left": "%(hours)sh %(minutes)sm %(seconds)ss left", "hours_minutes_seconds_left": "%(hours)sh %(minutes)sm %(seconds)ss left",
"minutes_seconds_left": "%(minutes)sm %(seconds)ss left", "minutes_seconds_left": "%(minutes)sm %(seconds)ss left",
"seconds_left": "%(seconds)ss left" "seconds_left": "%(seconds)ss left"
},
"settings": {
"use_12_hour_format": "Show timestamps in 12 hour format (e.g. 2:30pm)",
"always_show_message_timestamps": "Always show message timestamps",
"replace_plain_emoji": "Automatically replace plain text Emoji",
"automatic_language_detection_syntax_highlight": "Enable automatic language detection for syntax highlighting",
"start_automatically": "Start automatically after system login"
} }
} }

View file

@ -63,7 +63,6 @@
"%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s forigis nomon de la ĉambro.", "%(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 changed the room name to %(roomName)s.": "%(senderDisplayName)s ŝanĝis nomon de la ĉambro al %(roomName)s.",
"%(senderDisplayName)s sent an image.": "%(senderDisplayName)s sendis bildon.", "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s sendis bildon.",
"Someone": "Iu",
"%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s sendis ĉambran inviton al %(targetDisplayName)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, ekde la tempo de invito.", "%(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, 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 ĉambro al ĉiuj ĉambranoj, ekde la tempo de aliĝo.", "%(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, ekde la tempo de aliĝo.",
@ -82,18 +81,12 @@
"Your browser does not support the required cryptography extensions": "Via foliumilo ne subtenas la bezonatajn ĉifrajn kromprogramojn", "Your browser does not support the required cryptography extensions": "Via foliumilo ne subtenas la bezonatajn ĉifrajn kromprogramojn",
"Not a valid %(brand)s keyfile": "Nevalida ŝlosila dosiero de %(brand)s", "Not a valid %(brand)s keyfile": "Nevalida ŝlosila dosiero de %(brand)s",
"Authentication check failed: incorrect password?": "Aŭtentikiga kontrolo malsukcesis: ĉu pro malĝusta pasvorto?", "Authentication check failed: incorrect password?": "Aŭtentikiga kontrolo malsukcesis: ĉu pro malĝusta pasvorto?",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Montri tempindikojn en 12-hora formo (ekz. 2:30 post.)",
"Always show message timestamps": "Ĉiam montri mesaĝajn tempindikojn",
"Call Failed": "Voko malsukcesis", "Call Failed": "Voko malsukcesis",
"Send": "Sendi", "Send": "Sendi",
"Enable automatic language detection for syntax highlighting": "Ŝalti memagan rekonon de lingvo por sintaksa markado",
"Automatically replace plain text Emoji": "Memfare anstataŭigi tekstajn mienetojn",
"Mirror local video feed": "Speguli lokan filmon", "Mirror local video feed": "Speguli lokan filmon",
"Enable inline URL previews by default": "Ŝalti entekstan antaŭrigardon al retadresoj",
"Enable URL previews for this room (only affects you)": "Ŝalti URL-antaŭrigardon en ĉi tiu ĉambro (nur por vi)", "Enable URL previews for this room (only affects you)": "Ŝalti URL-antaŭrigardon en ĉi tiu ĉambro (nur por vi)",
"Enable URL previews by default for participants in this room": "Ŝalti URL-antaŭrigardon por anoj de ĉi tiu ĉambro", "Enable URL previews by default for participants in this room": "Ŝalti URL-antaŭrigardon por anoj de ĉi tiu ĉambro",
"Incorrect verification code": "Malĝusta kontrola kodo", "Incorrect verification code": "Malĝusta kontrola kodo",
"Submit": "Sendi",
"Phone": "Telefono", "Phone": "Telefono",
"No display name": "Sen vidiga nomo", "No display name": "Sen vidiga nomo",
"New passwords don't match": "Novaj pasvortoj ne akordas", "New passwords don't match": "Novaj pasvortoj ne akordas",
@ -117,7 +110,6 @@
"%(senderDisplayName)s changed the avatar for %(roomName)s": "%(senderDisplayName)s ŝanĝis la profilbildon de %(roomName)s", "%(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ŭtentikigi vian konton por uzo kun %(integrationsUrl)s. Ĉu vi volas daŭrigi tion?", "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ŭtentikigi vian konton por uzo kun %(integrationsUrl)s. Ĉu vi volas daŭrigi tion?",
"Jump to read receipt": "Salti al legokonfirmo", "Jump to read receipt": "Salti al legokonfirmo",
"Mention": "Mencio",
"Admin Tools": "Estriloj", "Admin Tools": "Estriloj",
"and %(count)s others...": { "and %(count)s others...": {
"other": "kaj %(count)s aliaj…", "other": "kaj %(count)s aliaj…",
@ -343,7 +335,6 @@
"Cryptography": "Ĉifroteĥnikaro", "Cryptography": "Ĉifroteĥnikaro",
"Check for update": "Kontroli ĝisdatigojn", "Check for update": "Kontroli ĝisdatigojn",
"Reject all %(invitedRooms)s invites": "Rifuzi ĉiujn %(invitedRooms)s invitojn", "Reject all %(invitedRooms)s invites": "Rifuzi ĉiujn %(invitedRooms)s invitojn",
"Start automatically after system login": "Memfare ruli post operaciuma saluto",
"No media permissions": "Neniuj permesoj pri aŭdvidaĵoj", "No media permissions": "Neniuj permesoj pri aŭdvidaĵoj",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Eble vi devos permane permesi al %(brand)s atingon de viaj mikrofono/kamerao", "You may need to manually permit %(brand)s to access your microphone/webcam": "Eble vi devos permane permesi al %(brand)s atingon de viaj mikrofono/kamerao",
"No Microphones detected": "Neniu mikrofono troviĝis", "No Microphones detected": "Neniu mikrofono troviĝis",
@ -381,12 +372,10 @@
"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.": "Tio ĉi permesos al vi elporti al loka dosiero ŝlosilojn por la mesaĝoj ricevitaj en ĉifritaj ĉambroj. Poste vi povos enporti la dosieron en alian klienton de Matrix, por povigi ĝin malĉifri tiujn mesaĝojn.", "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.": "Tio ĉi permesos al vi elporti al loka dosiero ŝlosilojn por la mesaĝoj ricevitaj en ĉifritaj ĉambroj. Poste vi povos enporti la dosieron en alian klienton de Matrix, por povigi ĝin malĉifri tiujn mesaĝojn.",
"Enter passphrase": "Enigu pasfrazon", "Enter passphrase": "Enigu pasfrazon",
"Confirm passphrase": "Konfirmu pasfrazon", "Confirm passphrase": "Konfirmu pasfrazon",
"Export": "Elporti",
"Import room keys": "Enporti ĉambrajn ŝlosilojn", "Import room keys": "Enporti ĉambrajn ŝlosilojn",
"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.": "Tio ĉi permesos al vi enporti ĉifrajn ŝlosilojn, kiujn vi antaŭe elportis el alia kliento de Matrix. Poste vi povos malĉifri la samajn mesaĝojn, kiujn la alia kliento povis.", "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.": "Tio ĉi permesos al vi enporti ĉifrajn ŝlosilojn, kiujn vi antaŭe elportis el alia kliento de Matrix. Poste vi povos malĉifri la samajn mesaĝojn, kiujn la alia kliento povis.",
"The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "La elportita dosiero estos protektata de pasfrazo. Por malĉifri ĝin, enigu la pasfrazon ĉi tien.", "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "La elportita dosiero estos protektata de pasfrazo. Por malĉifri ĝin, enigu la pasfrazon ĉi tien.",
"File to import": "Enportota dosiero", "File to import": "Enportota dosiero",
"Import": "Enporti",
"Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Forigo de fenestraĵo efektiviĝos por ĉiuj uzantoj en ĉi tiu ĉambro. Ĉu vi certe volas ĝin forigi?", "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Forigo de fenestraĵo efektiviĝos por ĉiuj uzantoj en ĉi tiu ĉambro. Ĉu vi certe volas ĝin forigi?",
"Send an encrypted reply…": "Sendi ĉifritan respondon…", "Send an encrypted reply…": "Sendi ĉifritan respondon…",
"Send an encrypted message…": "Sendi ĉifritan mesaĝon…", "Send an encrypted message…": "Sendi ĉifritan mesaĝon…",
@ -413,7 +402,6 @@
"Collecting app version information": "Kolektante informon pri versio de la aplikaĵo", "Collecting app version information": "Kolektante informon pri versio de la aplikaĵo",
"Tuesday": "Mardo", "Tuesday": "Mardo",
"Search…": "Serĉi…", "Search…": "Serĉi…",
"Event sent!": "Okazo sendiĝis!",
"Saturday": "Sabato", "Saturday": "Sabato",
"Monday": "Lundo", "Monday": "Lundo",
"Toolbox": "Ilaro", "Toolbox": "Ilaro",
@ -423,7 +411,6 @@
"You cannot delete this message. (%(code)s)": "Vi ne povas forigi tiun ĉi mesaĝon. (%(code)s)", "You cannot delete this message. (%(code)s)": "Vi ne povas forigi tiun ĉi mesaĝon. (%(code)s)",
"All messages": "Ĉiuj mesaĝoj", "All messages": "Ĉiuj mesaĝoj",
"Call invitation": "Invito al voko", "Call invitation": "Invito al voko",
"State Key": "Stata ŝlosilo",
"What's new?": "Kio novas?", "What's new?": "Kio novas?",
"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 ĉambro",
"All Rooms": "Ĉiuj ĉambroj", "All Rooms": "Ĉiuj ĉambroj",
@ -435,10 +422,8 @@
"Low Priority": "Malalta prioritato", "Low Priority": "Malalta prioritato",
"Off": "Ne", "Off": "Ne",
"Failed to remove tag %(tagName)s from room": "Malsukcesis forigi etikedon %(tagName)s el la ĉambro", "Failed to remove tag %(tagName)s from room": "Malsukcesis forigi etikedon %(tagName)s el la ĉambro",
"Event Type": "Tipo de okazo",
"Thank you!": "Dankon!", "Thank you!": "Dankon!",
"Developer Tools": "Evoluigiloj", "Developer Tools": "Evoluigiloj",
"Event Content": "Enhavo de okazo",
"Logs sent": "Protokolo sendiĝis", "Logs sent": "Protokolo sendiĝis",
"Failed to send logs: ": "Malsukcesis sendi protokolon: ", "Failed to send logs: ": "Malsukcesis sendi protokolon: ",
"Preparing to send logs": "Pretigante sendon de protokolo", "Preparing to send logs": "Pretigante sendon de protokolo",
@ -595,7 +580,6 @@
"Updating %(brand)s": "Ĝisdatigante %(brand)s", "Updating %(brand)s": "Ĝisdatigante %(brand)s",
"Room Settings - %(roomName)s": "Agordoj de ĉambro %(roomName)s", "Room Settings - %(roomName)s": "Agordoj de ĉambro %(roomName)s",
"Failed to upgrade room": "Malsukcesis gradaltigi ĉambron", "Failed to upgrade room": "Malsukcesis gradaltigi ĉambron",
"Refresh": "Aktualigi",
"Share Room": "Kunhavigi ĉambron", "Share Room": "Kunhavigi ĉambron",
"Share User": "Kunhavigi uzanton", "Share User": "Kunhavigi uzanton",
"Share Room Message": "Kunhavigi ĉambran mesaĝon", "Share Room Message": "Kunhavigi ĉambran mesaĝon",
@ -639,13 +623,6 @@
"The user must be unbanned before they can be invited.": "Necesas malforbari ĉi tiun uzanton antaŭ ol ĝin inviti.", "The user must be unbanned before they can be invited.": "Necesas malforbari ĉi tiun uzanton antaŭ ol ĝin inviti.",
"The user's homeserver does not support the version of the room.": "Hejmservilo de ĉi tiu uzanto ne subtenas la version de la ĉambro.", "The user's homeserver does not support the version of the room.": "Hejmservilo de ĉi tiu uzanto ne subtenas la version de la ĉambro.",
"No need for symbols, digits, or uppercase letters": "Ne necesas simboloj, ciferoj, aŭ majuskloj", "No need for symbols, digits, or uppercase letters": "Ne necesas simboloj, ciferoj, aŭ majuskloj",
"Enable Emoji suggestions while typing": "Ŝalti proponojn de bildsignoj dum tajpado",
"Show a placeholder for removed messages": "Meti kovrilon anstataŭ forigitajn mesaĝojn",
"Show display name changes": "Montri ŝanĝojn de vidigaj nomoj",
"Show read receipts sent by other users": "Montri legokonfirmojn senditajn de aliaj uzantoj",
"Enable big emoji in chat": "Ŝalti grandajn bildsignojn en babilejo",
"Send typing notifications": "Sendi sciigojn pri tajpado",
"Prompt before sending invites to potentially invalid matrix IDs": "Averti antaŭ ol sendi invitojn al eble nevalidaj Matrix-identigiloj",
"Messages containing my username": "Mesaĝoj enhavantaj mian uzantnomon", "Messages containing my username": "Mesaĝoj enhavantaj mian uzantnomon",
"When rooms are upgraded": "Kiam ĉambroj gradaltiĝas", "When rooms are upgraded": "Kiam ĉambroj gradaltiĝas",
"The other party cancelled the verification.": "La alia kontrolano nuligis la kontrolon.", "The other party cancelled the verification.": "La alia kontrolano nuligis la kontrolon.",
@ -812,7 +789,6 @@
"Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Ŝanĝoj al legebleco de historio nur efektiviĝos por osaj mesaĝoj de ĉi tiu ĉambro. La videbleco de jama historio ne ŝanĝiĝos.", "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Ŝanĝoj al legebleco de historio nur efektiviĝos por osaj mesaĝoj de ĉi tiu ĉambro. La videbleco de jama historio ne ŝanĝiĝos.",
"Encryption": "Ĉifrado", "Encryption": "Ĉifrado",
"Once enabled, encryption cannot be disabled.": "Post ŝalto, ne plu eblas malŝalti ĉifradon.", "Once enabled, encryption cannot be disabled.": "Post ŝalto, ne plu eblas malŝalti ĉifradon.",
"Encrypted": "Ĉifrata",
"The conversation continues here.": "La interparolo daŭras ĉi tie.", "The conversation continues here.": "La interparolo daŭras ĉi tie.",
"This room has been replaced and is no longer active.": "Ĉi tiu ĉambro estas anstataŭita, kaj ne plu aktivas.", "This room has been replaced and is no longer active.": "Ĉi tiu ĉambro estas anstataŭita, kaj ne plu aktivas.",
"Only room administrators will see this warning": "Nur administrantoj de ĉambro vidos ĉi tiun averton", "Only room administrators will see this warning": "Nur administrantoj de ĉambro vidos ĉi tiun averton",
@ -958,7 +934,6 @@
"Add Phone Number": "Aldoni telefonnumeron", "Add Phone Number": "Aldoni telefonnumeron",
"This action requires accessing the default identity server <server /> to validate an email address or phone number, but the server does not have any terms of service.": "Ĉi tiu ago bezonas atingi la norman identigan servilon <server /> por kontroli retpoŝtadreson aŭ telefonnumeron, sed la servilo ne havas uzokondiĉojn.", "This action requires accessing the default identity server <server /> to validate an email address or phone number, but the server does not have any terms of service.": "Ĉi tiu ago bezonas atingi la norman identigan servilon <server /> por kontroli retpoŝtadreson aŭ telefonnumeron, sed la servilo ne havas uzokondiĉojn.",
"%(name)s (%(userId)s)": "%(name)s (%(userId)s)", "%(name)s (%(userId)s)": "%(name)s (%(userId)s)",
"Show previews/thumbnails for images": "Montri antaŭrigardojn/bildetojn por bildoj",
"You should <b>remove your personal data</b> from identity server <idserver /> before disconnecting. Unfortunately, identity server <idserver /> is currently offline or cannot be reached.": "Vi <b>forigu viajn personajn datumojn</b> de identiga servilo <idserver /> antaŭ ol vi malkonektiĝos. Bedaŭrinde, identiga servilo <idserver /> estas nuntempe eksterreta kaj ne eblas ĝin atingi.", "You should <b>remove your personal data</b> from identity server <idserver /> before disconnecting. Unfortunately, identity server <idserver /> is currently offline or cannot be reached.": "Vi <b>forigu viajn personajn datumojn</b> de identiga servilo <idserver /> antaŭ ol vi malkonektiĝos. Bedaŭrinde, identiga servilo <idserver /> estas nuntempe eksterreta kaj ne eblas ĝin atingi.",
"You should:": "Vi devus:", "You should:": "Vi devus:",
"check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "kontrolu kromprogramojn de via foliumilo je ĉio, kio povus malhelpi konekton al la identiga servilo (ekzemple «Privacy Badger»)", "check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "kontrolu kromprogramojn de via foliumilo je ĉio, kio povus malhelpi konekton al la identiga servilo (ekzemple «Privacy Badger»)",
@ -1033,7 +1008,6 @@
"Please fill why you're reporting.": "Bonvolu skribi, kial vi raportas.", "Please fill why you're reporting.": "Bonvolu skribi, kial vi raportas.",
"Report Content to Your Homeserver Administrator": "Raporti enhavon al la administrantode via hejmservilo", "Report Content to Your Homeserver Administrator": "Raporti enhavon al la administrantode via hejmservilo",
"Reporting this message will send its unique 'event ID' to the administrator of your homeserver. If messages in this room are encrypted, your homeserver administrator will not be able to read the message text or view any files or images.": "Per raporto de ĉi tiu mesaĝo vi sendos ĝian unikan «identigilon de okazo» al la administranto de via hejmservilo. Se mesaĝoj en ĉi tiu ĉambro estas ĉifrataj, la administranto de via hejmservilo ne povos legi la tekston de la mesaĝo, nek rigardi dosierojn aŭ bildojn.", "Reporting this message will send its unique 'event ID' to the administrator of your homeserver. If messages in this room are encrypted, your homeserver administrator will not be able to read the message text or view any files or images.": "Per raporto de ĉi tiu mesaĝo vi sendos ĝian unikan «identigilon de okazo» al la administranto de via hejmservilo. Se mesaĝoj en ĉi tiu ĉambro estas ĉifrataj, la administranto de via hejmservilo ne povos legi la tekston de la mesaĝo, nek rigardi dosierojn aŭ bildojn.",
"Send report": "Sendi raporton",
"Command Help": "Helpo pri komando", "Command Help": "Helpo pri komando",
"To continue you need to accept the terms of this service.": "Por pluigi, vi devas akcepti la uzokondiĉojn de ĉi tiu servo.", "To continue you need to accept the terms of this service.": "Por pluigi, vi devas akcepti la uzokondiĉojn de ĉi tiu servo.",
"Document": "Dokumento", "Document": "Dokumento",
@ -1105,8 +1079,6 @@
"Verify User": "Kontroli uzanton", "Verify User": "Kontroli uzanton",
"For extra security, verify this user by checking a one-time code on both of your devices.": "Por plia sekureco, kontrolu ĉi tiun uzanton per unufoja kodo aperonta sur ambaŭ el viaj aparatoj.", "For extra security, verify this user by checking a one-time code on both of your devices.": "Por plia sekureco, kontrolu ĉi tiun uzanton per unufoja kodo aperonta sur ambaŭ el viaj aparatoj.",
"Start Verification": "Komenci kontrolon", "Start Verification": "Komenci kontrolon",
"Trusted": "Fidata",
"Not trusted": "Nefidata",
"More options": "Pliaj elektebloj", "More options": "Pliaj elektebloj",
"Integrations are disabled": "Kunigoj estas malŝaltitaj", "Integrations are disabled": "Kunigoj estas malŝaltitaj",
"Integrations not allowed": "Kunigoj ne estas permesitaj", "Integrations not allowed": "Kunigoj ne estas permesitaj",
@ -1127,10 +1099,8 @@
"WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and session %(deviceId)s is \"%(fprint)s\" which does not match the provided key \"%(fingerprint)s\". This could mean your communications are being intercepted!": "AVERTO: MALSUKCESIS KONTROLO DE ŜLOSILOJ! La subskriba ŝlosilo de %(userId)s kaj session %(deviceId)s estas «%(fprint)s», kiu ne akordas la donitan ŝlosilon «%(fingerprint)s». Tio povus signifi, ke via komunikado estas spionata!", "WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and session %(deviceId)s is \"%(fprint)s\" which does not match the provided key \"%(fingerprint)s\". This could mean your communications are being intercepted!": "AVERTO: MALSUKCESIS KONTROLO DE ŜLOSILOJ! La subskriba ŝlosilo de %(userId)s kaj session %(deviceId)s estas «%(fprint)s», kiu ne akordas la donitan ŝlosilon «%(fingerprint)s». Tio povus signifi, ke via komunikado estas spionata!",
"The signing key you provided matches the signing key you received from %(userId)s's session %(deviceId)s. Session marked as verified.": "La subskriba ŝlosilo, kiun vi donis, akordas la subskribas ŝlosilon, kinu vi ricevis de la salutaĵo %(deviceId)s de la uzanto %(userId)s. Salutaĵo estis markita kontrolita.", "The signing key you provided matches the signing key you received from %(userId)s's session %(deviceId)s. Session marked as verified.": "La subskriba ŝlosilo, kiun vi donis, akordas la subskribas ŝlosilon, kinu vi ricevis de la salutaĵo %(deviceId)s de la uzanto %(userId)s. Salutaĵo estis markita kontrolita.",
"Displays information about a user": "Montras informojn pri uzanto", "Displays information about a user": "Montras informojn pri uzanto",
"Show typing notifications": "Montri sciigojn pri tajpado",
"Never send encrypted messages to unverified sessions from this session": "Neniam sendi ĉifritajn mesaĝojn al nekontrolitaj salutaĵoj de ĉi tiu salutaĵo", "Never send encrypted messages to unverified sessions from this session": "Neniam sendi ĉifritajn mesaĝojn al nekontrolitaj salutaĵoj de ĉi tiu salutaĵo",
"Never send encrypted messages to unverified sessions in this room from this session": "Neniam sendi ĉifritajn mesaĝojn al nekontrolitaj salutaĵoj en ĉi tiu ĉambro de ĉi tiu salutaĵo", "Never send encrypted messages to unverified sessions in this room from this session": "Neniam sendi ĉifritajn mesaĝojn al nekontrolitaj salutaĵoj en ĉi tiu ĉambro de ĉi tiu salutaĵo",
"Show shortcuts to recently viewed rooms above the room list": "Montri tujirilojn al freŝe rigarditaj ĉambroj super la listo de ĉambroj",
"Enable message search in encrypted rooms": "Ŝalti serĉon de mesaĝoj en ĉifritaj ĉambroj", "Enable message search in encrypted rooms": "Ŝalti serĉon de mesaĝoj en ĉifritaj ĉambroj",
"How fast should messages be downloaded.": "Kiel rapide elŝuti mesaĝojn.", "How fast should messages be downloaded.": "Kiel rapide elŝuti mesaĝojn.",
"Scan this unique code": "Skanu ĉi tiun unikan kodon", "Scan this unique code": "Skanu ĉi tiun unikan kodon",
@ -1188,7 +1158,6 @@
"in account data": "en datumoj de konto", "in account data": "en datumoj de konto",
"Homeserver feature support:": "Funkciaj kapabloj de hejmservilo:", "Homeserver feature support:": "Funkciaj kapabloj de hejmservilo:",
"exists": "ekzistas", "exists": "ekzistas",
"Manage": "Administri",
"Securely cache encrypted messages locally for them to appear in search results.": "Sekure kaŝmemori ĉifritajn mesaĝojn loke, por aperigi ilin en serĉrezultoj.", "Securely cache encrypted messages locally for them to appear in search results.": "Sekure kaŝmemori ĉifritajn mesaĝojn loke, por aperigi ilin en serĉrezultoj.",
"%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with <nativeLink>search components added</nativeLink>.": "%(brand)s malhavas kelkajn partojn bezonajn por sekura loka kaŝmemorado de ĉirfitaj mesaĝoj. Se vi volas eksperimenti pri ĉi tiu kapablo, kunmetu propran klienton «%(brand)s Dekstop» kun <nativeLink>aldonitaj serĉopartoj</nativeLink>.", "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with <nativeLink>search components added</nativeLink>.": "%(brand)s malhavas kelkajn partojn bezonajn por sekura loka kaŝmemorado de ĉirfitaj mesaĝoj. Se vi volas eksperimenti pri ĉi tiu kapablo, kunmetu propran klienton «%(brand)s Dekstop» kun <nativeLink>aldonitaj serĉopartoj</nativeLink>.",
"This session is <b>not backing up your keys</b>, but you do have an existing backup you can restore from and add to going forward.": "Ĉi tiu salutaĵo <b>ne savkopias viajn ŝlosilojn</b>, sed vi jam havas savkopion, el kiu vi povas rehavi datumojn, kaj ilin kreskigi plue.", "This session is <b>not backing up your keys</b>, but you do have an existing backup you can restore from and add to going forward.": "Ĉi tiu salutaĵo <b>ne savkopias viajn ŝlosilojn</b>, sed vi jam havas savkopion, el kiu vi povas rehavi datumojn, kaj ilin kreskigi plue.",
@ -1285,7 +1254,6 @@
"The following users might not exist or are invalid, and cannot be invited: %(csvNames)s": "La jenaj uzantoj eble ne ekzistas aŭ ne validas, kaj ne povas invitiĝi: %(csvNames)s", "The following users might not exist or are invalid, and cannot be invited: %(csvNames)s": "La jenaj uzantoj eble ne ekzistas aŭ ne validas, kaj ne povas invitiĝi: %(csvNames)s",
"Recent Conversations": "Freŝaj interparoloj", "Recent Conversations": "Freŝaj interparoloj",
"Recently Direct Messaged": "Freŝe uzitaj individuaj ĉambroj", "Recently Direct Messaged": "Freŝe uzitaj individuaj ĉambroj",
"Go": "Iri",
"Upgrading a room is an advanced action and is usually recommended when a room is unstable due to bugs, missing features or security vulnerabilities.": "Gradaltigo de ĉambro estas altnivela ago kaj estas kutime rekomendata kiam ĉambro estas malstabila pro eraroj, mankantaj funkcioj, aŭ malsekuraĵoj.", "Upgrading a room is an advanced action and is usually recommended when a room is unstable due to bugs, missing features or security vulnerabilities.": "Gradaltigo de ĉambro estas altnivela ago kaj estas kutime rekomendata kiam ĉambro estas malstabila pro eraroj, mankantaj funkcioj, aŭ malsekuraĵoj.",
"This usually only affects how the room is processed on the server. If you're having problems with your %(brand)s, please <a>report a bug</a>.": "Ĉi tio kutime influas nur traktadon de la ĉambro de la servilo. Se vi spertas problemojn pri %(brand)s, bonvolu <a>raporti problemon</a>.", "This usually only affects how the room is processed on the server. If you're having problems with your %(brand)s, please <a>report a bug</a>.": "Ĉi tio kutime influas nur traktadon de la ĉambro de la servilo. Se vi spertas problemojn pri %(brand)s, bonvolu <a>raporti problemon</a>.",
"You'll upgrade this room from <oldVersion /> to <newVersion />.": "Vi gradaltigos ĉi tiun ĉambron de <oldVersion /> al <newVersion />.", "You'll upgrade this room from <oldVersion /> to <newVersion />.": "Vi gradaltigos ĉi tiun ĉambron de <oldVersion /> al <newVersion />.",
@ -1323,7 +1291,6 @@
"Can't find this server or its room list": "Ne povas trovi ĉi tiun servilon aŭ ĝian liston de ĉambroj", "Can't find this server or its room list": "Ne povas trovi ĉi tiun servilon aŭ ĝian liston de ĉambroj",
"All rooms": "Ĉiuj ĉambroj", "All rooms": "Ĉiuj ĉambroj",
"Your server": "Via servilo", "Your server": "Via servilo",
"Matrix": "Matrix",
"Add a new server": "Aldoni novan servilon", "Add a new server": "Aldoni novan servilon",
"Enter the name of a new server you want to explore.": "Enigu la nomon de nova servilo, kiun vi volas esplori.", "Enter the name of a new server you want to explore.": "Enigu la nomon de nova servilo, kiun vi volas esplori.",
"Server name": "Nomo de servilo", "Server name": "Nomo de servilo",
@ -1920,7 +1887,6 @@
"Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "Voko malsukcesis, ĉar mikrofono ne estis uzebla. Kontrolu, ĉu mikrofono estas ĝuste konektita kaj agordita.", "Call failed because microphone could not be accessed. Check that a microphone is plugged in and set up correctly.": "Voko malsukcesis, ĉar mikrofono ne estis uzebla. Kontrolu, ĉu mikrofono estas ĝuste konektita kaj agordita.",
"Unable to access microphone": "Ne povas aliri mikrofonon", "Unable to access microphone": "Ne povas aliri mikrofonon",
"Invite by email": "Inviti per retpoŝto", "Invite by email": "Inviti per retpoŝto",
"There was an error finding this widget.": "Eraris serĉado de tiu ĉi fenestraĵo.",
"Active Widgets": "Aktivaj fenestraĵoj", "Active Widgets": "Aktivaj fenestraĵoj",
"Reason (optional)": "Kialo (malnepra)", "Reason (optional)": "Kialo (malnepra)",
"Continue with %(provider)s": "Daŭrigi per %(provider)s", "Continue with %(provider)s": "Daŭrigi per %(provider)s",
@ -2005,9 +1971,6 @@
"Sends the given message with fireworks": "Sendas la mesaĝon kun artfajraĵo", "Sends the given message with fireworks": "Sendas la mesaĝon kun artfajraĵo",
"sends confetti": "sendas konfetojn", "sends confetti": "sendas konfetojn",
"Sends the given message with confetti": "Sendas la mesaĝon kun konfetoj", "Sends the given message with confetti": "Sendas la mesaĝon kun konfetoj",
"Show line numbers in code blocks": "Montri numerojn de linioj en kodujoj",
"Expand code blocks by default": "Implicite etendi kodujojn",
"Show stickers button": "Butono por montri glumarkojn",
"Use app": "Uzu aplikaĵon", "Use app": "Uzu aplikaĵon",
"Use app for a better experience": "Uzu aplikaĵon por pli bona sperto", "Use app for a better experience": "Uzu aplikaĵon por pli bona sperto",
"Don't miss a reply": "Ne preterpasu respondon", "Don't miss a reply": "Ne preterpasu respondon",
@ -2034,28 +1997,12 @@
"Start a conversation with someone using their name, email address or username (like <userId/>).": "Komencu interparolon kun iu per ĝia nomo, retpoŝtadreso, aŭ uzantonomo (ekz. <userId/>).", "Start a conversation with someone using their name, email address or username (like <userId/>).": "Komencu interparolon kun iu per ĝia nomo, retpoŝtadreso, aŭ uzantonomo (ekz. <userId/>).",
"Failed to transfer call": "Malsukcesis transdoni vokon", "Failed to transfer call": "Malsukcesis transdoni vokon",
"A call can only be transferred to a single user.": "Voko povas transdoniĝi nur al unu uzanto.", "A call can only be transferred to a single user.": "Voko povas transdoniĝi nur al unu uzanto.",
"Value in this room:": "Valoro en ĉi tiu ĉambro:",
"Value:": "Valoro:",
"Settable at room": "Agordebla ĉambre",
"Settable at global": "Agordebla ĉiee",
"Level": "Nivelo",
"Setting definition:": "Difino de agordo:",
"This UI does NOT check the types of the values. Use at your own risk.": "Ĉi tiu fasado ne kontrolas la tipojn de valoroj. Uzu je via risko.",
"Caution:": "Atentu:",
"Setting:": "Agordo:",
"Value in this room": "Valoro en ĉi tiu ĉambro",
"Value": "Valoro",
"Setting ID": "Identigilo de agordo",
"Set my room layout for everyone": "Agordi al ĉiuj mian aranĝon de ĉambro", "Set my room layout for everyone": "Agordi al ĉiuj mian aranĝon de ĉambro",
"Open dial pad": "Malfermi ciferplaton", "Open dial pad": "Malfermi ciferplaton",
"Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Savkopiu viajn čifrajn šlosilojn kune kun la datumoj de via konto, okaze ke vi perdos aliron al viaj salutaĵoj. Viaj ŝlosiloj sekuriĝos per unika Sekureca ŝlosilo.", "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Savkopiu viajn čifrajn šlosilojn kune kun la datumoj de via konto, okaze ke vi perdos aliron al viaj salutaĵoj. Viaj ŝlosiloj sekuriĝos per unika Sekureca ŝlosilo.",
"Dial pad": "Ciferplato", "Dial pad": "Ciferplato",
"Show chat effects (animations when receiving e.g. confetti)": "Montri grafikaĵojn en babilujo (ekz. movbildojn, ricevante konfetojn)",
"Use Ctrl + Enter to send a message": "Sendu mesaĝon per stirklavo (Ctrl) + eniga klavo",
"Use Command + Enter to send a message": "Sendu mesaĝon per komanda klavo + eniga klavo",
"%(senderDisplayName)s changed the server ACLs for this room.": "%(senderDisplayName)s ŝanĝis la servilblokajn listojn por ĉi tiu ĉambro.", "%(senderDisplayName)s changed the server ACLs for this room.": "%(senderDisplayName)s ŝanĝis la servilblokajn listojn por ĉi tiu ĉambro.",
"%(senderDisplayName)s set the server ACLs for this room.": "%(senderDisplayName)s agordis la servilblokajn listojn por ĉi tiu ĉambro.", "%(senderDisplayName)s set the server ACLs for this room.": "%(senderDisplayName)s agordis la servilblokajn listojn por ĉi tiu ĉambro.",
"Jump to the bottom of the timeline when you send a message": "Salti al subo de historio sendinte mesaĝon",
"You're already in a call with this person.": "Vi jam vokas ĉi tiun personon.", "You're already in a call with this person.": "Vi jam vokas ĉi tiun personon.",
"Already in call": "Jam vokanta", "Already in call": "Jam vokanta",
"This usually only affects how the room is processed on the server. If you're having problems with your %(brand)s, please report a bug.": "Ĉi tiu kutime influas nur traktadon de la ĉambro servil-flanke. Se vi spertas problemojn pri via %(brand)s, bonvolu raporti eraron.", "This usually only affects how the room is processed on the server. If you're having problems with your %(brand)s, please report a bug.": "Ĉi tiu kutime influas nur traktadon de la ĉambro servil-flanke. Se vi spertas problemojn pri via %(brand)s, bonvolu raporti eraron.",
@ -2136,11 +2083,6 @@
"Share %(name)s": "Diskonigi %(name)s", "Share %(name)s": "Diskonigi %(name)s",
"You may want to try a different search or check for typos.": "Eble vi provu serĉi alion, aŭ kontroli je mistajpoj.", "You may want to try a different search or check for typos.": "Eble vi provu serĉi alion, aŭ kontroli je mistajpoj.",
"You don't have permission": "Vi ne rajtas", "You don't have permission": "Vi ne rajtas",
"Values at explicit levels in this room:": "Valoroj por malimplicitaj niveloj en ĉi tiu ĉambro:",
"Values at explicit levels:": "Valoroj por malimplicitaj niveloj:",
"Save setting values": "Konservi valorojn de la agordoj",
"Values at explicit levels in this room": "Valoroj por malimplicitaj niveloj en ĉi tiu ĉambro",
"Values at explicit levels": "Valoroj por malimplicitaj niveloj",
"Space options": "Agordoj de aro", "Space options": "Agordoj de aro",
"with state key %(stateKey)s": "kun statŝlosilo %(stateKey)s", "with state key %(stateKey)s": "kun statŝlosilo %(stateKey)s",
"with an empty state key": "kun malplena statŝlosilo", "with an empty state key": "kun malplena statŝlosilo",
@ -2159,7 +2101,6 @@
"Invite to just this room": "Inviti nur al ĉi tiu ĉambro", "Invite to just this room": "Inviti nur al ĉi tiu ĉambro",
"Failed to send": "Malsukcesis sendi", "Failed to send": "Malsukcesis sendi",
"Change server ACLs": "Ŝanĝi servilblokajn listojn", "Change server ACLs": "Ŝanĝi servilblokajn listojn",
"Warn before quitting": "Averti antaŭ ĉesigo",
"Workspace: <networkLink/>": "Laborspaco: <networkLink/>", "Workspace: <networkLink/>": "Laborspaco: <networkLink/>",
"Manage & explore rooms": "Administri kaj esplori ĉambrojn", "Manage & explore rooms": "Administri kaj esplori ĉambrojn",
"unknown person": "nekonata persono", "unknown person": "nekonata persono",
@ -2441,8 +2382,6 @@
"Your private messages are normally encrypted, but this room isn't. Usually this is due to an unsupported device or method being used, like email invites.": "Viaj privataj mesaĝoj normale estas ĉifrataj, sed ĉi tiu ĉambro ne estas ĉifrata. Plej ofte tio okazas pro uzo de nesubtenata aparato aŭ metodo, ekzemple retpoŝtaj invitoj.", "Your private messages are normally encrypted, but this room isn't. Usually this is due to an unsupported device or method being used, like email invites.": "Viaj privataj mesaĝoj normale estas ĉifrataj, sed ĉi tiu ĉambro ne estas ĉifrata. Plej ofte tio okazas pro uzo de nesubtenata aparato aŭ metodo, ekzemple retpoŝtaj invitoj.",
"Displaying time": "Montrado de tempo", "Displaying time": "Montrado de tempo",
"Cross-signing is ready but keys are not backed up.": "Delegaj subskriboj pretas, sed ŝlosiloj ne estas savkopiitaj.", "Cross-signing is ready but keys are not backed up.": "Delegaj subskriboj pretas, sed ŝlosiloj ne estas savkopiitaj.",
"All rooms you're in will appear in Home.": "Ĉiuj ĉambroj, kie vi estas, aperos en la ĉefpaĝo.",
"Show all rooms in Home": "Montri ĉiujn ĉambrojn en ĉefpaĝo",
"%(senderName)s pinned <a>a message</a> to this room. See all <b>pinned messages</b>.": "%(senderName)s fiksis <a>mesaĝon</a> al ĉi tiu ĉambro. Vidu ĉiujn <b>fiksitajn mesaĝojn</b>.", "%(senderName)s pinned <a>a message</a> to this room. See all <b>pinned messages</b>.": "%(senderName)s fiksis <a>mesaĝon</a> al ĉi tiu ĉambro. Vidu ĉiujn <b>fiksitajn mesaĝojn</b>.",
"To avoid these issues, create a <a>new encrypted room</a> for the conversation you plan to have.": "Por eviti tiujn problemojn, kreu <a>novan ĉifritan ĉambron</a> por la planata interparolo.", "To avoid these issues, create a <a>new encrypted room</a> for the conversation you plan to have.": "Por eviti tiujn problemojn, kreu <a>novan ĉifritan ĉambron</a> por la planata interparolo.",
"Are you sure you want to add encryption to this public room?": "Ĉu vi certas, ke vi volas aldoni ĉifradon al ĉi tiu publika ĉambro?", "Are you sure you want to add encryption to this public room?": "Ĉu vi certas, ke vi volas aldoni ĉifradon al ĉi tiu publika ĉambro?",
@ -2453,8 +2392,6 @@
"Change space avatar": "Ŝanĝi bildon de aro", "Change space avatar": "Ŝanĝi bildon de aro",
"Anyone in <spaceName/> can find and join. You can select other spaces too.": "Ĉiu en <spaceName/> povas trovi kaj aliĝi. Vi povas elekti ankaŭ aliajn arojn.", "Anyone in <spaceName/> can find and join. You can select other spaces too.": "Ĉiu en <spaceName/> povas trovi kaj aliĝi. Vi povas elekti ankaŭ aliajn arojn.",
"To join a space you'll need an invite.": "Por aliĝi al aro, vi bezonas inviton.", "To join a space you'll need an invite.": "Por aliĝi al aro, vi bezonas inviton.",
"Autoplay videos": "Memage ludi filmojn",
"Autoplay GIFs": "Memage ludi GIF-ojn",
"%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s malfiksis mesaĝon de ĉi tiu ĉambro. Vidu ĉiujn fiksitajn mesaĝojn.", "%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s malfiksis mesaĝon de ĉi tiu ĉambro. Vidu ĉiujn fiksitajn mesaĝojn.",
"%(senderName)s unpinned <a>a message</a> from this room. See all <b>pinned messages</b>.": "%(senderName)s malfiksis <a>mesaĝon</a> de ĉi tiu ĉambro. Vidu ĉiujn <b>fiksitajn mesaĝojn</b>.", "%(senderName)s unpinned <a>a message</a> from this room. See all <b>pinned messages</b>.": "%(senderName)s malfiksis <a>mesaĝon</a> de ĉi tiu ĉambro. Vidu ĉiujn <b>fiksitajn mesaĝojn</b>.",
"%(senderName)s pinned a message to this room. See all pinned messages.": "%(senderName)s fiksis mesaĝon al ĉi tiu ĉambro. Vidu ĉiujn fiksitajn mesaĝojn.", "%(senderName)s pinned a message to this room. See all pinned messages.": "%(senderName)s fiksis mesaĝon al ĉi tiu ĉambro. Vidu ĉiujn fiksitajn mesaĝojn.",
@ -2664,7 +2601,6 @@
"Store your Security Key somewhere safe, like a password manager or a safe, as it's used to safeguard your encrypted data.": "Konservu vian Sekurecan ŝlosilon ie sekure, kiel pasvortadministranto aŭ monŝranko, ĉar ĝi estas uzata por protekti viajn ĉifritajn datumojn.", "Store your Security Key somewhere safe, like a password manager or a safe, as it's used to safeguard your encrypted data.": "Konservu vian Sekurecan ŝlosilon ie sekure, kiel pasvortadministranto aŭ monŝranko, ĉar ĝi estas uzata por protekti viajn ĉifritajn datumojn.",
"We'll generate a Security Key for you to store somewhere safe, like a password manager or a safe.": "Ni generos Sekurecan ŝlosilon por ke vi stoku ie sekura, kiel pasvort-administranto aŭ monŝranko.", "We'll generate a Security Key for you to store somewhere safe, like a password manager or a safe.": "Ni generos Sekurecan ŝlosilon por ke vi stoku ie sekura, kiel pasvort-administranto aŭ monŝranko.",
"%(downloadButton)s or %(copyButton)s": "%(downloadButton)s aŭ %(copyButton)s", "%(downloadButton)s or %(copyButton)s": "%(downloadButton)s aŭ %(copyButton)s",
"Accessibility": "Alirebleco",
"Toggle Code Block": "Ŝaltigu kodblokon", "Toggle Code Block": "Ŝaltigu kodblokon",
"Toggle Link": "Ŝaltigu la formatadon de ligilo", "Toggle Link": "Ŝaltigu la formatadon de ligilo",
"Next unread room or DM": "Sekva nelegita konversacio", "Next unread room or DM": "Sekva nelegita konversacio",
@ -2704,7 +2640,6 @@
"Current Timeline": "Nuna historio", "Current Timeline": "Nuna historio",
"Plain Text": "Plata Teksto", "Plain Text": "Plata Teksto",
"HTML": "HTML", "HTML": "HTML",
"Doesn't look like valid JSON.": "Ŝajnas ne esti valida JSON.",
"JSON": "JSON", "JSON": "JSON",
"Include Attachments": "Inkluzivi Aldonaĵojn", "Include Attachments": "Inkluzivi Aldonaĵojn",
"Size Limit": "Grandeca Limo", "Size Limit": "Grandeca Limo",
@ -2722,7 +2657,6 @@
"Number of messages": "Nombro da mesaĝoj", "Number of messages": "Nombro da mesaĝoj",
"Number of messages can only be a number between %(min)s and %(max)s": "Nombro da mesaĝoj povas esti nur nombro inter %(min)s kaj %(max)s", "Number of messages can only be a number between %(min)s and %(max)s": "Nombro da mesaĝoj povas esti nur nombro inter %(min)s kaj %(max)s",
"Specify a number of messages": "Indiki kelkajn mesaĝojn", "Specify a number of messages": "Indiki kelkajn mesaĝojn",
"Send read receipts": "Sendi legitajn kvitanojn",
"You previously consented to share anonymous usage data with us. We're updating how that works.": "Vi antaŭe konsentis kunhavigi anonimajn uzdatumojn kun ni. Ni ĝisdatigas kiel tio funkcias.", "You previously consented to share anonymous usage data with us. We're updating how that works.": "Vi antaŭe konsentis kunhavigi anonimajn uzdatumojn kun ni. Ni ĝisdatigas kiel tio funkcias.",
"That's fine": "Tio estas bone", "That's fine": "Tio estas bone",
"Export successful!": "Eksporto sukcesa!", "Export successful!": "Eksporto sukcesa!",
@ -2821,7 +2755,13 @@
"emoji": "Mienetoj", "emoji": "Mienetoj",
"random": "Hazarda", "random": "Hazarda",
"support": "Subteno", "support": "Subteno",
"space": "Spaco" "space": "Spaco",
"someone": "Iu",
"encrypted": "Ĉifrata",
"matrix": "Matrix",
"trusted": "Fidata",
"not_trusted": "Nefidata",
"accessibility": "Alirebleco"
}, },
"action": { "action": {
"continue": "Daŭrigi", "continue": "Daŭrigi",
@ -2902,7 +2842,15 @@
"restore": "Rehavi", "restore": "Rehavi",
"play": "Ludi", "play": "Ludi",
"pause": "Paŭzigi", "pause": "Paŭzigi",
"register": "Registri" "register": "Registri",
"manage": "Administri",
"go": "Iri",
"import": "Enporti",
"export": "Elporti",
"refresh": "Aktualigi",
"mention": "Mencio",
"submit": "Sendi",
"send_report": "Sendi raporton"
}, },
"a11y": { "a11y": {
"user_menu": "Menuo de uzanto" "user_menu": "Menuo de uzanto"
@ -2980,5 +2928,61 @@
"short_days_hours_minutes_seconds": "%(days)st. %(hours)sh. %(minutes)sm. %(seconds)ss.", "short_days_hours_minutes_seconds": "%(days)st. %(hours)sh. %(minutes)sm. %(seconds)ss.",
"short_hours_minutes_seconds": "%(hours)sh. %(minutes)sm. %(seconds)ss.", "short_hours_minutes_seconds": "%(hours)sh. %(minutes)sm. %(seconds)ss.",
"short_minutes_seconds": "%(minutes)sm. %(seconds)ss." "short_minutes_seconds": "%(minutes)sm. %(seconds)ss."
},
"devtools": {
"event_type": "Tipo de okazo",
"state_key": "Stata ŝlosilo",
"invalid_json": "Ŝajnas ne esti valida JSON.",
"event_sent": "Okazo sendiĝis!",
"event_content": "Enhavo de okazo",
"save_setting_values": "Konservi valorojn de la agordoj",
"setting_colon": "Agordo:",
"caution_colon": "Atentu:",
"use_at_own_risk": "Ĉi tiu fasado ne kontrolas la tipojn de valoroj. Uzu je via risko.",
"setting_definition": "Difino de agordo:",
"level": "Nivelo",
"settable_global": "Agordebla ĉiee",
"settable_room": "Agordebla ĉambre",
"values_explicit": "Valoroj por malimplicitaj niveloj",
"values_explicit_room": "Valoroj por malimplicitaj niveloj en ĉi tiu ĉambro",
"value_colon": "Valoro:",
"value_this_room_colon": "Valoro en ĉi tiu ĉambro:",
"values_explicit_colon": "Valoroj por malimplicitaj niveloj:",
"values_explicit_this_room_colon": "Valoroj por malimplicitaj niveloj en ĉi tiu ĉambro:",
"setting_id": "Identigilo de agordo",
"value": "Valoro",
"value_in_this_room": "Valoro en ĉi tiu ĉambro",
"failed_to_find_widget": "Eraris serĉado de tiu ĉi fenestraĵo."
},
"settings": {
"show_breadcrumbs": "Montri tujirilojn al freŝe rigarditaj ĉambroj super la listo de ĉambroj",
"all_rooms_home_description": "Ĉiuj ĉambroj, kie vi estas, aperos en la ĉefpaĝo.",
"use_12_hour_format": "Montri tempindikojn en 12-hora formo (ekz. 2:30 post.)",
"always_show_message_timestamps": "Ĉiam montri mesaĝajn tempindikojn",
"send_read_receipts": "Sendi legitajn kvitanojn",
"send_typing_notifications": "Sendi sciigojn pri tajpado",
"replace_plain_emoji": "Memfare anstataŭigi tekstajn mienetojn",
"emoji_autocomplete": "Ŝalti proponojn de bildsignoj dum tajpado",
"use_command_enter_send_message": "Sendu mesaĝon per komanda klavo + eniga klavo",
"use_control_enter_send_message": "Sendu mesaĝon per stirklavo (Ctrl) + eniga klavo",
"all_rooms_home": "Montri ĉiujn ĉambrojn en ĉefpaĝo",
"show_stickers_button": "Butono por montri glumarkojn",
"automatic_language_detection_syntax_highlight": "Ŝalti memagan rekonon de lingvo por sintaksa markado",
"code_block_expand_default": "Implicite etendi kodujojn",
"code_block_line_numbers": "Montri numerojn de linioj en kodujoj",
"inline_url_previews_default": "Ŝalti entekstan antaŭrigardon al retadresoj",
"autoplay_gifs": "Memage ludi GIF-ojn",
"autoplay_videos": "Memage ludi filmojn",
"image_thumbnails": "Montri antaŭrigardojn/bildetojn por bildoj",
"show_typing_notifications": "Montri sciigojn pri tajpado",
"show_redaction_placeholder": "Meti kovrilon anstataŭ forigitajn mesaĝojn",
"show_read_receipts": "Montri legokonfirmojn senditajn de aliaj uzantoj",
"show_displayname_changes": "Montri ŝanĝojn de vidigaj nomoj",
"show_chat_effects": "Montri grafikaĵojn en babilujo (ekz. movbildojn, ricevante konfetojn)",
"big_emoji": "Ŝalti grandajn bildsignojn en babilejo",
"jump_to_bottom_on_send": "Salti al subo de historio sendinte mesaĝon",
"prompt_invite": "Averti antaŭ ol sendi invitojn al eble nevalidaj Matrix-identigiloj",
"start_automatically": "Memfare ruli post operaciuma saluto",
"warn_quit": "Averti antaŭ ĉesigo"
} }
} }

View file

@ -2,7 +2,6 @@
"Account": "Cuenta", "Account": "Cuenta",
"Admin": "Admin", "Admin": "Admin",
"Advanced": "Avanzado", "Advanced": "Avanzado",
"Always show message timestamps": "Mostrar siempre la fecha y hora de envío junto a los mensajes",
"Authentication": "Autenticación", "Authentication": "Autenticación",
"%(items)s and %(lastItem)s": "%(items)s y %(lastItem)s", "%(items)s and %(lastItem)s": "%(items)s y %(lastItem)s",
"and %(count)s others...": { "and %(count)s others...": {
@ -71,9 +70,7 @@
"Anyone": "Todos", "Anyone": "Todos",
"Custom level": "Nivel personalizado", "Custom level": "Nivel personalizado",
"Enter passphrase": "Introducir frase de contraseña", "Enter passphrase": "Introducir frase de contraseña",
"Export": "Exportar",
"Home": "Inicio", "Home": "Inicio",
"Import": "Importar",
"Incorrect username and/or password.": "Nombre de usuario y/o contraseña incorrectos.", "Incorrect username and/or password.": "Nombre de usuario y/o contraseña incorrectos.",
"Invited": "Invitado", "Invited": "Invitado",
"Jump to first unread message.": "Ir al primer mensaje no leído.", "Jump to first unread message.": "Ir al primer mensaje no leído.",
@ -109,9 +106,7 @@
"Server unavailable, overloaded, or something else went wrong.": "Servidor saturado, desconectado, o alguien ha roto algo.", "Server unavailable, overloaded, or something else went wrong.": "Servidor saturado, desconectado, o alguien ha roto algo.",
"Session ID": "ID de Sesión", "Session ID": "ID de Sesión",
"Signed Out": "Desconectado", "Signed Out": "Desconectado",
"Someone": "Alguien",
"Start authentication": "Iniciar autenticación", "Start authentication": "Iniciar autenticación",
"Submit": "Enviar",
"No media permissions": "Sin permisos para el medio", "No media permissions": "Sin permisos para el medio",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Probablemente necesites dar permisos manualmente a %(brand)s para tu micrófono/cámara", "You may need to manually permit %(brand)s to access your microphone/webcam": "Probablemente necesites dar permisos manualmente a %(brand)s para tu micrófono/cámara",
"Are you sure you want to leave the room '%(roomName)s'?": "¿Salir de la sala «%(roomName)s»?", "Are you sure you want to leave the room '%(roomName)s'?": "¿Salir de la sala «%(roomName)s»?",
@ -143,7 +138,6 @@
"%(brand)s was not given permission to send notifications - please try again": "No le has dado permiso a %(brand)s para enviar notificaciones. Por favor, inténtalo de nuevo", "%(brand)s was not given permission to send notifications - please try again": "No le has dado permiso a %(brand)s para enviar notificaciones. Por favor, inténtalo de nuevo",
"%(brand)s version:": "Versión de %(brand)s:", "%(brand)s version:": "Versión de %(brand)s:",
"Room %(roomId)s not visible": "La sala %(roomId)s no es visible", "Room %(roomId)s not visible": "La sala %(roomId)s no es visible",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Mostrar las horas con el modelo de 12 horas (ej.: 2:30pm)",
"This email address is already in use": "Esta dirección de correo electrónico ya está en uso", "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 ha encontrado la dirección de correo electrónico", "This email address was not found": "No se ha encontrado la 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 email address linked to your account must be entered.": "Debes ingresar la dirección de correo electrónico vinculada a tu cuenta.",
@ -159,7 +153,6 @@
"Authentication check failed: incorrect password?": "La verificación de autenticación falló: ¿contraseña incorrecta?", "Authentication check failed: incorrect password?": "La verificación de autenticación falló: ¿contraseña incorrecta?",
"Delete widget": "Eliminar accesorio", "Delete widget": "Eliminar accesorio",
"Define the power level of a user": "Define el nivel de autoridad de un usuario", "Define the power level of a user": "Define el nivel de autoridad de un usuario",
"Enable automatic language detection for syntax highlighting": "Activar la detección automática del lenguajes de programación para resaltar su sintaxis",
"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 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.", "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.",
"Unable to add email address": "No es posible añadir la dirección de correo electrónico", "Unable to add email address": "No es posible añadir la dirección de correo electrónico",
@ -243,7 +236,6 @@
"Collecting app version information": "Recolectando información de la versión de la aplicación", "Collecting app version information": "Recolectando información de la versión de la aplicación",
"Tuesday": "Martes", "Tuesday": "Martes",
"Search…": "Buscar…", "Search…": "Buscar…",
"Event sent!": "Evento enviado!",
"Preparing to send logs": "Preparando para enviar registros", "Preparing to send logs": "Preparando para enviar registros",
"Unnamed room": "Sala sin nombre", "Unnamed room": "Sala sin nombre",
"Saturday": "Sábado", "Saturday": "Sábado",
@ -255,7 +247,6 @@
"All messages": "Todos los mensajes", "All messages": "Todos los mensajes",
"Call invitation": "Cuando me inviten a una llamada", "Call invitation": "Cuando me inviten a una llamada",
"Thank you!": "¡Gracias!", "Thank you!": "¡Gracias!",
"State Key": "Clave de estado",
"What's new?": "Novedades", "What's new?": "Novedades",
"When I'm invited to a room": "Cuando me inviten a una sala", "When I'm invited to a room": "Cuando me inviten a una sala",
"All Rooms": "Todas las salas", "All Rooms": "Todas las salas",
@ -270,9 +261,7 @@
"Off": "Apagado", "Off": "Apagado",
"Failed to remove tag %(tagName)s from room": "Error al eliminar la etiqueta %(tagName)s de la sala", "Failed to remove tag %(tagName)s from room": "Error al eliminar la etiqueta %(tagName)s de la sala",
"Wednesday": "Miércoles", "Wednesday": "Miércoles",
"Event Type": "Tipo de Evento",
"Developer Tools": "Herramientas de desarrollo", "Developer Tools": "Herramientas de desarrollo",
"Event Content": "Contenido del Evento",
"Permission Required": "Se necesita permiso", "Permission Required": "Se necesita permiso",
"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", "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 a las %(time)s", "%(weekDayName)s %(time)s": "%(weekDayName)s a las %(time)s",
@ -294,10 +283,8 @@
"%(widgetName)s widget removed by %(senderName)s": "componente %(widgetName)s eliminado por %(senderName)s", "%(widgetName)s widget removed by %(senderName)s": "componente %(widgetName)s eliminado por %(senderName)s",
"Your browser does not support the required cryptography extensions": "Su navegador no soporta las extensiones de criptografía requeridas", "Your browser does not support the required cryptography extensions": "Su navegador no soporta las extensiones de criptografía requeridas",
"Not a valid %(brand)s keyfile": "No es un archivo de claves de %(brand)s válido", "Not a valid %(brand)s keyfile": "No es un archivo de claves de %(brand)s válido",
"Automatically replace plain text Emoji": "Sustituir automáticamente caritas de texto por sus emojis equivalentes",
"Mirror local video feed": "Invertir el vídeo local horizontalmente (espejo)", "Mirror local video feed": "Invertir el vídeo local horizontalmente (espejo)",
"Send analytics data": "Enviar datos estadísticos de uso", "Send analytics data": "Enviar datos estadísticos de uso",
"Enable inline URL previews by default": "Activar la vista previa de URLs en línea por defecto",
"Enable URL previews for this room (only affects you)": "Activar la vista previa de URLs en esta sala (solo para ti)", "Enable URL previews for this room (only affects you)": "Activar la vista previa de URLs en esta sala (solo para ti)",
"Enable URL previews by default for participants in this room": "Activar la vista previa de URLs por defecto para los participantes de esta sala", "Enable URL previews by default for participants in this room": "Activar la vista previa de URLs por defecto para los participantes de esta sala",
"Enable widget screenshots on supported widgets": "Activar capturas de pantalla de accesorios en los accesorios que lo permitan", "Enable widget screenshots on supported widgets": "Activar capturas de pantalla de accesorios en los accesorios que lo permitan",
@ -308,7 +295,6 @@
"Demote": "Quitar permisos", "Demote": "Quitar permisos",
"Unignore": "Dejar de ignorar", "Unignore": "Dejar de ignorar",
"Jump to read receipt": "Saltar al último mensaje sin leer", "Jump to read receipt": "Saltar al último mensaje sin leer",
"Mention": "Mencionar",
"Share Link to User": "Compartir enlace al usuario", "Share Link to User": "Compartir enlace al usuario",
"Send an encrypted reply…": "Enviar una respuesta cifrada…", "Send an encrypted reply…": "Enviar una respuesta cifrada…",
"Send an encrypted message…": "Enviar un mensaje cifrado…", "Send an encrypted message…": "Enviar un mensaje cifrado…",
@ -450,7 +436,6 @@
"Confirm Removal": "Confirmar eliminación", "Confirm Removal": "Confirmar eliminación",
"Clear Storage and Sign Out": "Borrar almacenamiento y cerrar sesión", "Clear Storage and Sign Out": "Borrar almacenamiento y cerrar sesión",
"Send Logs": "Enviar Registros", "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.", "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 %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Si ha usado anteriormente una versión más reciente de %(brand)s, su sesión puede ser incompatible con ésta. Cierre la ventana y vuelva a la versión más reciente.", "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Si ha usado anteriormente una versión más reciente de %(brand)s, su sesión puede ser incompatible con ésta. Cierre la ventana y vuelva a la versión más reciente.",
"Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Limpiando el almacenamiento del navegador puede arreglar el problema, pero le desconectará y cualquier historial de conversación cifrado se volverá ilegible.", "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.",
@ -471,7 +456,6 @@
"Connectivity to the server has been lost.": "Se ha perdido la conexión con el servidor.", "Connectivity to the server has been lost.": "Se ha perdido 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 la conexión.", "Sent messages will be stored until your connection has returned.": "Los mensajes enviados se almacenarán hasta que vuelva la conexión.",
"Check for update": "Comprobar si hay actualizaciones", "Check for update": "Comprobar si hay actualizaciones",
"Start automatically after system login": "Abrir automáticamente después de iniciar sesión en el sistema",
"No Audio Outputs detected": "No se han detectado salidas de sonido", "No Audio Outputs detected": "No se han detectado salidas de sonido",
"Audio Output": "Salida de sonido", "Audio Output": "Salida de sonido",
"Please note you are logging into the %(hs)s server, not matrix.org.": "Por favor, ten en cuenta que estás iniciando sesión en el servidor %(hs)s, y no en matrix.org.", "Please note you are logging into the %(hs)s server, not matrix.org.": "Por favor, ten en cuenta que estás iniciando sesión en el servidor %(hs)s, y no en matrix.org.",
@ -560,12 +544,6 @@
"Common names and surnames are easy to guess": "Nombres y apellidos comunes son fáciles de adivinar", "Common names and surnames are easy to guess": "Nombres y apellidos comunes son fáciles de adivinar",
"Straight rows of keys are easy to guess": "Palabras formadas por secuencias de teclas consecutivas son fáciles de adivinar", "Straight rows of keys are easy to guess": "Palabras formadas por secuencias de teclas consecutivas son fáciles de adivinar",
"Short keyboard patterns are easy to guess": "Patrones de tecleo cortos son fáciles de adivinar", "Short keyboard patterns are easy to guess": "Patrones de tecleo cortos son fáciles de adivinar",
"Enable Emoji suggestions while typing": "Sugerir emojis mientras escribes",
"Show a placeholder for removed messages": "Dejar un indicador cuando se borre un mensaje",
"Show display name changes": "Muestra cambios en los nombres",
"Enable big emoji in chat": "Activar emojis grandes en el chat",
"Send typing notifications": "Enviar notificaciones de tecleo",
"Prompt before sending invites to potentially invalid matrix IDs": "Preguntarme antes de enviar invitaciones a IDs de matrix que no parezcan válidas",
"Messages containing my username": "Mensajes que contengan mi nombre", "Messages containing my username": "Mensajes que contengan mi nombre",
"Messages containing @room": "Mensajes que contengan @room", "Messages containing @room": "Mensajes que contengan @room",
"Encrypted messages in one-to-one chats": "Mensajes cifrados en salas uno a uno", "Encrypted messages in one-to-one chats": "Mensajes cifrados en salas uno a uno",
@ -667,7 +645,6 @@
"Security & Privacy": "Seguridad y privacidad", "Security & Privacy": "Seguridad y privacidad",
"Encryption": "Cifrado", "Encryption": "Cifrado",
"Once enabled, encryption cannot be disabled.": "Una vez actives el cifrado, no podrás desactivarlo.", "Once enabled, encryption cannot be disabled.": "Una vez actives el cifrado, no podrás desactivarlo.",
"Encrypted": "Cifrado",
"Ignored users": "Usuarios ignorados", "Ignored users": "Usuarios ignorados",
"Bulk options": "Opciones generales", "Bulk options": "Opciones generales",
"Missing media permissions, click the button below to request.": "No hay permisos de medios, haz clic abajo para pedirlos.", "Missing media permissions, click the button below to request.": "No hay permisos de medios, haz clic abajo para pedirlos.",
@ -712,7 +689,6 @@
"Unexpected error resolving identity server configuration": "Error inesperado en la configuración del servidor de identidad", "Unexpected error resolving identity server configuration": "Error inesperado en la configuración del servidor de identidad",
"The user must be unbanned before they can be invited.": "El usuario debe ser desbloqueado antes de poder ser invitado.", "The user must be unbanned before they can be invited.": "El usuario debe ser desbloqueado antes de poder ser invitado.",
"The user's homeserver does not support the version of the room.": "El servidor del usuario no soporta la versión de la sala.", "The user's homeserver does not support the version of the room.": "El servidor del usuario no soporta la versión de la sala.",
"Show read receipts sent by other users": "Mostrar las confirmaciones de lectura enviadas por otros usuarios",
"Show hidden events in timeline": "Mostrar eventos ocultos en la línea de tiempo", "Show hidden events in timeline": "Mostrar eventos ocultos en la línea de tiempo",
"Got It": "Entendido", "Got It": "Entendido",
"Scissors": "Tijeras", "Scissors": "Tijeras",
@ -744,7 +720,6 @@
"%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)s hizo una llamada de vídeo (no soportada por este navegador)", "%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)s hizo una llamada de vídeo (no soportada por este navegador)",
"%(name)s (%(userId)s)": "%(name)s (%(userId)s)", "%(name)s (%(userId)s)": "%(name)s (%(userId)s)",
"Match system theme": "Usar el mismo tema que el sistema", "Match system theme": "Usar el mismo tema que el sistema",
"Show previews/thumbnails for images": "Mostrar vistas previas para las imágenes",
"When rooms are upgraded": "Cuando las salas son actualizadas", "When rooms are upgraded": "Cuando las salas son actualizadas",
"My Ban List": "Mi lista de baneos", "My Ban List": "Mi lista de baneos",
"This is your list of users/servers you have blocked - don't leave the room!": "Esta es la lista de usuarios y/o servidores que has bloqueado. ¡No te salgas de la sala!", "This is your list of users/servers you have blocked - don't leave the room!": "Esta es la lista de usuarios y/o servidores que has bloqueado. ¡No te salgas de la sala!",
@ -802,7 +777,6 @@
"The following users might not exist or are invalid, and cannot be invited: %(csvNames)s": "Puede que los siguientes usuarios no existan o sean inválidos, y no pueden ser invitados: %(csvNames)s", "The following users might not exist or are invalid, and cannot be invited: %(csvNames)s": "Puede que los siguientes usuarios no existan o sean inválidos, y no pueden ser invitados: %(csvNames)s",
"Recent Conversations": "Conversaciones recientes", "Recent Conversations": "Conversaciones recientes",
"Recently Direct Messaged": "Mensajes directos recientes", "Recently Direct Messaged": "Mensajes directos recientes",
"Go": "Ir",
"You've previously used %(brand)s on %(host)s with lazy loading of members enabled. In this version lazy loading is disabled. As the local cache is not compatible between these two settings, %(brand)s needs to resync your account.": "Has usado %(brand)s anteriormente en %(host)s con carga diferida de usuarios activada. En esta versión la carga diferida está desactivada. Como el caché local no es compatible entre estas dos configuraciones, %(brand)s tiene que resincronizar tu cuenta.", "You've previously used %(brand)s on %(host)s with lazy loading of members enabled. In this version lazy loading is disabled. As the local cache is not compatible between these two settings, %(brand)s needs to resync your account.": "Has usado %(brand)s anteriormente en %(host)s con carga diferida de usuarios activada. En esta versión la carga diferida está desactivada. Como el caché local no es compatible entre estas dos configuraciones, %(brand)s tiene que resincronizar tu cuenta.",
"If the other version of %(brand)s is still open in another tab, please close it as using %(brand)s on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "Si la otra versión de %(brand)s esta todavía abierta en otra pestaña, por favor, ciérrala, ya que usar %(brand)s en el mismo host con la opción de carga diferida activada y desactivada simultáneamente causará problemas.", "If the other version of %(brand)s is still open in another tab, please close it as using %(brand)s on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "Si la otra versión de %(brand)s esta todavía abierta en otra pestaña, por favor, ciérrala, ya que usar %(brand)s en el mismo host con la opción de carga diferida activada y desactivada simultáneamente causará problemas.",
"Incompatible local cache": "Caché local incompatible", "Incompatible local cache": "Caché local incompatible",
@ -814,7 +788,6 @@
"Message edits": "Ediciones del mensaje", "Message edits": "Ediciones del mensaje",
"Please fill why you're reporting.": "Por favor, explica por qué estás denunciando.", "Please fill why you're reporting.": "Por favor, explica por qué estás denunciando.",
"Report Content to Your Homeserver Administrator": "Denunciar contenido al administrador de tu servidor base", "Report Content to Your Homeserver Administrator": "Denunciar contenido al administrador de tu servidor base",
"Send report": "Enviar denuncia",
"Room Settings - %(roomName)s": "Configuración de la sala - %(roomName)s", "Room Settings - %(roomName)s": "Configuración de la sala - %(roomName)s",
"Upgrading this room requires closing down the current instance of the room and creating a new room in its place. To give room members the best possible experience, we will:": "Actualizar esta sala requiere cerrar la instancia actual de esta sala y crear una nueva sala en su lugar. Para dar a los miembros de la sala la mejor experiencia, haremos lo siguiente:", "Upgrading this room requires closing down the current instance of the room and creating a new room in its place. To give room members the best possible experience, we will:": "Actualizar esta sala requiere cerrar la instancia actual de esta sala y crear una nueva sala en su lugar. Para dar a los miembros de la sala la mejor experiencia, haremos lo siguiente:",
"Upgrade private room": "Actualizar sala privada", "Upgrade private room": "Actualizar sala privada",
@ -895,7 +868,6 @@
"%(num)s hours from now": "dentro de %(num)s horas", "%(num)s hours from now": "dentro de %(num)s horas",
"about a day from now": "dentro de un día", "about a day from now": "dentro de un día",
"%(num)s days from now": "dentro de %(num)s días", "%(num)s days from now": "dentro de %(num)s días",
"Show typing notifications": "Mostrar un indicador cuando alguien más esté escribiendo en la sala",
"Never send encrypted messages to unverified sessions from this session": "No enviar nunca mensajes cifrados a sesiones sin verificar desde esta sesión", "Never send encrypted messages to unverified sessions from this session": "No enviar nunca mensajes cifrados a sesiones sin verificar desde esta sesión",
"Never send encrypted messages to unverified sessions in this room from this session": "No enviar nunca mensajes cifrados a sesiones sin verificar en esta sala desde esta sesión", "Never send encrypted messages to unverified sessions in this room from this session": "No enviar nunca mensajes cifrados a sesiones sin verificar en esta sala desde esta sesión",
"Enable message search in encrypted rooms": "Activar la búsqueda de mensajes en salas cifradas", "Enable message search in encrypted rooms": "Activar la búsqueda de mensajes en salas cifradas",
@ -907,7 +879,6 @@
"in secret storage": "en almacén secreto", "in secret storage": "en almacén secreto",
"Secret storage public key:": "Clave pública del almacén secreto:", "Secret storage public key:": "Clave pública del almacén secreto:",
"in account data": "en datos de cuenta", "in account data": "en datos de cuenta",
"Manage": "Gestionar",
"not stored": "no almacenado", "not stored": "no almacenado",
"Message search": "Búsqueda de mensajes", "Message search": "Búsqueda de mensajes",
"Upgrade this room to the recommended room version": "Actualizar esta sala a la versión de sala recomendada", "Upgrade this room to the recommended room version": "Actualizar esta sala a la versión de sala recomendada",
@ -988,7 +959,6 @@
"%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s (%(userId)s) inició una nueva sesión sin verificarla:", "%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s (%(userId)s) inició una nueva sesión sin verificarla:",
"Ask this user to verify their session, or manually verify it below.": "Pídele al usuario que verifique su sesión, o verifícala manualmente a continuación.", "Ask this user to verify their session, or manually verify it below.": "Pídele al usuario que verifique su sesión, o verifícala manualmente a continuación.",
"Not Trusted": "No es de confianza", "Not Trusted": "No es de confianza",
"Show shortcuts to recently viewed rooms above the room list": "Incluir encima de la lista de salas unos atajos a las últimas salas que hayas visto",
"Manually verify all remote sessions": "Verificar manualmente todas las sesiones remotas", "Manually verify all remote sessions": "Verificar manualmente todas las sesiones remotas",
"Cancelling…": "Anulando…", "Cancelling…": "Anulando…",
"Set up": "Configurar", "Set up": "Configurar",
@ -1080,7 +1050,6 @@
"Can't find this server or its room list": "No se ha podido encontrar este servidor o su lista de salas", "Can't find this server or its room list": "No se ha podido encontrar este servidor o su lista de salas",
"All rooms": "Todas las salas", "All rooms": "Todas las salas",
"Your server": "Tu servidor", "Your server": "Tu servidor",
"Matrix": "Matrix",
"Add a new server": "Añadir un nuevo servidor", "Add a new server": "Añadir un nuevo servidor",
"Enter the name of a new server you want to explore.": "Escribe el nombre de un nuevo servidor que quieras explorar.", "Enter the name of a new server you want to explore.": "Escribe el nombre de un nuevo servidor que quieras explorar.",
"Server name": "Nombre del servidor", "Server name": "Nombre del servidor",
@ -1206,8 +1175,6 @@
"Your messages are not secure": "Los mensajes no son seguros", "Your messages are not secure": "Los mensajes no son seguros",
"One of the following may be compromised:": "Uno de los siguientes puede estar comprometido:", "One of the following may be compromised:": "Uno de los siguientes puede estar comprometido:",
"Your homeserver": "Tu servidor base", "Your homeserver": "Tu servidor base",
"Trusted": "De confianza",
"Not trusted": "No de confianza",
"%(count)s verified sessions": { "%(count)s verified sessions": {
"other": "%(count)s sesiones verificadas", "other": "%(count)s sesiones verificadas",
"one": "1 sesión verificada" "one": "1 sesión verificada"
@ -1585,7 +1552,6 @@
"Workspace: <networkLink/>": "Entorno de trabajo: <networkLink/>", "Workspace: <networkLink/>": "Entorno de trabajo: <networkLink/>",
"There was an error looking up the phone number": "Ha ocurrido un error al buscar el número de teléfono", "There was an error looking up the phone number": "Ha ocurrido un error al buscar el número de teléfono",
"Unable to look up phone number": "No se ha podido buscar el número de teléfono", "Unable to look up phone number": "No se ha podido buscar el número de teléfono",
"Show stickers button": "Incluir el botón de pegatinas",
"See emotes posted to this room": "Ver los emoticonos publicados en esta sala", "See emotes posted to this room": "Ver los emoticonos publicados en esta sala",
"Send emotes as you in this room": "Enviar emoticonos en tu nombre a esta sala", "Send emotes as you in this room": "Enviar emoticonos en tu nombre a esta sala",
"Send messages as you in this room": "Enviar mensajes en tu nombre a esta sala", "Send messages as you in this room": "Enviar mensajes en tu nombre a esta sala",
@ -1829,7 +1795,6 @@
"Send feedback": "Enviar comentarios", "Send feedback": "Enviar comentarios",
"Comment": "Comentario", "Comment": "Comentario",
"Feedback sent": "Comentarios enviados", "Feedback sent": "Comentarios enviados",
"There was an error finding this widget.": "Ha ocurrido un error al buscar este accesorio.",
"Active Widgets": "Accesorios activos", "Active Widgets": "Accesorios activos",
"This version of %(brand)s does not support viewing some encrypted files": "Esta versión de %(brand)s no permite ver algunos archivos cifrados", "This version of %(brand)s does not support viewing some encrypted files": "Esta versión de %(brand)s no permite ver algunos archivos cifrados",
"Use the <a>Desktop app</a> to search encrypted messages": "Usa la <a>aplicación de escritorio</a> para buscar en los mensajes cifrados", "Use the <a>Desktop app</a> to search encrypted messages": "Usa la <a>aplicación de escritorio</a> para buscar en los mensajes cifrados",
@ -1863,8 +1828,6 @@
"Sends the given message with fireworks": "Envía el mensaje con fuegos artificiales", "Sends the given message with fireworks": "Envía el mensaje con fuegos artificiales",
"sends confetti": "envía confeti", "sends confetti": "envía confeti",
"Sends the given message with confetti": "Envía el mensaje con confeti", "Sends the given message with confetti": "Envía el mensaje con confeti",
"Use Ctrl + Enter to send a message": "Hacer que para enviar un mensaje haya que pulsar Control + Intro",
"Use Command + Enter to send a message": "Usa Comando + Intro para enviar un mensje",
"%(senderName)s ended the call": "%(senderName)s ha terminado la llamada", "%(senderName)s ended the call": "%(senderName)s ha terminado la llamada",
"You ended the call": "Has terminado la llamada", "You ended the call": "Has terminado la llamada",
"New version of %(brand)s is available": "Hay una nueva versión de %(brand)s disponible", "New version of %(brand)s is available": "Hay una nueva versión de %(brand)s disponible",
@ -2038,32 +2001,11 @@
"Start a conversation with someone using their name, email address or username (like <userId/>).": "Empieza una conversación con alguien usando su nombre, correo electrónico o nombre de usuario (como <userId/>).", "Start a conversation with someone using their name, email address or username (like <userId/>).": "Empieza una conversación con alguien usando su nombre, correo electrónico o nombre de usuario (como <userId/>).",
"See <b>%(msgtype)s</b> messages posted to your active room": "Ver mensajes de tipo <b>%(msgtype)s</b> enviados a tu sala activa", "See <b>%(msgtype)s</b> messages posted to your active room": "Ver mensajes de tipo <b>%(msgtype)s</b> enviados a tu sala activa",
"See <b>%(msgtype)s</b> messages posted to this room": "Ver mensajes de tipo <b>%(msgtype)s</b> enviados a esta sala", "See <b>%(msgtype)s</b> messages posted to this room": "Ver mensajes de tipo <b>%(msgtype)s</b> enviados a esta sala",
"Show chat effects (animations when receiving e.g. confetti)": "Mostrar efectos de chat (animaciones al recibir ciertos mensajes, como confeti)",
"Expand code blocks by default": "Expandir bloques de ćodigo por defecto",
"Show line numbers in code blocks": "Mostrar números de línea en bloques de ćodigo",
"This is the beginning of your direct message history with <displayName/>.": "Este es el inicio de tu historial de mensajes directos con <displayName/>.", "This is the beginning of your direct message history with <displayName/>.": "Este es el inicio de tu historial de mensajes directos con <displayName/>.",
"Recently visited rooms": "Salas visitadas recientemente", "Recently visited rooms": "Salas visitadas recientemente",
"PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "CONSEJO: Si creas una incidencia, adjunta <debugLogsLink>tus registros de depuración</debugLogsLink> para ayudarnos a localizar el problema.", "PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "CONSEJO: Si creas una incidencia, adjunta <debugLogsLink>tus registros de depuración</debugLogsLink> para ayudarnos a localizar el problema.",
"Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.": "Por favor, echa un vistazo primero a <existingIssuesLink>las incidencias de Github</existingIssuesLink>. Si no encuentras nada relacionado, <newIssueLink>crea una nueva incidencia</newIssueLink>.", "Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.": "Por favor, echa un vistazo primero a <existingIssuesLink>las incidencias de Github</existingIssuesLink>. Si no encuentras nada relacionado, <newIssueLink>crea una nueva incidencia</newIssueLink>.",
"Values at explicit levels in this room:": "Valores a niveles explícitos en esta sala:",
"Values at explicit levels:": "Valores a niveles explícitos:",
"Value in this room:": "Valor en esta sala:",
"Value:": "Valor:",
"Save setting values": "Guardar valores de ajustes",
"Values at explicit levels in this room": "Valores a niveles explícitos en esta sala",
"Values at explicit levels": "Valores a niveles explícitos",
"Settable at room": "Establecible a nivel de sala",
"Settable at global": "Establecible globalmente",
"Level": "Nivel",
"Setting definition:": "Definición del ajuste:",
"This UI does NOT check the types of the values. Use at your own risk.": "Esta interfaz NO comprueba los tipos de dato de los valores. Usar bajo tu responsabilidad.",
"Caution:": "Precaución:",
"Setting:": "Ajuste:",
"Value in this room": "Valor en esta sala",
"Value": "Valor",
"Setting ID": "ID de ajuste",
"You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the space it will be impossible to regain privileges.": "No podrás deshacer esto, ya que te estás quitando tus permisos. Si eres la última persona con permisos en este usuario, no será posible recuperarlos.", "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the space it will be impossible to regain privileges.": "No podrás deshacer esto, ya que te estás quitando tus permisos. Si eres la última persona con permisos en este usuario, no será posible recuperarlos.",
"Jump to the bottom of the timeline when you send a message": "Saltar abajo del todo al enviar un mensaje",
"Welcome to <name/>": "Te damos la bienvenida a <name/>", "Welcome to <name/>": "Te damos la bienvenida a <name/>",
"Already in call": "Ya en una llamada", "Already in call": "Ya en una llamada",
"Original event source": "Fuente original del evento", "Original event source": "Fuente original del evento",
@ -2157,7 +2099,6 @@
"other": "%(count)s personas que ya conoces se han unido" "other": "%(count)s personas que ya conoces se han unido"
}, },
"Invite to just this room": "Invitar solo a esta sala", "Invite to just this room": "Invitar solo a esta sala",
"Warn before quitting": "Pedir confirmación antes de salir",
"Manage & explore rooms": "Gestionar y explorar salas", "Manage & explore rooms": "Gestionar y explorar salas",
"unknown person": "persona desconocida", "unknown person": "persona desconocida",
"%(deviceId)s from %(ip)s": "%(deviceId)s desde %(ip)s", "%(deviceId)s from %(ip)s": "%(deviceId)s desde %(ip)s",
@ -2292,7 +2233,6 @@
"e.g. my-space": "ej.: mi-espacio", "e.g. my-space": "ej.: mi-espacio",
"Silence call": "Silenciar llamada", "Silence call": "Silenciar llamada",
"Sound on": "Sonido activado", "Sound on": "Sonido activado",
"Show all rooms in Home": "Incluir todas las salas en Inicio",
"%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s ha anulado la invitación a %(targetName)s", "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s ha anulado la invitación a %(targetName)s",
"%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s ha anulado la invitación a %(targetName)s: %(reason)s", "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s ha anulado la invitación a %(targetName)s: %(reason)s",
"%(targetName)s left the room": "%(targetName)s ha salido de la sala", "%(targetName)s left the room": "%(targetName)s ha salido de la sala",
@ -2341,7 +2281,6 @@
"An error occurred whilst saving your notification preferences.": "Ha ocurrido un error al guardar las tus preferencias de notificaciones.", "An error occurred whilst saving your notification preferences.": "Ha ocurrido un error al guardar las tus preferencias de notificaciones.",
"Error saving notification preferences": "Error al guardar las preferencias de notificaciones", "Error saving notification preferences": "Error al guardar las preferencias de notificaciones",
"Messages containing keywords": "Mensajes que contengan", "Messages containing keywords": "Mensajes que contengan",
"Use Command + F to search timeline": "Usa Control + F para buscar",
"Transfer Failed": "La transferencia ha fallado", "Transfer Failed": "La transferencia ha fallado",
"Unable to transfer call": "No se ha podido transferir la llamada", "Unable to transfer call": "No se ha podido transferir la llamada",
"Could not connect media": "No se ha podido conectar con los dispositivos multimedia", "Could not connect media": "No se ha podido conectar con los dispositivos multimedia",
@ -2353,7 +2292,6 @@
"An unknown error occurred": "Ha ocurrido un error desconocido", "An unknown error occurred": "Ha ocurrido un error desconocido",
"Connection failed": "Ha fallado la conexión", "Connection failed": "Ha fallado la conexión",
"Displaying time": "Fecha y hora", "Displaying time": "Fecha y hora",
"Use Ctrl + F to search timeline": "Activar el atajo Control + F, que permite buscar dentro de una conversación",
"<b>Please note upgrading will make a new version of the room</b>. All current messages will stay in this archived room.": "<b>Ten en cuenta que actualizar crea una nueva versión de la sala</b>. Todos los mensajes hasta ahora quedarán archivados aquí, en esta sala.", "<b>Please note upgrading will make a new version of the room</b>. All current messages will stay in this archived room.": "<b>Ten en cuenta que actualizar crea una nueva versión de la sala</b>. Todos los mensajes hasta ahora quedarán archivados aquí, en esta sala.",
"Automatically invite members from this room to the new one": "Invitar a la nueva sala automáticamente a los miembros que tiene ahora", "Automatically invite members from this room to the new one": "Invitar a la nueva sala automáticamente a los miembros que tiene ahora",
"These are likely ones other room admins are a part of.": "Otros administradores de la sala estarán dentro.", "These are likely ones other room admins are a part of.": "Otros administradores de la sala estarán dentro.",
@ -2389,7 +2327,6 @@
"Your camera is turned off": "Tu cámara está apagada", "Your camera is turned off": "Tu cámara está apagada",
"%(sharerName)s is presenting": "%(sharerName)s está presentando", "%(sharerName)s is presenting": "%(sharerName)s está presentando",
"You are presenting": "Estás presentando", "You are presenting": "Estás presentando",
"All rooms you're in will appear in Home.": "Elige si quieres que en Inicio aparezcan todas las salas a las que te hayas unido.",
"Add space": "Añadir un espacio", "Add space": "Añadir un espacio",
"Spaces you know that contain this room": "Espacios que conoces que contienen esta sala", "Spaces you know that contain this room": "Espacios que conoces que contienen esta sala",
"Search spaces": "Buscar espacios", "Search spaces": "Buscar espacios",
@ -2455,8 +2392,6 @@
"Are you sure you want to add encryption to this public room?": "¿Seguro que quieres activar el cifrado en esta sala pública?", "Are you sure you want to add encryption to this public room?": "¿Seguro que quieres activar el cifrado en esta sala pública?",
"The above, but in any room you are joined or invited to as well": "Lo de arriba, pero en cualquier sala en la que estés o te inviten", "The above, but in any room you are joined or invited to as well": "Lo de arriba, pero en cualquier sala en la que estés o te inviten",
"The above, but in <Room /> as well": "Lo de arriba, pero también en <Room />", "The above, but in <Room /> as well": "Lo de arriba, pero también en <Room />",
"Autoplay videos": "Reproducir automáticamente los vídeos",
"Autoplay GIFs": "Reproducir automáticamente los GIFs",
"%(senderName)s pinned a message to this room. See all pinned messages.": "%(senderName)s ha fijado un mensaje en esta sala. Mira todos los mensajes fijados.", "%(senderName)s pinned a message to this room. See all pinned messages.": "%(senderName)s ha fijado un mensaje en esta sala. Mira todos los mensajes fijados.",
"%(senderName)s pinned <a>a message</a> to this room. See all <b>pinned messages</b>.": "%(senderName)s ha fijado <a>un mensaje</a> en esta sala. Mira todos los <b>mensajes fijados</b>.", "%(senderName)s pinned <a>a message</a> to this room. See all <b>pinned messages</b>.": "%(senderName)s ha fijado <a>un mensaje</a> en esta sala. Mira todos los <b>mensajes fijados</b>.",
"Some encryption parameters have been changed.": "Algunos parámetros del cifrado han cambiado.", "Some encryption parameters have been changed.": "Algunos parámetros del cifrado han cambiado.",
@ -2641,7 +2576,6 @@
"Pin to sidebar": "Fijar a la barra lateral", "Pin to sidebar": "Fijar a la barra lateral",
"Without verifying, you won't have access to all your messages and may appear as untrusted to others.": "Si decides no verificar, no tendrás acceso a todos tus mensajes y puede que le aparezcas a los demás como «no confiado».", "Without verifying, you won't have access to all your messages and may appear as untrusted to others.": "Si decides no verificar, no tendrás acceso a todos tus mensajes y puede que le aparezcas a los demás como «no confiado».",
"Toggle space panel": "Activar o desactivar el panel de espacio", "Toggle space panel": "Activar o desactivar el panel de espacio",
"Clear": "Borrar",
"Recent searches": "Búsquedas recientes", "Recent searches": "Búsquedas recientes",
"To search messages, look for this icon at the top of a room <icon/>": "Para buscar contenido de mensajes, usa este icono en la parte de arriba de una sala: <icon/>", "To search messages, look for this icon at the top of a room <icon/>": "Para buscar contenido de mensajes, usa este icono en la parte de arriba de una sala: <icon/>",
"Other searches": "Otras búsquedas", "Other searches": "Otras búsquedas",
@ -2727,7 +2661,6 @@
"Verify this device": "Verificar este dispositivo", "Verify this device": "Verificar este dispositivo",
"Open in OpenStreetMap": "Abrir en OpenStreetMap", "Open in OpenStreetMap": "Abrir en OpenStreetMap",
"Verify other device": "Verificar otro dispositivo", "Verify other device": "Verificar otro dispositivo",
"Edit setting": "Cambiar ajuste",
"Missing domain separator e.g. (:domain.org)": "Falta el separador de dominio, ej.: (:dominio.org)", "Missing domain separator e.g. (:domain.org)": "Falta el separador de dominio, ej.: (:dominio.org)",
"Expand map": "Expandir mapa", "Expand map": "Expandir mapa",
"Send reactions": "Enviar reacciones", "Send reactions": "Enviar reacciones",
@ -2735,7 +2668,6 @@
"Verify this device by confirming the following number appears on its screen.": "Verifica este dispositivo confirmando que el siguiente número aparece en pantalla.", "Verify this device by confirming the following number appears on its screen.": "Verifica este dispositivo confirmando que el siguiente número aparece en pantalla.",
"Confirm the emoji below are displayed on both devices, in the same order:": "Confirma que los siguientes emojis aparecen en los dos dispositivos y en el mismo orden:", "Confirm the emoji below are displayed on both devices, in the same order:": "Confirma que los siguientes emojis aparecen en los dos dispositivos y en el mismo orden:",
"Automatically send debug logs on decryption errors": "Enviar los registros de depuración automáticamente de fallos al descifrar", "Automatically send debug logs on decryption errors": "Enviar los registros de depuración automáticamente de fallos al descifrar",
"Show join/leave messages (invites/removes/bans unaffected)": "Mostrar mensajes de entrada y salida de la sala (seguirás viendo invitaciones, gente quitada y vetos)",
"Room members": "Miembros de la sala", "Room members": "Miembros de la sala",
"Back to chat": "Volver a la conversación", "Back to chat": "Volver a la conversación",
"Remove, ban, or invite people to your active room, and make you leave": "Quitar, vetas o invitar personas a tu sala activa, y hacerte salir", "Remove, ban, or invite people to your active room, and make you leave": "Quitar, vetas o invitar personas a tu sala activa, y hacerte salir",
@ -2822,8 +2754,6 @@
"Pick a date to jump to": "Elige la fecha a la que saltar", "Pick a date to jump to": "Elige la fecha a la que saltar",
"Jump to date": "Saltar a una fecha", "Jump to date": "Saltar a una fecha",
"The beginning of the room": "Inicio de la sala", "The beginning of the room": "Inicio de la sala",
"Last month": "Último mes",
"Last week": "Última semana",
"Internal room ID": "ID interna de la sala", "Internal room ID": "ID interna de la sala",
"IRC (Experimental)": "IRC (en pruebas)", "IRC (Experimental)": "IRC (en pruebas)",
"This is a beta feature": "Esta funcionalidad está en beta", "This is a beta feature": "Esta funcionalidad está en beta",
@ -2848,7 +2778,6 @@
"Wait!": "¡Espera!", "Wait!": "¡Espera!",
"Use <arrows/> to scroll": "Usa <arrows/> para desplazarte", "Use <arrows/> to scroll": "Usa <arrows/> para desplazarte",
"Location": "Ubicación", "Location": "Ubicación",
"Maximise": "Maximizar",
"You do not have permissions to add spaces to this space": "No tienes permisos para añadir espacios a este espacio", "You do not have permissions to add spaces to this space": "No tienes permisos para añadir espacios a este espacio",
"Poll": "Encuesta", "Poll": "Encuesta",
"Voice Message": "Mensaje de voz", "Voice Message": "Mensaje de voz",
@ -2867,17 +2796,11 @@
"Timed out trying to fetch your location. Please try again later.": "Tras un tiempo intentándolo, no hemos podido obtener tu ubicación. Por favor, inténtalo de nuevo más tarde.", "Timed out trying to fetch your location. Please try again later.": "Tras un tiempo intentándolo, no hemos podido obtener tu ubicación. Por favor, inténtalo de nuevo más tarde.",
"Pinned": "Fijado", "Pinned": "Fijado",
"Open user settings": "Abrir los ajustes de usuario", "Open user settings": "Abrir los ajustes de usuario",
"Accessibility": "Accesibilidad",
"If you know what you're doing, Element is open-source, be sure to check out our GitHub (https://github.com/vector-im/element-web/) and contribute!": "Si sabes de estos temas, Element es de código abierto. ¡Echa un vistazo a nuestro GitHub (https://github.com/vector-im/element-web/) y colabora!", "If you know what you're doing, Element is open-source, be sure to check out our GitHub (https://github.com/vector-im/element-web/) and contribute!": "Si sabes de estos temas, Element es de código abierto. ¡Echa un vistazo a nuestro GitHub (https://github.com/vector-im/element-web/) y colabora!",
"Unable to check if username has been taken. Try again later.": "No ha sido posible comprobar si el nombre de usuario está libre. Inténtalo de nuevo más tarde.", "Unable to check if username has been taken. Try again later.": "No ha sido posible comprobar si el nombre de usuario está libre. Inténtalo de nuevo más tarde.",
"Search Dialog": "Ventana de búsqueda", "Search Dialog": "Ventana de búsqueda",
"Join %(roomAddress)s": "Unirte a %(roomAddress)s", "Join %(roomAddress)s": "Unirte a %(roomAddress)s",
"Export Cancelled": "Exportación cancelada", "Export Cancelled": "Exportación cancelada",
"<empty string>": "<texto vacío>",
"<%(count)s spaces>": {
"one": "<espacio>",
"other": "<%(count)s espacios>"
},
"Results are only revealed when you end the poll": "Los resultados se mostrarán cuando cierres la encuesta", "Results are only revealed when you end the poll": "Los resultados se mostrarán cuando cierres la encuesta",
"Voters see results as soon as they have voted": "Quienes voten podrán ver los resultados", "Voters see results as soon as they have voted": "Quienes voten podrán ver los resultados",
"Closed poll": "Encuesta cerrada", "Closed poll": "Encuesta cerrada",
@ -2904,7 +2827,6 @@
"other": "Confirma que quieres cerrar sesión de estos dispositivos usando Single Sign On para probar tu identidad." "other": "Confirma que quieres cerrar sesión de estos dispositivos usando Single Sign On para probar tu identidad."
}, },
"Automatically send debug logs when key backup is not functioning": "Enviar automáticamente los registros de depuración cuando la clave de respaldo no funcione", "Automatically send debug logs when key backup is not functioning": "Enviar automáticamente los registros de depuración cuando la clave de respaldo no funcione",
"Insert a trailing colon after user mentions at the start of a message": "Inserta automáticamente dos puntos después de las menciones que hagas al principio de los mensajes",
"Switches to this room's virtual room, if it has one": "Cambia a la sala virtual de esta sala, si tiene una", "Switches to this room's virtual room, if it has one": "Cambia a la sala virtual de esta sala, si tiene una",
"No virtual room for this room": "Esta sala no tiene una sala virtual", "No virtual room for this room": "Esta sala no tiene una sala virtual",
"Match system": "Usar el del sistema", "Match system": "Usar el del sistema",
@ -2951,36 +2873,13 @@
"one": "Borrando mensajes en %(count)s sala", "one": "Borrando mensajes en %(count)s sala",
"other": "Borrando mensajes en %(count)s salas" "other": "Borrando mensajes en %(count)s salas"
}, },
"Send custom state event": "Enviar evento de estado personalizado",
"Failed to send event!": "¡Fallo al enviar el evento!",
"Send custom account data event": "Enviar evento personalizado de cuenta de sala",
"Explore room account data": "Explorar datos de cuenta de la sala", "Explore room account data": "Explorar datos de cuenta de la sala",
"Explore room state": "Explorar estado de la sala", "Explore room state": "Explorar estado de la sala",
"Next recently visited room or space": "Siguiente sala o espacio visitado", "Next recently visited room or space": "Siguiente sala o espacio visitado",
"Previous recently visited room or space": "Anterior sala o espacio visitado", "Previous recently visited room or space": "Anterior sala o espacio visitado",
"Event ID: %(eventId)s": "ID del evento: %(eventId)s", "Event ID: %(eventId)s": "ID del evento: %(eventId)s",
"%(timeRemaining)s left": "Queda %(timeRemaining)s", "%(timeRemaining)s left": "Queda %(timeRemaining)s",
"No verification requests found": "Ninguna solicitud de verificación encontrada",
"Observe only": "Solo observar",
"Requester": "Solicitante",
"Methods": "Métodos",
"Timeout": "Tiempo de espera",
"Phase": "Fase",
"Transaction": "Transacción",
"Cancelled": "Cancelado",
"Started": "Empezado",
"Ready": "Listo",
"Requested": "Solicitado",
"Unsent": "No enviado", "Unsent": "No enviado",
"Edit values": "Editar valores",
"Failed to save settings.": "Fallo al guardar los ajustes.",
"Number of users": "Número de usuarios",
"Server": "Servidor",
"Server Versions": "Versiones de servidor",
"Client Versions": "Versiones de clientes",
"Failed to load.": "Fallo al cargar.",
"Capabilities": "Funcionalidades",
"Doesn't look like valid JSON.": "No parece ser JSON válido.",
"Room ID: %(roomId)s": "ID de la sala: %(roomId)s", "Room ID: %(roomId)s": "ID de la sala: %(roomId)s",
"Server info": "Info del servidor", "Server info": "Info del servidor",
"Settings explorer": "Explorar ajustes", "Settings explorer": "Explorar ajustes",
@ -2991,7 +2890,6 @@
"%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s en navegadores para móviles está en prueba. Para una mejor experiencia y para poder usar las últimas funcionalidades, usa nuestra aplicación nativa gratuita.", "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s en navegadores para móviles está en prueba. Para una mejor experiencia y para poder usar las últimas funcionalidades, usa nuestra aplicación nativa gratuita.",
"%(brand)s was denied permission to fetch your location. Please allow location access in your browser settings.": "Se le han denegado a %(brand)s los permisos para acceder a tu ubicación. Por favor, permite acceso a tu ubicación en los ajustes de tu navegador.", "%(brand)s was denied permission to fetch your location. Please allow location access in your browser settings.": "Se le han denegado a %(brand)s los permisos para acceder a tu ubicación. Por favor, permite acceso a tu ubicación en los ajustes de tu navegador.",
"You can use the custom server options to sign into other Matrix servers by specifying a different homeserver URL. This allows you to use %(brand)s with an existing Matrix account on a different homeserver.": "Puedes usar la opción de servidor personalizado para iniciar sesión a otro servidor de Matrix, escribiendo una dirección URL de servidor base diferente. Esto te permite usar %(brand)s con una cuenta de Matrix que ya exista en otro servidor base.", "You can use the custom server options to sign into other Matrix servers by specifying a different homeserver URL. This allows you to use %(brand)s with an existing Matrix account on a different homeserver.": "Puedes usar la opción de servidor personalizado para iniciar sesión a otro servidor de Matrix, escribiendo una dirección URL de servidor base diferente. Esto te permite usar %(brand)s con una cuenta de Matrix que ya exista en otro servidor base.",
"Send custom room account data event": "Enviar evento personalizado de cuenta de la sala",
"Send custom timeline event": "Enviar evento personalizado de historial de mensajes", "Send custom timeline event": "Enviar evento personalizado de historial de mensajes",
"Help us identify issues and improve %(analyticsOwner)s by sharing anonymous usage data. To understand how people use multiple devices, we'll generate a random identifier, shared by your devices.": "Ayúdanos a identificar problemas y a mejorar %(analyticsOwner)s. Comparte datos anónimos sobre cómo usas la aplicación para que entendamos mejor cómo usa la gente varios dispositivos. Generaremos un identificador aleatorio que usarán todos tus dispositivos.", "Help us identify issues and improve %(analyticsOwner)s by sharing anonymous usage data. To understand how people use multiple devices, we'll generate a random identifier, shared by your devices.": "Ayúdanos a identificar problemas y a mejorar %(analyticsOwner)s. Comparte datos anónimos sobre cómo usas la aplicación para que entendamos mejor cómo usa la gente varios dispositivos. Generaremos un identificador aleatorio que usarán todos tus dispositivos.",
"Create room": "Crear sala", "Create room": "Crear sala",
@ -3081,7 +2979,6 @@
"Unmute microphone": "Activar micrófono", "Unmute microphone": "Activar micrófono",
"Mute microphone": "Silenciar micrófono", "Mute microphone": "Silenciar micrófono",
"Audio devices": "Dispositivos de audio", "Audio devices": "Dispositivos de audio",
"Enable Markdown": "Activar Markdown",
"If you want to retain access to your chat history in encrypted rooms, set up Key Backup or export your message keys from one of your other devices before proceeding.": "Si deseas mantener acceso a tu historial de conversación en salas encriptadas, configura copia de llaves o exporta tus claves de mensaje desde uno de tus otros dispositivos antes de proceder.", "If you want to retain access to your chat history in encrypted rooms, set up Key Backup or export your message keys from one of your other devices before proceeding.": "Si deseas mantener acceso a tu historial de conversación en salas encriptadas, configura copia de llaves o exporta tus claves de mensaje desde uno de tus otros dispositivos antes de proceder.",
"Signing out your devices will delete the message encryption keys stored on them, making encrypted chat history unreadable.": "Cerrar sesión en tus dispositivos causará que las claves de encriptado almacenadas en ellas se eliminen, haciendo que el historial de la conversación encriptada sea imposible de leer.", "Signing out your devices will delete the message encryption keys stored on them, making encrypted chat history unreadable.": "Cerrar sesión en tus dispositivos causará que las claves de encriptado almacenadas en ellas se eliminen, haciendo que el historial de la conversación encriptada sea imposible de leer.",
"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 no recibirás más notificaciones. Para volver a habilitar las notificaciones, inicia sesión de nuevo en cada dispositivo.", "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 no recibirás más notificaciones. Para volver a habilitar las notificaciones, inicia sesión de nuevo en cada dispositivo.",
@ -3122,12 +3019,10 @@
"Ignore user": "Ignorar usuario", "Ignore user": "Ignorar usuario",
"Failed to set direct message tag": "Fallo al poner la etiqueta al mensaje directo", "Failed to set direct message tag": "Fallo al poner la etiqueta al mensaje directo",
"Read receipts": "Acuses de recibo", "Read receipts": "Acuses de recibo",
"Enable hardware acceleration (restart %(appName)s to take effect)": "Activar aceleración por hardware (reinicia %(appName)s para que empiece a funcionar)",
"You were disconnected from the call. (Error: %(message)s)": "Te has desconectado de la llamada. (Error: %(message)s)", "You were disconnected from the call. (Error: %(message)s)": "Te has desconectado de la llamada. (Error: %(message)s)",
"Connection lost": "Conexión interrumpida", "Connection lost": "Conexión interrumpida",
"Deactivating your account is a permanent action — be careful!": "Desactivar tu cuenta es para siempre, ¡ten cuidado!", "Deactivating your account is a permanent action — be careful!": "Desactivar tu cuenta es para siempre, ¡ten cuidado!",
"Un-maximise": "Dejar de maximizar", "Un-maximise": "Dejar de maximizar",
"Minimise": "Minimizar",
"Joining the beta will reload %(brand)s.": "Al unirte a la beta, %(brand)s volverá a cargarse.", "Joining the beta will reload %(brand)s.": "Al unirte a la beta, %(brand)s volverá a cargarse.",
"Leaving the beta will reload %(brand)s.": "Al salir de la beta, %(brand)s volverá a cargarse.", "Leaving the beta will reload %(brand)s.": "Al salir de la beta, %(brand)s volverá a cargarse.",
"When you sign out, these keys will be deleted from this device, which means you won't be able to read encrypted messages unless you have the keys for them on your other devices, or backed them up to the server.": "Al cerrar sesión, estas claves serán eliminadas del dispositivo. Esto significa que no podrás leer mensajes cifrados salvo que tengas sus claves en otros dispositivos, o hayas hecho una copia de seguridad usando el servidor.", "When you sign out, these keys will be deleted from this device, which means you won't be able to read encrypted messages unless you have the keys for them on your other devices, or backed them up to the server.": "Al cerrar sesión, estas claves serán eliminadas del dispositivo. Esto significa que no podrás leer mensajes cifrados salvo que tengas sus claves en otros dispositivos, o hayas hecho una copia de seguridad usando el servidor.",
@ -3187,17 +3082,12 @@
"App Store® and the Apple logo® are trademarks of Apple Inc.": "App Store® y el logo de Apple® son marcas registradas de Apple Inc.", "App Store® and the Apple logo® are trademarks of Apple Inc.": "App Store® y el logo de Apple® son marcas registradas de Apple Inc.",
"Get it on F-Droid": "Disponible en F-Droid", "Get it on F-Droid": "Disponible en F-Droid",
"Get it on Google Play": "Disponible en Google Play", "Get it on Google Play": "Disponible en Google Play",
"Android": "Android",
"Download on the App Store": "Descargar en la App Store", "Download on the App Store": "Descargar en la App Store",
"iOS": "iOS",
"Download %(brand)s Desktop": "Descargar %(brand)s para escritorio", "Download %(brand)s Desktop": "Descargar %(brand)s para escritorio",
"Download %(brand)s": "Descargar %(brand)s", "Download %(brand)s": "Descargar %(brand)s",
"Choose a locale": "Elige un idioma", "Choose a locale": "Elige un idioma",
"Unverified": "Sin verificar",
"Verified": "Verificada",
"Session details": "Detalles de la sesión", "Session details": "Detalles de la sesión",
"IP address": "Dirección IP", "IP address": "Dirección IP",
"Device": "Dispositivo",
"Last activity": "Última actividad", "Last activity": "Última actividad",
"For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Para más seguridad, verifica tus sesiones y cierra cualquiera que no reconozcas o hayas dejado de usar.", "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Para más seguridad, verifica tus sesiones y cierra cualquiera que no reconozcas o hayas dejado de usar.",
"Other sessions": "Otras sesiones", "Other sessions": "Otras sesiones",
@ -3209,14 +3099,6 @@
"Your server doesn't support disabling sending read receipts.": "Tu servidor no permite desactivar los acuses de recibo.", "Your server doesn't support disabling sending read receipts.": "Tu servidor no permite desactivar los acuses de recibo.",
"Share your activity and status with others.": "Comparte tu actividad y estado con los demás.", "Share your activity and status with others.": "Comparte tu actividad y estado con los demás.",
"Spell check": "Corrector ortográfico", "Spell check": "Corrector ortográfico",
"Complete these to get the most out of %(brand)s": "Complétalos para sacar el máximo partido a %(brand)s",
"You did it!": "¡Ya está!",
"Only %(count)s steps to go": {
"one": "Solo queda %(count)s paso",
"other": "Quedan solo %(count)s pasos"
},
"Welcome to %(brand)s": "Te damos la bienvenida a %(brand)s",
"Secure messaging for friends and family": "Mensajería segura para amigos y familia",
"Enable notifications": "Activar notificaciones", "Enable notifications": "Activar notificaciones",
"Dont miss a reply or important message": "No te pierdas ninguna respuesta ni mensaje importante", "Dont miss a reply or important message": "No te pierdas ninguna respuesta ni mensaje importante",
"Turn on notifications": "Activar notificaciones", "Turn on notifications": "Activar notificaciones",
@ -3225,7 +3107,6 @@
"Download apps": "Descargar apps", "Download apps": "Descargar apps",
"Find people": "Encontrar gente", "Find people": "Encontrar gente",
"Find and invite your friends": "Encuentra e invita a tus amigos", "Find and invite your friends": "Encuentra e invita a tus amigos",
"Send read receipts": "Enviar acuses de recibo",
"Interactively verify by emoji": "Verificar interactivamente usando emojis", "Interactively verify by emoji": "Verificar interactivamente usando emojis",
"Manually verify by text": "Verificar manualmente usando un texto", "Manually verify by text": "Verificar manualmente usando un texto",
"Security recommendations": "Consejos de seguridad", "Security recommendations": "Consejos de seguridad",
@ -3246,18 +3127,10 @@
"Verify or sign out from this session for best security and reliability.": "Verifica o cierra esta sesión, para mayor seguridad y estabilidad.", "Verify or sign out from this session for best security and reliability.": "Verifica o cierra esta sesión, para mayor seguridad y estabilidad.",
"Verified sessions": "Sesiones verificadas", "Verified sessions": "Sesiones verificadas",
"Inactive for %(inactiveAgeDays)s+ days": "Inactivo durante más de %(inactiveAgeDays)s días", "Inactive for %(inactiveAgeDays)s+ days": "Inactivo durante más de %(inactiveAgeDays)s días",
"Find your people": "Encuentra a tus contactos",
"Find your co-workers": "Encuentra a tus compañeros",
"Secure messaging for work": "Mensajería segura para el trabajo",
"Start your first chat": "Empieza tu primera conversación",
"With free end-to-end encrypted messaging, and unlimited voice and video calls, %(brand)s is a great way to stay in touch.": "Gracias a la mensajería cifrada de extremo a extremo, y a las llamadas de voz y vídeo sin límite, %(brand)s es una buena manera de mantenerte en contacto.",
"Welcome": "Te damos la bienvenida",
"Find and invite your co-workers": "Encuentra o invita a tus compañeros", "Find and invite your co-workers": "Encuentra o invita a tus compañeros",
"Find friends": "Encontrar amigos", "Find friends": "Encontrar amigos",
"You made it!": "¡Ya está!", "You made it!": "¡Ya está!",
"Show shortcut to welcome checklist above the room list": "Mostrar un atajo a los pasos de bienvenida encima de la lista de salas", "Show shortcut to welcome checklist above the room list": "Mostrar un atajo a los pasos de bienvenida encima de la lista de salas",
"Keep ownership and control of community discussion.\nScale to support millions, with powerful moderation and interoperability.": "Mantén el control de las conversaciones.\nCrece hasta tener millones de mensajes, con potente moderación e interoperabilidad.",
"Community ownership": "Propiedad de la comunidad",
"Make sure people know its really you": "Asegúrate de que la gente sepa que eres tú de verdad", "Make sure people know its really you": "Asegúrate de que la gente sepa que eres tú de verdad",
"Find and invite your community members": "Encuentra e invita a las personas de tu comunidad", "Find and invite your community members": "Encuentra e invita a las personas de tu comunidad",
"Get stuff done by finding your teammates": "Empieza a trabajar añadiendo a tus compañeros", "Get stuff done by finding your teammates": "Empieza a trabajar añadiendo a tus compañeros",
@ -3318,10 +3191,7 @@
"Toggle push notifications on this session.": "Activar/desactivar notificaciones push en esta sesión.", "Toggle push notifications on this session.": "Activar/desactivar notificaciones push en esta sesión.",
"Push notifications": "Notificaciones push", "Push notifications": "Notificaciones push",
"Operating system": "Sistema operativo", "Operating system": "Sistema operativo",
"Model": "Modelo",
"URL": "URL", "URL": "URL",
"Version": "Versión",
"Application": "Aplicación",
"Rename session": "Renombrar sesión", "Rename session": "Renombrar sesión",
"Call type": "Tipo de llamada", "Call type": "Tipo de llamada",
"Join %(brand)s calls": "Unirte a llamadas de %(brand)s", "Join %(brand)s calls": "Unirte a llamadas de %(brand)s",
@ -3438,12 +3308,6 @@
"Scan QR code": "Escanear código QR", "Scan QR code": "Escanear código QR",
"Loading live location…": "Cargando ubicación en tiempo real…", "Loading live location…": "Cargando ubicación en tiempo real…",
"Mute room": "Silenciar sala", "Mute room": "Silenciar sala",
"Sender: ": "Remitente: ",
"Type: ": "Tipo: ",
"ID: ": "ID: ",
"Total: ": "Total: ",
"Room is <strong>encrypted ✅</strong>": "La sala está <strong>cifrada ✅</strong>",
"Room status": "Estado de la sala",
"Fetching keys from server…": "Obteniendo claves del servidor…", "Fetching keys from server…": "Obteniendo claves del servidor…",
"Checking…": "Comprobando…", "Checking…": "Comprobando…",
"Processing…": "Procesando…", "Processing…": "Procesando…",
@ -3483,7 +3347,6 @@
"Creating…": "Creando…", "Creating…": "Creando…",
"Verify Session": "Verificar sesión", "Verify Session": "Verificar sesión",
"Ignore (%(counter)s)": "Ignorar (%(counter)s)", "Ignore (%(counter)s)": "Ignorar (%(counter)s)",
"Show NSFW content": "Mostrar contenido sensible (NSFW)",
"unknown": "desconocido", "unknown": "desconocido",
"Red": "Rojo", "Red": "Rojo",
"Grey": "Gris", "Grey": "Gris",
@ -3511,12 +3374,10 @@
"Homeserver is <code>%(homeserverUrl)s</code>": "El servidor base es <code>%(homeserverUrl)s</code>", "Homeserver is <code>%(homeserverUrl)s</code>": "El servidor base es <code>%(homeserverUrl)s</code>",
"Ended a poll": "Cerró una encuesta", "Ended a poll": "Cerró una encuesta",
"Unfortunately we're unable to start a recording right now. Please try again later.": "Lamentablemente, no hemos podido empezar a grabar ahora mismo. Inténtalo de nuevo más tarde.", "Unfortunately we're unable to start a recording right now. Please try again later.": "Lamentablemente, no hemos podido empezar a grabar ahora mismo. Inténtalo de nuevo más tarde.",
"Room is <strong>not encrypted 🚨</strong>": "La sala <strong>no está cifrada 🚨</strong>",
"Unable to connect to Homeserver. Retrying…": "No se ha podido conectar al servidor base. Reintentando…", "Unable to connect to Homeserver. Retrying…": "No se ha podido conectar al servidor base. Reintentando…",
"Keep going…": "Sigue…", "Keep going…": "Sigue…",
"If you know a room address, try joining through that instead.": "Si conoces la dirección de una sala, prueba a unirte a través de ella.", "If you know a room address, try joining through that instead.": "Si conoces la dirección de una sala, prueba a unirte a través de ella.",
"Requires your server to support the stable version of MSC3827": "Requiere que tu servidor sea compatible con la versión estable de MSC3827", "Requires your server to support the stable version of MSC3827": "Requiere que tu servidor sea compatible con la versión estable de MSC3827",
"Start messages with <code>/plain</code> to send without markdown.": "Empieza tu mensaje con <code>/plain</code> para enviarlo sin markdown.",
"Can currently only be enabled via config.json": "Ahora mismo solo se puede activar a través de config.json", "Can currently only be enabled via config.json": "Ahora mismo solo se puede activar a través de config.json",
"Log out and back in to disable": "Cierra sesión y vuélvela a abrir para desactivar", "Log out and back in to disable": "Cierra sesión y vuélvela a abrir para desactivar",
"This session is backing up your keys.": "", "This session is backing up your keys.": "",
@ -3597,21 +3458,38 @@
"beta": "Beta", "beta": "Beta",
"attachment": "Adjunto", "attachment": "Adjunto",
"appearance": "Apariencia", "appearance": "Apariencia",
"guest": "Invitado",
"legal": "Legal",
"credits": "Créditos",
"faq": "Preguntas frecuentes",
"access_token": "Token de acceso",
"preferences": "Opciones",
"presence": "Presencia",
"timeline": "Línea de tiempo", "timeline": "Línea de tiempo",
"privacy": "Privacidad",
"camera": "Cámara",
"microphone": "Micrófono",
"emoji": "Emoji",
"random": "Al azar",
"support": "Ayuda", "support": "Ayuda",
"space": "Espacio" "space": "Espacio",
"random": "Al azar",
"privacy": "Privacidad",
"presence": "Presencia",
"preferences": "Opciones",
"microphone": "Micrófono",
"legal": "Legal",
"guest": "Invitado",
"faq": "Preguntas frecuentes",
"emoji": "Emoji",
"credits": "Créditos",
"camera": "Cámara",
"access_token": "Token de acceso",
"someone": "Alguien",
"welcome": "Te damos la bienvenida",
"encrypted": "Cifrado",
"application": "Aplicación",
"version": "Versión",
"device": "Dispositivo",
"model": "Modelo",
"verified": "Verificada",
"unverified": "Sin verificar",
"matrix": "Matrix",
"ios": "iOS",
"android": "Android",
"trusted": "De confianza",
"not_trusted": "No de confianza",
"accessibility": "Accesibilidad",
"capabilities": "Funcionalidades",
"server": "Servidor"
}, },
"action": { "action": {
"continue": "Continuar", "continue": "Continuar",
@ -3684,22 +3562,33 @@
"apply": "Aplicar", "apply": "Aplicar",
"add": "Añadir", "add": "Añadir",
"accept": "Aceptar", "accept": "Aceptar",
"disconnect": "Desconectarse",
"change": "Cambiar",
"subscribe": "Suscribir",
"unsubscribe": "Desuscribirse",
"approve": "Aprobar",
"complete": "Completar",
"revoke": "Revocar",
"rename": "Cambiar nombre",
"view_all": "Ver todas", "view_all": "Ver todas",
"unsubscribe": "Desuscribirse",
"subscribe": "Suscribir",
"show_all": "Ver todo", "show_all": "Ver todo",
"show": "Mostrar", "show": "Mostrar",
"revoke": "Revocar",
"review": "Revisar", "review": "Revisar",
"restore": "Restaurar", "restore": "Restaurar",
"rename": "Cambiar nombre",
"register": "Crear cuenta",
"play": "Reproducir", "play": "Reproducir",
"pause": "Pausar", "pause": "Pausar",
"register": "Crear cuenta" "disconnect": "Desconectarse",
"complete": "Completar",
"change": "Cambiar",
"approve": "Aprobar",
"manage": "Gestionar",
"go": "Ir",
"import": "Importar",
"export": "Exportar",
"refresh": "Refrescar",
"minimise": "Minimizar",
"maximise": "Maximizar",
"mention": "Mencionar",
"submit": "Enviar",
"send_report": "Enviar denuncia",
"clear": "Borrar"
}, },
"a11y": { "a11y": {
"user_menu": "Menú del Usuario" "user_menu": "Menú del Usuario"
@ -3779,8 +3668,8 @@
"restricted": "Restringido", "restricted": "Restringido",
"moderator": "Moderador", "moderator": "Moderador",
"admin": "Admin", "admin": "Admin",
"custom": "Personalizado (%(level)s)", "mod": "Mod",
"mod": "Mod" "custom": "Personalizado (%(level)s)"
}, },
"bug_reporting": { "bug_reporting": {
"introduction": "Si ya has informado de un fallo a través de GitHub, los registros de depuración nos pueden ayudar a investigar mejor el problema. ", "introduction": "Si ya has informado de un fallo a través de GitHub, los registros de depuración nos pueden ayudar a investigar mejor el problema. ",
@ -3805,6 +3694,123 @@
"short_seconds": "%(value)s s", "short_seconds": "%(value)s s",
"short_days_hours_minutes_seconds": "%(days)sd %(hours)sh %(minutes)sm %(seconds)ss", "short_days_hours_minutes_seconds": "%(days)sd %(hours)sh %(minutes)sm %(seconds)ss",
"short_hours_minutes_seconds": "%(hours)sh %(minutes)sm %(seconds)ss", "short_hours_minutes_seconds": "%(hours)sh %(minutes)sm %(seconds)ss",
"short_minutes_seconds": "%(minutes)sm %(seconds)ss" "short_minutes_seconds": "%(minutes)sm %(seconds)ss",
"last_week": "Última semana",
"last_month": "Último mes"
},
"onboarding": {
"personal_messaging_title": "Mensajería segura para amigos y familia",
"free_e2ee_messaging_unlimited_voip": "Gracias a la mensajería cifrada de extremo a extremo, y a las llamadas de voz y vídeo sin límite, %(brand)s es una buena manera de mantenerte en contacto.",
"personal_messaging_action": "Empieza tu primera conversación",
"work_messaging_title": "Mensajería segura para el trabajo",
"work_messaging_action": "Encuentra a tus compañeros",
"community_messaging_title": "Propiedad de la comunidad",
"community_messaging_action": "Encuentra a tus contactos",
"welcome_to_brand": "Te damos la bienvenida a %(brand)s",
"only_n_steps_to_go": {
"one": "Solo queda %(count)s paso",
"other": "Quedan solo %(count)s pasos"
},
"you_did_it": "¡Ya está!",
"complete_these": "Complétalos para sacar el máximo partido a %(brand)s",
"community_messaging_description": "Mantén el control de las conversaciones.\nCrece hasta tener millones de mensajes, con potente moderación e interoperabilidad."
},
"devtools": {
"send_custom_account_data_event": "Enviar evento personalizado de cuenta de sala",
"send_custom_room_account_data_event": "Enviar evento personalizado de cuenta de la sala",
"event_type": "Tipo de Evento",
"state_key": "Clave de estado",
"invalid_json": "No parece ser JSON válido.",
"failed_to_send": "¡Fallo al enviar el evento!",
"event_sent": "Evento enviado!",
"event_content": "Contenido del Evento",
"room_status": "Estado de la sala",
"room_encrypted": "La sala está <strong>cifrada ✅</strong>",
"room_not_encrypted": "La sala <strong>no está cifrada 🚨</strong>",
"room_notifications_total": "Total: ",
"room_notifications_type": "Tipo: ",
"room_notifications_sender": "Remitente: ",
"spaces": {
"one": "<espacio>",
"other": "<%(count)s espacios>"
},
"empty_string": "<texto vacío>",
"id": "ID: ",
"send_custom_state_event": "Enviar evento de estado personalizado",
"failed_to_load": "Fallo al cargar.",
"client_versions": "Versiones de clientes",
"server_versions": "Versiones de servidor",
"number_of_users": "Número de usuarios",
"failed_to_save": "Fallo al guardar los ajustes.",
"save_setting_values": "Guardar valores de ajustes",
"setting_colon": "Ajuste:",
"caution_colon": "Precaución:",
"use_at_own_risk": "Esta interfaz NO comprueba los tipos de dato de los valores. Usar bajo tu responsabilidad.",
"setting_definition": "Definición del ajuste:",
"level": "Nivel",
"settable_global": "Establecible globalmente",
"settable_room": "Establecible a nivel de sala",
"values_explicit": "Valores a niveles explícitos",
"values_explicit_room": "Valores a niveles explícitos en esta sala",
"edit_values": "Editar valores",
"value_colon": "Valor:",
"value_this_room_colon": "Valor en esta sala:",
"values_explicit_colon": "Valores a niveles explícitos:",
"values_explicit_this_room_colon": "Valores a niveles explícitos en esta sala:",
"setting_id": "ID de ajuste",
"value": "Valor",
"value_in_this_room": "Valor en esta sala",
"edit_setting": "Cambiar ajuste",
"phase_requested": "Solicitado",
"phase_ready": "Listo",
"phase_started": "Empezado",
"phase_cancelled": "Cancelado",
"phase_transaction": "Transacción",
"phase": "Fase",
"timeout": "Tiempo de espera",
"methods": "Métodos",
"requester": "Solicitante",
"observe_only": "Solo observar",
"no_verification_requests_found": "Ninguna solicitud de verificación encontrada",
"failed_to_find_widget": "Ha ocurrido un error al buscar este accesorio."
},
"settings": {
"show_breadcrumbs": "Incluir encima de la lista de salas unos atajos a las últimas salas que hayas visto",
"all_rooms_home_description": "Elige si quieres que en Inicio aparezcan todas las salas a las que te hayas unido.",
"use_command_f_search": "Usa Control + F para buscar",
"use_control_f_search": "Activar el atajo Control + F, que permite buscar dentro de una conversación",
"use_12_hour_format": "Mostrar las horas con el modelo de 12 horas (ej.: 2:30pm)",
"always_show_message_timestamps": "Mostrar siempre la fecha y hora de envío junto a los mensajes",
"send_read_receipts": "Enviar acuses de recibo",
"send_typing_notifications": "Enviar notificaciones de tecleo",
"replace_plain_emoji": "Sustituir automáticamente caritas de texto por sus emojis equivalentes",
"enable_markdown": "Activar Markdown",
"emoji_autocomplete": "Sugerir emojis mientras escribes",
"use_command_enter_send_message": "Usa Comando + Intro para enviar un mensje",
"use_control_enter_send_message": "Hacer que para enviar un mensaje haya que pulsar Control + Intro",
"all_rooms_home": "Incluir todas las salas en Inicio",
"enable_markdown_description": "Empieza tu mensaje con <code>/plain</code> para enviarlo sin markdown.",
"show_stickers_button": "Incluir el botón de pegatinas",
"insert_trailing_colon_mentions": "Inserta automáticamente dos puntos después de las menciones que hagas al principio de los mensajes",
"automatic_language_detection_syntax_highlight": "Activar la detección automática del lenguajes de programación para resaltar su sintaxis",
"code_block_expand_default": "Expandir bloques de ćodigo por defecto",
"code_block_line_numbers": "Mostrar números de línea en bloques de ćodigo",
"inline_url_previews_default": "Activar la vista previa de URLs en línea por defecto",
"autoplay_gifs": "Reproducir automáticamente los GIFs",
"autoplay_videos": "Reproducir automáticamente los vídeos",
"image_thumbnails": "Mostrar vistas previas para las imágenes",
"show_typing_notifications": "Mostrar un indicador cuando alguien más esté escribiendo en la sala",
"show_redaction_placeholder": "Dejar un indicador cuando se borre un mensaje",
"show_read_receipts": "Mostrar las confirmaciones de lectura enviadas por otros usuarios",
"show_join_leave": "Mostrar mensajes de entrada y salida de la sala (seguirás viendo invitaciones, gente quitada y vetos)",
"show_displayname_changes": "Muestra cambios en los nombres",
"show_chat_effects": "Mostrar efectos de chat (animaciones al recibir ciertos mensajes, como confeti)",
"big_emoji": "Activar emojis grandes en el chat",
"jump_to_bottom_on_send": "Saltar abajo del todo al enviar un mensaje",
"show_nsfw_content": "Mostrar contenido sensible (NSFW)",
"prompt_invite": "Preguntarme antes de enviar invitaciones a IDs de matrix que no parezcan válidas",
"hardware_acceleration": "Activar aceleración por hardware (reinicia %(appName)s para que empiece a funcionar)",
"start_automatically": "Abrir automáticamente después de iniciar sesión en el sistema",
"warn_quit": "Pedir confirmación antes de salir"
} }
} }

View file

@ -24,8 +24,6 @@
"%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s", "%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s",
"Verify this session": "Verifitseeri see sessioon", "Verify this session": "Verifitseeri see sessioon",
"Ask this user to verify their session, or manually verify it below.": "Palu nimetatud kasutajal verifitseerida see sessioon või tee seda alljärgnevaga käsitsi.", "Ask this user to verify their session, or manually verify it below.": "Palu nimetatud kasutajal verifitseerida see sessioon või tee seda alljärgnevaga käsitsi.",
"Enable big emoji in chat": "Kasuta vestlustes suuri emoji'sid",
"Show shortcuts to recently viewed rooms above the room list": "Näita viimati külastatud jututubade viiteid jututubade loendi kohal",
"Enable message search in encrypted rooms": "Võta kasutusele sõnumite otsing krüptitud jututubades", "Enable message search in encrypted rooms": "Võta kasutusele sõnumite otsing krüptitud jututubades",
"When rooms are upgraded": "Kui jututubasid uuendatakse", "When rooms are upgraded": "Kui jututubasid uuendatakse",
"Verify this user by confirming the following emoji appear on their screen.": "Verifitseeri see kasutaja tehes kindlaks et järgnev emoji kuvatakse tema ekraanil.", "Verify this user by confirming the following emoji appear on their screen.": "Verifitseeri see kasutaja tehes kindlaks et järgnev emoji kuvatakse tema ekraanil.",
@ -125,7 +123,6 @@
"To report a Matrix-related security issue, please read the Matrix.org <a>Security Disclosure Policy</a>.": "Kui soovid teatada Matrix'iga seotud turvaveast, siis palun tutvu enne Matrix.org <a>Turvalisuse avalikustamise juhendiga</a>.", "To report a Matrix-related security issue, please read the Matrix.org <a>Security Disclosure Policy</a>.": "Kui soovid teatada Matrix'iga seotud turvaveast, siis palun tutvu enne Matrix.org <a>Turvalisuse avalikustamise juhendiga</a>.",
"Server or user ID to ignore": "Serverid või kasutajate tunnused, mida soovid eirata", "Server or user ID to ignore": "Serverid või kasutajate tunnused, mida soovid eirata",
"If this isn't what you want, please use a different tool to ignore users.": "Kui tulemus pole see mida soovisid, siis pruugi muud vahendit kasutajate eiramiseks.", "If this isn't what you want, please use a different tool to ignore users.": "Kui tulemus pole see mida soovisid, siis pruugi muud vahendit kasutajate eiramiseks.",
"Mention": "Maini",
"Share Link to User": "Jaga viidet kasutaja kohta", "Share Link to User": "Jaga viidet kasutaja kohta",
"Admin Tools": "Haldustoimingud", "Admin Tools": "Haldustoimingud",
"Online": "Võrgus", "Online": "Võrgus",
@ -136,7 +133,6 @@
}, },
"Filter results": "Filtreeri tulemusi", "Filter results": "Filtreeri tulemusi",
"Report Content to Your Homeserver Administrator": "Teata sisust Sinu koduserveri haldurile", "Report Content to Your Homeserver Administrator": "Teata sisust Sinu koduserveri haldurile",
"Send report": "Saada veateade",
"Share Room": "Jaga jututuba", "Share Room": "Jaga jututuba",
"Link to most recent message": "Viide kõige viimasele sõnumile", "Link to most recent message": "Viide kõige viimasele sõnumile",
"Share User": "Jaga viidet kasutaja kohta", "Share User": "Jaga viidet kasutaja kohta",
@ -163,7 +159,6 @@
"Anyone": "Kõik kasutajad", "Anyone": "Kõik kasutajad",
"Encryption": "Krüptimine", "Encryption": "Krüptimine",
"Once enabled, encryption cannot be disabled.": "Kui krüptimine on juba kasutusele võetud, siis ei saa seda enam eemaldada.", "Once enabled, encryption cannot be disabled.": "Kui krüptimine on juba kasutusele võetud, siis ei saa seda enam eemaldada.",
"Encrypted": "Krüptitud",
"Who can read history?": "Kes võivad lugeda ajalugu?", "Who can read history?": "Kes võivad lugeda ajalugu?",
"Encrypted by an unverified session": "Krüptitud verifitseerimata sessiooni poolt", "Encrypted by an unverified session": "Krüptitud verifitseerimata sessiooni poolt",
"Encryption not enabled": "Krüptimine ei ole kasutusel", "Encryption not enabled": "Krüptimine ei ole kasutusel",
@ -204,7 +199,6 @@
"What's New": "Meie uudised", "What's New": "Meie uudised",
"What's new?": "Mida on meil uut?", "What's new?": "Mida on meil uut?",
"Your server": "Sinu server", "Your server": "Sinu server",
"Matrix": "Matrix",
"Add a new server": "Lisa uus server", "Add a new server": "Lisa uus server",
"Server name": "Serveri nimi", "Server name": "Serveri nimi",
"Incompatible Database": "Mitteühilduv andmebaas", "Incompatible Database": "Mitteühilduv andmebaas",
@ -233,7 +227,6 @@
"Historical": "Ammune", "Historical": "Ammune",
"System Alerts": "Süsteemi teated", "System Alerts": "Süsteemi teated",
"Could not find user in room": "Jututoast ei leidnud kasutajat", "Could not find user in room": "Jututoast ei leidnud kasutajat",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Näita ajatempleid 12-tunnises vormingus (näiteks 2:30pl)",
"New published address (e.g. #alias:server)": "Uus avaldatud aadess (näiteks #alias:server)", "New published address (e.g. #alias:server)": "Uus avaldatud aadess (näiteks #alias:server)",
"e.g. my-room": "näiteks minu-jututuba", "e.g. my-room": "näiteks minu-jututuba",
"Can't find this server or its room list": "Ei leia seda serverit ega tema jututubade loendit", "Can't find this server or its room list": "Ei leia seda serverit ega tema jututubade loendit",
@ -289,7 +282,6 @@
"Show advanced": "Näita lisaseadistusi", "Show advanced": "Näita lisaseadistusi",
"Server did not require any authentication": "Server ei nõudnud mitte mingisugust autentimist", "Server did not require any authentication": "Server ei nõudnud mitte mingisugust autentimist",
"Recent Conversations": "Hiljutised vestlused", "Recent Conversations": "Hiljutised vestlused",
"Go": "Mine",
"Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please <a>contact your service administrator</a> to continue using the service.": "Sinu sõnumit ei saadetud, kuna see koduserver on saavutanud igakuise aktiivsete kasutajate piiri. Teenuse kasutamiseks palun <a>võta ühendust serveri haldajaga</a>.", "Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please <a>contact your service administrator</a> to continue using the service.": "Sinu sõnumit ei saadetud, kuna see koduserver on saavutanud igakuise aktiivsete kasutajate piiri. Teenuse kasutamiseks palun <a>võta ühendust serveri haldajaga</a>.",
"Add room": "Lisa jututuba", "Add room": "Lisa jututuba",
"%(senderName)s placed a voice call.": "%(senderName)s alustas häälkõnet.", "%(senderName)s placed a voice call.": "%(senderName)s alustas häälkõnet.",
@ -315,7 +307,6 @@
"%(senderName)s changed the alternative addresses for this room.": "%(senderName)s muutis selle jututoa täiendavat aadressi.", "%(senderName)s changed the alternative addresses for this room.": "%(senderName)s muutis selle jututoa täiendavat aadressi.",
"%(senderName)s changed the main and alternative addresses for this room.": "%(senderName)s muutis selle jututoa põhiaadressi ja täiendavat aadressi.", "%(senderName)s changed the main and alternative addresses for this room.": "%(senderName)s muutis selle jututoa põhiaadressi ja täiendavat aadressi.",
"%(senderName)s changed the addresses for this room.": "%(senderName)s muutis selle jututoa aadresse.", "%(senderName)s changed the addresses for this room.": "%(senderName)s muutis selle jututoa aadresse.",
"Someone": "Keegi",
"%(senderName)s revoked the invitation for %(targetDisplayName)s to join the room.": "%(senderName)s võttis %(targetDisplayName)s'lt tagasi jututoaga liitumise kutse.", "%(senderName)s revoked the invitation for %(targetDisplayName)s to join the room.": "%(senderName)s võttis %(targetDisplayName)s'lt tagasi jututoaga liitumise kutse.",
"%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s saatis %(targetDisplayName)s'le kutse jututoaga liitumiseks.", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s saatis %(targetDisplayName)s'le kutse jututoaga liitumiseks.",
"%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s määras, et jututoa tulevane ajalugu on nähtav kõikidele selle liikmetele nende kutsumise hetkest.", "%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s määras, et jututoa tulevane ajalugu on nähtav kõikidele selle liikmetele nende kutsumise hetkest.",
@ -418,7 +409,6 @@
"This is a top-100 common password": "See on saja levinuima salasõna seas", "This is a top-100 common password": "See on saja levinuima salasõna seas",
"This is a very common password": "See on väga levinud salasõna", "This is a very common password": "See on väga levinud salasõna",
"This is similar to a commonly used password": "See on sarnane tavaliselt kasutatavatele salasõnadele", "This is similar to a commonly used password": "See on sarnane tavaliselt kasutatavatele salasõnadele",
"Show display name changes": "Näita kuvatava nime muutusi",
"Match system theme": "Kasuta süsteemset teemat", "Match system theme": "Kasuta süsteemset teemat",
"Messages containing my display name": "Sõnumid, mis sisaldavad minu kuvatavat nime", "Messages containing my display name": "Sõnumid, mis sisaldavad minu kuvatavat nime",
"No display name": "Kuvatav nimi puudub", "No display name": "Kuvatav nimi puudub",
@ -444,19 +434,13 @@
"Start verification again from their profile.": "Alusta verifitseerimist uuesti nende profiilist.", "Start verification again from their profile.": "Alusta verifitseerimist uuesti nende profiilist.",
"Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Allpool loetletud Matrix'i kasutajatunnustele ei leidunud profiile. Kas sa ikkagi tahaksid neile kutse saata?", "Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Allpool loetletud Matrix'i kasutajatunnustele ei leidunud profiile. Kas sa ikkagi tahaksid neile kutse saata?",
"Could not load user profile": "Kasutajaprofiili laadimine ei õnnestunud", "Could not load user profile": "Kasutajaprofiili laadimine ei õnnestunud",
"Send typing notifications": "Anna märku teisele osapoolele, kui mina sõnumit kirjutan",
"Show typing notifications": "Anna märku, kui teine osapool sõnumit kirjutab",
"Automatically replace plain text Emoji": "Automaatelt asenda vormindamata tekst emotikoniga",
"Mirror local video feed": "Peegelda kohalikku videovoogu", "Mirror local video feed": "Peegelda kohalikku videovoogu",
"Send analytics data": "Saada arendajatele analüütikat", "Send analytics data": "Saada arendajatele analüütikat",
"Enable inline URL previews by default": "Luba URL'ide vaikimisi eelvaated",
"Enable URL previews for this room (only affects you)": "Luba URL'ide eelvaated selle jututoa jaoks (mõjutab vaid sind)", "Enable URL previews for this room (only affects you)": "Luba URL'ide eelvaated selle jututoa jaoks (mõjutab vaid sind)",
"Enable URL previews by default for participants in this room": "Luba URL'ide vaikimisi eelvaated selles jututoas osalejate jaoks", "Enable URL previews by default for participants in this room": "Luba URL'ide vaikimisi eelvaated selles jututoas osalejate jaoks",
"Enable widget screenshots on supported widgets": "Kui vidin seda toetab, siis luba tal teha ekraanitõmmiseid", "Enable widget screenshots on supported widgets": "Kui vidin seda toetab, siis luba tal teha ekraanitõmmiseid",
"Prompt before sending invites to potentially invalid matrix IDs": "Hoiata enne kutse saatmist võimalikule vigasele Matrix'i kasutajatunnusele",
"Show hidden events in timeline": "Näita peidetud sündmusi ajajoonel", "Show hidden events in timeline": "Näita peidetud sündmusi ajajoonel",
"Composer": "Sõnumite kirjutamine", "Composer": "Sõnumite kirjutamine",
"Show previews/thumbnails for images": "Näita piltide eelvaateid või väikepilte",
"Collecting logs": "Kogun logisid", "Collecting logs": "Kogun logisid",
"Waiting for response from server": "Ootan serverilt vastust", "Waiting for response from server": "Ootan serverilt vastust",
"Messages containing my username": "Sõnumid, mis sisaldavad minu kasutajatunnust", "Messages containing my username": "Sõnumid, mis sisaldavad minu kasutajatunnust",
@ -473,10 +457,6 @@
"You have <a>disabled</a> URL previews by default.": "Vaikimisi oled URL'ide eelvaated <a>lülitanud välja</a>.", "You have <a>disabled</a> URL previews by default.": "Vaikimisi oled URL'ide eelvaated <a>lülitanud välja</a>.",
"URL previews are enabled by default for participants in this room.": "URL'ide eelvaated on vaikimisi kasutusel selles jututoas osalejate jaoks.", "URL previews are enabled by default for participants in this room.": "URL'ide eelvaated on vaikimisi kasutusel selles jututoas osalejate jaoks.",
"URL previews are disabled by default for participants in this room.": "URL'ide eelvaated on vaikimisi lülitatud välja selles jututoas osalejate jaoks.", "URL previews are disabled by default for participants in this room.": "URL'ide eelvaated on vaikimisi lülitatud välja selles jututoas osalejate jaoks.",
"Enable Emoji suggestions while typing": "Näita kirjutamise ajal emoji-soovitusi",
"Show a placeholder for removed messages": "Näita kustutatud sõnumite asemel kohatäidet",
"Show read receipts sent by other users": "Näita teiste kasutajate lugemisteatiseid",
"Always show message timestamps": "Alati näita sõnumite ajatempleid",
"Manually verify all remote sessions": "Verifitseeri käsitsi kõik välised sessioonid", "Manually verify all remote sessions": "Verifitseeri käsitsi kõik välised sessioonid",
"Collecting app version information": "Kogun teavet rakenduse versiooni kohta", "Collecting app version information": "Kogun teavet rakenduse versiooni kohta",
"The other party cancelled the verification.": "Teine osapool tühistas verifitseerimise.", "The other party cancelled the verification.": "Teine osapool tühistas verifitseerimise.",
@ -767,7 +747,6 @@
"<b>Warning</b>: you should only set up key backup from a trusted computer.": "<b>Hoiatus</b>: sa peaksid võtmete varunduse seadistama vaid usaldusväärsest arvutist.", "<b>Warning</b>: you should only set up key backup from a trusted computer.": "<b>Hoiatus</b>: sa peaksid võtmete varunduse seadistama vaid usaldusväärsest arvutist.",
"eg: @bot:* or example.org": "näiteks: @bot:* või example.org", "eg: @bot:* or example.org": "näiteks: @bot:* või example.org",
"Subscribed lists": "Tellitud loendid", "Subscribed lists": "Tellitud loendid",
"Start automatically after system login": "Käivita Element automaatselt peale arvutisse sisselogimist",
"Always show the window menu bar": "Näita aknas alati menüüriba", "Always show the window menu bar": "Näita aknas alati menüüriba",
"Room list": "Jututubade loend", "Room list": "Jututubade loend",
"Autocomplete delay (ms)": "Viivitus automaatsel sõnalõpetusel (ms)", "Autocomplete delay (ms)": "Viivitus automaatsel sõnalõpetusel (ms)",
@ -918,7 +897,6 @@
"Straight rows of keys are easy to guess": "Klaviatuuril järjest paiknevaid klahvikombinatsioone on lihtne ära arvata", "Straight rows of keys are easy to guess": "Klaviatuuril järjest paiknevaid klahvikombinatsioone on lihtne ära arvata",
"Please contact your homeserver administrator.": "Palun võta ühendust koduserveri haldajaga.", "Please contact your homeserver administrator.": "Palun võta ühendust koduserveri haldajaga.",
"Font size": "Fontide suurus", "Font size": "Fontide suurus",
"Enable automatic language detection for syntax highlighting": "Kasuta süntaksi esiletõstmisel automaatset keeletuvastust",
"Cross-signing private keys:": "Privaatvõtmed risttunnustamise jaoks:", "Cross-signing private keys:": "Privaatvõtmed risttunnustamise jaoks:",
"Checking server": "Kontrollin serverit", "Checking server": "Kontrollin serverit",
"Change identity server": "Muuda isikutuvastusserverit", "Change identity server": "Muuda isikutuvastusserverit",
@ -957,16 +935,11 @@
"You'll upgrade this room from <oldVersion /> to <newVersion />.": "Sa uuendad jututoa versioonist <oldVersion /> versioonini <newVersion />.", "You'll upgrade this room from <oldVersion /> to <newVersion />.": "Sa uuendad jututoa versioonist <oldVersion /> versioonini <newVersion />.",
"Clear Storage and Sign Out": "Tühjenda andmeruum ja logi välja", "Clear Storage and Sign Out": "Tühjenda andmeruum ja logi välja",
"Send Logs": "Saada logikirjed", "Send Logs": "Saada logikirjed",
"Refresh": "Värskenda",
"Unable to restore session": "Sessiooni taastamine ei õnnestunud", "Unable to restore session": "Sessiooni taastamine ei õnnestunud",
"We encountered an error trying to restore your previous session.": "Meil tekkis eelmise sessiooni taastamisel viga.", "We encountered an error trying to restore your previous session.": "Meil tekkis eelmise sessiooni taastamisel viga.",
"If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Kui sa varem oled kasutanud uuemat %(brand)s'i versiooni, siis sinu pragune sessioon ei pruugi olla sellega ühilduv. Sulge see aken ja jätka selle uuema versiooni kasutamist.", "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Kui sa varem oled kasutanud uuemat %(brand)s'i versiooni, siis sinu pragune sessioon ei pruugi olla sellega ühilduv. Sulge see aken ja jätka selle uuema versiooni kasutamist.",
"Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Brauseri andmeruumi tühjendamine võib selle vea lahendada, kui samas logid sa ka välja ning kogu krüptitud vestlusajalugu muutub loetamatuks.", "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Brauseri andmeruumi tühjendamine võib selle vea lahendada, kui samas logid sa ka välja ning kogu krüptitud vestlusajalugu muutub loetamatuks.",
"Verification Pending": "Verifikatsioon on ootel", "Verification Pending": "Verifikatsioon on ootel",
"Event sent!": "Sündmus on saadetud!",
"Event Type": "Sündmuse tüüp",
"State Key": "Oleku võti",
"Event Content": "Sündmuse sisu",
"Toolbox": "Töövahendid", "Toolbox": "Töövahendid",
"Developer Tools": "Arendusvahendid", "Developer Tools": "Arendusvahendid",
"An error has occurred.": "Tekkis viga.", "An error has occurred.": "Tekkis viga.",
@ -996,7 +969,6 @@
"Please review and accept the policies of this homeserver:": "Palun vaata üle selle koduserveri kasutustingimused ja nõustu nendega:", "Please review and accept the policies of this homeserver:": "Palun vaata üle selle koduserveri kasutustingimused ja nõustu nendega:",
"A text message has been sent to %(msisdn)s": "Saatsime tekstisõnumi telefoninumbrile %(msisdn)s", "A text message has been sent to %(msisdn)s": "Saatsime tekstisõnumi telefoninumbrile %(msisdn)s",
"Please enter the code it contains:": "Palun sisesta seal kuvatud kood:", "Please enter the code it contains:": "Palun sisesta seal kuvatud kood:",
"Submit": "Saada",
"Start authentication": "Alusta autentimist", "Start authentication": "Alusta autentimist",
"Sign in with SSO": "Logi sisse kasutades SSO'd ehk ühekordset autentimist", "Sign in with SSO": "Logi sisse kasutades SSO'd ehk ühekordset autentimist",
"Failed to reject invitation": "Kutse tagasi lükkamine ei õnnestunud", "Failed to reject invitation": "Kutse tagasi lükkamine ei õnnestunud",
@ -1064,7 +1036,6 @@
"Cross-signing public keys:": "Avalikud võtmed risttunnustamise jaoks:", "Cross-signing public keys:": "Avalikud võtmed risttunnustamise jaoks:",
"in memory": "on mälus", "in memory": "on mälus",
"not found": "pole leitavad", "not found": "pole leitavad",
"Manage": "Halda",
"Failed to change power level": "Õiguste muutmine ei õnnestunud", "Failed to change power level": "Õiguste muutmine ei õnnestunud",
"You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Sa ei saa seda muudatust hiljem tagasi pöörata, sest annad teisele kasutajale samad õigused, mis sinul on.", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Sa ei saa seda muudatust hiljem tagasi pöörata, sest annad teisele kasutajale samad õigused, mis sinul on.",
"Deactivate user?": "Kas deaktiveerime kasutajakonto?", "Deactivate user?": "Kas deaktiveerime kasutajakonto?",
@ -1356,12 +1327,10 @@
"Export room keys": "Ekspordi jututoa võtmed", "Export room keys": "Ekspordi jututoa võtmed",
"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.": "Selle toiminguga on sul võimalik saabunud krüptitud sõnumite võtmed eksportida sinu kontrollitavasse kohalikku faili. Seetõttu on sul tulevikus võimalik importida need võtmed mõnda teise Matrix'i klienti ning seeläbi muuta saabunud krüptitud sõnumid ka seal loetavaks.", "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.": "Selle toiminguga on sul võimalik saabunud krüptitud sõnumite võtmed eksportida sinu kontrollitavasse kohalikku faili. Seetõttu on sul tulevikus võimalik importida need võtmed mõnda teise Matrix'i klienti ning seeläbi muuta saabunud krüptitud sõnumid ka seal loetavaks.",
"Confirm passphrase": "Sisesta paroolifraas veel üks kord", "Confirm passphrase": "Sisesta paroolifraas veel üks kord",
"Export": "Ekspordi",
"Import room keys": "Impordi jututoa võtmed", "Import room keys": "Impordi jututoa võtmed",
"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.": "Selle toiminguga saad importida krüptimisvõtmed, mis sa viimati olid teisest Matrix'i kliendist eksportinud. Seejärel on võimalik dekrüptida ka siin kõik need samad sõnumid, mida see teine klient suutis dekrüptida.", "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.": "Selle toiminguga saad importida krüptimisvõtmed, mis sa viimati olid teisest Matrix'i kliendist eksportinud. Seejärel on võimalik dekrüptida ka siin kõik need samad sõnumid, mida see teine klient suutis dekrüptida.",
"The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Ekspordifail on turvatud paroolifraasiga ning alljärgnevalt peaksid dekrüptimiseks sisestama selle paroolifraasi.", "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Ekspordifail on turvatud paroolifraasiga ning alljärgnevalt peaksid dekrüptimiseks sisestama selle paroolifraasi.",
"File to import": "Imporditav fail", "File to import": "Imporditav fail",
"Import": "Impordi",
"Confirm encryption setup": "Krüptimise seadistuse kinnitamine", "Confirm encryption setup": "Krüptimise seadistuse kinnitamine",
"Click the button below to confirm setting up encryption.": "Kinnitamaks, et soovid krüptimist seadistada, klõpsi järgnevat nuppu.", "Click the button below to confirm setting up encryption.": "Kinnitamaks, et soovid krüptimist seadistada, klõpsi järgnevat nuppu.",
"Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.": "Tagamaks, et sa ei kaota ligipääsu krüptitud sõnumitele ja andmetele, varunda krüptimisvõtmed oma serveris.", "Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.": "Tagamaks, et sa ei kaota ligipääsu krüptitud sõnumitele ja andmetele, varunda krüptimisvõtmed oma serveris.",
@ -1441,8 +1410,6 @@
"Messages in this room are not end-to-end encrypted.": "See jututuba ei ole läbivalt krüptitud.", "Messages in this room are not end-to-end encrypted.": "See jututuba ei ole läbivalt krüptitud.",
"One of the following may be compromised:": "Üks järgnevatest võib olla sattunud valedesse kätesse:", "One of the following may be compromised:": "Üks järgnevatest võib olla sattunud valedesse kätesse:",
"Your homeserver": "Sinu koduserver", "Your homeserver": "Sinu koduserver",
"Trusted": "Usaldusväärne",
"Not trusted": "Ei ole usaldusväärne",
"%(count)s verified sessions": { "%(count)s verified sessions": {
"other": "%(count)s verifitseeritud sessiooni", "other": "%(count)s verifitseeritud sessiooni",
"one": "1 verifitseeritud sessioon" "one": "1 verifitseeritud sessioon"
@ -1886,7 +1853,6 @@
}, },
"This widget would like to:": "See vidin sooviks:", "This widget would like to:": "See vidin sooviks:",
"Approve widget permissions": "Anna vidinale õigused", "Approve widget permissions": "Anna vidinale õigused",
"Use Ctrl + Enter to send a message": "Sõnumi saatmiseks vajuta Ctrl + Enter",
"Decline All": "Keeldu kõigist", "Decline All": "Keeldu kõigist",
"Remain on your screen when viewing another room, when running": "Kui vaatad mõnda teist jututuba, siis jää oma ekraanivaate juurde", "Remain on your screen when viewing another room, when running": "Kui vaatad mõnda teist jututuba, siis jää oma ekraanivaate juurde",
"Remain on your screen while running": "Jää oma ekraanivaate juurde", "Remain on your screen while running": "Jää oma ekraanivaate juurde",
@ -1926,7 +1892,6 @@
"Enter phone number": "Sisesta telefoninumber", "Enter phone number": "Sisesta telefoninumber",
"Enter email address": "Sisesta e-posti aadress", "Enter email address": "Sisesta e-posti aadress",
"Return to call": "Pöördu tagasi kõne juurde", "Return to call": "Pöördu tagasi kõne juurde",
"Use Command + Enter to send a message": "Sõnumi saatmiseks vajuta Command + Enter klahve",
"See <b>%(msgtype)s</b> messages posted to your active room": "Näha sinu aktiivsesse jututuppa saadetud <b>%(msgtype)s</b> sõnumeid", "See <b>%(msgtype)s</b> messages posted to your active room": "Näha sinu aktiivsesse jututuppa saadetud <b>%(msgtype)s</b> sõnumeid",
"See <b>%(msgtype)s</b> messages posted to this room": "Näha sellesse jututuppa saadetud <b>%(msgtype)s</b> sõnumeid", "See <b>%(msgtype)s</b> messages posted to this room": "Näha sellesse jututuppa saadetud <b>%(msgtype)s</b> sõnumeid",
"Send <b>%(msgtype)s</b> messages as you in your active room": "Saata sinu nimel <b>%(msgtype)s</b> sõnumeid sinu aktiivsesse jututuppa", "Send <b>%(msgtype)s</b> messages as you in your active room": "Saata sinu nimel <b>%(msgtype)s</b> sõnumeid sinu aktiivsesse jututuppa",
@ -2001,7 +1966,6 @@
"Transfer": "Suuna kõne edasi", "Transfer": "Suuna kõne edasi",
"Failed to transfer call": "Kõne edasisuunamine ei õnnestunud", "Failed to transfer call": "Kõne edasisuunamine ei õnnestunud",
"A call can only be transferred to a single user.": "Kõnet on võimalik edasi suunata vaid ühele kasutajale.", "A call can only be transferred to a single user.": "Kõnet on võimalik edasi suunata vaid ühele kasutajale.",
"There was an error finding this widget.": "Selle vidina leidmisel tekkis viga.",
"Active Widgets": "Kasutusel vidinad", "Active Widgets": "Kasutusel vidinad",
"Open dial pad": "Ava numbriklahvistik", "Open dial pad": "Ava numbriklahvistik",
"Dial pad": "Numbriklahvistik", "Dial pad": "Numbriklahvistik",
@ -2042,28 +2006,7 @@
"Use app": "Kasuta rakendust", "Use app": "Kasuta rakendust",
"We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "Me sättisime nii, et sinu veebibrauser jätaks järgmiseks sisselogimiseks meelde sinu koduserveri, kuid kahjuks on ta selle unustanud. Palun mine sisselogimise lehele ja proovi uuesti.", "We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "Me sättisime nii, et sinu veebibrauser jätaks järgmiseks sisselogimiseks meelde sinu koduserveri, kuid kahjuks on ta selle unustanud. Palun mine sisselogimise lehele ja proovi uuesti.",
"We couldn't log you in": "Meil ei õnnestunud sind sisse logida", "We couldn't log you in": "Meil ei õnnestunud sind sisse logida",
"Show stickers button": "Näita kleepsude nuppu",
"Show line numbers in code blocks": "Näita koodiblokkides reanumbreid",
"Expand code blocks by default": "Vaikimisi kuva koodiblokid tervikuna",
"Recently visited rooms": "Hiljuti külastatud jututoad", "Recently visited rooms": "Hiljuti külastatud jututoad",
"Values at explicit levels in this room:": "Väärtused konkreetsel tasemel selles jututoas:",
"Values at explicit levels:": "Väärtused konkreetsel tasemel:",
"Value in this room:": "Väärtus selles jututoas:",
"Value:": "Väärtus:",
"Save setting values": "Salvesta seadistuste väärtused",
"Values at explicit levels in this room": "Väärtused konkreetsel tasemel selles jututoas",
"Values at explicit levels": "Väärtused konkreetsel tasemel",
"Settable at room": "Seadistatav jututoa-kohaselt",
"Settable at global": "Seadistatav üldiselt",
"Level": "Tase",
"Setting definition:": "Seadistuse määratlus:",
"This UI does NOT check the types of the values. Use at your own risk.": "See kasutajaliides ei oska kontrollida väärtuste tüüpi ja vormingut. Muudatusi teed omal vastutusel.",
"Caution:": "Hoiatus:",
"Setting:": "Seadistus:",
"Value in this room": "Väärtus selles jututoas",
"Value": "Väärtus",
"Setting ID": "Seadistuse tunnus",
"Show chat effects (animations when receiving e.g. confetti)": "Näita vestluses edevat graafikat (näiteks kui keegi on saatnud serpentiine)",
"This homeserver has been blocked by its administrator.": "Ligipääs sellele koduserverile on sinu serveri haldaja poolt blokeeritud.", "This homeserver has been blocked by its administrator.": "Ligipääs sellele koduserverile on sinu serveri haldaja poolt blokeeritud.",
"You're already in a call with this person.": "Sinul juba kõne käsil selle osapoolega.", "You're already in a call with this person.": "Sinul juba kõne käsil selle osapoolega.",
"Already in call": "Kõne on juba pooleli", "Already in call": "Kõne on juba pooleli",
@ -2103,7 +2046,6 @@
"Invite only, best for yourself or teams": "Liitumine vaid kutse alusel, sobib sulle ja sinu lähematele kaaslastele", "Invite only, best for yourself or teams": "Liitumine vaid kutse alusel, sobib sulle ja sinu lähematele kaaslastele",
"Open space for anyone, best for communities": "Avaliku ligipääsuga kogukonnakeskus", "Open space for anyone, best for communities": "Avaliku ligipääsuga kogukonnakeskus",
"Create a space": "Loo kogukonnakeskus", "Create a space": "Loo kogukonnakeskus",
"Jump to the bottom of the timeline when you send a message": "Sõnumi saatmiseks hüppa ajajoone lõppu",
"%(count)s members": { "%(count)s members": {
"other": "%(count)s liiget", "other": "%(count)s liiget",
"one": "%(count)s liige" "one": "%(count)s liige"
@ -2149,7 +2091,6 @@
"A private space to organise your rooms": "Privaatne kogukonnakeskus jututubade koondamiseks", "A private space to organise your rooms": "Privaatne kogukonnakeskus jututubade koondamiseks",
"Make sure the right people have access. You can invite more later.": "Kontrolli, et vajalikel inimestel oleks siia ligipääs. Teistele võid kutse saata ka hiljem.", "Make sure the right people have access. You can invite more later.": "Kontrolli, et vajalikel inimestel oleks siia ligipääs. Teistele võid kutse saata ka hiljem.",
"Manage & explore rooms": "Halda ja uuri jututubasid", "Manage & explore rooms": "Halda ja uuri jututubasid",
"Warn before quitting": "Hoiata enne rakenduse töö lõpetamist",
"Invite to just this room": "Kutsi vaid siia jututuppa", "Invite to just this room": "Kutsi vaid siia jututuppa",
"Sends the given message as a spoiler": "Saadab selle sõnumi rõõmurikkujana", "Sends the given message as a spoiler": "Saadab selle sõnumi rõõmurikkujana",
"unknown person": "tundmatu isik", "unknown person": "tundmatu isik",
@ -2280,7 +2221,6 @@
"Allow people to preview your space before they join.": "Luba huvilistel enne liitumist näha kogukonnakeskuse eelvaadet.", "Allow people to preview your space before they join.": "Luba huvilistel enne liitumist näha kogukonnakeskuse eelvaadet.",
"Preview Space": "Kogukonnakeskuse eelvaade", "Preview Space": "Kogukonnakeskuse eelvaade",
"Decide who can view and join %(spaceName)s.": "Otsusta kes saada näha ja liituda %(spaceName)s kogukonnaga.", "Decide who can view and join %(spaceName)s.": "Otsusta kes saada näha ja liituda %(spaceName)s kogukonnaga.",
"Show all rooms in Home": "Näita kõiki jututubasid avalehel",
"Set addresses for this space so users can find this space through your homeserver (%(localDomain)s)": "Selleks et teised kasutajad saaks seda kogukonda leida oma koduserveri kaudu (%(localDomain)s) seadista talle aadressid", "Set addresses for this space so users can find this space through your homeserver (%(localDomain)s)": "Selleks et teised kasutajad saaks seda kogukonda leida oma koduserveri kaudu (%(localDomain)s) seadista talle aadressid",
"%(oneUser)schanged the server ACLs %(count)s times": { "%(oneUser)schanged the server ACLs %(count)s times": {
"one": "%(oneUser)s kasutaja muutis serveri pääsuloendit", "one": "%(oneUser)s kasutaja muutis serveri pääsuloendit",
@ -2327,8 +2267,6 @@
"Could not connect to identity server": "Ei saanud ühendust isikutuvastusserveriga", "Could not connect to identity server": "Ei saanud ühendust isikutuvastusserveriga",
"Not a valid identity server (status code %(code)s)": "See ei ole sobilik isikutuvastusserver (staatuskood %(code)s)", "Not a valid identity server (status code %(code)s)": "See ei ole sobilik isikutuvastusserver (staatuskood %(code)s)",
"Identity server URL must be HTTPS": "Isikutuvastusserveri URL peab kasutama HTTPS-protokolli", "Identity server URL must be HTTPS": "Isikutuvastusserveri URL peab kasutama HTTPS-protokolli",
"Use Command + F to search timeline": "Ajajoonelt otsimiseks kasuta Command+F klahve",
"Use Ctrl + F to search timeline": "Ajajoonelt otsimiseks kasuta Ctrl+F klahve",
"Keyboard shortcuts": "Kiirklahvid", "Keyboard shortcuts": "Kiirklahvid",
"User Directory": "Kasutajate kataloog", "User Directory": "Kasutajate kataloog",
"Unable to copy room link": "Jututoa lingi kopeerimine ei õnnestu", "Unable to copy room link": "Jututoa lingi kopeerimine ei õnnestu",
@ -2379,7 +2317,6 @@
"Anyone will be able to find and join this room.": "Kõik saavad seda jututuba leida ja temaga liituda.", "Anyone will be able to find and join this room.": "Kõik saavad seda jututuba leida ja temaga liituda.",
"Leave %(spaceName)s": "Lahku %(spaceName)s kogukonnakeskusest", "Leave %(spaceName)s": "Lahku %(spaceName)s kogukonnakeskusest",
"Decrypting": "Dekrüptin sisu", "Decrypting": "Dekrüptin sisu",
"All rooms you're in will appear in Home.": "Kõik sinu jututoad on nähtavad avalehel.",
"Show all rooms": "Näita kõiki jututubasid", "Show all rooms": "Näita kõiki jututubasid",
"Search %(spaceName)s": "Otsi %(spaceName)s kogukonnast", "Search %(spaceName)s": "Otsi %(spaceName)s kogukonnast",
"You won't be able to rejoin unless you are re-invited.": "Ilma uue kutseta sa ei saa uuesti liituda.", "You won't be able to rejoin unless you are re-invited.": "Ilma uue kutseta sa ei saa uuesti liituda.",
@ -2451,8 +2388,6 @@
"Are you sure you want to add encryption to this public room?": "Kas sa oled kindel, et soovid selles avalikus jututoas kasutada krüptimist?", "Are you sure you want to add encryption to this public room?": "Kas sa oled kindel, et soovid selles avalikus jututoas kasutada krüptimist?",
"Message bubbles": "Jutumullid", "Message bubbles": "Jutumullid",
"Surround selected text when typing special characters": "Erimärkide sisestamisel märgista valitud tekst", "Surround selected text when typing special characters": "Erimärkide sisestamisel märgista valitud tekst",
"Autoplay videos": "Esita automaatselt videosid",
"Autoplay GIFs": "Esita automaatselt liikuvaid pilte",
"The above, but in any room you are joined or invited to as well": "Ülaltoodu, aga samuti igas jututoas, millega oled liitunud või kuhu oled kutsutud", "The above, but in any room you are joined or invited to as well": "Ülaltoodu, aga samuti igas jututoas, millega oled liitunud või kuhu oled kutsutud",
"The above, but in <Room /> as well": "Ülaltoodu, aga samuti <Room /> jututoas", "The above, but in <Room /> as well": "Ülaltoodu, aga samuti <Room /> jututoas",
"%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s eemaldas siin jututoas klammerduse ühelt sõnumilt. Vaata kõiki klammerdatud sõnumeid.", "%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s eemaldas siin jututoas klammerduse ühelt sõnumilt. Vaata kõiki klammerdatud sõnumeid.",
@ -2660,7 +2595,6 @@
"Pin to sidebar": "Kinnita külgpaanile", "Pin to sidebar": "Kinnita külgpaanile",
"Quick settings": "Kiirseadistused", "Quick settings": "Kiirseadistused",
"Spaces you know that contain this space": "Sulle teadaolevad kogukonnakeskused, millesse kuulub see kogukond", "Spaces you know that contain this space": "Sulle teadaolevad kogukonnakeskused, millesse kuulub see kogukond",
"Clear": "Eemalda",
"You may contact me if you want to follow up or to let me test out upcoming ideas": "Võid minuga ühendust võtta, kui soovid jätkata mõttevahetust või lasta mul tulevasi ideid katsetada", "You may contact me if you want to follow up or to let me test out upcoming ideas": "Võid minuga ühendust võtta, kui soovid jätkata mõttevahetust või lasta mul tulevasi ideid katsetada",
"Home options": "Avalehe valikud", "Home options": "Avalehe valikud",
"%(spaceName)s menu": "%(spaceName)s menüü", "%(spaceName)s menu": "%(spaceName)s menüü",
@ -2748,7 +2682,6 @@
"Back to chat": "Tagasi vestluse manu", "Back to chat": "Tagasi vestluse manu",
"Verify this device by confirming the following number appears on its screen.": "Verifitseeri see seade tehes kindlaks, et järgnev number kuvatakse tema ekraanil.", "Verify this device by confirming the following number appears on its screen.": "Verifitseeri see seade tehes kindlaks, et järgnev number kuvatakse tema ekraanil.",
"Confirm the emoji below are displayed on both devices, in the same order:": "Kontrolli, et allpool näidatud emoji'd on kuvatud mõlemas seadmes samas järjekorras:", "Confirm the emoji below are displayed on both devices, in the same order:": "Kontrolli, et allpool näidatud emoji'd on kuvatud mõlemas seadmes samas järjekorras:",
"Edit setting": "Muuda seadistust",
"Your new device is now verified. Other users will see it as trusted.": "Sinu uus seade on nüüd verifitseeritud. Teiste kasutajate jaoks on ta usaldusväärne.", "Your new device is now verified. Other users will see it as trusted.": "Sinu uus seade on nüüd verifitseeritud. Teiste kasutajate jaoks on ta usaldusväärne.",
"Your new device is now verified. It has access to your encrypted messages, and other users will see it as trusted.": "Sinu uus seade on nüüd verifitseeritud. Selles seadmes saad lugeda oma krüptitud sõnumeid ja teiste kasutajate jaoks on ta usaldusväärne.", "Your new device is now verified. It has access to your encrypted messages, and other users will see it as trusted.": "Sinu uus seade on nüüd verifitseeritud. Selles seadmes saad lugeda oma krüptitud sõnumeid ja teiste kasutajate jaoks on ta usaldusväärne.",
"Verify with another device": "Verifitseeri teise seadmega", "Verify with another device": "Verifitseeri teise seadmega",
@ -2794,7 +2727,6 @@
"Remove from %(roomName)s": "Eemalda %(roomName)s jututoast", "Remove from %(roomName)s": "Eemalda %(roomName)s jututoast",
"You were removed from %(roomName)s by %(memberName)s": "%(memberName)s eemaldas sind %(roomName)s jututoast", "You were removed from %(roomName)s by %(memberName)s": "%(memberName)s eemaldas sind %(roomName)s jututoast",
"Remove users": "Eemalda kasutajaid", "Remove users": "Eemalda kasutajaid",
"Show join/leave messages (invites/removes/bans unaffected)": "Näita jututubade liitumise ja lahkumise teateid (ei käi kutsete, müksamiste ja keelamiste kohta)",
"Remove, ban, or invite people to this room, and make you leave": "Sellest jututoast inimeste eemaldamine, väljamüksamine, keelamine või tuppa kutsumine", "Remove, ban, or invite people to this room, and make you leave": "Sellest jututoast inimeste eemaldamine, väljamüksamine, keelamine või tuppa kutsumine",
"Remove, ban, or invite people to your active room, and make you leave": "Aktiivsest jututoast inimeste eemaldamine, väljamüksamine, keelamine või tuppa kutsumine", "Remove, ban, or invite people to your active room, and make you leave": "Aktiivsest jututoast inimeste eemaldamine, väljamüksamine, keelamine või tuppa kutsumine",
"%(senderName)s removed %(targetName)s": "%(senderName)s eemaldas kasutaja %(targetName)s", "%(senderName)s removed %(targetName)s": "%(senderName)s eemaldas kasutaja %(targetName)s",
@ -2844,8 +2776,6 @@
"Pick a date to jump to": "Vali kuupäev, mida soovid vaadata", "Pick a date to jump to": "Vali kuupäev, mida soovid vaadata",
"Jump to date": "Vaata kuupäeva", "Jump to date": "Vaata kuupäeva",
"The beginning of the room": "Jututoa algus", "The beginning of the room": "Jututoa algus",
"Last month": "Eelmine kuu",
"Last week": "Eelmine nädal",
"If you know what you're doing, Element is open-source, be sure to check out our GitHub (https://github.com/vector-im/element-web/) and contribute!": "Kui sa tead, mida ja kuidas teed, siis osale meie arenduses - Element on avatud lähtekoodiga tarkvara, mille leiad GitHub'ist (https://github.com/vector-im/element-web/)!", "If you know what you're doing, Element is open-source, be sure to check out our GitHub (https://github.com/vector-im/element-web/) and contribute!": "Kui sa tead, mida ja kuidas teed, siis osale meie arenduses - Element on avatud lähtekoodiga tarkvara, mille leiad GitHub'ist (https://github.com/vector-im/element-web/)!",
"If someone told you to copy/paste something here, there is a high likelihood you're being scammed!": "Kui keegi palus sul siia midagi kopeerida või asetada, siis suure tõenäosusega on tegemist pettusekatsega!", "If someone told you to copy/paste something here, there is a high likelihood you're being scammed!": "Kui keegi palus sul siia midagi kopeerida või asetada, siis suure tõenäosusega on tegemist pettusekatsega!",
"Wait!": "Palun oota!", "Wait!": "Palun oota!",
@ -2876,12 +2806,7 @@
"one": "%(severalUsers)s kustutas sõnumi", "one": "%(severalUsers)s kustutas sõnumi",
"other": "%(severalUsers)s kustutasid %(count)s sõnumit" "other": "%(severalUsers)s kustutasid %(count)s sõnumit"
}, },
"Maximise": "Suurenda maksimaalseks",
"Automatically send debug logs when key backup is not functioning": "Kui krüptovõtmete varundus ei toimi, siis automaatselt saada silumislogid arendajatele", "Automatically send debug logs when key backup is not functioning": "Kui krüptovõtmete varundus ei toimi, siis automaatselt saada silumislogid arendajatele",
"<%(count)s spaces>": {
"other": "<%(count)s kogukonda>",
"one": "<kogukond>"
},
"Can't edit poll": "Küsimustikku ei saa muuta", "Can't edit poll": "Küsimustikku ei saa muuta",
"Sorry, you can't edit a poll after votes have been cast.": "Vabandust, aga küsimustikku ei saa enam peale hääletamise lõppu muuta.", "Sorry, you can't edit a poll after votes have been cast.": "Vabandust, aga küsimustikku ei saa enam peale hääletamise lõppu muuta.",
"Edit poll": "Muuda küsitlust", "Edit poll": "Muuda küsitlust",
@ -2898,7 +2823,6 @@
"Remove messages sent by me": "Eemalda minu saadetud sõnumid", "Remove messages sent by me": "Eemalda minu saadetud sõnumid",
"Export Cancelled": "Eksport on katkestatud", "Export Cancelled": "Eksport on katkestatud",
"Switch to space by number": "Vaata kogukonnakeskust tema numbri alusel", "Switch to space by number": "Vaata kogukonnakeskust tema numbri alusel",
"Accessibility": "Ligipääsetavus",
"Reply to an ongoing thread or use “%(replyInThread)s” when hovering over a message to start a new one.": "Vasta jätkuvas jutulõngas või uue jutulõnga loomiseks kasuta „%(replyInThread)s“ valikut, mida kuvatakse hiire liigutamisel sõnumi kohal.", "Reply to an ongoing thread or use “%(replyInThread)s” when hovering over a message to start a new one.": "Vasta jätkuvas jutulõngas või uue jutulõnga loomiseks kasuta „%(replyInThread)s“ valikut, mida kuvatakse hiire liigutamisel sõnumi kohal.",
"%(oneUser)schanged the <a>pinned messages</a> for the room %(count)s times": { "%(oneUser)schanged the <a>pinned messages</a> for the room %(count)s times": {
"one": "%(oneUser)s muutis selle jututoa <a>klammerdatud sõnumeid</a>", "one": "%(oneUser)s muutis selle jututoa <a>klammerdatud sõnumeid</a>",
@ -2915,7 +2839,6 @@
"%(brand)s could not send your location. Please try again later.": "%(brand)s ei saanud sinu asukohta edastada. Palun proovi hiljem uuesti.", "%(brand)s could not send your location. Please try again later.": "%(brand)s ei saanud sinu asukohta edastada. Palun proovi hiljem uuesti.",
"We couldn't send your location": "Sinu asukoha saatmine ei õnnestunud", "We couldn't send your location": "Sinu asukoha saatmine ei õnnestunud",
"Pinned": "Klammerdatud", "Pinned": "Klammerdatud",
"Insert a trailing colon after user mentions at the start of a message": "Mainimiste järel näita sõnumi alguses koolonit",
"Show polls button": "Näita küsitluste nuppu", "Show polls button": "Näita küsitluste nuppu",
"No virtual room for this room": "Sellel jututoal pole virtuaalset olekut", "No virtual room for this room": "Sellel jututoal pole virtuaalset olekut",
"Switches to this room's virtual room, if it has one": "Kui jututoal on virtuaalne olek, siis kasuta seda", "Switches to this room's virtual room, if it has one": "Kui jututoal on virtuaalne olek, siis kasuta seda",
@ -2953,31 +2876,7 @@
"Next recently visited room or space": "Järgmine viimati külastatud jututuba või kogukond", "Next recently visited room or space": "Järgmine viimati külastatud jututuba või kogukond",
"Previous recently visited room or space": "Eelmine viimati külastatud jututuba või kogukond", "Previous recently visited room or space": "Eelmine viimati külastatud jututuba või kogukond",
"Event ID: %(eventId)s": "Sündmuse tunnus: %(eventId)s", "Event ID: %(eventId)s": "Sündmuse tunnus: %(eventId)s",
"No verification requests found": "Verifitseerimispäringuid ei leidu",
"Observe only": "Ainult vaatle",
"Requester": "Päringu tegija",
"Methods": "Meetodid",
"Timeout": "Aegumine",
"Phase": "Faas",
"Transaction": "Transaktsioon",
"Cancelled": "Katkestatud",
"Started": "Alustatud",
"Ready": "Valmis",
"Requested": "Päring tehtud",
"Unsent": "Saatmata", "Unsent": "Saatmata",
"Edit values": "Muuda väärtusi",
"Failed to save settings.": "Seadistuste salvestamine ei õnnestunud.",
"Number of users": "Kasutajate arv",
"Server": "Server",
"Server Versions": "Serveri versioonid",
"Client Versions": "Klientrakenduste versioonid",
"Failed to load.": "Laadimine ei õnnestunud.",
"Capabilities": "Funktsionaalsused ja võimed",
"Send custom state event": "Saada kohandatud olekusündmus",
"Failed to send event!": "Päringu või sündmuse saatmine ei õnnestunud!",
"Doesn't look like valid JSON.": "See ei tundu olema korrektse json-andmestikuna.",
"Send custom room account data event": "Saada kohandatud jututoa kontoandmete päring",
"Send custom account data event": "Saada kohandatud kontoandmete päring",
"Room ID: %(roomId)s": "Jututoa tunnus: %(roomId)s", "Room ID: %(roomId)s": "Jututoa tunnus: %(roomId)s",
"Server info": "Serveri teave", "Server info": "Serveri teave",
"Settings explorer": "Seadistuste haldur", "Settings explorer": "Seadistuste haldur",
@ -2993,7 +2892,6 @@
"%(brand)s was denied permission to fetch your location. Please allow location access in your browser settings.": "%(brand)s ei saanud asukohta tuvastada. Palun luba vastavad õigused brauseri seadistustes.", "%(brand)s was denied permission to fetch your location. Please allow location access in your browser settings.": "%(brand)s ei saanud asukohta tuvastada. Palun luba vastavad õigused brauseri seadistustes.",
"%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s toimib nutiseadme veebibrauseris kastseliselt. Parima kasutajakogemuse ja uusima funktsionaalsuse jaoks kasuta meie rakendust.", "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s toimib nutiseadme veebibrauseris kastseliselt. Parima kasutajakogemuse ja uusima funktsionaalsuse jaoks kasuta meie rakendust.",
"Force complete": "Sunni lõpetama", "Force complete": "Sunni lõpetama",
"<empty string>": "<tühi string>",
"%(errcode)s was returned while trying to access the room or space. If you think you're seeing this message in error, please <issueLink>submit a bug report</issueLink>.": "Astumisel jututuppa või liitumisel kogukonnaga tekkis viga %(errcode)s. Kui sa arvad, et sellise põhjusega viga ei tohiks tekkida, siis palun <issueLink>koosta veateade</issueLink>.", "%(errcode)s was returned while trying to access the room or space. If you think you're seeing this message in error, please <issueLink>submit a bug report</issueLink>.": "Astumisel jututuppa või liitumisel kogukonnaga tekkis viga %(errcode)s. Kui sa arvad, et sellise põhjusega viga ei tohiks tekkida, siis palun <issueLink>koosta veateade</issueLink>.",
"Try again later, or ask a room or space admin to check if you have access.": "Proovi hiljem uuesti või küsi jututoa või kogukonna haldurilt, kas sul on ligipääs olemas.", "Try again later, or ask a room or space admin to check if you have access.": "Proovi hiljem uuesti või küsi jututoa või kogukonna haldurilt, kas sul on ligipääs olemas.",
"This room or space is not accessible at this time.": "See jututuba või kogukond pole hetkel ligipääsetav.", "This room or space is not accessible at this time.": "See jututuba või kogukond pole hetkel ligipääsetav.",
@ -3058,7 +2956,6 @@
"Disinvite from space": "Eemalda kutse kogukonda", "Disinvite from space": "Eemalda kutse kogukonda",
"<b>Tip:</b> Use “%(replyInThread)s” when hovering over a message.": "<b>Soovitus:</b> Sõnumi kohal avanevast valikust kasuta „%(replyInThread)s“ võimalust.", "<b>Tip:</b> Use “%(replyInThread)s” when hovering over a message.": "<b>Soovitus:</b> Sõnumi kohal avanevast valikust kasuta „%(replyInThread)s“ võimalust.",
"No live locations": "Reaalajas asukohad puuduvad", "No live locations": "Reaalajas asukohad puuduvad",
"Enable Markdown": "Kasuta Markdown-süntaksit",
"Close sidebar": "Sulge külgpaan", "Close sidebar": "Sulge külgpaan",
"View List": "Vaata loendit", "View List": "Vaata loendit",
"View list": "Vaata loendit", "View list": "Vaata loendit",
@ -3121,13 +3018,11 @@
"Ignore user": "Eira kasutajat", "Ignore user": "Eira kasutajat",
"View related event": "Vaata seotud sündmust", "View related event": "Vaata seotud sündmust",
"Read receipts": "Lugemisteatised", "Read receipts": "Lugemisteatised",
"Enable hardware acceleration (restart %(appName)s to take effect)": "Kasuta riistvaralist kiirendust (jõustamine eeldab %(appName)s rakenduse uuesti käivitamist)",
"Failed to set direct message tag": "Otsevestluse sildi seadmine ei õnnestunud", "Failed to set direct message tag": "Otsevestluse sildi seadmine ei õnnestunud",
"You were disconnected from the call. (Error: %(message)s)": "Kõne on katkenud. (Veateade: %(message)s)", "You were disconnected from the call. (Error: %(message)s)": "Kõne on katkenud. (Veateade: %(message)s)",
"Connection lost": "Ühendus on katkenud", "Connection lost": "Ühendus on katkenud",
"Deactivating your account is a permanent action — be careful!": "Kuna kasutajakonto dektiveerimist ei saa tagasi pöörata, siis palun ole ettevaatlik!", "Deactivating your account is a permanent action — be careful!": "Kuna kasutajakonto dektiveerimist ei saa tagasi pöörata, siis palun ole ettevaatlik!",
"Un-maximise": "Lõpeta täisvaate kasutamine", "Un-maximise": "Lõpeta täisvaate kasutamine",
"Minimise": "Väike vaade",
"When you sign out, these keys will be deleted from this device, which means you won't be able to read encrypted messages unless you have the keys for them on your other devices, or backed them up to the server.": "Kui sa logid välja, siis krüptovõtmed kustutatakse sellest seadmest. Seega, kui sul pole krüptovõtmeid varundatud teistes seadmetes või kasutusel serveripoolset varundust, siis sa krüptitud sõnumeid hiljem lugeda ei saa.", "When you sign out, these keys will be deleted from this device, which means you won't be able to read encrypted messages unless you have the keys for them on your other devices, or backed them up to the server.": "Kui sa logid välja, siis krüptovõtmed kustutatakse sellest seadmest. Seega, kui sul pole krüptovõtmeid varundatud teistes seadmetes või kasutusel serveripoolset varundust, siis sa krüptitud sõnumeid hiljem lugeda ei saa.",
"Joining the beta will reload %(brand)s.": "Beeta-funktsionaalsuste kasutusele võtmisel laadime uuesti rakenduse %(brand)s.", "Joining the beta will reload %(brand)s.": "Beeta-funktsionaalsuste kasutusele võtmisel laadime uuesti rakenduse %(brand)s.",
"Leaving the beta will reload %(brand)s.": "Beeta-funktsionaalsuste kasutamise lõpetamisel laadime uuesti rakenduse %(brand)s.", "Leaving the beta will reload %(brand)s.": "Beeta-funktsionaalsuste kasutamise lõpetamisel laadime uuesti rakenduse %(brand)s.",
@ -3182,23 +3077,8 @@
"Choose a locale": "Vali lokaat", "Choose a locale": "Vali lokaat",
"Saved Items": "Salvestatud failid", "Saved Items": "Salvestatud failid",
"Spell check": "Õigekirja kontroll", "Spell check": "Õigekirja kontroll",
"Find your people": "Leia oma kaasteelisi",
"Keep ownership and control of community discussion.\nScale to support millions, with powerful moderation and interoperability.": "Halda ja kontrolli suhtlust oma kogukonnas.\nSobib ka miljonitele kasutajatele ning võimaldab mitmekesist modereerimist kui liidestust.",
"Community ownership": "Kogukonnad, mida te ise haldate",
"Find your co-workers": "Leia oma kolleege",
"Secure messaging for work": "Turvalised sõnumid töökeskkonna jaoks",
"Start your first chat": "Alusta oma esimest vestlust",
"With free end-to-end encrypted messaging, and unlimited voice and video calls, %(brand)s is a great way to stay in touch.": "%(brand)s on parim viis suhtluseks - siin on tasuta läbiv krüptimine kui piiramatult heli- ja videokõnesid.",
"Secure messaging for friends and family": "Turvaline suhtlus pere ja sõprade jaoks",
"Its what youre here for, so lets get to it": "Selleks sa oled ju siin, alustame siis nüüd", "Its what youre here for, so lets get to it": "Selleks sa oled ju siin, alustame siis nüüd",
"Welcome to %(brand)s": "Tere tulemast %(brand)s'i kasutajaks",
"Complete these to get the most out of %(brand)s": "Kasutamaks kõiki %(brand)s'i võimalusi tee läbi alljärgnev",
"You're in": "Kõik on tehtud", "You're in": "Kõik on tehtud",
"You did it!": "Valmis!",
"Only %(count)s steps to go": {
"one": "Ainult %(count)s samm veel",
"other": "Ainult %(count)s sammu veel"
},
"Enable notifications": "Võta teavitused kasutusele", "Enable notifications": "Võta teavitused kasutusele",
"Dont miss a reply or important message": "Ära jäta vahele vastuseid ega olulisi sõnumeid", "Dont miss a reply or important message": "Ära jäta vahele vastuseid ega olulisi sõnumeid",
"Turn on notifications": "Lülita seadistused välja", "Turn on notifications": "Lülita seadistused välja",
@ -3216,18 +3096,14 @@
"App Store® and the Apple logo® are trademarks of Apple Inc.": "App Store® ja Apple logo® on Apple Inc kaubamärgid.", "App Store® and the Apple logo® are trademarks of Apple Inc.": "App Store® ja Apple logo® on Apple Inc kaubamärgid.",
"Get it on F-Droid": "Laadi alla F-Droid'ist", "Get it on F-Droid": "Laadi alla F-Droid'ist",
"Get it on Google Play": "Laadi alla Google Play'st", "Get it on Google Play": "Laadi alla Google Play'st",
"Android": "Android",
"Download on the App Store": "Laadi alla App Store'st", "Download on the App Store": "Laadi alla App Store'st",
"iOS": "iOS",
"Download %(brand)s Desktop": "Laadi alla %(brand)s töölaua rakendusena", "Download %(brand)s Desktop": "Laadi alla %(brand)s töölaua rakendusena",
"Download %(brand)s": "Laadi alla %(brand)s", "Download %(brand)s": "Laadi alla %(brand)s",
"Your server doesn't support disabling sending read receipts.": "Sinu koduserver ei võimalda lugemisteatiste keelamist.", "Your server doesn't support disabling sending read receipts.": "Sinu koduserver ei võimalda lugemisteatiste keelamist.",
"Share your activity and status with others.": "Jaga teistega oma olekut ja tegevusi.", "Share your activity and status with others.": "Jaga teistega oma olekut ja tegevusi.",
"Send read receipts": "Saada lugemisteatiseid",
"Last activity": "Viimati kasutusel", "Last activity": "Viimati kasutusel",
"Sessions": "Sessioonid", "Sessions": "Sessioonid",
"Current session": "Praegune sessioon", "Current session": "Praegune sessioon",
"Welcome": "Tere tulemast",
"Show shortcut to welcome checklist above the room list": "Näita viidet jututubade loendi kohal", "Show shortcut to welcome checklist above the room list": "Näita viidet jututubade loendi kohal",
"Inactive for %(inactiveAgeDays)s+ days": "Pole olnud kasutusel %(inactiveAgeDays)s+ päeva", "Inactive for %(inactiveAgeDays)s+ days": "Pole olnud kasutusel %(inactiveAgeDays)s+ päeva",
"Verify or sign out from this session for best security and reliability.": "Parima turvalisuse ja töökindluse nimel verifitseeri see sessioon või logi ta võrgust välja.", "Verify or sign out from this session for best security and reliability.": "Parima turvalisuse ja töökindluse nimel verifitseeri see sessioon või logi ta võrgust välja.",
@ -3238,9 +3114,6 @@
"Other sessions": "Muud sessioonid", "Other sessions": "Muud sessioonid",
"Session details": "Sessiooni teave", "Session details": "Sessiooni teave",
"IP address": "IP-aadress", "IP address": "IP-aadress",
"Device": "Seade",
"Unverified": "Verifitseerimata",
"Verified": "Verifitseeritud",
"Verify your sessions for enhanced secure messaging or sign out from those you don't recognize or use anymore.": "Turvalise sõnumvahetuse nimel verifitseeri kõik oma sessioonid ning logi neist välja, mida sa enam ei kasuta või ei tunne enam ära.", "Verify your sessions for enhanced secure messaging or sign out from those you don't recognize or use anymore.": "Turvalise sõnumvahetuse nimel verifitseeri kõik oma sessioonid ning logi neist välja, mida sa enam ei kasuta või ei tunne enam ära.",
"Inactive sessions": "Mitteaktiivsed sessioonid", "Inactive sessions": "Mitteaktiivsed sessioonid",
"Unverified sessions": "Verifitseerimata sessioonid", "Unverified sessions": "Verifitseerimata sessioonid",
@ -3316,8 +3189,6 @@
"Mobile session": "Nutirakendus", "Mobile session": "Nutirakendus",
"Desktop session": "Töölauarakendus", "Desktop session": "Töölauarakendus",
"URL": "URL", "URL": "URL",
"Version": "Versioon",
"Application": "Rakendus",
"Fill screen": "Täida ekraan", "Fill screen": "Täida ekraan",
"Record the client name, version, and url to recognise sessions more easily in session manager": "Sessioonide paremaks tuvastamiseks saad nüüd sessioonihalduris salvestada klientrakenduse nime, versiooni ja aadressi", "Record the client name, version, and url to recognise sessions more easily in session manager": "Sessioonide paremaks tuvastamiseks saad nüüd sessioonihalduris salvestada klientrakenduse nime, versiooni ja aadressi",
"Video call started": "Videokõne algas", "Video call started": "Videokõne algas",
@ -3327,7 +3198,6 @@
"Video call started in %(roomName)s.": "Videokõne algas %(roomName)s jututoas.", "Video call started in %(roomName)s.": "Videokõne algas %(roomName)s jututoas.",
"Video call (%(brand)s)": "Videokõne (%(brand)s)", "Video call (%(brand)s)": "Videokõne (%(brand)s)",
"Operating system": "Operatsioonisüsteem", "Operating system": "Operatsioonisüsteem",
"Model": "Mudel",
"Call type": "Kõne tüüp", "Call type": "Kõne tüüp",
"You do not have sufficient permissions to change this.": "Sul pole piisavalt õigusi selle muutmiseks.", "You do not have sufficient permissions to change this.": "Sul pole piisavalt õigusi selle muutmiseks.",
"%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s kasutab läbivat krüptimist, kuid on hetkel piiratud väikese osalejate arvuga ühes kõnes.", "%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s kasutab läbivat krüptimist, kuid on hetkel piiratud väikese osalejate arvuga ühes kõnes.",
@ -3486,19 +3356,6 @@
"All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "Kõik selle kasutaja sõnumid ja kutsed saava olema peidetud. Kas sa oled kindel, et soovid teda eirata?", "All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "Kõik selle kasutaja sõnumid ja kutsed saava olema peidetud. Kas sa oled kindel, et soovid teda eirata?",
"Ignore %(user)s": "Eira kasutajat %(user)s", "Ignore %(user)s": "Eira kasutajat %(user)s",
"Unable to decrypt voice broadcast": "Ringhäälingukõne dekrüptimine ei õnnestu", "Unable to decrypt voice broadcast": "Ringhäälingukõne dekrüptimine ei õnnestu",
"Thread Id: ": "Jutulõnga tunnus: ",
"Threads timeline": "Jutulõngade ajajoon",
"Sender: ": "Saatja: ",
"Type: ": "Tüüp: ",
"ID: ": "ID: ",
"Last event:": "Viimane sündmus:",
"No receipt found": "Lugemisteatist ei leidu",
"User read up to: ": "Kasutaja on lugenud kuni: ",
"Dot: ": "Punkt: ",
"Highlight: ": "Esiletõstetud: ",
"Total: ": "Kokku: ",
"Main timeline": "Peamine ajajoon",
"Room status": "Jututoa sõnumite olek",
"Notifications debug": "Teavituste silumine", "Notifications debug": "Teavituste silumine",
"unknown": "teadmata", "unknown": "teadmata",
"Red": "Punane", "Red": "Punane",
@ -3559,17 +3416,9 @@
"Due to decryption errors, some votes may not be counted": "Dekrüptimisvigade tõttu jääb osa hääli lugemata", "Due to decryption errors, some votes may not be counted": "Dekrüptimisvigade tõttu jääb osa hääli lugemata",
"The sender has blocked you from receiving this message": "Sõnumi saatja on keelanud sul selle sõnumi saamise", "The sender has blocked you from receiving this message": "Sõnumi saatja on keelanud sul selle sõnumi saamise",
"Room directory": "Jututubade loend", "Room directory": "Jututubade loend",
"Show NSFW content": "Näita töökeskkonnas mittesobilikku sisu",
"Notification state is <strong>%(notificationState)s</strong>": "Teavituste olek: <strong>%(notificationState)s</strong>",
"Room unread status: <strong>%(status)s</strong>": "Lugemata sõnumite olek jututoas: <strong>%(status)s</strong>",
"Room unread status: <strong>%(status)s</strong>, count: <strong>%(count)s</strong>": {
"other": "Lugemata sõnumite olek jututoas: <strong>%(status)s</strong>, kokku: <strong>%(count)s</strong>"
},
"Ended a poll": "Lõpetas küsitluse", "Ended a poll": "Lõpetas küsitluse",
"Identity server is <code>%(identityServerUrl)s</code>": "Isikutuvastusserveri aadress <code>%(identityServerUrl)s</code>", "Identity server is <code>%(identityServerUrl)s</code>": "Isikutuvastusserveri aadress <code>%(identityServerUrl)s</code>",
"Homeserver is <code>%(homeserverUrl)s</code>": "Koduserveri aadress <code>%(homeserverUrl)s</code>", "Homeserver is <code>%(homeserverUrl)s</code>": "Koduserveri aadress <code>%(homeserverUrl)s</code>",
"Room is <strong>not encrypted 🚨</strong>": "Jututuba on <strong>krüptimata 🚨</strong>",
"Room is <strong>encrypted ✅</strong>": "Jututuba on <strong>krüptitud ✅</strong>",
"Yes, it was me": "Jah, see olin mina", "Yes, it was me": "Jah, see olin mina",
"Answered elsewhere": "Vastatud mujal", "Answered elsewhere": "Vastatud mujal",
"If you know a room address, try joining through that instead.": "Kui sa tead jututoa aadressi, siis proovi liitumiseks seda kasutada.", "If you know a room address, try joining through that instead.": "Kui sa tead jututoa aadressi, siis proovi liitumiseks seda kasutada.",
@ -3624,7 +3473,6 @@
"Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it.": "Me ei leia selle jututoa vana versiooni (jututoa tunnus: %(roomId)s) ja meil pole otsimiseks ka teavet „via_servers“ meetodi alusel.", "Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it.": "Me ei leia selle jututoa vana versiooni (jututoa tunnus: %(roomId)s) ja meil pole otsimiseks ka teavet „via_servers“ meetodi alusel.",
"Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it. It's possible that guessing the server from the room ID will work. If you want to try, click this link:": "Me ei leia selle jututoa vana versiooni (jututoa tunnus: %(roomId)s) ja meil pole otsimiseks ka teavet „via_servers“ meetodi alusel. Võimalik, et me suudame jututoa tunnuse alusel serveri nime välja mõelda. Kui tahad proovida, siis klõpsi seda linki:", "Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it. It's possible that guessing the server from the room ID will work. If you want to try, click this link:": "Me ei leia selle jututoa vana versiooni (jututoa tunnus: %(roomId)s) ja meil pole otsimiseks ka teavet „via_servers“ meetodi alusel. Võimalik, et me suudame jututoa tunnuse alusel serveri nime välja mõelda. Kui tahad proovida, siis klõpsi seda linki:",
"Formatting": "Vormindame andmeid", "Formatting": "Vormindame andmeid",
"Start messages with <code>/plain</code> to send without markdown.": "Vormindamata teksti koostamiseks alusta sõnumeid <code>/plain</code> käsuga.",
"The add / bind with MSISDN flow is misconfigured": "„Add“ ja „bind“ meetodid MSISDN jaoks on valesti seadistatud", "The add / bind with MSISDN flow is misconfigured": "„Add“ ja „bind“ meetodid MSISDN jaoks on valesti seadistatud",
"No identity access token found": "Ei leidu tunnusluba isikutuvastusserveri jaoks", "No identity access token found": "Ei leidu tunnusluba isikutuvastusserveri jaoks",
"Identity server not set": "Isikutuvastusserver on määramata", "Identity server not set": "Isikutuvastusserver on määramata",
@ -3666,8 +3514,6 @@
"Next group of messages": "Järgmine sõnumite grupp", "Next group of messages": "Järgmine sõnumite grupp",
"Exported Data": "Eksporditud andmed", "Exported Data": "Eksporditud andmed",
"Notification Settings": "Teavituste seadistused", "Notification Settings": "Teavituste seadistused",
"Show current profile picture and name for users in message history": "Sõnumite ajaloos leiduvate kasutajate puhul näita kehtivat tunnuspilti ning nime",
"Show profile picture changes": "Näita tunnuspildi muudatusi",
"Ask to join": "Küsi võimalust liitumiseks", "Ask to join": "Küsi võimalust liitumiseks",
"People cannot join unless access is granted.": "Kasutajade ei saa liituda enne, kui selleks vastav luba on antud.", "People cannot join unless access is granted.": "Kasutajade ei saa liituda enne, kui selleks vastav luba on antud.",
"Email Notifications": "E-posti teel saadetavad teavitused", "Email Notifications": "E-posti teel saadetavad teavitused",
@ -3703,8 +3549,6 @@
"Anyone can request to join, but admins or moderators need to grant access. You can change this later.": "Kõik võivad liituda, kuid jututoa haldur või moderaator peab eelnevalt ligipääsu kinnitama. Sa saad seda hiljem muuta.", "Anyone can request to join, but admins or moderators need to grant access. You can change this later.": "Kõik võivad liituda, kuid jututoa haldur või moderaator peab eelnevalt ligipääsu kinnitama. Sa saad seda hiljem muuta.",
"Thread Root ID: %(threadRootId)s": "Jutulõnga esimese kirje tunnus: %(threadRootId)s", "Thread Root ID: %(threadRootId)s": "Jutulõnga esimese kirje tunnus: %(threadRootId)s",
"Upgrade room": "Uuenda jututoa versiooni", "Upgrade room": "Uuenda jututoa versiooni",
"User read up to (ignoreSynthetic): ": "Kasutaja luges kuni sõnumini (ignoreSynthetic): ",
"User read up to (m.read.private;ignoreSynthetic): ": "Kasutaja luges kuni sõnumini (m.read.private;ignoreSynthetic): ",
"This homeserver doesn't offer any login flows that are supported by this client.": "See koduserver ei paku ühtegi sisselogimislahendust, mida see klient toetab.", "This homeserver doesn't offer any login flows that are supported by this client.": "See koduserver ei paku ühtegi sisselogimislahendust, mida see klient toetab.",
"Enter keywords here, or use for spelling variations or nicknames": "Sisesta märksõnad siia ning ära unusta erinevaid kirjapilte ja hüüdnimesid", "Enter keywords here, or use for spelling variations or nicknames": "Sisesta märksõnad siia ning ära unusta erinevaid kirjapilte ja hüüdnimesid",
"Quick Actions": "Kiirtoimingud", "Quick Actions": "Kiirtoimingud",
@ -3714,8 +3558,6 @@
"other": "Kasutaja %(oneUser)s muutis oma tunnuspilti %(count)s korda", "other": "Kasutaja %(oneUser)s muutis oma tunnuspilti %(count)s korda",
"one": "%(oneUser)s muutis oma profiilipilti" "one": "%(oneUser)s muutis oma profiilipilti"
}, },
"User read up to (m.read.private): ": "Kasutaja luges kuni sõnumini (m.read.private): ",
"See history": "Vaata ajalugu",
"The exported file will allow anyone who can read it to decrypt any encrypted messages that you can see, so you should be careful to keep it secure. To help with this, you should enter a unique passphrase below, which will only be used to encrypt the exported data. It will only be possible to import the data by using the same passphrase.": "Kes iganes saab kätte selle ekspordifaili, saab ka lugeda sinu krüptitud sõnumeid, seega ole hoolikas selle faili talletamisel. Andmaks lisakihi turvalisust, peaksid sa alljärgnevalt sisestama unikaalse paroolifraasi, millega krüptitakse eksporditavad andmed. Faili hilisem importimine õnnestub vaid sama paroolifraasi sisestamisel.", "The exported file will allow anyone who can read it to decrypt any encrypted messages that you can see, so you should be careful to keep it secure. To help with this, you should enter a unique passphrase below, which will only be used to encrypt the exported data. It will only be possible to import the data by using the same passphrase.": "Kes iganes saab kätte selle ekspordifaili, saab ka lugeda sinu krüptitud sõnumeid, seega ole hoolikas selle faili talletamisel. Andmaks lisakihi turvalisust, peaksid sa alljärgnevalt sisestama unikaalse paroolifraasi, millega krüptitakse eksporditavad andmed. Faili hilisem importimine õnnestub vaid sama paroolifraasi sisestamisel.",
"Great! This passphrase looks strong enough": "Suurepärane! See paroolifraas on piisavalt kange", "Great! This passphrase looks strong enough": "Suurepärane! See paroolifraas on piisavalt kange",
"Other spaces you know": "Muud kogukonnad, mida sa tead", "Other spaces you know": "Muud kogukonnad, mida sa tead",
@ -3782,21 +3624,38 @@
"beta": "Beetaversioon", "beta": "Beetaversioon",
"attachment": "Manus", "attachment": "Manus",
"appearance": "Välimus", "appearance": "Välimus",
"guest": "Külaline",
"legal": "Juriidiline teave",
"credits": "Tänuavaldused",
"faq": "Korduma kippuvad küsimused",
"access_token": "Pääsuluba",
"preferences": "Eelistused",
"presence": "Olek võrgus",
"timeline": "Ajajoon", "timeline": "Ajajoon",
"privacy": "Privaatsus",
"camera": "Kaamera",
"microphone": "Mikrofon",
"emoji": "Emoji",
"random": "Juhuslik",
"support": "Toeta", "support": "Toeta",
"space": "Tühikuklahv" "space": "Tühikuklahv",
"random": "Juhuslik",
"privacy": "Privaatsus",
"presence": "Olek võrgus",
"preferences": "Eelistused",
"microphone": "Mikrofon",
"legal": "Juriidiline teave",
"guest": "Külaline",
"faq": "Korduma kippuvad küsimused",
"emoji": "Emoji",
"credits": "Tänuavaldused",
"camera": "Kaamera",
"access_token": "Pääsuluba",
"someone": "Keegi",
"welcome": "Tere tulemast",
"encrypted": "Krüptitud",
"application": "Rakendus",
"version": "Versioon",
"device": "Seade",
"model": "Mudel",
"verified": "Verifitseeritud",
"unverified": "Verifitseerimata",
"matrix": "Matrix",
"ios": "iOS",
"android": "Android",
"trusted": "Usaldusväärne",
"not_trusted": "Ei ole usaldusväärne",
"accessibility": "Ligipääsetavus",
"capabilities": "Funktsionaalsused ja võimed",
"server": "Server"
}, },
"action": { "action": {
"continue": "Jätka", "continue": "Jätka",
@ -3869,23 +3728,34 @@
"apply": "Rakenda", "apply": "Rakenda",
"add": "Lisa", "add": "Lisa",
"accept": "Võta vastu", "accept": "Võta vastu",
"disconnect": "Katkesta ühendus",
"change": "Muuda",
"subscribe": "Telli",
"unsubscribe": "Lõpeta liitumine",
"approve": "Nõustu",
"proceed": "Jätka",
"complete": "Valmis",
"revoke": "Tühista",
"rename": "Muuda nime",
"view_all": "Näita kõiki", "view_all": "Näita kõiki",
"unsubscribe": "Lõpeta liitumine",
"subscribe": "Telli",
"show_all": "Näita kõiki", "show_all": "Näita kõiki",
"show": "Näita", "show": "Näita",
"revoke": "Tühista",
"review": "Vaata üle", "review": "Vaata üle",
"restore": "Taasta", "restore": "Taasta",
"rename": "Muuda nime",
"register": "Registreeru",
"proceed": "Jätka",
"play": "Esita", "play": "Esita",
"pause": "Peata", "pause": "Peata",
"register": "Registreeru" "disconnect": "Katkesta ühendus",
"complete": "Valmis",
"change": "Muuda",
"approve": "Nõustu",
"manage": "Halda",
"go": "Mine",
"import": "Impordi",
"export": "Ekspordi",
"refresh": "Värskenda",
"minimise": "Väike vaade",
"maximise": "Suurenda maksimaalseks",
"mention": "Maini",
"submit": "Saada",
"send_report": "Saada veateade",
"clear": "Eemalda"
}, },
"a11y": { "a11y": {
"user_menu": "Kasutajamenüü" "user_menu": "Kasutajamenüü"
@ -3973,8 +3843,8 @@
"restricted": "Piiratud õigustega kasutaja", "restricted": "Piiratud õigustega kasutaja",
"moderator": "Moderaator", "moderator": "Moderaator",
"admin": "Peakasutaja", "admin": "Peakasutaja",
"custom": "Kohandatud õigused (%(level)s)", "mod": "Moderaator",
"mod": "Moderaator" "custom": "Kohandatud õigused (%(level)s)"
}, },
"bug_reporting": { "bug_reporting": {
"introduction": "Kui sa oled GitHub'is teinud meile veateate, siis silumislogid võivad aidata vea lahendamisel. ", "introduction": "Kui sa oled GitHub'is teinud meile veateate, siis silumislogid võivad aidata vea lahendamisel. ",
@ -3999,6 +3869,142 @@
"short_seconds": "%(value)s s", "short_seconds": "%(value)s s",
"short_days_hours_minutes_seconds": "%(days)s pv %(hours)s t %(minutes)s m %(seconds)s s", "short_days_hours_minutes_seconds": "%(days)s pv %(hours)s t %(minutes)s m %(seconds)s s",
"short_hours_minutes_seconds": "%(hours)s t %(minutes)s m %(seconds)s s", "short_hours_minutes_seconds": "%(hours)s t %(minutes)s m %(seconds)s s",
"short_minutes_seconds": "%(minutes)s m %(seconds)s s" "short_minutes_seconds": "%(minutes)s m %(seconds)s s",
"last_week": "Eelmine nädal",
"last_month": "Eelmine kuu"
},
"onboarding": {
"personal_messaging_title": "Turvaline suhtlus pere ja sõprade jaoks",
"free_e2ee_messaging_unlimited_voip": "%(brand)s on parim viis suhtluseks - siin on tasuta läbiv krüptimine kui piiramatult heli- ja videokõnesid.",
"personal_messaging_action": "Alusta oma esimest vestlust",
"work_messaging_title": "Turvalised sõnumid töökeskkonna jaoks",
"work_messaging_action": "Leia oma kolleege",
"community_messaging_title": "Kogukonnad, mida te ise haldate",
"community_messaging_action": "Leia oma kaasteelisi",
"welcome_to_brand": "Tere tulemast %(brand)s'i kasutajaks",
"only_n_steps_to_go": {
"one": "Ainult %(count)s samm veel",
"other": "Ainult %(count)s sammu veel"
},
"you_did_it": "Valmis!",
"complete_these": "Kasutamaks kõiki %(brand)s'i võimalusi tee läbi alljärgnev",
"community_messaging_description": "Halda ja kontrolli suhtlust oma kogukonnas.\nSobib ka miljonitele kasutajatele ning võimaldab mitmekesist modereerimist kui liidestust."
},
"devtools": {
"send_custom_account_data_event": "Saada kohandatud kontoandmete päring",
"send_custom_room_account_data_event": "Saada kohandatud jututoa kontoandmete päring",
"event_type": "Sündmuse tüüp",
"state_key": "Oleku võti",
"invalid_json": "See ei tundu olema korrektse json-andmestikuna.",
"failed_to_send": "Päringu või sündmuse saatmine ei õnnestunud!",
"event_sent": "Sündmus on saadetud!",
"event_content": "Sündmuse sisu",
"user_read_up_to": "Kasutaja on lugenud kuni: ",
"no_receipt_found": "Lugemisteatist ei leidu",
"user_read_up_to_ignore_synthetic": "Kasutaja luges kuni sõnumini (ignoreSynthetic): ",
"user_read_up_to_private": "Kasutaja luges kuni sõnumini (m.read.private): ",
"user_read_up_to_private_ignore_synthetic": "Kasutaja luges kuni sõnumini (m.read.private;ignoreSynthetic): ",
"room_status": "Jututoa sõnumite olek",
"room_unread_status_count": {
"other": "Lugemata sõnumite olek jututoas: <strong>%(status)s</strong>, kokku: <strong>%(count)s</strong>"
},
"notification_state": "Teavituste olek: <strong>%(notificationState)s</strong>",
"room_encrypted": "Jututuba on <strong>krüptitud ✅</strong>",
"room_not_encrypted": "Jututuba on <strong>krüptimata 🚨</strong>",
"main_timeline": "Peamine ajajoon",
"threads_timeline": "Jutulõngade ajajoon",
"room_notifications_total": "Kokku: ",
"room_notifications_highlight": "Esiletõstetud: ",
"room_notifications_dot": "Punkt: ",
"room_notifications_last_event": "Viimane sündmus:",
"room_notifications_type": "Tüüp: ",
"room_notifications_sender": "Saatja: ",
"room_notifications_thread_id": "Jutulõnga tunnus: ",
"spaces": {
"other": "<%(count)s kogukonda>",
"one": "<kogukond>"
},
"empty_string": "<tühi string>",
"room_unread_status": "Lugemata sõnumite olek jututoas: <strong>%(status)s</strong>",
"id": "ID: ",
"send_custom_state_event": "Saada kohandatud olekusündmus",
"see_history": "Vaata ajalugu",
"failed_to_load": "Laadimine ei õnnestunud.",
"client_versions": "Klientrakenduste versioonid",
"server_versions": "Serveri versioonid",
"number_of_users": "Kasutajate arv",
"failed_to_save": "Seadistuste salvestamine ei õnnestunud.",
"save_setting_values": "Salvesta seadistuste väärtused",
"setting_colon": "Seadistus:",
"caution_colon": "Hoiatus:",
"use_at_own_risk": "See kasutajaliides ei oska kontrollida väärtuste tüüpi ja vormingut. Muudatusi teed omal vastutusel.",
"setting_definition": "Seadistuse määratlus:",
"level": "Tase",
"settable_global": "Seadistatav üldiselt",
"settable_room": "Seadistatav jututoa-kohaselt",
"values_explicit": "Väärtused konkreetsel tasemel",
"values_explicit_room": "Väärtused konkreetsel tasemel selles jututoas",
"edit_values": "Muuda väärtusi",
"value_colon": "Väärtus:",
"value_this_room_colon": "Väärtus selles jututoas:",
"values_explicit_colon": "Väärtused konkreetsel tasemel:",
"values_explicit_this_room_colon": "Väärtused konkreetsel tasemel selles jututoas:",
"setting_id": "Seadistuse tunnus",
"value": "Väärtus",
"value_in_this_room": "Väärtus selles jututoas",
"edit_setting": "Muuda seadistust",
"phase_requested": "Päring tehtud",
"phase_ready": "Valmis",
"phase_started": "Alustatud",
"phase_cancelled": "Katkestatud",
"phase_transaction": "Transaktsioon",
"phase": "Faas",
"timeout": "Aegumine",
"methods": "Meetodid",
"requester": "Päringu tegija",
"observe_only": "Ainult vaatle",
"no_verification_requests_found": "Verifitseerimispäringuid ei leidu",
"failed_to_find_widget": "Selle vidina leidmisel tekkis viga."
},
"settings": {
"show_breadcrumbs": "Näita viimati külastatud jututubade viiteid jututubade loendi kohal",
"all_rooms_home_description": "Kõik sinu jututoad on nähtavad avalehel.",
"use_command_f_search": "Ajajoonelt otsimiseks kasuta Command+F klahve",
"use_control_f_search": "Ajajoonelt otsimiseks kasuta Ctrl+F klahve",
"use_12_hour_format": "Näita ajatempleid 12-tunnises vormingus (näiteks 2:30pl)",
"always_show_message_timestamps": "Alati näita sõnumite ajatempleid",
"send_read_receipts": "Saada lugemisteatiseid",
"send_typing_notifications": "Anna märku teisele osapoolele, kui mina sõnumit kirjutan",
"replace_plain_emoji": "Automaatelt asenda vormindamata tekst emotikoniga",
"enable_markdown": "Kasuta Markdown-süntaksit",
"emoji_autocomplete": "Näita kirjutamise ajal emoji-soovitusi",
"use_command_enter_send_message": "Sõnumi saatmiseks vajuta Command + Enter klahve",
"use_control_enter_send_message": "Sõnumi saatmiseks vajuta Ctrl + Enter",
"all_rooms_home": "Näita kõiki jututubasid avalehel",
"enable_markdown_description": "Vormindamata teksti koostamiseks alusta sõnumeid <code>/plain</code> käsuga.",
"show_stickers_button": "Näita kleepsude nuppu",
"insert_trailing_colon_mentions": "Mainimiste järel näita sõnumi alguses koolonit",
"automatic_language_detection_syntax_highlight": "Kasuta süntaksi esiletõstmisel automaatset keeletuvastust",
"code_block_expand_default": "Vaikimisi kuva koodiblokid tervikuna",
"code_block_line_numbers": "Näita koodiblokkides reanumbreid",
"inline_url_previews_default": "Luba URL'ide vaikimisi eelvaated",
"autoplay_gifs": "Esita automaatselt liikuvaid pilte",
"autoplay_videos": "Esita automaatselt videosid",
"image_thumbnails": "Näita piltide eelvaateid või väikepilte",
"show_typing_notifications": "Anna märku, kui teine osapool sõnumit kirjutab",
"show_redaction_placeholder": "Näita kustutatud sõnumite asemel kohatäidet",
"show_read_receipts": "Näita teiste kasutajate lugemisteatiseid",
"show_join_leave": "Näita jututubade liitumise ja lahkumise teateid (ei käi kutsete, müksamiste ja keelamiste kohta)",
"show_displayname_changes": "Näita kuvatava nime muutusi",
"show_chat_effects": "Näita vestluses edevat graafikat (näiteks kui keegi on saatnud serpentiine)",
"show_avatar_changes": "Näita tunnuspildi muudatusi",
"big_emoji": "Kasuta vestlustes suuri emoji'sid",
"jump_to_bottom_on_send": "Sõnumi saatmiseks hüppa ajajoone lõppu",
"disable_historical_profile": "Sõnumite ajaloos leiduvate kasutajate puhul näita kehtivat tunnuspilti ning nime",
"show_nsfw_content": "Näita töökeskkonnas mittesobilikku sisu",
"prompt_invite": "Hoiata enne kutse saatmist võimalikule vigasele Matrix'i kasutajatunnusele",
"hardware_acceleration": "Kasuta riistvaralist kiirendust (jõustamine eeldab %(appName)s rakenduse uuesti käivitamist)",
"start_automatically": "Käivita Element automaatselt peale arvutisse sisselogimist",
"warn_quit": "Hoiata enne rakenduse töö lõpetamist"
} }
} }

View file

@ -12,7 +12,6 @@
"Rooms": "Gelak", "Rooms": "Gelak",
"Low priority": "Lehentasun baxua", "Low priority": "Lehentasun baxua",
"Join Room": "Elkartu gelara", "Join Room": "Elkartu gelara",
"Submit": "Bidali",
"Return to login screen": "Itzuli saio hasierarako pantailara", "Return to login screen": "Itzuli saio hasierarako pantailara",
"Email address": "E-mail helbidea", "Email address": "E-mail helbidea",
"The email address linked to your account must be entered.": "Zure kontura gehitutako e-mail helbidea sartu behar da.", "The email address linked to your account must be entered.": "Zure kontura gehitutako e-mail helbidea sartu behar da.",
@ -30,7 +29,6 @@
"Phone": "Telefonoa", "Phone": "Telefonoa",
"Advanced": "Aurreratua", "Advanced": "Aurreratua",
"Cryptography": "Kriptografia", "Cryptography": "Kriptografia",
"Always show message timestamps": "Erakutsi beti mezuen denbora-zigilua",
"Authentication": "Autentifikazioa", "Authentication": "Autentifikazioa",
"Verification Pending": "Egiaztaketa egiteke", "Verification Pending": "Egiaztaketa egiteke",
"Please check your email and click on the link it contains. Once this is done, click continue.": "Irakurri zure e-maila eta egin klik dakarren estekan. Behin eginda, egin klik Jarraitu botoian.", "Please check your email and click on the link it contains. Once this is done, click continue.": "Irakurri zure e-maila eta egin klik dakarren estekan. Behin eginda, egin klik Jarraitu botoian.",
@ -43,13 +41,10 @@
"Session ID": "Saioaren IDa", "Session ID": "Saioaren IDa",
"Export E2E room keys": "Esportatu E2E geletako gakoak", "Export E2E room keys": "Esportatu E2E geletako gakoak",
"Export room keys": "Esportatu gelako gakoak", "Export room keys": "Esportatu gelako gakoak",
"Export": "Esportatu",
"Enter passphrase": "Idatzi pasaesaldia", "Enter passphrase": "Idatzi pasaesaldia",
"Confirm passphrase": "Berretsi pasaesaldia", "Confirm passphrase": "Berretsi pasaesaldia",
"Import E2E room keys": "Inportatu E2E geletako gakoak", "Import E2E room keys": "Inportatu E2E geletako gakoak",
"Import room keys": "Inportatu gelako gakoak", "Import room keys": "Inportatu gelako gakoak",
"Import": "Inportatu",
"Someone": "Norbait",
"Start authentication": "Hasi autentifikazioa", "Start authentication": "Hasi autentifikazioa",
"For security, this session has been signed out. Please sign in again.": "Segurtasunagatik saio hau amaitu da. Hasi saioa berriro.", "For security, this session has been signed out. Please sign in again.": "Segurtasunagatik saio hau amaitu da. Hasi saioa berriro.",
"Hangup": "Eseki", "Hangup": "Eseki",
@ -141,7 +136,6 @@
"Server error": "Zerbitzari-errorea", "Server error": "Zerbitzari-errorea",
"Server may be unavailable, overloaded, or search timed out :(": "Zerbitzaria eskuraezin edo gainezka egon daiteke, edo bilaketaren denbora muga gainditu da :(", "Server may be unavailable, overloaded, or search timed out :(": "Zerbitzaria eskuraezin edo gainezka egon daiteke, edo bilaketaren denbora muga gainditu da :(",
"Server unavailable, overloaded, or something else went wrong.": "Zerbitzaria eskuraezin edo gainezka egon daiteke edo zerbaitek huts egin du.", "Server unavailable, overloaded, or something else went wrong.": "Zerbitzaria eskuraezin edo gainezka egon daiteke edo zerbaitek huts egin du.",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Erakutsi denbora-zigiluak 12 ordutako formatuan (adib. 2:30pm)",
"Signed Out": "Saioa amaituta", "Signed Out": "Saioa amaituta",
"This email address was not found": "Ez da e-mail helbide hau aurkitu", "This email address was not found": "Ez da e-mail helbide hau aurkitu",
"This room is not recognised.": "Ez da gela hau ezagutzen.", "This room is not recognised.": "Ez da gela hau ezagutzen.",
@ -205,7 +199,6 @@
"other": "(~%(count)s emaitza)" "other": "(~%(count)s emaitza)"
}, },
"New Password": "Pasahitz berria", "New Password": "Pasahitz berria",
"Start automatically after system login": "Hasi automatikoki sisteman saioa hasi eta gero",
"Passphrases must match": "Pasaesaldiak bat etorri behar dira", "Passphrases must match": "Pasaesaldiak bat etorri behar dira",
"Passphrase must not be empty": "Pasaesaldia ezin da hutsik egon", "Passphrase must not be empty": "Pasaesaldia ezin da hutsik egon",
"File to import": "Inportatu beharreko fitxategia", "File to import": "Inportatu beharreko fitxategia",
@ -244,14 +237,12 @@
}, },
"Delete widget": "Ezabatu trepeta", "Delete widget": "Ezabatu trepeta",
"Define the power level of a user": "Zehaztu erabiltzaile baten botere maila", "Define the power level of a user": "Zehaztu erabiltzaile baten botere maila",
"Enable automatic language detection for syntax highlighting": "Antzeman programazio lengoaia automatikoki eta nabarmendu sintaxia",
"Publish this room to the public in %(domain)s's room directory?": "Argitaratu gela hau publikora %(domain)s domeinuko gelen direktorioan?", "Publish this room to the public in %(domain)s's room directory?": "Argitaratu gela hau publikora %(domain)s domeinuko gelen direktorioan?",
"AM": "AM", "AM": "AM",
"PM": "PM", "PM": "PM",
"Unable to create widget.": "Ezin izan da trepeta sortu.", "Unable to create widget.": "Ezin izan da trepeta sortu.",
"You are not in this room.": "Ez zaude gela honetan.", "You are not in this room.": "Ez zaude gela honetan.",
"You do not have permission to do that in this room.": "Ez duzu gela honetan hori egiteko baimenik.", "You do not have permission to do that in this room.": "Ez duzu gela honetan hori egiteko baimenik.",
"Automatically replace plain text Emoji": "Automatikoki ordezkatu Emoji testu soila",
"%(widgetName)s widget added by %(senderName)s": "%(widgetName)s trepeta gehitu du %(senderName)s erabiltzaileak", "%(widgetName)s widget added by %(senderName)s": "%(widgetName)s trepeta gehitu du %(senderName)s erabiltzaileak",
"%(widgetName)s widget removed by %(senderName)s": "%(widgetName)s trepeta kendu du %(senderName)s erabiltzaileak", "%(widgetName)s widget removed by %(senderName)s": "%(widgetName)s trepeta kendu du %(senderName)s erabiltzaileak",
"%(widgetName)s widget modified by %(senderName)s": "%(widgetName)s trepeta aldatu du %(senderName)s erabiltzaileak", "%(widgetName)s widget modified by %(senderName)s": "%(widgetName)s trepeta aldatu du %(senderName)s erabiltzaileak",
@ -270,10 +261,8 @@
"%(senderName)s changed the pinned messages for the room.": "%(senderName)s erabiltzaileak gelan finkatutako mezuak aldatu ditu.", "%(senderName)s changed the pinned messages for the room.": "%(senderName)s erabiltzaileak gelan finkatutako mezuak aldatu ditu.",
"Send": "Bidali", "Send": "Bidali",
"Mirror local video feed": "Bikoiztu tokiko bideo jarioa", "Mirror local video feed": "Bikoiztu tokiko bideo jarioa",
"Enable inline URL previews by default": "Gailu URL-en aurrebista lehenetsita",
"Enable URL previews for this room (only affects you)": "Gaitu URLen aurrebista gela honetan (zuretzat bakarrik aldatuko duzu)", "Enable URL previews for this room (only affects you)": "Gaitu URLen aurrebista gela honetan (zuretzat bakarrik aldatuko duzu)",
"Enable URL previews by default for participants in this room": "Gaitu URLen aurrebista lehenetsita gela honetako partaideentzat", "Enable URL previews by default for participants in this room": "Gaitu URLen aurrebista lehenetsita gela honetako partaideentzat",
"Mention": "Aipatu",
"%(duration)ss": "%(duration)s s", "%(duration)ss": "%(duration)s s",
"%(duration)sm": "%(duration)s m", "%(duration)sm": "%(duration)s m",
"%(duration)sh": "%(duration)s h", "%(duration)sh": "%(duration)s h",
@ -420,7 +409,6 @@
"No update available.": "Ez dago eguneraketarik eskuragarri.", "No update available.": "Ez dago eguneraketarik eskuragarri.",
"Collecting app version information": "Aplikazioaren bertsio-informazioa biltzen", "Collecting app version information": "Aplikazioaren bertsio-informazioa biltzen",
"Tuesday": "Asteartea", "Tuesday": "Asteartea",
"Event sent!": "Gertaera bidalita!",
"Preparing to send logs": "Egunkariak bidaltzeko prestatzen", "Preparing to send logs": "Egunkariak bidaltzeko prestatzen",
"Saturday": "Larunbata", "Saturday": "Larunbata",
"Monday": "Astelehena", "Monday": "Astelehena",
@ -431,7 +419,6 @@
"You cannot delete this message. (%(code)s)": "Ezin duzu mezu hau ezabatu. (%(code)s)", "You cannot delete this message. (%(code)s)": "Ezin duzu mezu hau ezabatu. (%(code)s)",
"All messages": "Mezu guztiak", "All messages": "Mezu guztiak",
"Call invitation": "Dei gonbidapena", "Call invitation": "Dei gonbidapena",
"State Key": "Egoera gakoa",
"What's new?": "Zer dago berri?", "What's new?": "Zer dago berri?",
"When I'm invited to a room": "Gela batetara gonbidatzen nautenean", "When I'm invited to a room": "Gela batetara gonbidatzen nautenean",
"Invite to this room": "Gonbidatu gela honetara", "Invite to this room": "Gonbidatu gela honetara",
@ -444,15 +431,12 @@
"Error encountered (%(errorDetail)s).": "Errorea aurkitu da (%(errorDetail)s).", "Error encountered (%(errorDetail)s).": "Errorea aurkitu da (%(errorDetail)s).",
"Low Priority": "Lehentasun baxua", "Low Priority": "Lehentasun baxua",
"Off": "Ez", "Off": "Ez",
"Event Type": "Gertaera mota",
"Developer Tools": "Garatzaile-tresnak", "Developer Tools": "Garatzaile-tresnak",
"Event Content": "Gertaeraren edukia",
"Thank you!": "Eskerrik asko!", "Thank you!": "Eskerrik asko!",
"Missing roomId.": "Gelaren ID-a falta da.", "Missing roomId.": "Gelaren ID-a falta da.",
"Popout widget": "Laster-leiho trepeta", "Popout widget": "Laster-leiho trepeta",
"Send Logs": "Bidali egunkariak", "Send Logs": "Bidali egunkariak",
"Clear Storage and Sign Out": "Garbitu biltegiratzea eta amaitu saioa", "Clear Storage and Sign Out": "Garbitu biltegiratzea eta amaitu saioa",
"Refresh": "Freskatu",
"We encountered an error trying to restore your previous session.": "Errore bat aurkitu dugu zure aurreko saioa berrezartzen saiatzean.", "We encountered an error trying to restore your previous session.": "Errore bat aurkitu dugu zure aurreko saioa berrezartzen saiatzean.",
"Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Zure nabigatzailearen biltegiratzea garbitzeak arazoa konpon lezake, baina saioa amaituko da eta zifratutako txaten historiala ezin izango da berriro irakurri.", "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Zure nabigatzailearen biltegiratzea garbitzeak arazoa konpon lezake, baina saioa amaituko da eta zifratutako txaten historiala ezin izango da berriro irakurri.",
"Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Ezin izan da erantzundako gertaera kargatu, edo ez dago edo ez duzu ikusteko baimenik.", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Ezin izan da erantzundako gertaera kargatu, edo ez dago edo ez duzu ikusteko baimenik.",
@ -571,7 +555,6 @@
"Invalid identity server discovery response": "Baliogabeko erantzuna identitate zerbitzariaren bilaketan", "Invalid identity server discovery response": "Baliogabeko erantzuna identitate zerbitzariaren bilaketan",
"If you didn't set the new recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.": "Ez baduzu berreskuratze sistema berria ezarri, erasotzaile bat zure kontua atzitzen saiatzen egon daiteke. Aldatu zure kontuaren pasahitza eta ezarri berreskuratze metodo berria berehala ezarpenetan.", "If you didn't set the new recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.": "Ez baduzu berreskuratze sistema berria ezarri, erasotzaile bat zure kontua atzitzen saiatzen egon daiteke. Aldatu zure kontuaren pasahitza eta ezarri berreskuratze metodo berria berehala ezarpenetan.",
"Unrecognised address": "Helbide ezezaguna", "Unrecognised address": "Helbide ezezaguna",
"Prompt before sending invites to potentially invalid matrix IDs": "Galdetu baliogabeak izan daitezkeen matrix ID-eetara gonbidapenak bidali aurretik",
"The following users may not exist": "Hurrengo erabiltzaileak agian ez dira existitzen", "The following users may not exist": "Hurrengo erabiltzaileak agian ez dira existitzen",
"Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Ezin izan dira behean zerrendatutako Matrix ID-een profilak, berdin gonbidatu nahi dituzu?", "Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Ezin izan dira behean zerrendatutako Matrix ID-een profilak, berdin gonbidatu nahi dituzu?",
"Invite anyway and never warn me again": "Gonbidatu edonola ere eta ez abisatu inoiz gehiago", "Invite anyway and never warn me again": "Gonbidatu edonola ere eta ez abisatu inoiz gehiago",
@ -590,11 +573,6 @@
"one": "%(names)s eta beste bat idazten ari dira …" "one": "%(names)s eta beste bat idazten ari dira …"
}, },
"%(names)s and %(lastPerson)s are typing …": "%(names)s eta %(lastPerson)s idazten ari dira …", "%(names)s and %(lastPerson)s are typing …": "%(names)s eta %(lastPerson)s idazten ari dira …",
"Enable Emoji suggestions while typing": "Proposatu emojiak idatzi bitartean",
"Show a placeholder for removed messages": "Erakutsi kendutako mezuek utzitako hutsunea",
"Show display name changes": "Erakutsi pantaila-izenen aldaketak",
"Enable big emoji in chat": "Gaitu emoji handiak txatean",
"Send typing notifications": "Bidali idazte-jakinarazpenak",
"Messages containing my username": "Nire erabiltzaile-izena duten mezuak", "Messages containing my username": "Nire erabiltzaile-izena duten mezuak",
"The other party cancelled the verification.": "Beste parteak egiaztaketa ezeztatu du.", "The other party cancelled the verification.": "Beste parteak egiaztaketa ezeztatu du.",
"Verified!": "Egiaztatuta!", "Verified!": "Egiaztatuta!",
@ -671,7 +649,6 @@
"Security & Privacy": "Segurtasuna eta pribatutasuna", "Security & Privacy": "Segurtasuna eta pribatutasuna",
"Encryption": "Zifratzea", "Encryption": "Zifratzea",
"Once enabled, encryption cannot be disabled.": "Behin gaituta, zifratzea ezin da desgaitu.", "Once enabled, encryption cannot be disabled.": "Behin gaituta, zifratzea ezin da desgaitu.",
"Encrypted": "Zifratuta",
"Ignored users": "Ezikusitako erabiltzaileak", "Ignored users": "Ezikusitako erabiltzaileak",
"Voice & Video": "Ahotsa eta bideoa", "Voice & Video": "Ahotsa eta bideoa",
"Main address": "Helbide nagusia", "Main address": "Helbide nagusia",
@ -739,7 +716,6 @@
"Changes your display nickname in the current room only": "Zure pantailako izena aldatzen du gela honetan bakarrik", "Changes your display nickname in the current room only": "Zure pantailako izena aldatzen du gela honetan bakarrik",
"Prepends ¯\\_(ツ)_/¯ to a plain-text message": "¯\\_(ツ)_/¯ jartzen du testu soileko mezu baten aurrean", "Prepends ¯\\_(ツ)_/¯ to a plain-text message": "¯\\_(ツ)_/¯ jartzen du testu soileko mezu baten aurrean",
"The user must be unbanned before they can be invited.": "Erabiltzaileari debekua kendu behar zaio gonbidatu aurretik.", "The user must be unbanned before they can be invited.": "Erabiltzaileari debekua kendu behar zaio gonbidatu aurretik.",
"Show read receipts sent by other users": "Erakutsi beste erabiltzaileek bidalitako irakurragiriak",
"Scissors": "Artaziak", "Scissors": "Artaziak",
"Accept all %(invitedRooms)s invites": "Onartu %(invitedRooms)s gelako gonbidapen guztiak", "Accept all %(invitedRooms)s invites": "Onartu %(invitedRooms)s gelako gonbidapen guztiak",
"Change room avatar": "Aldatu gelaren abatarra", "Change room avatar": "Aldatu gelaren abatarra",
@ -939,7 +915,6 @@
"Changes the avatar of the current room": "Uneko gelaren abatarra aldatzen du", "Changes the avatar of the current room": "Uneko gelaren abatarra aldatzen du",
"Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Erabili identitate-zerbitzari bat e-mail bidez gonbidatzeko. Sakatu jarraitu lehenetsitakoa erabiltzeko (%(defaultIdentityServerName)s) edo aldatu ezarpenetan.", "Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Erabili identitate-zerbitzari bat e-mail bidez gonbidatzeko. Sakatu jarraitu lehenetsitakoa erabiltzeko (%(defaultIdentityServerName)s) edo aldatu ezarpenetan.",
"Use an identity server to invite by email. Manage in Settings.": "Erabili identitate-zerbitzari bat e-mail bidez gonbidatzeko. Kudeatu ezarpenetan.", "Use an identity server to invite by email. Manage in Settings.": "Erabili identitate-zerbitzari bat e-mail bidez gonbidatzeko. Kudeatu ezarpenetan.",
"Show previews/thumbnails for images": "Erakutsi irudien aurrebista/iruditxoak",
"Change identity server": "Aldatu identitate-zerbitzaria", "Change identity server": "Aldatu identitate-zerbitzaria",
"Disconnect from the identity server <current /> and connect to <new /> instead?": "Deskonektatu <current /> identitate-zerbitzaritik eta konektatu <new /> zerbitzarira?", "Disconnect from the identity server <current /> and connect to <new /> instead?": "Deskonektatu <current /> identitate-zerbitzaritik eta konektatu <new /> zerbitzarira?",
"Identity server has no terms of service": "Identitate-zerbitzariak ez du erabilera baldintzarik", "Identity server has no terms of service": "Identitate-zerbitzariak ez du erabilera baldintzarik",
@ -998,7 +973,6 @@
"Please fill why you're reporting.": "Idatzi zergatik salatzen duzun.", "Please fill why you're reporting.": "Idatzi zergatik salatzen duzun.",
"Report Content to Your Homeserver Administrator": "Salatu edukia zure hasiera-zerbitzariko administratzaileari", "Report Content to Your Homeserver Administrator": "Salatu edukia zure hasiera-zerbitzariko administratzaileari",
"Reporting this message will send its unique 'event ID' to the administrator of your homeserver. If messages in this room are encrypted, your homeserver administrator will not be able to read the message text or view any files or images.": "Mezu hau salatzeak bere 'gertaera ID'-a bidaliko dio hasiera-zerbitzariko administratzaileari. Gela honetako mezuak zifratuta badaude, zure hasiera-zerbitzariko administratzaileak ezin izango du mezuaren testua irakurri edo irudirik ikusi.", "Reporting this message will send its unique 'event ID' to the administrator of your homeserver. If messages in this room are encrypted, your homeserver administrator will not be able to read the message text or view any files or images.": "Mezu hau salatzeak bere 'gertaera ID'-a bidaliko dio hasiera-zerbitzariko administratzaileari. Gela honetako mezuak zifratuta badaude, zure hasiera-zerbitzariko administratzaileak ezin izango du mezuaren testua irakurri edo irudirik ikusi.",
"Send report": "Bidali salaketa",
"To continue you need to accept the terms of this service.": "Jarraitzeko erabilera baldintzak onartu behar dituzu.", "To continue you need to accept the terms of this service.": "Jarraitzeko erabilera baldintzak onartu behar dituzu.",
"Document": "Dokumentua", "Document": "Dokumentua",
"Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "Captcha-ren gako publikoa falta da hasiera-zerbitzariaren konfigurazioan. Eman honen berri hasiera-zerbitzariaren administratzaileari.", "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "Captcha-ren gako publikoa falta da hasiera-zerbitzariaren konfigurazioan. Eman honen berri hasiera-zerbitzariaren administratzaileari.",
@ -1079,8 +1053,6 @@
"Subscribing to a ban list will cause you to join it!": "Debeku-zerrenda batera harpidetzeak zu elkartzea ekarriko du!", "Subscribing to a ban list will cause you to join it!": "Debeku-zerrenda batera harpidetzeak zu elkartzea ekarriko du!",
"If this isn't what you want, please use a different tool to ignore users.": "Hau ez bada zuk nahi duzuna, erabili beste tresnaren bat erabiltzaileak ezikusteko.", "If this isn't what you want, please use a different tool to ignore users.": "Hau ez bada zuk nahi duzuna, erabili beste tresnaren bat erabiltzaileak ezikusteko.",
"Failed to connect to integration manager": "Huts egin du integrazio kudeatzailera konektatzean", "Failed to connect to integration manager": "Huts egin du integrazio kudeatzailera konektatzean",
"Trusted": "Konfiantzazkoa",
"Not trusted": "Ez konfiantzazkoa",
"Messages in this room are end-to-end encrypted.": "Gela honetako mezuak muturretik muturrera zifratuta daude.", "Messages in this room are end-to-end encrypted.": "Gela honetako mezuak muturretik muturrera zifratuta daude.",
"You have ignored this user, so their message is hidden. <a>Show anyways.</a>": "Erabiltzaile hau ezikusi duzu, beraz bere mezua ezkutatuta dago. <a>Erakutsi hala ere.</a>", "You have ignored this user, so their message is hidden. <a>Show anyways.</a>": "Erabiltzaile hau ezikusi duzu, beraz bere mezua ezkutatuta dago. <a>Erakutsi hala ere.</a>",
"Any of the following data may be shared:": "Datu hauetako edozein partekatu daiteke:", "Any of the following data may be shared:": "Datu hauetako edozein partekatu daiteke:",
@ -1146,7 +1118,6 @@
"Show more": "Erakutsi gehiago", "Show more": "Erakutsi gehiago",
"Recent Conversations": "Azken elkarrizketak", "Recent Conversations": "Azken elkarrizketak",
"Direct Messages": "Mezu zuzenak", "Direct Messages": "Mezu zuzenak",
"Go": "Joan",
"Failed to find the following users": "Ezin izan dira honako erabiltzaile hauek aurkitu", "Failed to find the following users": "Ezin izan dira honako erabiltzaile hauek aurkitu",
"The following users might not exist or are invalid, and cannot be invited: %(csvNames)s": "Honako erabiltzaile hauek agian ez dira existitzen edo baliogabeak dira, eta ezin dira gonbidatu: %(csvNames)s", "The following users might not exist or are invalid, and cannot be invited: %(csvNames)s": "Honako erabiltzaile hauek agian ez dira existitzen edo baliogabeak dira, eta ezin dira gonbidatu: %(csvNames)s",
"Lock": "Blokeatu", "Lock": "Blokeatu",
@ -1204,7 +1175,6 @@
"Show less": "Erakutsi gutxiago", "Show less": "Erakutsi gutxiago",
"Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Zure kontuak zeharkako sinatze identitate bat du biltegi sekretuan, baina saio honek ez du oraindik fidagarritzat.", "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Zure kontuak zeharkako sinatze identitate bat du biltegi sekretuan, baina saio honek ez du oraindik fidagarritzat.",
"in memory": "memorian", "in memory": "memorian",
"Manage": "Kudeatu",
"This session is <b>not backing up your keys</b>, but you do have an existing backup you can restore from and add to going forward.": "Saio honek <b>ez du zure gakoen babes-kopia egiten</b>, baina badago berreskuratu eta gehitu deakezun aurreko babes-kopia bat.", "This session is <b>not backing up your keys</b>, but you do have an existing backup you can restore from and add to going forward.": "Saio honek <b>ez du zure gakoen babes-kopia egiten</b>, baina badago berreskuratu eta gehitu deakezun aurreko babes-kopia bat.",
"Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Konektatu saio hau gakoen babes-kopiara saioa amaitu aurretik saio honetan bakarrik dauden gakoak ez galtzeko.", "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Konektatu saio hau gakoen babes-kopiara saioa amaitu aurretik saio honetan bakarrik dauden gakoak ez galtzeko.",
"Connect this session to Key Backup": "Konektatu saio hau gakoen babes-kopiara", "Connect this session to Key Backup": "Konektatu saio hau gakoen babes-kopiara",
@ -1251,14 +1221,12 @@
"One of the following may be compromised:": "Hauetakoren bat konprometituta egon daiteke:", "One of the following may be compromised:": "Hauetakoren bat konprometituta egon daiteke:",
"Verify this device to mark it as trusted. Trusting this device gives you and other users extra peace of mind when using end-to-end encrypted messages.": "Egiztatu gailu hau fidagarri gisa markatzeko. Gailu hau fidagarritzat jotzeak lasaitasuna ematen du muturretik-muturrera zifratutako mezuak erabiltzean.", "Verify this device to mark it as trusted. Trusting this device gives you and other users extra peace of mind when using end-to-end encrypted messages.": "Egiztatu gailu hau fidagarri gisa markatzeko. Gailu hau fidagarritzat jotzeak lasaitasuna ematen du muturretik-muturrera zifratutako mezuak erabiltzean.",
"Verifying this device will mark it as trusted, and users who have verified with you will trust this device.": "Gailu hau egiaztatzean fidagarri gisa markatuko da, eta egiaztatu zaituzten erabiltzaileek fidagarri gisa ikusiko dute.", "Verifying this device will mark it as trusted, and users who have verified with you will trust this device.": "Gailu hau egiaztatzean fidagarri gisa markatuko da, eta egiaztatu zaituzten erabiltzaileek fidagarri gisa ikusiko dute.",
"Show typing notifications": "Erakutsi idazketa jakinarazpenak",
"Scan this unique code": "Eskaneatu kode bakan hau", "Scan this unique code": "Eskaneatu kode bakan hau",
"Compare unique emoji": "Konparatu emoji bakana", "Compare unique emoji": "Konparatu emoji bakana",
"Compare a unique set of emoji if you don't have a camera on either device": "Konparatu emoji sorta bakana gailuek kamerarik ez badute", "Compare a unique set of emoji if you don't have a camera on either device": "Konparatu emoji sorta bakana gailuek kamerarik ez badute",
"Sign In or Create Account": "Hasi saioa edo sortu kontua", "Sign In or Create Account": "Hasi saioa edo sortu kontua",
"Use your account or create a new one to continue.": "Erabili zure kontua edo sortu berri bat jarraitzeko.", "Use your account or create a new one to continue.": "Erabili zure kontua edo sortu berri bat jarraitzeko.",
"Create Account": "Sortu kontua", "Create Account": "Sortu kontua",
"Show shortcuts to recently viewed rooms above the room list": "Erakutsi ikusitako azken geletara lasterbideak gelen zerrendaren goialdean",
"Cancelling…": "Ezeztatzen…", "Cancelling…": "Ezeztatzen…",
"Your homeserver does not support cross-signing.": "Zure hasiera-zerbitzariak ez du zeharkako sinatzea onartzen.", "Your homeserver does not support cross-signing.": "Zure hasiera-zerbitzariak ez du zeharkako sinatzea onartzen.",
"Homeserver feature support:": "Hasiera-zerbitzariaren ezaugarrien euskarria:", "Homeserver feature support:": "Hasiera-zerbitzariaren ezaugarrien euskarria:",
@ -1321,7 +1289,6 @@
"Can't find this server or its room list": "Ezin da zerbitzaria aurkitu edo honen gelen zerrenda", "Can't find this server or its room list": "Ezin da zerbitzaria aurkitu edo honen gelen zerrenda",
"All rooms": "Gela guztiak", "All rooms": "Gela guztiak",
"Your server": "Zure zerbitzaria", "Your server": "Zure zerbitzaria",
"Matrix": "Matrix",
"Add a new server": "Gehitu zerbitzari berria", "Add a new server": "Gehitu zerbitzari berria",
"Enter the name of a new server you want to explore.": "Sartu arakatu nahi duzun zerbitzari berriaren izena.", "Enter the name of a new server you want to explore.": "Sartu arakatu nahi duzun zerbitzari berriaren izena.",
"Server name": "Zerbitzari-izena", "Server name": "Zerbitzari-izena",
@ -1540,7 +1507,12 @@
"camera": "Kamera", "camera": "Kamera",
"microphone": "Mikrofonoa", "microphone": "Mikrofonoa",
"emoji": "Emoji", "emoji": "Emoji",
"space": "Zuriune-barra" "space": "Zuriune-barra",
"someone": "Norbait",
"encrypted": "Zifratuta",
"matrix": "Matrix",
"trusted": "Konfiantzazkoa",
"not_trusted": "Ez konfiantzazkoa"
}, },
"action": { "action": {
"continue": "Jarraitu", "continue": "Jarraitu",
@ -1606,7 +1578,15 @@
"show_all": "Erakutsi denak", "show_all": "Erakutsi denak",
"review": "Berrikusi", "review": "Berrikusi",
"restore": "Berrezarri", "restore": "Berrezarri",
"register": "Eman izena" "register": "Eman izena",
"manage": "Kudeatu",
"go": "Joan",
"import": "Inportatu",
"export": "Esportatu",
"refresh": "Freskatu",
"mention": "Aipatu",
"submit": "Bidali",
"send_report": "Bidali salaketa"
}, },
"a11y": { "a11y": {
"user_menu": "Erabiltzailea-menua" "user_menu": "Erabiltzailea-menua"
@ -1653,5 +1633,29 @@
"send_logs": "Bidali egunkariak", "send_logs": "Bidali egunkariak",
"github_issue": "GitHub arazo-txostena", "github_issue": "GitHub arazo-txostena",
"before_submitting": "Egunkariak bidali aurretik, <a>GitHub arazo bat sortu</a> behar duzu gertatzen zaizuna azaltzeko." "before_submitting": "Egunkariak bidali aurretik, <a>GitHub arazo bat sortu</a> behar duzu gertatzen zaizuna azaltzeko."
},
"devtools": {
"event_type": "Gertaera mota",
"state_key": "Egoera gakoa",
"event_sent": "Gertaera bidalita!",
"event_content": "Gertaeraren edukia"
},
"settings": {
"show_breadcrumbs": "Erakutsi ikusitako azken geletara lasterbideak gelen zerrendaren goialdean",
"use_12_hour_format": "Erakutsi denbora-zigiluak 12 ordutako formatuan (adib. 2:30pm)",
"always_show_message_timestamps": "Erakutsi beti mezuen denbora-zigilua",
"send_typing_notifications": "Bidali idazte-jakinarazpenak",
"replace_plain_emoji": "Automatikoki ordezkatu Emoji testu soila",
"emoji_autocomplete": "Proposatu emojiak idatzi bitartean",
"automatic_language_detection_syntax_highlight": "Antzeman programazio lengoaia automatikoki eta nabarmendu sintaxia",
"inline_url_previews_default": "Gailu URL-en aurrebista lehenetsita",
"image_thumbnails": "Erakutsi irudien aurrebista/iruditxoak",
"show_typing_notifications": "Erakutsi idazketa jakinarazpenak",
"show_redaction_placeholder": "Erakutsi kendutako mezuek utzitako hutsunea",
"show_read_receipts": "Erakutsi beste erabiltzaileek bidalitako irakurragiriak",
"show_displayname_changes": "Erakutsi pantaila-izenen aldaketak",
"big_emoji": "Gaitu emoji handiak txatean",
"prompt_invite": "Galdetu baliogabeak izan daitezkeen matrix ID-eetara gonbidapenak bidali aurretik",
"start_automatically": "Hasi automatikoki sisteman saioa hasi eta gero"
} }
} }

View file

@ -95,7 +95,6 @@
"An error has occurred.": "خطایی رخ داده است.", "An error has occurred.": "خطایی رخ داده است.",
"A new password must be entered.": "گذواژه جدید باید وارد شود.", "A new password must be entered.": "گذواژه جدید باید وارد شود.",
"Authentication": "احراز هویت", "Authentication": "احراز هویت",
"Always show message timestamps": "همیشه مهر زمان‌های پیام را نشان بده",
"Advanced": "پیشرفته", "Advanced": "پیشرفته",
"Default Device": "دستگاه پیشفرض", "Default Device": "دستگاه پیشفرض",
"No media permissions": "عدم مجوز رسانه", "No media permissions": "عدم مجوز رسانه",
@ -548,7 +547,6 @@
"%(senderName)s removed the main address for this room.": "%(senderName)s آدرس اصلی این اتاق را حذف کرد.", "%(senderName)s removed the main address for this room.": "%(senderName)s آدرس اصلی این اتاق را حذف کرد.",
"%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s آدرس اصلی این اتاق را روی %(address)s تنظیم کرد.", "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s آدرس اصلی این اتاق را روی %(address)s تنظیم کرد.",
"%(senderDisplayName)s sent an image.": "%(senderDisplayName)s تصویری ارسال کرد.", "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s تصویری ارسال کرد.",
"Someone": "کسی",
"Your %(brand)s is misconfigured": "%(brand)sی شما به درستی پیکربندی نشده‌است", "Your %(brand)s is misconfigured": "%(brand)sی شما به درستی پیکربندی نشده‌است",
"Ensure you have a stable internet connection, or get in touch with the server admin": "از اتصال اینترنت پایدار اطمینان حاصل‌کرده و سپس با مدیر سرور ارتباط بگیرید", "Ensure you have a stable internet connection, or get in touch with the server admin": "از اتصال اینترنت پایدار اطمینان حاصل‌کرده و سپس با مدیر سرور ارتباط بگیرید",
"Cannot reach homeserver": "دسترسی به سرور میسر نیست", "Cannot reach homeserver": "دسترسی به سرور میسر نیست",
@ -726,7 +724,6 @@
"Verify session": "تائید نشست", "Verify session": "تائید نشست",
"Country Dropdown": "لیست کشور", "Country Dropdown": "لیست کشور",
"Verification Request": "درخواست تأیید", "Verification Request": "درخواست تأیید",
"Send report": "ارسال گزارش",
"Command Help": "راهنمای دستور", "Command Help": "راهنمای دستور",
"Message edits": "ویرایش پیام", "Message edits": "ویرایش پیام",
"Upload all": "بارگذاری همه", "Upload all": "بارگذاری همه",
@ -764,24 +761,6 @@
"Feedback sent": "بازخورد ارسال شد", "Feedback sent": "بازخورد ارسال شد",
"Developer Tools": "ابزارهای توسعه‌دهنده", "Developer Tools": "ابزارهای توسعه‌دهنده",
"Toolbox": "جعبه ابزار", "Toolbox": "جعبه ابزار",
"Values at explicit levels in this room:": "مقادیر در سطوح مشخص در این اتاق:",
"Values at explicit levels:": "مقدار در سطوح مشخص:",
"Value in this room:": "مقدار در این اتاق:",
"Value:": "مقدار:",
"Save setting values": "ذخیره مقادیر تنظیمات",
"Values at explicit levels in this room": "مقادیر در سطوح مشخص در این اتاق",
"Values at explicit levels": "مقادیر در سطوح مشخص",
"Settable at room": "قابل تنظیم در اتاق",
"Settable at global": "قابل تنظیم به شکل سراسری",
"Level": "سطح",
"Setting definition:": "تعریف تنظیم:",
"This UI does NOT check the types of the values. Use at your own risk.": "این واسط کاربری تایپ مقادیر را بررسی نمی‌کند. با مسئولیت خود استفاده کنید.",
"Caution:": "احتیاط:",
"Setting:": "تنظیم:",
"Value in this room": "مقدار در این اتاق",
"Value": "مقدار",
"Setting ID": "شناسه تنظیم",
"There was an error finding this widget.": "هنگام یافتن این ابزارک خطایی روی داد.",
"Active Widgets": "ابزارک‌های فعال", "Active Widgets": "ابزارک‌های فعال",
"Search names and descriptions": "جستجوی نام‌ها و توضیحات", "Search names and descriptions": "جستجوی نام‌ها و توضیحات",
"Failed to create initial space rooms": "ایجاد اتاق‌های اولیه در فضای کاری موفق نبود", "Failed to create initial space rooms": "ایجاد اتاق‌های اولیه در فضای کاری موفق نبود",
@ -876,7 +855,6 @@
"Enter the name of a new server you want to explore.": "نام سرور جدیدی که می خواهید در آن کاوش کنید را وارد کنید.", "Enter the name of a new server you want to explore.": "نام سرور جدیدی که می خواهید در آن کاوش کنید را وارد کنید.",
"Can't connect to homeserver - please check your connectivity, ensure your <a>homeserver's SSL certificate</a> is trusted, and that a browser extension is not blocking requests.": "اتصال به سرور میسر نیست - لطفا اتصال اینترنت خود را بررسی کنید؛ اطمینان حاصل کنید <a>گواهینامه‌ی SSL سرور شما</a> قابل اعتماد است، و اینکه پلاگینی بر روی مرورگر شما مانع از ارسال درخواست به سرور نمی‌شود.", "Can't connect to homeserver - please check your connectivity, ensure your <a>homeserver's SSL certificate</a> is trusted, and that a browser extension is not blocking requests.": "اتصال به سرور میسر نیست - لطفا اتصال اینترنت خود را بررسی کنید؛ اطمینان حاصل کنید <a>گواهینامه‌ی SSL سرور شما</a> قابل اعتماد است، و اینکه پلاگینی بر روی مرورگر شما مانع از ارسال درخواست به سرور نمی‌شود.",
"Add a new server": "افزودن سرور جدید", "Add a new server": "افزودن سرور جدید",
"Matrix": "ماتریکس",
"Your server": "سرور شما", "Your server": "سرور شما",
"Can't find this server or its room list": "این سرور و یا لیست اتاق‌های آن پیدا نمی شود", "Can't find this server or its room list": "این سرور و یا لیست اتاق‌های آن پیدا نمی شود",
"You are not allowed to view this server's rooms list": "شما مجاز به مشاهده لیست اتاق‌های این سرور نمی‌باشید", "You are not allowed to view this server's rooms list": "شما مجاز به مشاهده لیست اتاق‌های این سرور نمی‌باشید",
@ -955,10 +933,6 @@
"other": "%(count)s بار رفع تحریم شد" "other": "%(count)s بار رفع تحریم شد"
}, },
"Filter results": "پالایش نتایج", "Filter results": "پالایش نتایج",
"Event Content": "محتوای رخداد",
"State Key": "کلید حالت",
"Event Type": "نوع رخداد",
"Event sent!": "رخداد ارسال شد!",
"Server did not return valid authentication information.": "سرور اطلاعات احراز هویت معتبری را باز نگرداند.", "Server did not return valid authentication information.": "سرور اطلاعات احراز هویت معتبری را باز نگرداند.",
"Server did not require any authentication": "سرور به احراز هویت احتیاج نداشت", "Server did not require any authentication": "سرور به احراز هویت احتیاج نداشت",
"There was a problem communicating with the server. Please try again.": "مشکلی در برقراری ارتباط با سرور وجود داشت. لطفا دوباره تلاش کنید.", "There was a problem communicating with the server. Please try again.": "مشکلی در برقراری ارتباط با سرور وجود داشت. لطفا دوباره تلاش کنید.",
@ -1082,7 +1056,6 @@
"You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the space it will be impossible to regain privileges.": "شما نمی توانید این تغییر را لغو کنید زیرا در حال تنزل خود هستید، اگر آخرین کاربر ممتاز در فضای کاری باشید، بازپس گیری امتیازات غیرممکن است.", "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the space it will be impossible to regain privileges.": "شما نمی توانید این تغییر را لغو کنید زیرا در حال تنزل خود هستید، اگر آخرین کاربر ممتاز در فضای کاری باشید، بازپس گیری امتیازات غیرممکن است.",
"Demote yourself?": "خودتان را تنزل می‌دهید؟", "Demote yourself?": "خودتان را تنزل می‌دهید؟",
"Share Link to User": "اشتراک لینک برای کاربر", "Share Link to User": "اشتراک لینک برای کاربر",
"Mention": "اشاره",
"Jump to read receipt": "پرش به آخرین پیام خوانده شده", "Jump to read receipt": "پرش به آخرین پیام خوانده شده",
"Hide sessions": "مخفی کردن نشست‌ها", "Hide sessions": "مخفی کردن نشست‌ها",
"%(count)s sessions": { "%(count)s sessions": {
@ -1094,8 +1067,6 @@
"one": "1 نشست تأیید شده", "one": "1 نشست تأیید شده",
"other": "%(count)s نشست تایید شده" "other": "%(count)s نشست تایید شده"
}, },
"Not trusted": "غیرقابل اعتماد",
"Trusted": "قابل اعتماد",
"Room settings": "تنظیمات اتاق", "Room settings": "تنظیمات اتاق",
"Share room": "به اشتراک گذاری اتاق", "Share room": "به اشتراک گذاری اتاق",
"Not encrypted": "رمزگذاری نشده", "Not encrypted": "رمزگذاری نشده",
@ -1306,8 +1277,6 @@
"one": "%(severalUsers)s عضو شدند", "one": "%(severalUsers)s عضو شدند",
"other": "%(severalUsers)s%(count)s مرتبه عضو شده‌اند" "other": "%(severalUsers)s%(count)s مرتبه عضو شده‌اند"
}, },
"Import": "واردکردن (Import)",
"Export": "استخراج (Export)",
"Theme added!": "پوسته اضافه شد!", "Theme added!": "پوسته اضافه شد!",
"If you've joined lots of rooms, this might take a while": "اگر عضو اتاق‌های بسیار زیادی هستید، ممکن است این فرآیند مقدای به طول بیانجامد", "If you've joined lots of rooms, this might take a while": "اگر عضو اتاق‌های بسیار زیادی هستید، ممکن است این فرآیند مقدای به طول بیانجامد",
"Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "مدیر سرور شما قابلیت رمزنگاری سرتاسر برای اتاق‌ها و گفتگوهای خصوصی را به صورت پیش‌فرض غیرفعال کرده‌است.", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "مدیر سرور شما قابلیت رمزنگاری سرتاسر برای اتاق‌ها و گفتگوهای خصوصی را به صورت پیش‌فرض غیرفعال کرده‌است.",
@ -1396,8 +1365,6 @@
"Read Marker lifetime (ms)": "مدت‌زمان نشانه‌ی خوانده‌شده (ms)", "Read Marker lifetime (ms)": "مدت‌زمان نشانه‌ی خوانده‌شده (ms)",
"Composer": "سازنده", "Composer": "سازنده",
"Always show the window menu bar": "همیشه نوار فهرست پنجره را نشان بده", "Always show the window menu bar": "همیشه نوار فهرست پنجره را نشان بده",
"Warn before quitting": "قبل از خروج هشدا بده",
"Start automatically after system login": "پس از ورود به سیستم به صورت خودکار آغاز کن",
"Room ID or address of ban list": "شناسه‌ی اتاق یا آدرس لیست تحریم", "Room ID or address of ban list": "شناسه‌ی اتاق یا آدرس لیست تحریم",
"If this isn't what you want, please use a different tool to ignore users.": "اگر این چیزی نیست که شما می‌خواهید، از یک ابزار دیگر برای نادیده‌گرفتن کاربران استفاده نمائيد.", "If this isn't what you want, please use a different tool to ignore users.": "اگر این چیزی نیست که شما می‌خواهید، از یک ابزار دیگر برای نادیده‌گرفتن کاربران استفاده نمائيد.",
"Subscribing to a ban list will cause you to join it!": "ثبت‌نام کردن در یک لیست تحریم باعث می‌شود شما هم عضو آن شوید!", "Subscribing to a ban list will cause you to join it!": "ثبت‌نام کردن در یک لیست تحریم باعث می‌شود شما هم عضو آن شوید!",
@ -1482,7 +1449,6 @@
"one": "پیام‌های رمزشده را به صورتی محلی و امن ذخیره کرده تا در نتایج جستجو ظاهر شوند، با استفاده از %(size)s برای ذخیره‌ی پیام‌ها از اتاق %(rooms)s." "one": "پیام‌های رمزشده را به صورتی محلی و امن ذخیره کرده تا در نتایج جستجو ظاهر شوند، با استفاده از %(size)s برای ذخیره‌ی پیام‌ها از اتاق %(rooms)s."
}, },
"Securely cache encrypted messages locally for them to appear in search results.": "پیام‌های رمزشده را به صورتی محلی و امن ذخیره کرده تا در نتایج جستجو ظاهر شوند.", "Securely cache encrypted messages locally for them to appear in search results.": "پیام‌های رمزشده را به صورتی محلی و امن ذخیره کرده تا در نتایج جستجو ظاهر شوند.",
"Manage": "مدیریت",
"Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "به صورت جداگانه هر نشستی که با بقیه‌ی کاربران دارید را تائید کنید تا به عنوان نشست قابل اعتماد نشانه‌گذاری شود، با این کار می‌توانید به دستگاه‌های امضاء متقابل اعتماد نکنید.", "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "به صورت جداگانه هر نشستی که با بقیه‌ی کاربران دارید را تائید کنید تا به عنوان نشست قابل اعتماد نشانه‌گذاری شود، با این کار می‌توانید به دستگاه‌های امضاء متقابل اعتماد نکنید.",
"Encryption": "رمزنگاری", "Encryption": "رمزنگاری",
"You'll need to authenticate with the server to confirm the upgrade.": "برای تائید ارتقاء، نیاز به احراز هویت نزد سرور خواهید داشت.", "You'll need to authenticate with the server to confirm the upgrade.": "برای تائید ارتقاء، نیاز به احراز هویت نزد سرور خواهید داشت.",
@ -1711,19 +1677,14 @@
"Messages containing my username": "پیام‌های حاوی نام کاربری من", "Messages containing my username": "پیام‌های حاوی نام کاربری من",
"Downloading logs": "در حال دریافت لاگ‌ها", "Downloading logs": "در حال دریافت لاگ‌ها",
"Uploading logs": "در حال بارگذاری لاگ‌ها", "Uploading logs": "در حال بارگذاری لاگ‌ها",
"Show chat effects (animations when receiving e.g. confetti)": "نمایش قابلیت‌های بصری (انیمیشن‌هایی مثل بارش برف یا کاغذ شادی هنگام دریافت پیام)",
"IRC display name width": "عرض نمایش نام‌های IRC", "IRC display name width": "عرض نمایش نام‌های IRC",
"Manually verify all remote sessions": "به صورت دستی همه‌ی نشست‌ها را تائید نمائید", "Manually verify all remote sessions": "به صورت دستی همه‌ی نشست‌ها را تائید نمائید",
"How fast should messages be downloaded.": "پیام‌ها باید چقدر سریع بارگیری شوند.", "How fast should messages be downloaded.": "پیام‌ها باید چقدر سریع بارگیری شوند.",
"Enable message search in encrypted rooms": "فعال‌سازی قابلیت جستجو در اتاق‌های رمزشده", "Enable message search in encrypted rooms": "فعال‌سازی قابلیت جستجو در اتاق‌های رمزشده",
"Show previews/thumbnails for images": "پیش‌نمایش تصاویر را نشان بده",
"Show hidden events in timeline": "نمایش رخدادهای مخفی در گفتگو‌ها", "Show hidden events in timeline": "نمایش رخدادهای مخفی در گفتگو‌ها",
"Show shortcuts to recently viewed rooms above the room list": "نمایش میانبر در بالای لیست اتاق‌ها برای مشاهده‌ی اتاق‌هایی که اخیرا باز کرده‌اید",
"Prompt before sending invites to potentially invalid matrix IDs": "قبل از ارسال دعوت‌نامه برای کاربری که شناسه‌ی او احتمالا معتبر نیست، هشدا بده",
"Enable widget screenshots on supported widgets": "فعال‌سازی امکان اسکرین‌شات برای ویجت‌های پشتیبانی‌شده", "Enable widget screenshots on supported widgets": "فعال‌سازی امکان اسکرین‌شات برای ویجت‌های پشتیبانی‌شده",
"Enable URL previews by default for participants in this room": "امکان پیش‌نمایش URL را به صورت پیش‌فرض برای اعضای این اتاق فعال کن", "Enable URL previews by default for participants in this room": "امکان پیش‌نمایش URL را به صورت پیش‌فرض برای اعضای این اتاق فعال کن",
"Enable URL previews for this room (only affects you)": "فعال‌سازی پیش‌نمایش URL برای این اتاق (تنها شما را تحت تاثیر قرار می‌دهد)", "Enable URL previews for this room (only affects you)": "فعال‌سازی پیش‌نمایش URL برای این اتاق (تنها شما را تحت تاثیر قرار می‌دهد)",
"Enable inline URL previews by default": "فعال‌سازی پیش‌نمایش URL به صورت پیش‌فرض",
"Never send encrypted messages to unverified sessions in this room from this session": "هرگز از این نشست، پیام‌های رمزشده برای به نشست‌های تائید نشده در این اتاق ارسال مکن", "Never send encrypted messages to unverified sessions in this room from this session": "هرگز از این نشست، پیام‌های رمزشده برای به نشست‌های تائید نشده در این اتاق ارسال مکن",
"Never send encrypted messages to unverified sessions from this session": "هرگز از این نشست، پیام‌های رمزشده را به نشست‌های تائید نشده ارسال مکن", "Never send encrypted messages to unverified sessions from this session": "هرگز از این نشست، پیام‌های رمزشده را به نشست‌های تائید نشده ارسال مکن",
"Send analytics data": "ارسال داده‌های تجزیه و تحلیلی", "Send analytics data": "ارسال داده‌های تجزیه و تحلیلی",
@ -1731,12 +1692,6 @@
"Use a system font": "استفاده از یک فونت موجود بر روی سیستم شما", "Use a system font": "استفاده از یک فونت موجود بر روی سیستم شما",
"Match system theme": "با پوسته‌ی سیستم تطبیق پیدا کن", "Match system theme": "با پوسته‌ی سیستم تطبیق پیدا کن",
"Mirror local video feed": "تصویر خودتان را هنگام تماس تصویری برعکس (مثل آینه) نمایش بده", "Mirror local video feed": "تصویر خودتان را هنگام تماس تصویری برعکس (مثل آینه) نمایش بده",
"Automatically replace plain text Emoji": "متن ساده را به صورت خودکار با شکلک جایگزین کن",
"Use Ctrl + Enter to send a message": "استفاده از Ctrl + Enter برای ارسال پیام",
"Use Command + Enter to send a message": "استفاده از Command + Enter برای ارسال پیام",
"Show typing notifications": "نمایش اعلان «در حال نوشتن»",
"Send typing notifications": "ارسال اعلان «در حال نوشتن»",
"Enable big emoji in chat": "نمایش شکلک‌های بزرگ در گفتگوها را فعال کن",
"Space used:": "فضای مصرفی:", "Space used:": "فضای مصرفی:",
"Indexed messages:": "پیام‌های ایندکس‌شده:", "Indexed messages:": "پیام‌های ایندکس‌شده:",
"Send <b>%(eventType)s</b> events as you in this room": "رویدادهای <b>%(eventType)s</b> هنگامی که داخل این اتاق هستید ارسال شود", "Send <b>%(eventType)s</b> events as you in this room": "رویدادهای <b>%(eventType)s</b> هنگامی که داخل این اتاق هستید ارسال شود",
@ -1769,16 +1724,6 @@
"This event could not be displayed": "امکان نمایش این رخداد وجود ندارد", "This event could not be displayed": "امکان نمایش این رخداد وجود ندارد",
"Edit message": "ویرایش پیام", "Edit message": "ویرایش پیام",
"Send as message": "ارسال به عنوان پیام", "Send as message": "ارسال به عنوان پیام",
"Jump to the bottom of the timeline when you send a message": "زمانی که پیام ارسال می‌کنید، به صورت خودکار به آخرین پیام پرش کن",
"Show line numbers in code blocks": "شماره‌ی خط‌ها را در بلاک‌های کد نمایش بده",
"Expand code blocks by default": "بلاک‌های کد را به صورت پیش‌فرض کامل نشان بده",
"Enable automatic language detection for syntax highlighting": "فعال‌سازی تشخیص خودکار زبان برای پررنگ‌سازی نحوی",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "زمان را با فرمت ۱۲ ساعته نشان بده (مثلا ۲:۳۰ بعدازظهر)",
"Show read receipts sent by other users": "نشانه‌ی خوانده‌شدن پیام توسط دیگران را نشان بده",
"Show display name changes": "تغییرات نام کاربران را نشان بده",
"Show a placeholder for removed messages": "جای خالی پیام‌های پاک‌شده را نشان بده",
"Show stickers button": "نمایش دکمه‌ی استکیر",
"Enable Emoji suggestions while typing": "پیشنهاد دادن شکلک‌ها هنگام تایپ‌کردن را فعال کن",
"Use custom size": "از اندازه‌ی دلخواه استفاده کنید", "Use custom size": "از اندازه‌ی دلخواه استفاده کنید",
"Font size": "اندازه فونت", "Font size": "اندازه فونت",
"Repeats like \"abcabcabc\" are only slightly harder to guess than \"abc\"": "تکرارهایی مانند \"abcabcabc\" تنها مقداری سخت‌تر از \"abc\" قابل حدس‌زدن هستند", "Repeats like \"abcabcabc\" are only slightly harder to guess than \"abc\"": "تکرارهایی مانند \"abcabcabc\" تنها مقداری سخت‌تر از \"abc\" قابل حدس‌زدن هستند",
@ -1948,7 +1893,6 @@
"Enter password": "گذرواژه را وارد کنید", "Enter password": "گذرواژه را وارد کنید",
"Start authentication": "آغاز فرآیند احراز هویت", "Start authentication": "آغاز فرآیند احراز هویت",
"Something went wrong in confirming your identity. Cancel and try again.": "تائید هویت شما با مشکل مواجه شد. لطفا فرآیند را لغو کرده و مجددا اقدام نمائید.", "Something went wrong in confirming your identity. Cancel and try again.": "تائید هویت شما با مشکل مواجه شد. لطفا فرآیند را لغو کرده و مجددا اقدام نمائید.",
"Submit": "ارسال",
"This room is public": "این اتاق عمومی است", "This room is public": "این اتاق عمومی است",
"Avatar": "نمایه", "Avatar": "نمایه",
"Join the beta": "اضافه‌شدن به نسخه‌ی بتا", "Join the beta": "اضافه‌شدن به نسخه‌ی بتا",
@ -1973,7 +1917,6 @@
"Your email address hasn't been verified yet": "آدرس ایمیل شما هنوز تائید نشده‌است", "Your email address hasn't been verified yet": "آدرس ایمیل شما هنوز تائید نشده‌است",
"Unable to share email address": "به اشتراک‌گذاری آدرس ایمیل ممکن نیست", "Unable to share email address": "به اشتراک‌گذاری آدرس ایمیل ممکن نیست",
"Unable to revoke sharing for email address": "لغو اشتراک گذاری برای آدرس ایمیل ممکن نیست", "Unable to revoke sharing for email address": "لغو اشتراک گذاری برای آدرس ایمیل ممکن نیست",
"Encrypted": "رمزشده",
"Once enabled, encryption cannot be disabled.": "زمانی که رمزنگاری فعال شود، امکان غیرفعال‌کردن آن برای اتاق وجود ندارد.", "Once enabled, encryption cannot be disabled.": "زمانی که رمزنگاری فعال شود، امکان غیرفعال‌کردن آن برای اتاق وجود ندارد.",
"Security & Privacy": "امنیت و محرمانگی", "Security & Privacy": "امنیت و محرمانگی",
"Who can read history?": "چه افرادی بتوانند تاریخچه اتاق را مشاهده کنند؟", "Who can read history?": "چه افرادی بتوانند تاریخچه اتاق را مشاهده کنند؟",
@ -2174,7 +2117,6 @@
"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.": "پاک کردن فضای ذخیره‌سازی مرورگر ممکن است این مشکل را برطرف کند ، اما شما را از برنامه خارج کرده و باعث می‌شود هرگونه سابقه گفتگوی رمزشده غیرقابل خواندن باشد.",
"If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "اگر در گذشته از نسخه جدیدتر %(brand)s استفاده کرده‌اید ، نشست شما ممکن است با این نسخه ناسازگار باشد. این پنجره را بسته و به نسخه جدیدتر برگردید.", "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "اگر در گذشته از نسخه جدیدتر %(brand)s استفاده کرده‌اید ، نشست شما ممکن است با این نسخه ناسازگار باشد. این پنجره را بسته و به نسخه جدیدتر برگردید.",
"We encountered an error trying to restore your previous session.": "هنگام تلاش برای بازیابی نشست قبلی شما، با خطایی روبرو شدیم.", "We encountered an error trying to restore your previous session.": "هنگام تلاش برای بازیابی نشست قبلی شما، با خطایی روبرو شدیم.",
"Refresh": "رفرش",
"You most likely do not want to reset your event index store": "به احتمال زیاد نمی‌خواهید مخزن فهرست رویدادهای خود را حذف کنید", "You most likely do not want to reset your event index store": "به احتمال زیاد نمی‌خواهید مخزن فهرست رویدادهای خود را حذف کنید",
"Use your preferred Matrix homeserver if you have one, or host your own.": "از یک سرور مبتنی بر پروتکل ماتریکس که ترجیح می‌دهید استفاده کرده، و یا از سرور شخصی خودتان استفاده کنید.", "Use your preferred Matrix homeserver if you have one, or host your own.": "از یک سرور مبتنی بر پروتکل ماتریکس که ترجیح می‌دهید استفاده کرده، و یا از سرور شخصی خودتان استفاده کنید.",
"Recent changes that have not yet been received": "تغییرات اخیری که هنوز دریافت نشده‌اند", "Recent changes that have not yet been received": "تغییرات اخیری که هنوز دریافت نشده‌اند",
@ -2220,7 +2162,6 @@
"Invite someone using their name, email address, username (like <userId/>) or <a>share this room</a>.": "با استفاده از نام، آدرس ایمیل، نام کاربری (مانند <userId/>) از فردی دعوت کرده و یا <a>این اتاق را به اشتراک بگذارید</a>.", "Invite someone using their name, email address, username (like <userId/>) or <a>share this room</a>.": "با استفاده از نام، آدرس ایمیل، نام کاربری (مانند <userId/>) از فردی دعوت کرده و یا <a>این اتاق را به اشتراک بگذارید</a>.",
"Invite someone using their name, email address, username (like <userId/>) or <a>share this space</a>.": "با استفاده از نام ، آدرس ایمیل ، نام کاربری (مانند <userId/>) کسی را دعوت کرده یا <a>این فضای کاری را به اشتراک بگذارید</a>.", "Invite someone using their name, email address, username (like <userId/>) or <a>share this space</a>.": "با استفاده از نام ، آدرس ایمیل ، نام کاربری (مانند <userId/>) کسی را دعوت کرده یا <a>این فضای کاری را به اشتراک بگذارید</a>.",
"Invite someone using their name, username (like <userId/>) or <a>share this space</a>.": "با استفاده از نام یا نام کاربری (مانند <userId/>) از افراد دعوت کرده و یا <a>این فضای کاری را به اشتراک بگذارید</a>.", "Invite someone using their name, username (like <userId/>) or <a>share this space</a>.": "با استفاده از نام یا نام کاربری (مانند <userId/>) از افراد دعوت کرده و یا <a>این فضای کاری را به اشتراک بگذارید</a>.",
"Go": "برو",
"Start a conversation with someone using their name or username (like <userId/>).": "با استفاده از نام یا نام کاربری (مانند <userId/>)، گفتگوی جدیدی را با دیگران شروع کنید.", "Start a conversation with someone using their name or username (like <userId/>).": "با استفاده از نام یا نام کاربری (مانند <userId/>)، گفتگوی جدیدی را با دیگران شروع کنید.",
"Start a conversation with someone using their name, email address or username (like <userId/>).": "با استفاده از نام، آدرس ایمیل و یا نام کاربری (مانند <userId/>)، یک گفتگوی جدید را شروع کنید.", "Start a conversation with someone using their name, email address or username (like <userId/>).": "با استفاده از نام، آدرس ایمیل و یا نام کاربری (مانند <userId/>)، یک گفتگوی جدید را شروع کنید.",
"Integration manager": "مدیر یکپارچگی", "Integration manager": "مدیر یکپارچگی",
@ -2302,7 +2243,6 @@
"Sidebar": "نوارکناری", "Sidebar": "نوارکناری",
"Show sidebar": "نمایش نوار کناری", "Show sidebar": "نمایش نوار کناری",
"Hide sidebar": "پنهان سازی نوار کناری", "Hide sidebar": "پنهان سازی نوار کناری",
"Accessibility": "دسترسی",
"Scroll up in the timeline": "بالا رفتن در تایم لاین", "Scroll up in the timeline": "بالا رفتن در تایم لاین",
"Scroll down in the timeline": "پایین آمدن در تایم لاین", "Scroll down in the timeline": "پایین آمدن در تایم لاین",
"Toggle webcam on/off": "روشن/خاموش کردن دوربین", "Toggle webcam on/off": "روشن/خاموش کردن دوربین",
@ -2317,13 +2257,9 @@
"Jump to end of the composer": "پرش به انتهای نوشته", "Jump to end of the composer": "پرش به انتهای نوشته",
"Toggle Code Block": "تغییر بلاک کد", "Toggle Code Block": "تغییر بلاک کد",
"Toggle Link": "تغییر لینک", "Toggle Link": "تغییر لینک",
"Enable Markdown": "Markdown را فعال کن",
"Displaying time": "نمایش زمان", "Displaying time": "نمایش زمان",
"Use Ctrl + F to search timeline": "جهت جستجوی تایم لاین ترکیب کلیدهای Ctrl و F را بکار ببر",
"To view all keyboard shortcuts, <a>click here</a>.": "برای مشاهده تمام میانبرهای صفحه کلید <a>اینجا را کلیک کنید</a>.", "To view all keyboard shortcuts, <a>click here</a>.": "برای مشاهده تمام میانبرهای صفحه کلید <a>اینجا را کلیک کنید</a>.",
"All rooms you're in will appear in Home.": "تمام اتاق هایی که در آن ها عضو هستید در صفحه ی خانه ظاهر خواهند شد.",
"Show all your rooms in Home, even if they're in a space.": "تمامی اتاق ها را در صفحه ی خانه نمایش بده، حتی آنهایی که در یک فضا هستند.", "Show all your rooms in Home, even if they're in a space.": "تمامی اتاق ها را در صفحه ی خانه نمایش بده، حتی آنهایی که در یک فضا هستند.",
"Show all rooms in Home": "تمامی اتاق ها را در صفحه ی خانه نشان بده",
"Get notified only with mentions and keywords as set up in your <a>settings</a>": "بنابر <a>تنظیمات</a> خودتان فقط با منشن ها و کلمات کلیدی مطلع شوید", "Get notified only with mentions and keywords as set up in your <a>settings</a>": "بنابر <a>تنظیمات</a> خودتان فقط با منشن ها و کلمات کلیدی مطلع شوید",
"Mentions & keywords": "منشن ها و کلمات کلیدی", "Mentions & keywords": "منشن ها و کلمات کلیدی",
"New keyword": "کلمه کلیدی جدید", "New keyword": "کلمه کلیدی جدید",
@ -2512,7 +2448,13 @@
"emoji": "شکلک", "emoji": "شکلک",
"random": "تصادفی", "random": "تصادفی",
"support": "پشتیبانی", "support": "پشتیبانی",
"space": "فضای کاری" "space": "فضای کاری",
"someone": "کسی",
"encrypted": "رمزشده",
"matrix": "ماتریکس",
"trusted": "قابل اعتماد",
"not_trusted": "غیرقابل اعتماد",
"accessibility": "دسترسی"
}, },
"action": { "action": {
"continue": "ادامه", "continue": "ادامه",
@ -2590,7 +2532,15 @@
"restore": "بازیابی", "restore": "بازیابی",
"play": "اجرا کردن", "play": "اجرا کردن",
"pause": "متوقف‌کردن", "pause": "متوقف‌کردن",
"register": "ایجاد حساب کاربری" "register": "ایجاد حساب کاربری",
"manage": "مدیریت",
"go": "برو",
"import": "واردکردن (Import)",
"export": "استخراج (Export)",
"refresh": "رفرش",
"mention": "اشاره",
"submit": "ارسال",
"send_report": "ارسال گزارش"
}, },
"a11y": { "a11y": {
"user_menu": "منوی کاربر" "user_menu": "منوی کاربر"
@ -2651,5 +2601,59 @@
"short_hours": "%(value)sh", "short_hours": "%(value)sh",
"short_minutes": "%(value)sم", "short_minutes": "%(value)sم",
"short_seconds": "%(value)sس" "short_seconds": "%(value)sس"
},
"devtools": {
"event_type": "نوع رخداد",
"state_key": "کلید حالت",
"event_sent": "رخداد ارسال شد!",
"event_content": "محتوای رخداد",
"save_setting_values": "ذخیره مقادیر تنظیمات",
"setting_colon": "تنظیم:",
"caution_colon": "احتیاط:",
"use_at_own_risk": "این واسط کاربری تایپ مقادیر را بررسی نمی‌کند. با مسئولیت خود استفاده کنید.",
"setting_definition": "تعریف تنظیم:",
"level": "سطح",
"settable_global": "قابل تنظیم به شکل سراسری",
"settable_room": "قابل تنظیم در اتاق",
"values_explicit": "مقادیر در سطوح مشخص",
"values_explicit_room": "مقادیر در سطوح مشخص در این اتاق",
"value_colon": "مقدار:",
"value_this_room_colon": "مقدار در این اتاق:",
"values_explicit_colon": "مقدار در سطوح مشخص:",
"values_explicit_this_room_colon": "مقادیر در سطوح مشخص در این اتاق:",
"setting_id": "شناسه تنظیم",
"value": "مقدار",
"value_in_this_room": "مقدار در این اتاق",
"failed_to_find_widget": "هنگام یافتن این ابزارک خطایی روی داد."
},
"settings": {
"show_breadcrumbs": "نمایش میانبر در بالای لیست اتاق‌ها برای مشاهده‌ی اتاق‌هایی که اخیرا باز کرده‌اید",
"all_rooms_home_description": "تمام اتاق هایی که در آن ها عضو هستید در صفحه ی خانه ظاهر خواهند شد.",
"use_control_f_search": "جهت جستجوی تایم لاین ترکیب کلیدهای Ctrl و F را بکار ببر",
"use_12_hour_format": "زمان را با فرمت ۱۲ ساعته نشان بده (مثلا ۲:۳۰ بعدازظهر)",
"always_show_message_timestamps": "همیشه مهر زمان‌های پیام را نشان بده",
"send_typing_notifications": "ارسال اعلان «در حال نوشتن»",
"replace_plain_emoji": "متن ساده را به صورت خودکار با شکلک جایگزین کن",
"enable_markdown": "Markdown را فعال کن",
"emoji_autocomplete": "پیشنهاد دادن شکلک‌ها هنگام تایپ‌کردن را فعال کن",
"use_command_enter_send_message": "استفاده از Command + Enter برای ارسال پیام",
"use_control_enter_send_message": "استفاده از Ctrl + Enter برای ارسال پیام",
"all_rooms_home": "تمامی اتاق ها را در صفحه ی خانه نشان بده",
"show_stickers_button": "نمایش دکمه‌ی استکیر",
"automatic_language_detection_syntax_highlight": "فعال‌سازی تشخیص خودکار زبان برای پررنگ‌سازی نحوی",
"code_block_expand_default": "بلاک‌های کد را به صورت پیش‌فرض کامل نشان بده",
"code_block_line_numbers": "شماره‌ی خط‌ها را در بلاک‌های کد نمایش بده",
"inline_url_previews_default": "فعال‌سازی پیش‌نمایش URL به صورت پیش‌فرض",
"image_thumbnails": "پیش‌نمایش تصاویر را نشان بده",
"show_typing_notifications": "نمایش اعلان «در حال نوشتن»",
"show_redaction_placeholder": "جای خالی پیام‌های پاک‌شده را نشان بده",
"show_read_receipts": "نشانه‌ی خوانده‌شدن پیام توسط دیگران را نشان بده",
"show_displayname_changes": "تغییرات نام کاربران را نشان بده",
"show_chat_effects": "نمایش قابلیت‌های بصری (انیمیشن‌هایی مثل بارش برف یا کاغذ شادی هنگام دریافت پیام)",
"big_emoji": "نمایش شکلک‌های بزرگ در گفتگوها را فعال کن",
"jump_to_bottom_on_send": "زمانی که پیام ارسال می‌کنید، به صورت خودکار به آخرین پیام پرش کن",
"prompt_invite": "قبل از ارسال دعوت‌نامه برای کاربری که شناسه‌ی او احتمالا معتبر نیست، هشدا بده",
"start_automatically": "پس از ورود به سیستم به صورت خودکار آغاز کن",
"warn_quit": "قبل از خروج هشدا بده"
} }
} }

View file

@ -14,7 +14,6 @@
"You may need to manually permit %(brand)s to access your microphone/webcam": "Voit joutua antamaan %(brand)sille luvan mikrofonin/kameran käyttöön", "You may need to manually permit %(brand)s to access your microphone/webcam": "Voit joutua antamaan %(brand)sille luvan mikrofonin/kameran käyttöön",
"Default Device": "Oletuslaite", "Default Device": "Oletuslaite",
"Advanced": "Lisäasetukset", "Advanced": "Lisäasetukset",
"Always show message timestamps": "Näytä aina viestien aikaleimat",
"Authentication": "Tunnistautuminen", "Authentication": "Tunnistautuminen",
"%(items)s and %(lastItem)s": "%(items)s ja %(lastItem)s", "%(items)s and %(lastItem)s": "%(items)s ja %(lastItem)s",
"A new password must be entered.": "Sinun täytyy syöttää uusi salasana.", "A new password must be entered.": "Sinun täytyy syöttää uusi salasana.",
@ -47,7 +46,6 @@
"Email address": "Sähköpostiosoite", "Email address": "Sähköpostiosoite",
"Enter passphrase": "Syötä salalause", "Enter passphrase": "Syötä salalause",
"Error decrypting attachment": "Virhe purettaessa liitteen salausta", "Error decrypting attachment": "Virhe purettaessa liitteen salausta",
"Export": "Vie",
"Export E2E room keys": "Tallenna osapuolten välisen salauksen huoneavaimet", "Export E2E room keys": "Tallenna osapuolten välisen salauksen huoneavaimet",
"Failed to ban user": "Porttikiellon antaminen epäonnistui", "Failed to ban user": "Porttikiellon antaminen epäonnistui",
"Failed to load timeline position": "Aikajanapaikan lataaminen epäonnistui", "Failed to load timeline position": "Aikajanapaikan lataaminen epäonnistui",
@ -62,7 +60,6 @@
"Filter room members": "Suodata huoneen jäseniä", "Filter room members": "Suodata huoneen jäseniä",
"Forget room": "Unohda huone", "Forget room": "Unohda huone",
"For security, this session has been signed out. Please sign in again.": "Turvallisuussyistä tämä istunto on kirjattu ulos. Ole hyvä ja kirjaudu uudestaan.", "For security, this session has been signed out. Please sign in again.": "Turvallisuussyistä tämä istunto on kirjattu ulos. Ole hyvä ja kirjaudu uudestaan.",
"Import": "Tuo",
"Import E2E room keys": "Tuo olemassaolevat osapuolten välisen salauksen huoneavaimet", "Import E2E room keys": "Tuo olemassaolevat osapuolten välisen salauksen huoneavaimet",
"Incorrect username and/or password.": "Virheellinen käyttäjätunnus ja/tai salasana.", "Incorrect username and/or password.": "Virheellinen käyttäjätunnus ja/tai salasana.",
"Incorrect verification code": "Virheellinen varmennuskoodi", "Incorrect verification code": "Virheellinen varmennuskoodi",
@ -94,8 +91,6 @@
"Search failed": "Haku epäonnistui", "Search failed": "Haku epäonnistui",
"Server error": "Palvelinvirhe", "Server error": "Palvelinvirhe",
"Session ID": "Istuntotunniste", "Session ID": "Istuntotunniste",
"Someone": "Joku",
"Submit": "Lähetä",
"This email address is already in use": "Tämä sähköpostiosoite on jo käytössä", "This email address is already in use": "Tämä sähköpostiosoite on jo käytössä",
"This email address was not found": "Sähköpostiosoitetta ei löytynyt", "This email address was not found": "Sähköpostiosoitetta ei löytynyt",
"This room has no local addresses": "Tällä huoneella ei ole paikallista osoitetta", "This room has no local addresses": "Tällä huoneella ei ole paikallista osoitetta",
@ -108,7 +103,6 @@
"other": "Lähetetään %(filename)s ja %(count)s muuta" "other": "Lähetetään %(filename)s ja %(count)s muuta"
}, },
"%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s vaihtoi huoneen nimeksi %(roomName)s.", "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s vaihtoi huoneen nimeksi %(roomName)s.",
"Enable automatic language detection for syntax highlighting": "Ota automaattinen kielentunnistus käyttöön syntaksikorostusta varten",
"Hangup": "Lopeta", "Hangup": "Lopeta",
"Historical": "Vanhat", "Historical": "Vanhat",
"Home": "Etusivu", "Home": "Etusivu",
@ -149,7 +143,6 @@
"other": "(~%(count)s tulosta)" "other": "(~%(count)s tulosta)"
}, },
"New Password": "Uusi salasana", "New Password": "Uusi salasana",
"Start automatically after system login": "Käynnistä automaattisesti käyttöjärjestelmään kirjautumisen jälkeen",
"Passphrases must match": "Salasanojen on täsmättävä", "Passphrases must match": "Salasanojen on täsmättävä",
"Passphrase must not be empty": "Salasana ei saa olla tyhjä", "Passphrase must not be empty": "Salasana ei saa olla tyhjä",
"Export room keys": "Vie huoneen avaimet", "Export room keys": "Vie huoneen avaimet",
@ -176,7 +169,6 @@
"%(roomName)s is not accessible at this time.": "%(roomName)s ei ole saatavilla tällä hetkellä.", "%(roomName)s is not accessible at this time.": "%(roomName)s ei ole saatavilla tällä hetkellä.",
"%(senderDisplayName)s sent an image.": "%(senderDisplayName)s lähetti kuvan.", "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s lähetti kuvan.",
"%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s kutsui käyttäjän %(targetDisplayName)s liittymään huoneeseen.", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s kutsui käyttäjän %(targetDisplayName)s liittymään huoneeseen.",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Näytä aikaleimat 12 tunnin muodossa (esim. 2:30pm)",
"Signed Out": "Uloskirjautunut", "Signed Out": "Uloskirjautunut",
"Start authentication": "Aloita tunnistus", "Start authentication": "Aloita tunnistus",
"Unable to add email address": "Sähköpostiosoitteen lisääminen epäonnistui", "Unable to add email address": "Sähköpostiosoitteen lisääminen epäonnistui",
@ -239,14 +231,11 @@
"%(senderName)s made future room history visible to anyone.": "%(senderName)s teki tulevan huonehistorian näkyväksi kaikille.", "%(senderName)s made future room history visible to anyone.": "%(senderName)s teki tulevan huonehistorian näkyväksi kaikille.",
"%(senderName)s made future room history visible to unknown (%(visibility)s).": "%(senderName)s asetti tulevan huonehistorian näkyvyydeksi tuntemattoman arvon (%(visibility)s).", "%(senderName)s made future room history visible to unknown (%(visibility)s).": "%(senderName)s asetti tulevan huonehistorian näkyvyydeksi tuntemattoman arvon (%(visibility)s).",
"%(senderName)s changed the pinned messages for the room.": "%(senderName)s vaihtoi huoneen kiinnitettyjä viestejä.", "%(senderName)s changed the pinned messages for the room.": "%(senderName)s vaihtoi huoneen kiinnitettyjä viestejä.",
"Automatically replace plain text Emoji": "Korvaa automaattisesti teksimuotoiset emojit",
"Mirror local video feed": "Peilaa paikallinen videosyöte", "Mirror local video feed": "Peilaa paikallinen videosyöte",
"Enable inline URL previews by default": "Ota linkkien esikatselu käyttöön oletusarvoisesti",
"Enable URL previews for this room (only affects you)": "Ota linkkien esikatselut käyttöön tässä huoneessa (koskee ainoastaan sinua)", "Enable URL previews for this room (only affects you)": "Ota linkkien esikatselut käyttöön tässä huoneessa (koskee ainoastaan sinua)",
"Enable URL previews by default for participants in this room": "Ota linkkien esikatselu käyttöön kaikille huoneen jäsenille", "Enable URL previews by default for participants in this room": "Ota linkkien esikatselu käyttöön kaikille huoneen jäsenille",
"Unignore": "Huomioi käyttäjä jälleen", "Unignore": "Huomioi käyttäjä jälleen",
"Jump to read receipt": "Hyppää lukukuittaukseen", "Jump to read receipt": "Hyppää lukukuittaukseen",
"Mention": "Mainitse",
"Admin Tools": "Ylläpitotyökalut", "Admin Tools": "Ylläpitotyökalut",
"Unnamed room": "Nimetön huone", "Unnamed room": "Nimetön huone",
"Upload avatar": "Lähetä profiilikuva", "Upload avatar": "Lähetä profiilikuva",
@ -414,7 +403,6 @@
"All messages": "Kaikki viestit", "All messages": "Kaikki viestit",
"Call invitation": "Puhelukutsu", "Call invitation": "Puhelukutsu",
"Messages containing my display name": "Viestit, jotka sisältävät näyttönimeni", "Messages containing my display name": "Viestit, jotka sisältävät näyttönimeni",
"State Key": "Tila-avain",
"What's new?": "Mitä uutta?", "What's new?": "Mitä uutta?",
"When I'm invited to a room": "Kun minut kutsutaan huoneeseen", "When I'm invited to a room": "Kun minut kutsutaan huoneeseen",
"Invite to this room": "Kutsu käyttäjiä", "Invite to this room": "Kutsu käyttäjiä",
@ -428,9 +416,6 @@
"Off": "Ei päällä", "Off": "Ei päällä",
"Failed to remove tag %(tagName)s from room": "Tagin %(tagName)s poistaminen huoneesta epäonnistui", "Failed to remove tag %(tagName)s from room": "Tagin %(tagName)s poistaminen huoneesta epäonnistui",
"Wednesday": "Keskiviikko", "Wednesday": "Keskiviikko",
"Event Type": "Tapahtuman tyyppi",
"Event sent!": "Tapahtuma lähetetty!",
"Event Content": "Tapahtuman sisältö",
"Thank you!": "Kiitos!", "Thank you!": "Kiitos!",
"Send an encrypted reply…": "Lähetä salattu vastaus…", "Send an encrypted reply…": "Lähetä salattu vastaus…",
"Send an encrypted message…": "Lähetä salattu viesti…", "Send an encrypted message…": "Lähetä salattu viesti…",
@ -537,7 +522,6 @@
"Encryption": "Salaus", "Encryption": "Salaus",
"Once enabled, encryption cannot be disabled.": "Kun salaus on kerran otettu käyttöön, sitä ei voi poistaa käytöstä.", "Once enabled, encryption cannot be disabled.": "Kun salaus on kerran otettu käyttöön, sitä ei voi poistaa käytöstä.",
"Continue With Encryption Disabled": "Jatka salaus poistettuna käytöstä", "Continue With Encryption Disabled": "Jatka salaus poistettuna käytöstä",
"Encrypted": "Salattu",
"Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Muutokset historian lukuoikeuksiin pätevät vain tuleviin viesteihin tässä huoneessa. Nykyisen historian näkyvyys ei muutu.", "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Muutokset historian lukuoikeuksiin pätevät vain tuleviin viesteihin tässä huoneessa. Nykyisen historian näkyvyys ei muutu.",
"You don't currently have any stickerpacks enabled": "Sinulla ei ole tarrapaketteja käytössä", "You don't currently have any stickerpacks enabled": "Sinulla ei ole tarrapaketteja käytössä",
"Stickerpack": "Tarrapaketti", "Stickerpack": "Tarrapaketti",
@ -553,8 +537,6 @@
"Send analytics data": "Lähetä analytiikkatietoja", "Send analytics data": "Lähetä analytiikkatietoja",
"No Audio Outputs detected": "Äänen ulostuloja ei havaittu", "No Audio Outputs detected": "Äänen ulostuloja ei havaittu",
"Audio Output": "Äänen ulostulo", "Audio Output": "Äänen ulostulo",
"Enable Emoji suggestions while typing": "Näytä emoji-ehdotuksia kirjoittaessa",
"Send typing notifications": "Lähetä kirjoitusilmoituksia",
"Room list": "Huoneluettelo", "Room list": "Huoneluettelo",
"Go to Settings": "Siirry asetuksiin", "Go to Settings": "Siirry asetuksiin",
"Success!": "Onnistui!", "Success!": "Onnistui!",
@ -568,7 +550,6 @@
"No backup found!": "Varmuuskopiota ei löytynyt!", "No backup found!": "Varmuuskopiota ei löytynyt!",
"Unable to restore backup": "Varmuuskopion palauttaminen ei onnistu", "Unable to restore backup": "Varmuuskopion palauttaminen ei onnistu",
"Link to selected message": "Linkitä valittuun viestiin", "Link to selected message": "Linkitä valittuun viestiin",
"Refresh": "Päivitä",
"Send Logs": "Lähetä lokit", "Send Logs": "Lähetä lokit",
"Upgrade this room to version %(version)s": "Päivitä tämä huone versioon %(version)s", "Upgrade this room to version %(version)s": "Päivitä tämä huone versioon %(version)s",
"Upgrade Room Version": "Päivitä huoneen versio", "Upgrade Room Version": "Päivitä huoneen versio",
@ -641,9 +622,6 @@
"Common names and surnames are easy to guess": "Yleiset nimet ja sukunimet ovat helppoja arvata", "Common names and surnames are easy to guess": "Yleiset nimet ja sukunimet ovat helppoja arvata",
"Straight rows of keys are easy to guess": "Näppäimistössä peräkkäin olevat merkit ovat helppoja arvata", "Straight rows of keys are easy to guess": "Näppäimistössä peräkkäin olevat merkit ovat helppoja arvata",
"Short keyboard patterns are easy to guess": "Lyhyet näppäinsarjat ovat helppoja arvata", "Short keyboard patterns are easy to guess": "Lyhyet näppäinsarjat ovat helppoja arvata",
"Show display name changes": "Näytä näyttönimien muutokset",
"Enable big emoji in chat": "Ota käyttöön suuret emojit keskusteluissa",
"Prompt before sending invites to potentially invalid matrix IDs": "Kysy varmistus ennen kutsujen lähettämistä mahdollisesti epäkelpoihin Matrix ID:hin",
"Messages containing my username": "Viestit, jotka sisältävät käyttäjätunnukseni", "Messages containing my username": "Viestit, jotka sisältävät käyttäjätunnukseni",
"Messages containing @room": "Viestit, jotka sisältävät sanan ”@room”", "Messages containing @room": "Viestit, jotka sisältävät sanan ”@room”",
"Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Turvalliset viestit tämän käyttäjän kanssa ovat salattuja päästä päähän, eivätkä kolmannet osapuolet voi lukea niitä.", "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Turvalliset viestit tämän käyttäjän kanssa ovat salattuja päästä päähän, eivätkä kolmannet osapuolet voi lukea niitä.",
@ -669,8 +647,6 @@
"Share Room Message": "Jaa huoneviesti", "Share Room Message": "Jaa huoneviesti",
"Use a longer keyboard pattern with more turns": "Käytä pidempiä näppäinyhdistelmiä, joissa on enemmän suunnanmuutoksia", "Use a longer keyboard pattern with more turns": "Käytä pidempiä näppäinyhdistelmiä, joissa on enemmän suunnanmuutoksia",
"Changes your display nickname in the current room only": "Vaihtaa näyttönimesi vain nykyisessä huoneessa", "Changes your display nickname in the current room only": "Vaihtaa näyttönimesi vain nykyisessä huoneessa",
"Show a placeholder for removed messages": "Näytä paikanpitäjä poistetuille viesteille",
"Show read receipts sent by other users": "Näytä muiden käyttäjien lukukuittaukset",
"Got It": "Ymmärretty", "Got It": "Ymmärretty",
"Scissors": "Sakset", "Scissors": "Sakset",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s %(day)s. %(monthName)s %(fullYear)s", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s %(day)s. %(monthName)s %(fullYear)s",
@ -956,7 +932,6 @@
"Please fill why you're reporting.": "Kerro miksi teet ilmoitusta.", "Please fill why you're reporting.": "Kerro miksi teet ilmoitusta.",
"Report Content to Your Homeserver Administrator": "Ilmoita sisällöstä kotipalvelimesi ylläpitäjälle", "Report Content to Your Homeserver Administrator": "Ilmoita sisällöstä kotipalvelimesi ylläpitäjälle",
"Reporting this message will send its unique 'event ID' to the administrator of your homeserver. If messages in this room are encrypted, your homeserver administrator will not be able to read the message text or view any files or images.": "Tämän viestin ilmoittaminen lähettää sen yksilöllisen tapahtumatunnuksen (event ID) kotipalvelimesi ylläpitäjälle. Jos tämän huoneen viestit on salattu, kotipalvelimesi ylläpitäjä ei voi lukea viestin tekstiä tai nähdä tiedostoja tai kuvia.", "Reporting this message will send its unique 'event ID' to the administrator of your homeserver. If messages in this room are encrypted, your homeserver administrator will not be able to read the message text or view any files or images.": "Tämän viestin ilmoittaminen lähettää sen yksilöllisen tapahtumatunnuksen (event ID) kotipalvelimesi ylläpitäjälle. Jos tämän huoneen viestit on salattu, kotipalvelimesi ylläpitäjä ei voi lukea viestin tekstiä tai nähdä tiedostoja tai kuvia.",
"Send report": "Lähetä ilmoitus",
"Explore rooms": "Selaa huoneita", "Explore rooms": "Selaa huoneita",
"Unable to revoke sharing for phone number": "Puhelinnumeron jakamista ei voi kumota", "Unable to revoke sharing for phone number": "Puhelinnumeron jakamista ei voi kumota",
"Deactivate user?": "Poista käyttäjä pysyvästi?", "Deactivate user?": "Poista käyttäjä pysyvästi?",
@ -968,7 +943,6 @@
"Create a public room": "Luo julkinen huone", "Create a public room": "Luo julkinen huone",
"Create a private room": "Luo yksityinen huone", "Create a private room": "Luo yksityinen huone",
"Topic (optional)": "Aihe (valinnainen)", "Topic (optional)": "Aihe (valinnainen)",
"Show previews/thumbnails for images": "Näytä kuvien esikatselut/pienoiskuvat",
"Clear cache and reload": "Tyhjennä välimuisti ja lataa uudelleen", "Clear cache and reload": "Tyhjennä välimuisti ja lataa uudelleen",
"%(count)s unread messages including mentions.": { "%(count)s unread messages including mentions.": {
"other": "%(count)s lukematonta viestiä, sisältäen maininnat.", "other": "%(count)s lukematonta viestiä, sisältäen maininnat.",
@ -1070,8 +1044,6 @@
"Please enter verification code sent via text.": "Syötä tekstiviestillä saamasi varmennuskoodi.", "Please enter verification code sent via text.": "Syötä tekstiviestillä saamasi varmennuskoodi.",
"Discovery options will appear once you have added a phone number above.": "Etsinnän asetukset näkyvät sen jälkeen, kun olet lisännyt puhelinnumeron.", "Discovery options will appear once you have added a phone number above.": "Etsinnän asetukset näkyvät sen jälkeen, kun olet lisännyt puhelinnumeron.",
"Failed to connect to integration manager": "Yhdistäminen integraatioiden lähteeseen epäonnistui", "Failed to connect to integration manager": "Yhdistäminen integraatioiden lähteeseen epäonnistui",
"Trusted": "Luotettu",
"Not trusted": "Ei-luotettu",
"This client does not support end-to-end encryption.": "Tämä asiakasohjelma ei tue päästä päähän -salausta.", "This client does not support end-to-end encryption.": "Tämä asiakasohjelma ei tue päästä päähän -salausta.",
"Messages in this room are not end-to-end encrypted.": "Tämän huoneen viestit eivät ole päästä päähän -salattuja.", "Messages in this room are not end-to-end encrypted.": "Tämän huoneen viestit eivät ole päästä päähän -salattuja.",
"Messages in this room are end-to-end encrypted.": "Tämän huoneen viestit ovat päästä päähän -salattuja.", "Messages in this room are end-to-end encrypted.": "Tämän huoneen viestit ovat päästä päähän -salattuja.",
@ -1147,7 +1119,6 @@
"Show more": "Näytä lisää", "Show more": "Näytä lisää",
"Recent Conversations": "Viimeaikaiset keskustelut", "Recent Conversations": "Viimeaikaiset keskustelut",
"Direct Messages": "Yksityisviestit", "Direct Messages": "Yksityisviestit",
"Go": "Mene",
"Lock": "Lukko", "Lock": "Lukko",
"Cancel entering passphrase?": "Peruuta salasanan syöttäminen?", "Cancel entering passphrase?": "Peruuta salasanan syöttäminen?",
"Encryption upgrade available": "Salauksen päivitys saatavilla", "Encryption upgrade available": "Salauksen päivitys saatavilla",
@ -1158,7 +1129,6 @@
"%(num)s hours ago": "%(num)s tuntia sitten", "%(num)s hours ago": "%(num)s tuntia sitten",
"about a day ago": "noin päivä sitten", "about a day ago": "noin päivä sitten",
"%(num)s days ago": "%(num)s päivää sitten", "%(num)s days ago": "%(num)s päivää sitten",
"Show typing notifications": "Näytä kirjoitusilmoitukset",
"To be secure, do this in person or use a trusted way to communicate.": "Turvallisuuden varmistamiseksi tee tämä kasvokkain tai käytä luotettua viestintätapaa.", "To be secure, do this in person or use a trusted way to communicate.": "Turvallisuuden varmistamiseksi tee tämä kasvokkain tai käytä luotettua viestintätapaa.",
"Later": "Myöhemmin", "Later": "Myöhemmin",
"Show less": "Näytä vähemmän", "Show less": "Näytä vähemmän",
@ -1237,7 +1207,6 @@
"%(senderName)s changed the main and alternative addresses for this room.": "%(senderName)s muutti tämän huoneen pää- sekä vaihtoehtoisia osoitteita.", "%(senderName)s changed the main and alternative addresses for this room.": "%(senderName)s muutti tämän huoneen pää- sekä vaihtoehtoisia osoitteita.",
"%(senderName)s changed the addresses for this room.": "%(senderName)s muutti tämän huoneen osoitteita.", "%(senderName)s changed the addresses for this room.": "%(senderName)s muutti tämän huoneen osoitteita.",
"%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s (%(userId)s) kirjautui uudella istunnolla varmentamatta sitä:", "%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s (%(userId)s) kirjautui uudella istunnolla varmentamatta sitä:",
"Show shortcuts to recently viewed rooms above the room list": "Näytä oikotiet viimeksi katsottuihin huoneisiin huoneluettelon yläpuolella",
"Enable message search in encrypted rooms": "Ota viestihaku salausta käyttävissä huoneissa käyttöön", "Enable message search in encrypted rooms": "Ota viestihaku salausta käyttävissä huoneissa käyttöön",
"How fast should messages be downloaded.": "Kuinka nopeasti viestit pitäisi ladata.", "How fast should messages be downloaded.": "Kuinka nopeasti viestit pitäisi ladata.",
"Scan this unique code": "Skannaa tämä uniikki koodi", "Scan this unique code": "Skannaa tämä uniikki koodi",
@ -1263,7 +1232,6 @@
"Can't find this server or its room list": "Tätä palvelinta tai sen huoneluetteloa ei löydy", "Can't find this server or its room list": "Tätä palvelinta tai sen huoneluetteloa ei löydy",
"All rooms": "Kaikki huoneet", "All rooms": "Kaikki huoneet",
"Your server": "Palvelimesi", "Your server": "Palvelimesi",
"Matrix": "Matrix",
"Add a new server": "Lisää uusi palvelin", "Add a new server": "Lisää uusi palvelin",
"Server name": "Palvelimen nimi", "Server name": "Palvelimen nimi",
"Calls": "Puhelut", "Calls": "Puhelut",
@ -1489,8 +1457,6 @@
"Failed to save your profile": "Profiilisi tallentaminen ei onnistunut", "Failed to save your profile": "Profiilisi tallentaminen ei onnistunut",
"Your server isn't responding to some <a>requests</a>.": "Palvelimesi ei vastaa joihinkin <a>pyyntöihin</a>.", "Your server isn't responding to some <a>requests</a>.": "Palvelimesi ei vastaa joihinkin <a>pyyntöihin</a>.",
"Unknown caller": "Tuntematon soittaja", "Unknown caller": "Tuntematon soittaja",
"Use Ctrl + Enter to send a message": "Ctrl + Enter lähettää viestin",
"Use Command + Enter to send a message": "Komento + Enter lähettää viestin",
"%(senderName)s ended the call": "%(senderName)s lopetti puhelun", "%(senderName)s ended the call": "%(senderName)s lopetti puhelun",
"You ended the call": "Lopetit puhelun", "You ended the call": "Lopetit puhelun",
"New version of %(brand)s is available": "%(brand)s-sovelluksesta on saatavilla uusi versio", "New version of %(brand)s is available": "%(brand)s-sovelluksesta on saatavilla uusi versio",
@ -1889,7 +1855,6 @@
"Resume": "Jatka", "Resume": "Jatka",
"Comment": "Kommentti", "Comment": "Kommentti",
"Navigation": "Navigointi", "Navigation": "Navigointi",
"Manage": "Hallitse",
"Remain on your screen when viewing another room, when running": "Pysy ruudulla katsellessasi huonetta, kun se on käynnissä", "Remain on your screen when viewing another room, when running": "Pysy ruudulla katsellessasi huonetta, kun se on käynnissä",
"Remain on your screen while running": "Pysy ruudulla käynnissä olon ajan", "Remain on your screen while running": "Pysy ruudulla käynnissä olon ajan",
"sends snowfall": "lähetä lumisadetta", "sends snowfall": "lähetä lumisadetta",
@ -1938,9 +1903,6 @@
"Converts the DM to a room": "Muuntaa yksityisviestin huoneeksi", "Converts the DM to a room": "Muuntaa yksityisviestin huoneeksi",
"Converts the room to a DM": "Muuntaa huoneen yksityisviestiksi", "Converts the room to a DM": "Muuntaa huoneen yksityisviestiksi",
"Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, <code>@bot:*</code> would ignore all users that have the name 'bot' on any server.": "Lisää tähän käyttäjät ja palvelimet, jotka haluat sivuuttaa. Asteriski täsmää mihin tahansa merkkiin. Esimerkiksi <code>@bot:*</code> sivuuttaa kaikki käyttäjät, joiden nimessä on \"bot\".", "Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, <code>@bot:*</code> would ignore all users that have the name 'bot' on any server.": "Lisää tähän käyttäjät ja palvelimet, jotka haluat sivuuttaa. Asteriski täsmää mihin tahansa merkkiin. Esimerkiksi <code>@bot:*</code> sivuuttaa kaikki käyttäjät, joiden nimessä on \"bot\".",
"Show stickers button": "Näytä tarrapainike",
"Expand code blocks by default": "Laajenna koodilohkot oletuksena",
"Show line numbers in code blocks": "Näytä rivinumerot koodilohkoissa",
"Recently visited rooms": "Hiljattain vieraillut huoneet", "Recently visited rooms": "Hiljattain vieraillut huoneet",
"You might disable this if the room will be used for collaborating with external teams who have their own homeserver. This cannot be changed later.": "Voi olla paikallaan poistaa tämä käytöstä, jos huonetta käyttävät myös ulkoiset tiimit joilla on oma kotipalvelimensa. Asetusta ei voi muuttaa myöhemmin.", "You might disable this if the room will be used for collaborating with external teams who have their own homeserver. This cannot be changed later.": "Voi olla paikallaan poistaa tämä käytöstä, jos huonetta käyttävät myös ulkoiset tiimit joilla on oma kotipalvelimensa. Asetusta ei voi muuttaa myöhemmin.",
"You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "Voi olla paikallaan ottaa tämä käyttöön, jos huonetta käyttävät vain sisäiset tiimit kotipalvelimellasi. Asetusta ei voi muuttaa myöhemmin.", "You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "Voi olla paikallaan ottaa tämä käyttöön, jos huonetta käyttävät vain sisäiset tiimit kotipalvelimellasi. Asetusta ei voi muuttaa myöhemmin.",
@ -1967,18 +1929,6 @@
"Remember this": "Muista tämä", "Remember this": "Muista tämä",
"Save Changes": "Tallenna muutokset", "Save Changes": "Tallenna muutokset",
"Invite to %(roomName)s": "Kutsu huoneeseen %(roomName)s", "Invite to %(roomName)s": "Kutsu huoneeseen %(roomName)s",
"Value in this room:": "Arvo tässä huoneessa:",
"Value:": "Arvo:",
"Save setting values": "Tallenna asetusarvot",
"Settable at room": "Asetettavissa huoneessa",
"Settable at global": "Asetettavissa globaalisti",
"Level": "Taso",
"Setting definition:": "Asetuksen määritelmä:",
"This UI does NOT check the types of the values. Use at your own risk.": "Tämä käyttöliittymä EI tarkista arvojen tyyppejä. Käytä omalla vastuullasi.",
"Caution:": "Varoitus:",
"Setting:": "Asetus:",
"Value in this room": "Arvo tässä huoneessa",
"Value": "Arvo",
"Create a new room": "Luo uusi huone", "Create a new room": "Luo uusi huone",
"Edit devices": "Muokkaa laitteita", "Edit devices": "Muokkaa laitteita",
"Empty room": "Tyhjä huone", "Empty room": "Tyhjä huone",
@ -1990,8 +1940,6 @@
"Share invite link": "Jaa kutsulinkki", "Share invite link": "Jaa kutsulinkki",
"Click to copy": "Kopioi napsauttamalla", "Click to copy": "Kopioi napsauttamalla",
"You can change these anytime.": "Voit muuttaa näitä koska tahansa.", "You can change these anytime.": "Voit muuttaa näitä koska tahansa.",
"Show chat effects (animations when receiving e.g. confetti)": "Näytä keskustelutehosteet (animaatiot, kun saat esim. konfettia)",
"Jump to the bottom of the timeline when you send a message": "Siirry aikajanan pohjalle, kun lähetät viestin",
"This homeserver has been blocked by its administrator.": "Tämä kotipalvelin on ylläpitäjänsä estämä.", "This homeserver has been blocked by its administrator.": "Tämä kotipalvelin on ylläpitäjänsä estämä.",
"You're already in a call with this person.": "Olet jo puhelussa tämän henkilön kanssa.", "You're already in a call with this person.": "Olet jo puhelussa tämän henkilön kanssa.",
"Already in call": "Olet jo puhelussa", "Already in call": "Olet jo puhelussa",
@ -2035,7 +1983,6 @@
"Unable to access your microphone": "Mikrofonia ei voi käyttää", "Unable to access your microphone": "Mikrofonia ei voi käyttää",
"Failed to send": "Lähettäminen epäonnistui", "Failed to send": "Lähettäminen epäonnistui",
"You have no ignored users.": "Et ole sivuuttanut käyttäjiä.", "You have no ignored users.": "Et ole sivuuttanut käyttäjiä.",
"Warn before quitting": "Varoita ennen lopettamista",
"Manage & explore rooms": "Hallitse ja selaa huoneita", "Manage & explore rooms": "Hallitse ja selaa huoneita",
"Connecting": "Yhdistetään", "Connecting": "Yhdistetään",
"unknown person": "tuntematon henkilö", "unknown person": "tuntematon henkilö",
@ -2186,8 +2133,6 @@
"Private space": "Yksityinen avaruus", "Private space": "Yksityinen avaruus",
"Private space (invite only)": "Yksityinen avaruus (vain kutsulla)", "Private space (invite only)": "Yksityinen avaruus (vain kutsulla)",
"Visible to space members": "Näkyvissä avaruuden jäsenille", "Visible to space members": "Näkyvissä avaruuden jäsenille",
"Autoplay videos": "Toista videot automaattisesti",
"Autoplay GIFs": "Toista GIF-tiedostot automaattisesti",
"Images, GIFs and videos": "Kuvat, GIF:t ja videot", "Images, GIFs and videos": "Kuvat, GIF:t ja videot",
"Code blocks": "Koodilohkot", "Code blocks": "Koodilohkot",
"Keyboard shortcuts": "Pikanäppäimet", "Keyboard shortcuts": "Pikanäppäimet",
@ -2260,7 +2205,6 @@
"Workspace: <networkLink/>": "Työtila: <networkLink/>", "Workspace: <networkLink/>": "Työtila: <networkLink/>",
"This may be useful for public spaces.": "Tämä voi olla hyödyllinen julkisille avaruuksille.", "This may be useful for public spaces.": "Tämä voi olla hyödyllinen julkisille avaruuksille.",
"Invite with email or username": "Kutsu sähköpostiosoitteella tai käyttäjänimellä", "Invite with email or username": "Kutsu sähköpostiosoitteella tai käyttäjänimellä",
"Use Ctrl + F to search timeline": "Ctrl + F hakee aikajanalta",
"%(senderName)s unpinned <a>a message</a> from this room. See all <b>pinned messages</b>.": "%(senderName)s poisti <a>viestin</a> kiinnityksen tästä huoneesta. Katso kaikki <b>kiinnitetyt viestit</b>.", "%(senderName)s unpinned <a>a message</a> from this room. See all <b>pinned messages</b>.": "%(senderName)s poisti <a>viestin</a> kiinnityksen tästä huoneesta. Katso kaikki <b>kiinnitetyt viestit</b>.",
"%(senderName)s pinned <a>a message</a> to this room. See all <b>pinned messages</b>.": "%(senderName)s kiinnitti <a>viestin</a> tähän huoneeseen. Katso kaikki <b>kiinnitetyt viestit</b>.", "%(senderName)s pinned <a>a message</a> to this room. See all <b>pinned messages</b>.": "%(senderName)s kiinnitti <a>viestin</a> tähän huoneeseen. Katso kaikki <b>kiinnitetyt viestit</b>.",
"Silence call": "Hiljennä puhelu", "Silence call": "Hiljennä puhelu",
@ -2313,7 +2257,6 @@
"Message search initialisation failed": "Viestihaun alustus epäonnistui", "Message search initialisation failed": "Viestihaun alustus epäonnistui",
"More": "Lisää", "More": "Lisää",
"Developer mode": "Kehittäjätila", "Developer mode": "Kehittäjätila",
"Use Command + F to search timeline": "Komento + F hakee aikajanalta",
"This is the start of export of <roomName/>. Exported by <exporterDetails/> at %(exportDate)s.": "Tämä on huoneen <roomName/> viennin alku. Vienyt <exporterDetails/> %(exportDate)s.", "This is the start of export of <roomName/>. Exported by <exporterDetails/> at %(exportDate)s.": "Tämä on huoneen <roomName/> viennin alku. Vienyt <exporterDetails/> %(exportDate)s.",
"Media omitted - file size limit exceeded": "Media jätetty pois tiedoston kokoraja ylitetty", "Media omitted - file size limit exceeded": "Media jätetty pois tiedoston kokoraja ylitetty",
"Media omitted": "Media jätetty pois", "Media omitted": "Media jätetty pois",
@ -2339,8 +2282,6 @@
"Add some details to help people recognise it.": "Lisää joitain tietoja, jotta ihmiset tunnistavat sen.", "Add some details to help people recognise it.": "Lisää joitain tietoja, jotta ihmiset tunnistavat sen.",
"Pin to sidebar": "Kiinnitä sivupalkkiin", "Pin to sidebar": "Kiinnitä sivupalkkiin",
"Quick settings": "Pika-asetukset", "Quick settings": "Pika-asetukset",
"All rooms you're in will appear in Home.": "Kaikki huoneet, joissa olet, näkyvät etusivulla.",
"Show all rooms in Home": "Näytä kaikki huoneet etusivulla",
"Use a more compact 'Modern' layout": "Käytä entistä kompaktimpaa, \"Modernia\", asettelua", "Use a more compact 'Modern' layout": "Käytä entistä kompaktimpaa, \"Modernia\", asettelua",
"Experimental": "Kokeellinen", "Experimental": "Kokeellinen",
"Themes": "Teemat", "Themes": "Teemat",
@ -2480,7 +2421,6 @@
"Access": "Pääsy", "Access": "Pääsy",
"sends rainfall": "lähettää vesisadetta", "sends rainfall": "lähettää vesisadetta",
"Sends the given message with rainfall": "Lähettää viestin vesisateen kera", "Sends the given message with rainfall": "Lähettää viestin vesisateen kera",
"Show join/leave messages (invites/removes/bans unaffected)": "Näytä liittymis- ja poistumisviestit (ei vaikutusta kutsuihin, poistamisiin ja porttikieltoihin)",
"Room members": "Huoneen jäsenet", "Room members": "Huoneen jäsenet",
"Back to chat": "Takaisin keskusteluun", "Back to chat": "Takaisin keskusteluun",
"Share anonymous data to help us identify issues. Nothing personal. No third parties. <LearnMoreLink>Learn More</LearnMoreLink>": "Jaa anonyymiä tietoa ongelmien tunnistamiseksi. Ei mitään henkilökohtaista. Ei kolmansia tahoja. <LearnMoreLink>Lue lisää</LearnMoreLink>", "Share anonymous data to help us identify issues. Nothing personal. No third parties. <LearnMoreLink>Learn More</LearnMoreLink>": "Jaa anonyymiä tietoa ongelmien tunnistamiseksi. Ei mitään henkilökohtaista. Ei kolmansia tahoja. <LearnMoreLink>Lue lisää</LearnMoreLink>",
@ -2557,7 +2497,6 @@
"Jump to date": "Siirry päivämäärään", "Jump to date": "Siirry päivämäärään",
"Close this widget to view it in this panel": "Sulje sovelma näyttääksesi sen tässä paneelissa", "Close this widget to view it in this panel": "Sulje sovelma näyttääksesi sen tässä paneelissa",
"Unpin this widget to view it in this panel": "Poista sovelman kiinnitys näyttääksesi sen tässä paneelissa", "Unpin this widget to view it in this panel": "Poista sovelman kiinnitys näyttääksesi sen tässä paneelissa",
"Maximise": "Suurenna",
"Chat": "Keskustelu", "Chat": "Keskustelu",
"Add people": "Lisää ihmisiä", "Add people": "Lisää ihmisiä",
"Manage pinned events": "Hallitse kiinnitettyjä tapahtumia", "Manage pinned events": "Hallitse kiinnitettyjä tapahtumia",
@ -2570,7 +2509,6 @@
"No virtual room for this room": "Tällä huoneella ei ole virtuaalihuonetta", "No virtual room for this room": "Tällä huoneella ei ole virtuaalihuonetta",
"Switches to this room's virtual room, if it has one": "Vaihtaa tämän huoneen virtuaalihuoneeseen, mikäli huoneella sellainen on", "Switches to this room's virtual room, if it has one": "Vaihtaa tämän huoneen virtuaalihuoneeseen, mikäli huoneella sellainen on",
"Removes user with given id from this room": "Poistaa tunnuksen mukaisen käyttäjän tästä huoneesta", "Removes user with given id from this room": "Poistaa tunnuksen mukaisen käyttäjän tästä huoneesta",
"Failed to send event!": "Tapahtuman lähettäminen epäonnistui!",
"Recent searches": "Viimeaikaiset haut", "Recent searches": "Viimeaikaiset haut",
"Other searches": "Muut haut", "Other searches": "Muut haut",
"Public rooms": "Julkiset huoneet", "Public rooms": "Julkiset huoneet",
@ -2644,7 +2582,6 @@
"Undo edit": "Kumoa muokkaus", "Undo edit": "Kumoa muokkaus",
"Jump to last message": "Siirry viimeiseen viestiin", "Jump to last message": "Siirry viimeiseen viestiin",
"Jump to first message": "Siirry ensimmäiseen viestiin", "Jump to first message": "Siirry ensimmäiseen viestiin",
"Accessibility": "Saavutettavuus",
"Toggle webcam on/off": "Kamera päälle/pois", "Toggle webcam on/off": "Kamera päälle/pois",
"Your new device is now verified. Other users will see it as trusted.": "Uusi laitteesi on nyt vahvistettu. Muut käyttäjät näkevät sen luotettuna.", "Your new device is now verified. Other users will see it as trusted.": "Uusi laitteesi on nyt vahvistettu. Muut käyttäjät näkevät sen luotettuna.",
"Your new device is now verified. It has access to your encrypted messages, and other users will see it as trusted.": "Uusi laitteesi on nyt vahvistettu. Laitteella on pääsy salattuihin viesteihisi, ja muut käyttäjät näkevät sen luotettuna.", "Your new device is now verified. It has access to your encrypted messages, and other users will see it as trusted.": "Uusi laitteesi on nyt vahvistettu. Laitteella on pääsy salattuihin viesteihisi, ja muut käyttäjät näkevät sen luotettuna.",
@ -2665,28 +2602,8 @@
"Start audio stream": "Käynnistä äänen suoratoisto", "Start audio stream": "Käynnistä äänen suoratoisto",
"Unable to start audio streaming.": "Äänen suoratoiston aloittaminen ei onnistu.", "Unable to start audio streaming.": "Äänen suoratoiston aloittaminen ei onnistu.",
"Open in OpenStreetMap": "Avaa OpenStreetMapissa", "Open in OpenStreetMap": "Avaa OpenStreetMapissa",
"No verification requests found": "Vahvistuspyyntöjä ei löytynyt",
"Observe only": "Tarkkaile ainoastaan",
"Requester": "Pyytäjä",
"Methods": "Menetelmät",
"Timeout": "Aikakatkaisu",
"Phase": "Vaihe",
"Transaction": "Transaktio",
"Cancelled": "Peruttu",
"Started": "Käynnistetty",
"Ready": "Valmis",
"Requested": "Pyydetty",
"Edit setting": "Muokkaa asetusta",
"Edit values": "Muokkaa arvoja",
"Failed to save settings.": "Asetusten tallentaminen epäonnistui.",
"Number of users": "Käyttäjämäärä",
"Server": "Palvelin",
"Failed to load.": "Lataaminen epäonnistui.",
"Capabilities": "Kyvykkyydet",
"Doesn't look like valid JSON.": "Ei vaikuta kelvolliselta JSON:ilta.",
"Verify other device": "Vahvista toinen laite", "Verify other device": "Vahvista toinen laite",
"Use <arrows/> to scroll": "Käytä <arrows/> vierittääksesi", "Use <arrows/> to scroll": "Käytä <arrows/> vierittääksesi",
"Clear": "Tyhjennä",
"Join %(roomAddress)s": "Liity %(roomAddress)s", "Join %(roomAddress)s": "Liity %(roomAddress)s",
"Link to room": "Linkitä huoneeseen", "Link to room": "Linkitä huoneeseen",
"Matrix.org is the biggest public homeserver in the world, so it's a good place for many.": "Matrix.org on maailman suurin julkinen kotipalvelin, joten se on hyvä valinta useimmille.", "Matrix.org is the biggest public homeserver in the world, so it's a good place for many.": "Matrix.org on maailman suurin julkinen kotipalvelin, joten se on hyvä valinta useimmille.",
@ -2701,8 +2618,6 @@
"%(featureName)s Beta feedback": "Ominaisuuden %(featureName)s beetapalaute", "%(featureName)s Beta feedback": "Ominaisuuden %(featureName)s beetapalaute",
"Including you, %(commaSeparatedMembers)s": "Mukaan lukien sinä, %(commaSeparatedMembers)s", "Including you, %(commaSeparatedMembers)s": "Mukaan lukien sinä, %(commaSeparatedMembers)s",
"The beginning of the room": "Huoneen alku", "The beginning of the room": "Huoneen alku",
"Last month": "Viime kuukausi",
"Last week": "Viime viikko",
"%(count)s participants": { "%(count)s participants": {
"one": "1 osallistuja", "one": "1 osallistuja",
"other": "%(count)s osallistujaa" "other": "%(count)s osallistujaa"
@ -2742,7 +2657,6 @@
"%(members)s and %(last)s": "%(members)s ja %(last)s", "%(members)s and %(last)s": "%(members)s ja %(last)s",
"<b>It's not recommended to make encrypted rooms public.</b> It will mean anyone can find and join the room, so anyone can read messages. You'll get none of the benefits of encryption. Encrypting messages in a public room will make receiving and sending messages slower.": "<b>Ei ole suositeltavaa tehdä salausta käyttävistä huoneista julkisia.</b> Se tarkoittaa, että kuka vain voi löytää huoneen, joten kuka vain voi lukea viestejä. Salauksesta ei siis ole hyötyä. Viestien salaaminen julkisessa huoneessa hidastaa viestien vastaanottamista ja lähettämistä.", "<b>It's not recommended to make encrypted rooms public.</b> It will mean anyone can find and join the room, so anyone can read messages. You'll get none of the benefits of encryption. Encrypting messages in a public room will make receiving and sending messages slower.": "<b>Ei ole suositeltavaa tehdä salausta käyttävistä huoneista julkisia.</b> Se tarkoittaa, että kuka vain voi löytää huoneen, joten kuka vain voi lukea viestejä. Salauksesta ei siis ole hyötyä. Viestien salaaminen julkisessa huoneessa hidastaa viestien vastaanottamista ja lähettämistä.",
"To avoid these issues, create a <a>new encrypted room</a> for the conversation you plan to have.": "Vältä nämä ongelmat luomalla <a>uusi salausta käyttävä huone</a> keskustelua varten.", "To avoid these issues, create a <a>new encrypted room</a> for the conversation you plan to have.": "Vältä nämä ongelmat luomalla <a>uusi salausta käyttävä huone</a> keskustelua varten.",
"Enable hardware acceleration (restart %(appName)s to take effect)": "Ota laitteistokiihdytys käyttöön (käynnistä %(appName)s uudelleen, jotta asetus tulee voimaan)",
"Your password was successfully changed.": "Salasanasi vaihtaminen onnistui.", "Your password was successfully changed.": "Salasanasi vaihtaminen onnistui.",
"Turn on camera": "Laita kamera päälle", "Turn on camera": "Laita kamera päälle",
"Turn off camera": "Sammuta kamera", "Turn off camera": "Sammuta kamera",
@ -2756,8 +2670,6 @@
}, },
"sends hearts": "lähettää sydämiä", "sends hearts": "lähettää sydämiä",
"Sends the given message with hearts": "Lähettää viestin sydämien kera", "Sends the given message with hearts": "Lähettää viestin sydämien kera",
"Enable Markdown": "Ota Markdown käyttöön",
"Insert a trailing colon after user mentions at the start of a message": "Lisää kaksoispiste käyttäjän maininnan perään viestin alussa",
"Developer": "Kehittäjä", "Developer": "Kehittäjä",
"Connection lost": "Yhteys menetettiin", "Connection lost": "Yhteys menetettiin",
"Sorry, your homeserver is too old to participate here.": "Kotipalvelimesi on liian vanha osallistumaan tänne.", "Sorry, your homeserver is too old to participate here.": "Kotipalvelimesi on liian vanha osallistumaan tänne.",
@ -2782,11 +2694,6 @@
"Cameras": "Kamerat", "Cameras": "Kamerat",
"Output devices": "Ulostulolaitteet", "Output devices": "Ulostulolaitteet",
"Input devices": "Sisääntulolaitteet", "Input devices": "Sisääntulolaitteet",
"Client Versions": "Asiakasversiot",
"Server Versions": "Palvelinversiot",
"<%(count)s spaces>": {
"other": "<%(count)s avaruutta>"
},
"Click the button below to confirm setting up encryption.": "Napsauta alla olevaa painiketta vahvistaaksesi salauksen asettamisen.", "Click the button below to confirm setting up encryption.": "Napsauta alla olevaa painiketta vahvistaaksesi salauksen asettamisen.",
"Forgotten or lost all recovery methods? <a>Reset all</a>": "Unohtanut tai kadottanut kaikki palautustavat? <a>Nollaa kaikki</a>", "Forgotten or lost all recovery methods? <a>Reset all</a>": "Unohtanut tai kadottanut kaikki palautustavat? <a>Nollaa kaikki</a>",
"Open room": "Avaa huone", "Open room": "Avaa huone",
@ -2904,7 +2811,6 @@
"Show: %(instance)s rooms (%(server)s)": "Näytä: %(instance)s-huoneet (%(server)s)", "Show: %(instance)s rooms (%(server)s)": "Näytä: %(instance)s-huoneet (%(server)s)",
"Add new server…": "Lisää uusi palvelin…", "Add new server…": "Lisää uusi palvelin…",
"Remove server “%(roomServer)s”": "Poista palvelin ”%(roomServer)s”", "Remove server “%(roomServer)s”": "Poista palvelin ”%(roomServer)s”",
"Minimise": "Pienennä",
"This room or space is not accessible at this time.": "Tämä huone tai avaruus ei ole käytettävissä juuri tällä hetkellä.", "This room or space is not accessible at this time.": "Tämä huone tai avaruus ei ole käytettävissä juuri tällä hetkellä.",
"Video rooms are a beta feature": "Videohuoneet ovat beetaominaisuus", "Video rooms are a beta feature": "Videohuoneet ovat beetaominaisuus",
"Enable hardware acceleration": "Ota laitteistokiihdytys käyttöön", "Enable hardware acceleration": "Ota laitteistokiihdytys käyttöön",
@ -2933,10 +2839,8 @@
"Room ID: %(roomId)s": "Huoneen ID-tunniste: %(roomId)s", "Room ID: %(roomId)s": "Huoneen ID-tunniste: %(roomId)s",
"Get it on F-Droid": "Hanki F-Droidista", "Get it on F-Droid": "Hanki F-Droidista",
"Get it on Google Play": "Hanki Google Playsta", "Get it on Google Play": "Hanki Google Playsta",
"Android": "Android",
"Download on the App Store": "Lataa App Storesta", "Download on the App Store": "Lataa App Storesta",
"%(qrCode)s or %(appLinks)s": "%(qrCode)s tai %(appLinks)s", "%(qrCode)s or %(appLinks)s": "%(qrCode)s tai %(appLinks)s",
"iOS": "iOS",
"Download %(brand)s Desktop": "Lataa %(brand)sin työpöytäversio", "Download %(brand)s Desktop": "Lataa %(brand)sin työpöytäversio",
"Online community members": "Verkkoyhteisöjen jäsenet", "Online community members": "Verkkoyhteisöjen jäsenet",
"Coworkers and teams": "Työkaverit ja tiimit", "Coworkers and teams": "Työkaverit ja tiimit",
@ -2984,8 +2888,6 @@
"Web session": "Web-istunto", "Web session": "Web-istunto",
"Mobile session": "Mobiili-istunto", "Mobile session": "Mobiili-istunto",
"Desktop session": "Työpöytäistunto", "Desktop session": "Työpöytäistunto",
"Unverified": "Vahvistamaton",
"Verified": "Vahvistettu",
"Inactive for %(inactiveAgeDays)s+ days": "Passiivinen %(inactiveAgeDays)s+ päivää", "Inactive for %(inactiveAgeDays)s+ days": "Passiivinen %(inactiveAgeDays)s+ päivää",
"Sign out of this session": "Kirjaudu ulos tästä istunnosta", "Sign out of this session": "Kirjaudu ulos tästä istunnosta",
"Receive push notifications on this session.": "Vastaanota push-ilmoituksia tässä istunnossa.", "Receive push notifications on this session.": "Vastaanota push-ilmoituksia tässä istunnossa.",
@ -2994,11 +2896,7 @@
"IP address": "IP-osoite", "IP address": "IP-osoite",
"Browser": "Selain", "Browser": "Selain",
"Operating system": "Käyttöjärjestelmä", "Operating system": "Käyttöjärjestelmä",
"Model": "Malli",
"Device": "Laite",
"URL": "Verkko-osoite", "URL": "Verkko-osoite",
"Version": "Versio",
"Application": "Sovellus",
"Last activity": "Viimeisin toiminta", "Last activity": "Viimeisin toiminta",
"Rename session": "Nimeä istunto uudelleen", "Rename session": "Nimeä istunto uudelleen",
"Current session": "Nykyinen istunto", "Current session": "Nykyinen istunto",
@ -3012,18 +2910,6 @@
"Enable notifications for this device": "Ota ilmoitukset käyttöön tälle laitteelle", "Enable notifications for this device": "Ota ilmoitukset käyttöön tälle laitteelle",
"Turn off to disable notifications on all your devices and sessions": "Poista käytöstä, niin kaikkien laitteiden ja istuntojen ilmoitukset ovat pois päältä", "Turn off to disable notifications on all your devices and sessions": "Poista käytöstä, niin kaikkien laitteiden ja istuntojen ilmoitukset ovat pois päältä",
"Enable notifications for this account": "Ota ilmoitukset käyttöön tälle tilille", "Enable notifications for this account": "Ota ilmoitukset käyttöön tälle tilille",
"Only %(count)s steps to go": {
"one": "Vain %(count)s vaihe jäljellä",
"other": "Vain %(count)s vaihetta jäljellä"
},
"Welcome to %(brand)s": "Tervetuloa, tämä on %(brand)s",
"Find your people": "Löydä ihmiset",
"Community ownership": "Yhteisön omistajuus",
"Find your co-workers": "Löydä työkaverisi",
"Secure messaging for work": "Turvallista viestintää työelämään",
"Start your first chat": "Aloita ensimmäinen keskustelu",
"Secure messaging for friends and family": "Turvallista viestintää kavereiden ja perheen kanssa",
"Welcome": "Tervetuloa",
"Enable notifications": "Käytä ilmoituksia", "Enable notifications": "Käytä ilmoituksia",
"Dont miss a reply or important message": "Älä anna vastauksen tai tärkeän viestin jäädä huomiotta", "Dont miss a reply or important message": "Älä anna vastauksen tai tärkeän viestin jäädä huomiotta",
"Turn on notifications": "Ota ilmoitukset käyttöön", "Turn on notifications": "Ota ilmoitukset käyttöön",
@ -3041,7 +2927,6 @@
"Its what youre here for, so lets get to it": "Sen vuoksi olet täällä, joten aloitetaan", "Its what youre here for, so lets get to it": "Sen vuoksi olet täällä, joten aloitetaan",
"Find and invite your friends": "Etsi ja kutsu ystäviä", "Find and invite your friends": "Etsi ja kutsu ystäviä",
"Sorry — this call is currently full": "Pahoittelut — tämä puhelu on täynnä", "Sorry — this call is currently full": "Pahoittelut — tämä puhelu on täynnä",
"Send read receipts": "Lähetä lukukuittaukset",
"Notifications silenced": "Ilmoitukset hiljennetty", "Notifications silenced": "Ilmoitukset hiljennetty",
"Video call started": "Videopuhelu aloitettu", "Video call started": "Videopuhelu aloitettu",
"Unknown room": "Tuntematon huone", "Unknown room": "Tuntematon huone",
@ -3242,8 +3127,6 @@
}, },
"Your current session is ready for secure messaging.": "Nykyinen istuntosi on valmis turvalliseen viestintään.", "Your current session is ready for secure messaging.": "Nykyinen istuntosi on valmis turvalliseen viestintään.",
"Sign out of all other sessions (%(otherSessionsCount)s)": "Kirjaudu ulos kaikista muista istunnoista (%(otherSessionsCount)s)", "Sign out of all other sessions (%(otherSessionsCount)s)": "Kirjaudu ulos kaikista muista istunnoista (%(otherSessionsCount)s)",
"You did it!": "Teit sen!",
"With free end-to-end encrypted messaging, and unlimited voice and video calls, %(brand)s is a great way to stay in touch.": "Ilmaisen päästä päähän -salauksen sekä rajoittamattomien ääni- ja videopuhelujen myötä %(brand)s on oiva tapa pysyä yhteydessä.",
"%(senderName)s ended a voice broadcast": "%(senderName)s lopetti äänen yleislähetyksen", "%(senderName)s ended a voice broadcast": "%(senderName)s lopetti äänen yleislähetyksen",
"You ended a voice broadcast": "Lopetit äänen yleislähetyksen", "You ended a voice broadcast": "Lopetit äänen yleislähetyksen",
"%(senderName)s ended a <a>voice broadcast</a>": "%(senderName)s lopetti <a>äänen yleislähetyksen</a>", "%(senderName)s ended a <a>voice broadcast</a>": "%(senderName)s lopetti <a>äänen yleislähetyksen</a>",
@ -3253,7 +3136,6 @@
"Saving…": "Tallennetaan…", "Saving…": "Tallennetaan…",
"Creating…": "Luodaan…", "Creating…": "Luodaan…",
"Verify Session": "Vahvista istunto", "Verify Session": "Vahvista istunto",
"Show NSFW content": "Näytä NSFW-sisältö",
"unknown": "tuntematon", "unknown": "tuntematon",
"Red": "Punainen", "Red": "Punainen",
"Grey": "Harmaa", "Grey": "Harmaa",
@ -3276,9 +3158,6 @@
"Keep going…": "Jatka…", "Keep going…": "Jatka…",
"Connecting…": "Yhdistetään…", "Connecting…": "Yhdistetään…",
"Mute room": "Mykistä huone", "Mute room": "Mykistä huone",
"Sender: ": "Lähettäjä: ",
"No receipt found": "Kuittausta ei löytynyt",
"Main timeline": "Pääaikajana",
"Fetching keys from server…": "Noudetaan avaimia palvelimelta…", "Fetching keys from server…": "Noudetaan avaimia palvelimelta…",
"Checking…": "Tarkistetaan…", "Checking…": "Tarkistetaan…",
"Invites by email can only be sent one at a time": "Sähköpostikutsuja voi lähettää vain yhden kerrallaan", "Invites by email can only be sent one at a time": "Sähköpostikutsuja voi lähettää vain yhden kerrallaan",
@ -3331,7 +3210,6 @@
"Checking for an update…": "Tarkistetaan päivityksiä…", "Checking for an update…": "Tarkistetaan päivityksiä…",
"Error while changing password: %(error)s": "Virhe salasanan vaihtamisessa: %(error)s", "Error while changing password: %(error)s": "Virhe salasanan vaihtamisessa: %(error)s",
"Ignore (%(counter)s)": "Sivuuta (%(counter)s)", "Ignore (%(counter)s)": "Sivuuta (%(counter)s)",
"Keep ownership and control of community discussion.\nScale to support millions, with powerful moderation and interoperability.": "Pidä yhteisön keskustelu hallussa. Skaalautuu miljooniin käyttäjiin ja\ntarjoaa tehokkaan moderoinnin ja yhteentoimivuuden.",
"Log out and back in to disable": "Poista käytöstä kirjautumalla ulos ja takaisin sisään", "Log out and back in to disable": "Poista käytöstä kirjautumalla ulos ja takaisin sisään",
"Automatic gain control": "Automaattinen vahvistuksen säätö", "Automatic gain control": "Automaattinen vahvistuksen säätö",
"Requires your server to support the stable version of MSC3827": "Edellyttää palvelimesi tukevan MSC3827:n vakaata versiota", "Requires your server to support the stable version of MSC3827": "Edellyttää palvelimesi tukevan MSC3827:n vakaata versiota",
@ -3400,21 +3278,38 @@
"beta": "Beeta", "beta": "Beeta",
"attachment": "Liite", "attachment": "Liite",
"appearance": "Ulkoasu", "appearance": "Ulkoasu",
"guest": "Vieras",
"legal": "Lakitekstit",
"credits": "Maininnat",
"faq": "Usein kysytyt kysymykset",
"access_token": "Käyttöpoletti",
"preferences": "Valinnat",
"presence": "Läsnäolo",
"timeline": "Aikajana", "timeline": "Aikajana",
"privacy": "Tietosuoja",
"camera": "Kamera",
"microphone": "Mikrofoni",
"emoji": "Emoji",
"random": "Satunnainen",
"support": "Tuki", "support": "Tuki",
"space": "Avaruus" "space": "Avaruus",
"random": "Satunnainen",
"privacy": "Tietosuoja",
"presence": "Läsnäolo",
"preferences": "Valinnat",
"microphone": "Mikrofoni",
"legal": "Lakitekstit",
"guest": "Vieras",
"faq": "Usein kysytyt kysymykset",
"emoji": "Emoji",
"credits": "Maininnat",
"camera": "Kamera",
"access_token": "Käyttöpoletti",
"someone": "Joku",
"welcome": "Tervetuloa",
"encrypted": "Salattu",
"application": "Sovellus",
"version": "Versio",
"device": "Laite",
"model": "Malli",
"verified": "Vahvistettu",
"unverified": "Vahvistamaton",
"matrix": "Matrix",
"ios": "iOS",
"android": "Android",
"trusted": "Luotettu",
"not_trusted": "Ei-luotettu",
"accessibility": "Saavutettavuus",
"capabilities": "Kyvykkyydet",
"server": "Palvelin"
}, },
"action": { "action": {
"continue": "Jatka", "continue": "Jatka",
@ -3487,22 +3382,33 @@
"apply": "Toteuta", "apply": "Toteuta",
"add": "Lisää", "add": "Lisää",
"accept": "Hyväksy", "accept": "Hyväksy",
"disconnect": "Katkaise yhteys",
"change": "Muuta",
"subscribe": "Tilaa",
"unsubscribe": "Lopeta tilaus",
"approve": "Hyväksy",
"complete": "Valmis",
"revoke": "Kumoa",
"rename": "Nimeä uudelleen",
"view_all": "Näytä kaikki", "view_all": "Näytä kaikki",
"unsubscribe": "Lopeta tilaus",
"subscribe": "Tilaa",
"show_all": "Näytä kaikki", "show_all": "Näytä kaikki",
"show": "Näytä", "show": "Näytä",
"revoke": "Kumoa",
"review": "Katselmoi", "review": "Katselmoi",
"restore": "Palauta", "restore": "Palauta",
"rename": "Nimeä uudelleen",
"register": "Rekisteröidy",
"play": "Toista", "play": "Toista",
"pause": "Keskeytä", "pause": "Keskeytä",
"register": "Rekisteröidy" "disconnect": "Katkaise yhteys",
"complete": "Valmis",
"change": "Muuta",
"approve": "Hyväksy",
"manage": "Hallitse",
"go": "Mene",
"import": "Tuo",
"export": "Vie",
"refresh": "Päivitä",
"minimise": "Pienennä",
"maximise": "Suurenna",
"mention": "Mainitse",
"submit": "Lähetä",
"send_report": "Lähetä ilmoitus",
"clear": "Tyhjennä"
}, },
"a11y": { "a11y": {
"user_menu": "Käyttäjän valikko" "user_menu": "Käyttäjän valikko"
@ -3572,8 +3478,8 @@
"restricted": "Rajoitettu", "restricted": "Rajoitettu",
"moderator": "Valvoja", "moderator": "Valvoja",
"admin": "Ylläpitäjä", "admin": "Ylläpitäjä",
"custom": "Mukautettu (%(level)s)", "mod": "Valvoja",
"mod": "Valvoja" "custom": "Mukautettu (%(level)s)"
}, },
"bug_reporting": { "bug_reporting": {
"introduction": "Jos olet tehnyt ilmoituksen ohjelmistovirheestä GitHubiin, vianjäljityslokit voivat auttaa ongelman selvittämisessä. ", "introduction": "Jos olet tehnyt ilmoituksen ohjelmistovirheestä GitHubiin, vianjäljityslokit voivat auttaa ongelman selvittämisessä. ",
@ -3598,6 +3504,106 @@
"short_seconds": "%(value)s s", "short_seconds": "%(value)s s",
"short_days_hours_minutes_seconds": "%(days)s pv %(hours)s t %(minutes)s min %(seconds)s s", "short_days_hours_minutes_seconds": "%(days)s pv %(hours)s t %(minutes)s min %(seconds)s s",
"short_hours_minutes_seconds": "%(hours)s t %(minutes)s min %(seconds)s s", "short_hours_minutes_seconds": "%(hours)s t %(minutes)s min %(seconds)s s",
"short_minutes_seconds": "%(minutes)s min %(seconds)s s" "short_minutes_seconds": "%(minutes)s min %(seconds)s s",
"last_week": "Viime viikko",
"last_month": "Viime kuukausi"
},
"onboarding": {
"personal_messaging_title": "Turvallista viestintää kavereiden ja perheen kanssa",
"free_e2ee_messaging_unlimited_voip": "Ilmaisen päästä päähän -salauksen sekä rajoittamattomien ääni- ja videopuhelujen myötä %(brand)s on oiva tapa pysyä yhteydessä.",
"personal_messaging_action": "Aloita ensimmäinen keskustelu",
"work_messaging_title": "Turvallista viestintää työelämään",
"work_messaging_action": "Löydä työkaverisi",
"community_messaging_title": "Yhteisön omistajuus",
"community_messaging_action": "Löydä ihmiset",
"welcome_to_brand": "Tervetuloa, tämä on %(brand)s",
"only_n_steps_to_go": {
"one": "Vain %(count)s vaihe jäljellä",
"other": "Vain %(count)s vaihetta jäljellä"
},
"you_did_it": "Teit sen!",
"community_messaging_description": "Pidä yhteisön keskustelu hallussa. Skaalautuu miljooniin käyttäjiin ja\ntarjoaa tehokkaan moderoinnin ja yhteentoimivuuden."
},
"devtools": {
"event_type": "Tapahtuman tyyppi",
"state_key": "Tila-avain",
"invalid_json": "Ei vaikuta kelvolliselta JSON:ilta.",
"failed_to_send": "Tapahtuman lähettäminen epäonnistui!",
"event_sent": "Tapahtuma lähetetty!",
"event_content": "Tapahtuman sisältö",
"no_receipt_found": "Kuittausta ei löytynyt",
"main_timeline": "Pääaikajana",
"room_notifications_sender": "Lähettäjä: ",
"spaces": {
"other": "<%(count)s avaruutta>"
},
"failed_to_load": "Lataaminen epäonnistui.",
"client_versions": "Asiakasversiot",
"server_versions": "Palvelinversiot",
"number_of_users": "Käyttäjämäärä",
"failed_to_save": "Asetusten tallentaminen epäonnistui.",
"save_setting_values": "Tallenna asetusarvot",
"setting_colon": "Asetus:",
"caution_colon": "Varoitus:",
"use_at_own_risk": "Tämä käyttöliittymä EI tarkista arvojen tyyppejä. Käytä omalla vastuullasi.",
"setting_definition": "Asetuksen määritelmä:",
"level": "Taso",
"settable_global": "Asetettavissa globaalisti",
"settable_room": "Asetettavissa huoneessa",
"edit_values": "Muokkaa arvoja",
"value_colon": "Arvo:",
"value_this_room_colon": "Arvo tässä huoneessa:",
"value": "Arvo",
"value_in_this_room": "Arvo tässä huoneessa",
"edit_setting": "Muokkaa asetusta",
"phase_requested": "Pyydetty",
"phase_ready": "Valmis",
"phase_started": "Käynnistetty",
"phase_cancelled": "Peruttu",
"phase_transaction": "Transaktio",
"phase": "Vaihe",
"timeout": "Aikakatkaisu",
"methods": "Menetelmät",
"requester": "Pyytäjä",
"observe_only": "Tarkkaile ainoastaan",
"no_verification_requests_found": "Vahvistuspyyntöjä ei löytynyt"
},
"settings": {
"show_breadcrumbs": "Näytä oikotiet viimeksi katsottuihin huoneisiin huoneluettelon yläpuolella",
"all_rooms_home_description": "Kaikki huoneet, joissa olet, näkyvät etusivulla.",
"use_command_f_search": "Komento + F hakee aikajanalta",
"use_control_f_search": "Ctrl + F hakee aikajanalta",
"use_12_hour_format": "Näytä aikaleimat 12 tunnin muodossa (esim. 2:30pm)",
"always_show_message_timestamps": "Näytä aina viestien aikaleimat",
"send_read_receipts": "Lähetä lukukuittaukset",
"send_typing_notifications": "Lähetä kirjoitusilmoituksia",
"replace_plain_emoji": "Korvaa automaattisesti teksimuotoiset emojit",
"enable_markdown": "Ota Markdown käyttöön",
"emoji_autocomplete": "Näytä emoji-ehdotuksia kirjoittaessa",
"use_command_enter_send_message": "Komento + Enter lähettää viestin",
"use_control_enter_send_message": "Ctrl + Enter lähettää viestin",
"all_rooms_home": "Näytä kaikki huoneet etusivulla",
"show_stickers_button": "Näytä tarrapainike",
"insert_trailing_colon_mentions": "Lisää kaksoispiste käyttäjän maininnan perään viestin alussa",
"automatic_language_detection_syntax_highlight": "Ota automaattinen kielentunnistus käyttöön syntaksikorostusta varten",
"code_block_expand_default": "Laajenna koodilohkot oletuksena",
"code_block_line_numbers": "Näytä rivinumerot koodilohkoissa",
"inline_url_previews_default": "Ota linkkien esikatselu käyttöön oletusarvoisesti",
"autoplay_gifs": "Toista GIF-tiedostot automaattisesti",
"autoplay_videos": "Toista videot automaattisesti",
"image_thumbnails": "Näytä kuvien esikatselut/pienoiskuvat",
"show_typing_notifications": "Näytä kirjoitusilmoitukset",
"show_redaction_placeholder": "Näytä paikanpitäjä poistetuille viesteille",
"show_read_receipts": "Näytä muiden käyttäjien lukukuittaukset",
"show_join_leave": "Näytä liittymis- ja poistumisviestit (ei vaikutusta kutsuihin, poistamisiin ja porttikieltoihin)",
"show_displayname_changes": "Näytä näyttönimien muutokset",
"show_chat_effects": "Näytä keskustelutehosteet (animaatiot, kun saat esim. konfettia)",
"big_emoji": "Ota käyttöön suuret emojit keskusteluissa",
"jump_to_bottom_on_send": "Siirry aikajanan pohjalle, kun lähetät viestin",
"show_nsfw_content": "Näytä NSFW-sisältö",
"prompt_invite": "Kysy varmistus ennen kutsujen lähettämistä mahdollisesti epäkelpoihin Matrix ID:hin",
"hardware_acceleration": "Ota laitteistokiihdytys käyttöön (käynnistä %(appName)s uudelleen, jotta asetus tulee voimaan)",
"start_automatically": "Käynnistä automaattisesti käyttöjärjestelmään kirjautumisen jälkeen",
"warn_quit": "Varoita ennen lopettamista"
} }
} }

View file

@ -41,7 +41,6 @@
"Failed to reject invitation": "Échec du rejet de linvitation", "Failed to reject invitation": "Échec du rejet de linvitation",
"Failed to send request.": "Échec de lenvoi de la requête.", "Failed to send request.": "Échec de lenvoi de la requête.",
"Failed to set display name": "Échec de lenregistrement du nom daffichage", "Failed to set display name": "Échec de lenregistrement du nom daffichage",
"Always show message timestamps": "Toujours afficher lheure des messages",
"Authentication": "Authentification", "Authentication": "Authentification",
"An error has occurred.": "Une erreur est survenue.", "An error has occurred.": "Une erreur est survenue.",
"Email": "E-mail", "Email": "E-mail",
@ -105,10 +104,7 @@
"Server may be unavailable, overloaded, or you hit a bug.": "Le serveur semble être indisponible, surchargé ou vous êtes tombé sur un bug.", "Server may be unavailable, overloaded, or you hit a bug.": "Le serveur semble être indisponible, surchargé ou vous êtes tombé sur un bug.",
"Server unavailable, overloaded, or something else went wrong.": "Le serveur semble être inaccessible, surchargé ou quelque chose sest mal passé.", "Server unavailable, overloaded, or something else went wrong.": "Le serveur semble être inaccessible, surchargé ou quelque chose sest mal passé.",
"Session ID": "Identifiant de session", "Session ID": "Identifiant de session",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Afficher lheure au format am/pm (par ex. 2:30pm)",
"Signed Out": "Déconnecté", "Signed Out": "Déconnecté",
"Someone": "Quelquun",
"Submit": "Soumettre",
"This email address is already in use": "Cette adresse e-mail est déjà utilisée", "This email address is already in use": "Cette adresse e-mail est déjà utilisée",
"This email address was not found": "Cette adresse e-mail na pas été trouvée", "This email address was not found": "Cette adresse e-mail na pas été trouvée",
"The email address linked to your account must be entered.": "Ladresse e-mail liée à votre compte doit être renseignée.", "The email address linked to your account must be entered.": "Ladresse e-mail liée à votre compte doit être renseignée.",
@ -193,15 +189,12 @@
"URL Previews": "Aperçus des liens", "URL Previews": "Aperçus des liens",
"Drop file here to upload": "Glisser le fichier ici pour lenvoyer", "Drop file here to upload": "Glisser le fichier ici pour lenvoyer",
"Online": "En ligne", "Online": "En ligne",
"Start automatically after system login": "Démarrer automatiquement après la phase d'authentification du système",
"Idle": "Inactif", "Idle": "Inactif",
"Jump to first unread message.": "Aller au premier message non lu.", "Jump to first unread message.": "Aller au premier message non lu.",
"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?": "Vous êtes sur le point daccéder à un site tiers afin de pouvoir vous identifier pour utiliser %(integrationsUrl)s. Voulez-vous continuer ?", "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?": "Vous êtes sur le point daccéder à un site tiers afin de pouvoir vous identifier pour utiliser %(integrationsUrl)s. Voulez-vous continuer ?",
"%(senderDisplayName)s changed the room avatar to <img/>": "%(senderDisplayName)s a changé lavatar du salon en <img/>", "%(senderDisplayName)s changed the room avatar to <img/>": "%(senderDisplayName)s a changé lavatar du salon en <img/>",
"%(senderDisplayName)s removed the room avatar.": "%(senderDisplayName)s a supprimé l'avatar du salon.", "%(senderDisplayName)s removed the room avatar.": "%(senderDisplayName)s a supprimé l'avatar du salon.",
"%(senderDisplayName)s changed the avatar for %(roomName)s": "%(senderDisplayName)s a changé lavatar de %(roomName)s", "%(senderDisplayName)s changed the avatar for %(roomName)s": "%(senderDisplayName)s a changé lavatar de %(roomName)s",
"Export": "Exporter",
"Import": "Importer",
"Incorrect username and/or password.": "Nom dutilisateur et/ou mot de passe incorrect.", "Incorrect username and/or password.": "Nom dutilisateur et/ou mot de passe incorrect.",
"Verified key": "Clé vérifiée", "Verified key": "Clé vérifiée",
"No Microphones detected": "Aucun micro détecté", "No Microphones detected": "Aucun micro détecté",
@ -243,11 +236,9 @@
"Check for update": "Rechercher une mise à jour", "Check for update": "Rechercher une mise à jour",
"Delete widget": "Supprimer le widget", "Delete widget": "Supprimer le widget",
"Define the power level of a user": "Définir le rang dun utilisateur", "Define the power level of a user": "Définir le rang dun utilisateur",
"Enable automatic language detection for syntax highlighting": "Activer la détection automatique du langage pour la coloration syntaxique",
"Unable to create widget.": "Impossible de créer le widget.", "Unable to create widget.": "Impossible de créer le widget.",
"You are not in this room.": "Vous nêtes pas dans ce salon.", "You are not in this room.": "Vous nêtes pas dans ce salon.",
"You do not have permission to do that in this room.": "Vous navez pas lautorisation deffectuer cette action dans ce salon.", "You do not have permission to do that in this room.": "Vous navez pas lautorisation deffectuer cette action dans ce salon.",
"Automatically replace plain text Emoji": "Remplacer automatiquement le texte par des émojis",
"%(widgetName)s widget added by %(senderName)s": "Widget %(widgetName)s ajouté par %(senderName)s", "%(widgetName)s widget added by %(senderName)s": "Widget %(widgetName)s ajouté par %(senderName)s",
"%(widgetName)s widget removed by %(senderName)s": "Widget %(widgetName)s supprimé par %(senderName)s", "%(widgetName)s widget removed by %(senderName)s": "Widget %(widgetName)s supprimé par %(senderName)s",
"Publish this room to the public in %(domain)s's room directory?": "Publier ce salon dans le répertoire de salons public de %(domain)s ?", "Publish this room to the public in %(domain)s's room directory?": "Publier ce salon dans le répertoire de salons public de %(domain)s ?",
@ -260,7 +251,6 @@
"You are now ignoring %(userId)s": "Vous ignorez désormais %(userId)s", "You are now ignoring %(userId)s": "Vous ignorez désormais %(userId)s",
"Unignored user": "Lutilisateur nest plus ignoré", "Unignored user": "Lutilisateur nest plus ignoré",
"You are no longer ignoring %(userId)s": "Vous nignorez plus %(userId)s", "You are no longer ignoring %(userId)s": "Vous nignorez plus %(userId)s",
"Mention": "Mentionner",
"Unignore": "Ne plus ignorer", "Unignore": "Ne plus ignorer",
"Admin Tools": "Outils dadministration", "Admin Tools": "Outils dadministration",
"Unknown": "Inconnu", "Unknown": "Inconnu",
@ -369,7 +359,6 @@
"Room Notification": "Notification du salon", "Room Notification": "Notification du salon",
"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.", "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.",
"Restricted": "Restreint", "Restricted": "Restreint",
"Enable inline URL previews by default": "Activer laperçu des URL par défaut",
"Enable URL previews for this room (only affects you)": "Activer laperçu des URL pour ce salon (naffecte que vous)", "Enable URL previews for this room (only affects you)": "Activer laperçu des URL pour ce salon (naffecte que vous)",
"Enable URL previews by default for participants in this room": "Activer laperçu des URL par défaut pour les participants de ce salon", "Enable URL previews by default for participants in this room": "Activer laperçu des URL par défaut pour les participants de ce salon",
"URL previews are enabled by default for participants in this room.": "Les aperçus d'URL sont activés par défaut pour les participants de ce salon.", "URL previews are enabled by default for participants in this room.": "Les aperçus d'URL sont activés par défaut pour les participants de ce salon.",
@ -430,7 +419,6 @@
"You cannot delete this message. (%(code)s)": "Vous ne pouvez pas supprimer ce message. (%(code)s)", "You cannot delete this message. (%(code)s)": "Vous ne pouvez pas supprimer ce message. (%(code)s)",
"All messages": "Tous les messages", "All messages": "Tous les messages",
"Call invitation": "Appel entrant", "Call invitation": "Appel entrant",
"State Key": "Clé détat",
"What's new?": "Nouveautés", "What's new?": "Nouveautés",
"All Rooms": "Tous les salons", "All Rooms": "Tous les salons",
"Thursday": "Jeudi", "Thursday": "Jeudi",
@ -440,9 +428,6 @@
"Error encountered (%(errorDetail)s).": "Erreur rencontrée (%(errorDetail)s).", "Error encountered (%(errorDetail)s).": "Erreur rencontrée (%(errorDetail)s).",
"Low Priority": "Priorité basse", "Low Priority": "Priorité basse",
"Off": "Désactivé", "Off": "Désactivé",
"Event Type": "Type dévènement",
"Event sent!": "Évènement envoyé !",
"Event Content": "Contenu de lévènement",
"Thank you!": "Merci !", "Thank you!": "Merci !",
"When I'm invited to a room": "Quand je suis invité dans un salon", "When I'm invited to a room": "Quand je suis invité dans un salon",
"Logs sent": "Journaux envoyés", "Logs sent": "Journaux envoyés",
@ -452,7 +437,6 @@
"Popout widget": "Détacher le widget", "Popout widget": "Détacher le widget",
"Send Logs": "Envoyer les journaux", "Send Logs": "Envoyer les journaux",
"Clear Storage and Sign Out": "Effacer le stockage et se déconnecter", "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 restauration de la dernière session.", "We encountered an error trying to restore your previous session.": "Une erreur est survenue lors de la restauration de la dernière session.",
"Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Effacer le stockage de votre navigateur peut résoudre le problème. Ceci vous déconnectera et tous les historiques de conversations chiffrées seront illisibles.", "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Effacer le stockage de votre navigateur peut résoudre le problème. Ceci vous déconnectera et tous les historiques de conversations chiffrées seront illisibles.",
"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 nexiste pas, soit vous n'avez pas lautorisation de le voir.", "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 nexiste pas, soit vous n'avez pas lautorisation de le voir.",
@ -573,7 +557,6 @@
"Unable to load commit detail: %(msg)s": "Impossible de charger les détails de lenvoi : %(msg)s", "Unable to load commit detail: %(msg)s": "Impossible de charger les détails de lenvoi : %(msg)s",
"Unrecognised address": "Adresse non reconnue", "Unrecognised address": "Adresse non reconnue",
"The following users may not exist": "Les utilisateurs suivants pourraient ne pas exister", "The following users may not exist": "Les utilisateurs suivants pourraient ne pas exister",
"Prompt before sending invites to potentially invalid matrix IDs": "Demander avant denvoyer des invitations à des identifiants matrix potentiellement non valides",
"Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Impossible de trouver les profils pour les identifiants Matrix listés ci-dessous. Voulez-vous quand même les inviter ?", "Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Impossible de trouver les profils pour les identifiants Matrix listés ci-dessous. Voulez-vous quand même les inviter ?",
"Invite anyway and never warn me again": "Inviter quand même et ne plus me prévenir", "Invite anyway and never warn me again": "Inviter quand même et ne plus me prévenir",
"Invite anyway": "Inviter quand même", "Invite anyway": "Inviter quand même",
@ -586,11 +569,6 @@
"one": "%(names)s et un autre sont en train décrire…" "one": "%(names)s et un autre sont en train décrire…"
}, },
"%(names)s and %(lastPerson)s are typing …": "%(names)s et %(lastPerson)s sont en train décrire…", "%(names)s and %(lastPerson)s are typing …": "%(names)s et %(lastPerson)s sont en train décrire…",
"Enable Emoji suggestions while typing": "Activer la suggestion démojis lors de la saisie",
"Show a placeholder for removed messages": "Afficher les messages supprimés",
"Show display name changes": "Afficher les changements de nom daffichage",
"Enable big emoji in chat": "Activer les gros émojis dans les discussions",
"Send typing notifications": "Envoyer des notifications de saisie",
"Messages containing my username": "Messages contenant mon nom dutilisateur", "Messages containing my username": "Messages contenant mon nom dutilisateur",
"The other party cancelled the verification.": "Lautre personne a annulé la vérification.", "The other party cancelled the verification.": "Lautre personne a annulé la vérification.",
"Verified!": "Vérifié !", "Verified!": "Vérifié !",
@ -628,7 +606,6 @@
"Security & Privacy": "Sécurité et vie privée", "Security & Privacy": "Sécurité et vie privée",
"Encryption": "Chiffrement", "Encryption": "Chiffrement",
"Once enabled, encryption cannot be disabled.": "Le chiffrement ne peut pas être désactivé une fois quil a été activé.", "Once enabled, encryption cannot be disabled.": "Le chiffrement ne peut pas être désactivé une fois quil a été activé.",
"Encrypted": "Chiffré",
"Ignored users": "Utilisateurs ignorés", "Ignored users": "Utilisateurs ignorés",
"Bulk options": "Options de groupe", "Bulk options": "Options de groupe",
"Missing media permissions, click the button below to request.": "Permissions multimédia manquantes, cliquez sur le bouton ci-dessous pour la demander.", "Missing media permissions, click the button below to request.": "Permissions multimédia manquantes, cliquez sur le bouton ci-dessous pour la demander.",
@ -738,7 +715,6 @@
"Your keys are being backed up (the first backup could take a few minutes).": "Vous clés sont en cours de sauvegarde (la première sauvegarde peut prendre quelques minutes).", "Your keys are being backed up (the first backup could take a few minutes).": "Vous clés sont en cours de sauvegarde (la première sauvegarde peut prendre quelques minutes).",
"Success!": "Terminé !", "Success!": "Terminé !",
"Changes your display nickname in the current room only": "Modifie votre nom daffichage seulement dans le salon actuel", "Changes your display nickname in the current room only": "Modifie votre nom daffichage seulement dans le salon actuel",
"Show read receipts sent by other users": "Afficher les accusés de lecture envoyés par les autres utilisateurs",
"Scissors": "Ciseaux", "Scissors": "Ciseaux",
"Error updating main address": "Erreur lors de la mise à jour de ladresse principale", "Error updating main address": "Erreur lors de la mise à jour de ladresse principale",
"There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Une erreur est survenue lors de la mise à jour de ladresse principale de salon. Ce nest peut-être pas autorisé par le serveur ou une erreur temporaire est survenue.", "There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Une erreur est survenue lors de la mise à jour de ladresse principale de salon. Ce nest peut-être pas autorisé par le serveur ou une erreur temporaire est survenue.",
@ -974,7 +950,6 @@
"Please fill why you're reporting.": "Dites-nous pourquoi vous envoyez un signalement.", "Please fill why you're reporting.": "Dites-nous pourquoi vous envoyez un signalement.",
"Report Content to Your Homeserver Administrator": "Signaler le contenu à ladministrateur de votre serveur daccueil", "Report Content to Your Homeserver Administrator": "Signaler le contenu à ladministrateur de votre serveur daccueil",
"Reporting this message will send its unique 'event ID' to the administrator of your homeserver. If messages in this room are encrypted, your homeserver administrator will not be able to read the message text or view any files or images.": "Le signalement de ce message enverra son « event ID » unique à ladministrateur de votre serveur daccueil. Si les messages dans ce salon sont chiffrés, ladministrateur ne pourra pas lire le texte du message ou voir les fichiers ou les images.", "Reporting this message will send its unique 'event ID' to the administrator of your homeserver. If messages in this room are encrypted, your homeserver administrator will not be able to read the message text or view any files or images.": "Le signalement de ce message enverra son « event ID » unique à ladministrateur de votre serveur daccueil. Si les messages dans ce salon sont chiffrés, ladministrateur ne pourra pas lire le texte du message ou voir les fichiers ou les images.",
"Send report": "Envoyer le signalement",
"Read Marker lifetime (ms)": "Durée de vie du repère de lecture (ms)", "Read Marker lifetime (ms)": "Durée de vie du repère de lecture (ms)",
"Read Marker off-screen lifetime (ms)": "Durée de vie du repère de lecture en dehors de lécran (ms)", "Read Marker off-screen lifetime (ms)": "Durée de vie du repère de lecture en dehors de lécran (ms)",
"Changes the avatar of the current room": "Modifie lavatar du salon actuel", "Changes the avatar of the current room": "Modifie lavatar du salon actuel",
@ -992,7 +967,6 @@
"Notification Autocomplete": "Autocomplétion de notification", "Notification Autocomplete": "Autocomplétion de notification",
"Room Autocomplete": "Autocomplétion de salon", "Room Autocomplete": "Autocomplétion de salon",
"User Autocomplete": "Autocomplétion dutilisateur", "User Autocomplete": "Autocomplétion dutilisateur",
"Show previews/thumbnails for images": "Afficher les aperçus/vignettes pour les images",
"Show image": "Afficher limage", "Show image": "Afficher limage",
"Clear cache and reload": "Vider le cache et recharger", "Clear cache and reload": "Vider le cache et recharger",
"%(count)s unread messages including mentions.": { "%(count)s unread messages including mentions.": {
@ -1073,8 +1047,6 @@
"Subscribing to a ban list will cause you to join it!": "En vous inscrivant à une liste de bannissement, vous la rejoindrez !", "Subscribing to a ban list will cause you to join it!": "En vous inscrivant à une liste de bannissement, vous la rejoindrez !",
"If this isn't what you want, please use a different tool to ignore users.": "Si ce nest pas ce que vous voulez, utilisez un autre outil pour ignorer les utilisateurs.", "If this isn't what you want, please use a different tool to ignore users.": "Si ce nest pas ce que vous voulez, utilisez un autre outil pour ignorer les utilisateurs.",
"You have ignored this user, so their message is hidden. <a>Show anyways.</a>": "Vous avez ignoré cet utilisateur, donc ses messages sont cachés. <a>Les montrer quand même.</a>", "You have ignored this user, so their message is hidden. <a>Show anyways.</a>": "Vous avez ignoré cet utilisateur, donc ses messages sont cachés. <a>Les montrer quand même.</a>",
"Trusted": "Fiable",
"Not trusted": "Non fiable",
"Messages in this room are end-to-end encrypted.": "Les messages dans ce salon sont chiffrés de bout en bout.", "Messages in this room are end-to-end encrypted.": "Les messages dans ce salon sont chiffrés de bout en bout.",
"Any of the following data may be shared:": "Les données suivants peuvent être partagées :", "Any of the following data may be shared:": "Les données suivants peuvent être partagées :",
"Your display name": "Votre nom daffichage", "Your display name": "Votre nom daffichage",
@ -1148,7 +1120,6 @@
"Show more": "En voir plus", "Show more": "En voir plus",
"Recent Conversations": "Conversations récentes", "Recent Conversations": "Conversations récentes",
"Direct Messages": "Conversations privées", "Direct Messages": "Conversations privées",
"Go": "Cest parti",
"This bridge is managed by <user />.": "Cette passerelle est gérée par <user />.", "This bridge is managed by <user />.": "Cette passerelle est gérée par <user />.",
"Failed to find the following users": "Impossible de trouver les utilisateurs suivants", "Failed to find the following users": "Impossible de trouver les utilisateurs suivants",
"The following users might not exist or are invalid, and cannot be invited: %(csvNames)s": "Les utilisateurs suivant nexistent peut-être pas ou ne sont pas valides, et ne peuvent pas être invités : %(csvNames)s", "The following users might not exist or are invalid, and cannot be invited: %(csvNames)s": "Les utilisateurs suivant nexistent peut-être pas ou ne sont pas valides, et ne peuvent pas être invités : %(csvNames)s",
@ -1191,7 +1162,6 @@
"Verify this session": "Vérifier cette session", "Verify this session": "Vérifier cette session",
"Encryption upgrade available": "Mise à niveau du chiffrement disponible", "Encryption upgrade available": "Mise à niveau du chiffrement disponible",
"Enable message search in encrypted rooms": "Activer la recherche de messages dans les salons chiffrés", "Enable message search in encrypted rooms": "Activer la recherche de messages dans les salons chiffrés",
"Manage": "Gérer",
"Securely cache encrypted messages locally for them to appear in search results.": "Mettre en cache les messages chiffrés localement et de manière sécurisée pour quils apparaissent dans les résultats de recherche.", "Securely cache encrypted messages locally for them to appear in search results.": "Mettre en cache les messages chiffrés localement et de manière sécurisée pour quils apparaissent dans les résultats de recherche.",
"%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with <nativeLink>search components added</nativeLink>.": "Il manque quelques composants à %(brand)s pour mettre en cache les messages chiffrés localement de manière sécurisée. Si vous voulez essayer cette fonctionnalité, construisez %(brand)s Desktop vous-même en <nativeLink>ajoutant les composants de recherche</nativeLink>.", "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with <nativeLink>search components added</nativeLink>.": "Il manque quelques composants à %(brand)s pour mettre en cache les messages chiffrés localement de manière sécurisée. Si vous voulez essayer cette fonctionnalité, construisez %(brand)s Desktop vous-même en <nativeLink>ajoutant les composants de recherche</nativeLink>.",
"Message search": "Recherche de message", "Message search": "Recherche de message",
@ -1266,7 +1236,6 @@
"Message downloading sleep time(ms)": "Temps dattente de téléchargement des messages (ms)", "Message downloading sleep time(ms)": "Temps dattente de téléchargement des messages (ms)",
"Cancel entering passphrase?": "Annuler la saisie du mot de passe ?", "Cancel entering passphrase?": "Annuler la saisie du mot de passe ?",
"Indexed rooms:": "Salons indexés :", "Indexed rooms:": "Salons indexés :",
"Show typing notifications": "Afficher les notifications de saisie",
"Destroy cross-signing keys?": "Détruire les clés de signature croisée ?", "Destroy cross-signing keys?": "Détruire les clés de signature croisée ?",
"Deleting cross-signing keys is permanent. Anyone you have verified with will see security alerts. You almost certainly don't want to do this, unless you've lost every device you can cross-sign from.": "La suppression des clés de signature croisée est permanente. Tous ceux que vous avez vérifié vont voir des alertes de sécurité. Il est peu probable que ce soit ce que vous voulez faire, sauf si vous avez perdu tous les appareils vous permettant deffectuer une signature croisée.", "Deleting cross-signing keys is permanent. Anyone you have verified with will see security alerts. You almost certainly don't want to do this, unless you've lost every device you can cross-sign from.": "La suppression des clés de signature croisée est permanente. Tous ceux que vous avez vérifié vont voir des alertes de sécurité. Il est peu probable que ce soit ce que vous voulez faire, sauf si vous avez perdu tous les appareils vous permettant deffectuer une signature croisée.",
"Clear cross-signing keys": "Vider les clés de signature croisée", "Clear cross-signing keys": "Vider les clés de signature croisée",
@ -1287,7 +1256,6 @@
"Sign In or Create Account": "Se connecter ou créer un compte", "Sign In or Create Account": "Se connecter ou créer un compte",
"Use your account or create a new one to continue.": "Utilisez votre compte ou créez en un pour continuer.", "Use your account or create a new one to continue.": "Utilisez votre compte ou créez en un pour continuer.",
"Create Account": "Créer un compte", "Create Account": "Créer un compte",
"Show shortcuts to recently viewed rooms above the room list": "Afficher les raccourcis vers les salons vus récemment au-dessus de la liste des salons",
"Displays information about a user": "Affiche des informations à propos de lutilisateur", "Displays information about a user": "Affiche des informations à propos de lutilisateur",
"To report a Matrix-related security issue, please read the Matrix.org <a>Security Disclosure Policy</a>.": "Pour signaler un problème de sécurité lié à Matrix, consultez <a>la politique de divulgation de sécurité</a> de Matrix.org.", "To report a Matrix-related security issue, please read the Matrix.org <a>Security Disclosure Policy</a>.": "Pour signaler un problème de sécurité lié à Matrix, consultez <a>la politique de divulgation de sécurité</a> de Matrix.org.",
"Mark all as read": "Tout marquer comme lu", "Mark all as read": "Tout marquer comme lu",
@ -1324,7 +1292,6 @@
"Can't find this server or its room list": "Impossible de trouver ce serveur ou sa liste de salons", "Can't find this server or its room list": "Impossible de trouver ce serveur ou sa liste de salons",
"All rooms": "Tous les salons", "All rooms": "Tous les salons",
"Your server": "Votre serveur", "Your server": "Votre serveur",
"Matrix": "Matrix",
"Add a new server": "Ajouter un nouveau serveur", "Add a new server": "Ajouter un nouveau serveur",
"Enter the name of a new server you want to explore.": "Saisissez le nom du nouveau serveur que vous voulez parcourir.", "Enter the name of a new server you want to explore.": "Saisissez le nom du nouveau serveur que vous voulez parcourir.",
"Server name": "Nom du serveur", "Server name": "Nom du serveur",
@ -1609,7 +1576,6 @@
"%(ssoButtons)s Or %(usernamePassword)s": "%(ssoButtons)s ou %(usernamePassword)s", "%(ssoButtons)s Or %(usernamePassword)s": "%(ssoButtons)s ou %(usernamePassword)s",
"Decide where your account is hosted": "Décidez où votre compte est hébergé", "Decide where your account is hosted": "Décidez où votre compte est hébergé",
"Go to Home View": "Revenir à la page daccueil", "Go to Home View": "Revenir à la page daccueil",
"Use Ctrl + Enter to send a message": "Utilisez Ctrl + Entrée pour envoyer un message",
"%(senderName)s ended the call": "%(senderName)s a terminé lappel", "%(senderName)s ended the call": "%(senderName)s a terminé lappel",
"You ended the call": "Vous avez terminé lappel", "You ended the call": "Vous avez terminé lappel",
"%(creator)s created this DM.": "%(creator)s a créé cette conversation privée.", "%(creator)s created this DM.": "%(creator)s a créé cette conversation privée.",
@ -1965,7 +1931,6 @@
"Sends the given message with fireworks": "Envoie le message donné avec des feux d'artifices", "Sends the given message with fireworks": "Envoie le message donné avec des feux d'artifices",
"sends confetti": "envoie des confettis", "sends confetti": "envoie des confettis",
"Sends the given message with confetti": "Envoie le message avec des confettis", "Sends the given message with confetti": "Envoie le message avec des confettis",
"Use Command + Enter to send a message": "Utilisez Ctrl + Entrée pour envoyer un message",
"New version of %(brand)s is available": "Nouvelle version de %(brand)s disponible", "New version of %(brand)s is available": "Nouvelle version de %(brand)s disponible",
"Update %(brand)s": "Mettre à jour %(brand)s", "Update %(brand)s": "Mettre à jour %(brand)s",
"Enable desktop notifications": "Activer les notifications sur le bureau", "Enable desktop notifications": "Activer les notifications sur le bureau",
@ -2015,7 +1980,6 @@
"Decline All": "Tout refuser", "Decline All": "Tout refuser",
"This widget would like to:": "Le widget voudrait :", "This widget would like to:": "Le widget voudrait :",
"Approve widget permissions": "Approuver les permissions du widget", "Approve widget permissions": "Approuver les permissions du widget",
"There was an error finding this widget.": "Erreur lors de la récupération de ce widget.",
"Set my room layout for everyone": "Définir ma disposition de salon pour tout le monde", "Set my room layout for everyone": "Définir ma disposition de salon pour tout le monde",
"Open dial pad": "Ouvrir le pavé de numérotation", "Open dial pad": "Ouvrir le pavé de numérotation",
"Recently visited rooms": "Salons visités récemment", "Recently visited rooms": "Salons visités récemment",
@ -2029,9 +1993,6 @@
"Dial pad": "Pavé de numérotation", "Dial pad": "Pavé de numérotation",
"There was an error looking up the phone number": "Erreur lors de la recherche de votre numéro de téléphone", "There was an error looking up the phone number": "Erreur lors de la recherche de votre numéro de téléphone",
"Unable to look up phone number": "Impossible de trouver votre numéro de téléphone", "Unable to look up phone number": "Impossible de trouver votre numéro de téléphone",
"Show line numbers in code blocks": "Afficher les numéros de ligne dans les blocs de code",
"Expand code blocks by default": "Développer les blocs de code par défaut",
"Show stickers button": "Afficher le bouton des autocollants",
"Use app": "Utiliser lapplication", "Use app": "Utiliser lapplication",
"Use app for a better experience": "Utilisez une application pour une meilleure expérience", "Use app for a better experience": "Utilisez une application pour une meilleure expérience",
"See text messages posted to your active room": "Voir les messages textuels dans le salon actif", "See text messages posted to your active room": "Voir les messages textuels dans le salon actif",
@ -2046,24 +2007,6 @@
"Converts the room to a DM": "Transforme le salon en conversation privée", "Converts the room to a DM": "Transforme le salon en conversation privée",
"We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "Nous avons demandé à votre navigateur de mémoriser votre serveur daccueil, mais il semble lavoir oublié. Rendez-vous à la page de connexion et réessayez.", "We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "Nous avons demandé à votre navigateur de mémoriser votre serveur daccueil, mais il semble lavoir oublié. Rendez-vous à la page de connexion et réessayez.",
"We couldn't log you in": "Nous navons pas pu vous connecter", "We couldn't log you in": "Nous navons pas pu vous connecter",
"Values at explicit levels in this room:": "Valeurs pour les rangs explicites de ce salon :",
"Values at explicit levels:": "Valeurs pour les rangs explicites :",
"Value in this room:": "Valeur pour ce salon :",
"Value:": "Valeur :",
"Save setting values": "Enregistrer les valeurs des paramètres",
"Values at explicit levels in this room": "Valeurs pour des rangs explicites dans ce salon",
"Values at explicit levels": "Valeurs pour des rangs explicites",
"Settable at room": "Définissable par salon",
"Settable at global": "Définissable de manière globale",
"Level": "Rang",
"Setting definition:": "Définition du paramètre :",
"This UI does NOT check the types of the values. Use at your own risk.": "Cette interface ne vérifie pas les types des valeurs. Utilisez la à vos propres risques.",
"Caution:": "Attention :",
"Setting:": "Paramètre :",
"Value in this room": "Valeur pour ce salon",
"Value": "Valeur",
"Setting ID": "Identifiant de paramètre",
"Show chat effects (animations when receiving e.g. confetti)": "Afficher les animations de conversation (animations lors de la réception par ex. de confettis)",
"Invite someone using their name, username (like <userId/>) or <a>share this space</a>.": "Invitez quelquun grâce à son nom, nom dutilisateur (tel que <userId/>) ou <a>partagez cet espace</a>.", "Invite someone using their name, username (like <userId/>) or <a>share this space</a>.": "Invitez quelquun grâce à son nom, nom dutilisateur (tel que <userId/>) ou <a>partagez cet espace</a>.",
"Invite someone using their name, email address, username (like <userId/>) or <a>share this space</a>.": "Invitez quelquun grâce à son nom, adresse e-mail, nom dutilisateur (tel que <userId/>) ou <a>partagez cet espace</a>.", "Invite someone using their name, email address, username (like <userId/>) or <a>share this space</a>.": "Invitez quelquun grâce à son nom, adresse e-mail, nom dutilisateur (tel que <userId/>) ou <a>partagez cet espace</a>.",
"Original event source": "Évènement source original", "Original event source": "Évènement source original",
@ -2115,7 +2058,6 @@
"Invite only, best for yourself or teams": "Sur invitation, idéal pour vous-même ou les équipes", "Invite only, best for yourself or teams": "Sur invitation, idéal pour vous-même ou les équipes",
"Open space for anyone, best for communities": "Espace ouvert à tous, idéal pour les communautés", "Open space for anyone, best for communities": "Espace ouvert à tous, idéal pour les communautés",
"Create a space": "Créer un espace", "Create a space": "Créer un espace",
"Jump to the bottom of the timeline when you send a message": "Sauter en bas du fil de discussion lorsque vous envoyez un message",
"This homeserver has been blocked by its administrator.": "Ce serveur daccueil a été bloqué par son administrateur.", "This homeserver has been blocked by its administrator.": "Ce serveur daccueil a été bloqué par son administrateur.",
"You're already in a call with this person.": "Vous êtes déjà en cours dappel avec cette personne.", "You're already in a call with this person.": "Vous êtes déjà en cours dappel avec cette personne.",
"Already in call": "Déjà en cours dappel", "Already in call": "Déjà en cours dappel",
@ -2166,7 +2108,6 @@
"other": "%(count)s personnes que vous connaissez en font déjà partie" "other": "%(count)s personnes que vous connaissez en font déjà partie"
}, },
"Invite to just this room": "Inviter seulement dans ce salon", "Invite to just this room": "Inviter seulement dans ce salon",
"Warn before quitting": "Avertir avant de quitter",
"Manage & explore rooms": "Gérer et découvrir les salons", "Manage & explore rooms": "Gérer et découvrir les salons",
"Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "Consultation avec %(transferTarget)s. <a>Transfert à %(transferee)s</a>", "Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "Consultation avec %(transferTarget)s. <a>Transfert à %(transferee)s</a>",
"unknown person": "personne inconnue", "unknown person": "personne inconnue",
@ -2289,7 +2230,6 @@
"e.g. my-space": "par ex. mon-espace", "e.g. my-space": "par ex. mon-espace",
"Silence call": "Mettre lappel en sourdine", "Silence call": "Mettre lappel en sourdine",
"Sound on": "Son activé", "Sound on": "Son activé",
"Show all rooms in Home": "Afficher tous les salons dans Accueil",
"%(senderName)s changed the <a>pinned messages</a> for the room.": "%(senderName)s a changé <a>les messages épinglés</a> du salon.", "%(senderName)s changed the <a>pinned messages</a> for the room.": "%(senderName)s a changé <a>les messages épinglés</a> du salon.",
"%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s a annulé linvitation de %(targetName)s", "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s a annulé linvitation de %(targetName)s",
"%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s a annulé linvitation de %(targetName)s : %(reason)s", "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s a annulé linvitation de %(targetName)s : %(reason)s",
@ -2341,8 +2281,6 @@
"An error occurred whilst saving your notification preferences.": "Une erreur est survenue lors de la sauvegarde de vos préférences de notification.", "An error occurred whilst saving your notification preferences.": "Une erreur est survenue lors de la sauvegarde de vos préférences de notification.",
"Error saving notification preferences": "Erreur lors de la sauvegarde des préférences de notification", "Error saving notification preferences": "Erreur lors de la sauvegarde des préférences de notification",
"Messages containing keywords": "Message contenant les mots-clés", "Messages containing keywords": "Message contenant les mots-clés",
"Use Ctrl + F to search timeline": "Utilisez Ctrl + F pour rechercher dans le fil de discussion",
"Use Command + F to search timeline": "Utilisez Commande + F pour rechercher dans le fil de discussion",
"Transfer Failed": "Échec du transfert", "Transfer Failed": "Échec du transfert",
"Unable to transfer call": "Impossible de transférer lappel", "Unable to transfer call": "Impossible de transférer lappel",
"Decide who can join %(roomName)s.": "Choisir qui peut rejoindre %(roomName)s.", "Decide who can join %(roomName)s.": "Choisir qui peut rejoindre %(roomName)s.",
@ -2369,7 +2307,6 @@
"Your camera is turned off": "Votre caméra est éteinte", "Your camera is turned off": "Votre caméra est éteinte",
"%(sharerName)s is presenting": "%(sharerName)s est à lécran", "%(sharerName)s is presenting": "%(sharerName)s est à lécran",
"You are presenting": "Vous êtes à lécran", "You are presenting": "Vous êtes à lécran",
"All rooms you're in will appear in Home.": "Tous les salons dans lesquels vous vous trouvez apparaîtront sur lAccueil.",
"Adding spaces has moved.": "Lajout despaces a été déplacé.", "Adding spaces has moved.": "Lajout despaces a été déplacé.",
"Search for rooms": "Rechercher des salons", "Search for rooms": "Rechercher des salons",
"Search for spaces": "Rechercher des espaces", "Search for spaces": "Rechercher des espaces",
@ -2453,8 +2390,6 @@
"To avoid these issues, create a <a>new encrypted room</a> for the conversation you plan to have.": "Pour éviter ces problèmes, créez un <a>nouveau salon chiffré</a> pour la conversation que vous souhaitez avoir.", "To avoid these issues, create a <a>new encrypted room</a> for the conversation you plan to have.": "Pour éviter ces problèmes, créez un <a>nouveau salon chiffré</a> pour la conversation que vous souhaitez avoir.",
"Are you sure you want to add encryption to this public room?": "Êtes-vous sûr de vouloir ajouter le chiffrement dans ce salon public ?", "Are you sure you want to add encryption to this public room?": "Êtes-vous sûr de vouloir ajouter le chiffrement dans ce salon public ?",
"Cross-signing is ready but keys are not backed up.": "La signature croisée est prête mais les clés ne sont pas sauvegardées.", "Cross-signing is ready but keys are not backed up.": "La signature croisée est prête mais les clés ne sont pas sauvegardées.",
"Autoplay videos": "Jouer automatiquement les vidéos",
"Autoplay GIFs": "Jouer automatiquement les GIFs",
"The above, but in <Room /> as well": "Comme ci-dessus, mais également dans <Room />", "The above, but in <Room /> as well": "Comme ci-dessus, mais également dans <Room />",
"The above, but in any room you are joined or invited to as well": "Comme ci-dessus, mais également dans tous les salons dans lesquels vous avez été invité ou que vous avez rejoint", "The above, but in any room you are joined or invited to as well": "Comme ci-dessus, mais également dans tous les salons dans lesquels vous avez été invité ou que vous avez rejoint",
"%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s a désépinglé un message de ce salon. Voir tous les messages épinglés.", "%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s a désépinglé un message de ce salon. Voir tous les messages épinglés.",
@ -2636,7 +2571,6 @@
"sends rainfall": "envoie de la pluie", "sends rainfall": "envoie de la pluie",
"Sends the given message with rainfall": "Envoie le message avec de la pluie", "Sends the given message with rainfall": "Envoie le message avec de la pluie",
"%(senderName)s has updated the room layout": "%(senderName)s a mis à jour la mise en page du salon", "%(senderName)s has updated the room layout": "%(senderName)s a mis à jour la mise en page du salon",
"Clear": "Effacer",
"Spaces you know that contain this space": "Les espaces connus qui contiennent cet espace", "Spaces you know that contain this space": "Les espaces connus qui contiennent cet espace",
"You may contact me if you want to follow up or to let me test out upcoming ideas": "Vous pouvez me contacter si vous voulez un suivi ou me laisser tester de nouvelles idées", "You may contact me if you want to follow up or to let me test out upcoming ideas": "Vous pouvez me contacter si vous voulez un suivi ou me laisser tester de nouvelles idées",
"Sorry, the poll you tried to create was not posted.": "Désolé, le sondage que vous avez essayé de créer na pas été envoyé.", "Sorry, the poll you tried to create was not posted.": "Désolé, le sondage que vous avez essayé de créer na pas été envoyé.",
@ -2744,7 +2678,6 @@
"Verify this device": "Vérifier cet appareil", "Verify this device": "Vérifier cet appareil",
"Unable to verify this device": "Impossible de vérifier cet appareil", "Unable to verify this device": "Impossible de vérifier cet appareil",
"Verify other device": "Vérifier un autre appareil", "Verify other device": "Vérifier un autre appareil",
"Edit setting": "Modifier le paramètre",
"This address had invalid server or is already in use": "Cette adresse a un serveur invalide ou est déjà utilisée", "This address had invalid server or is already in use": "Cette adresse a un serveur invalide ou est déjà utilisée",
"Missing room name or separator e.g. (my-room:domain.org)": "Nom de salon ou séparateur manquant, par exemple (mon-salon:domain.org)", "Missing room name or separator e.g. (my-room:domain.org)": "Nom de salon ou séparateur manquant, par exemple (mon-salon:domain.org)",
"Missing domain separator e.g. (:domain.org)": "Séparateur de domaine manquant, par exemple (:domain.org)", "Missing domain separator e.g. (:domain.org)": "Séparateur de domaine manquant, par exemple (:domain.org)",
@ -2796,7 +2729,6 @@
"Remove them from everything I'm able to": "Les expulser de partout où jai le droit de le faire", "Remove them from everything I'm able to": "Les expulser de partout où jai le droit de le faire",
"You were removed from %(roomName)s by %(memberName)s": "Vous avez été expulsé(e) de %(roomName)s par %(memberName)s", "You were removed from %(roomName)s by %(memberName)s": "Vous avez été expulsé(e) de %(roomName)s par %(memberName)s",
"Remove users": "Expulser des utilisateurs", "Remove users": "Expulser des utilisateurs",
"Show join/leave messages (invites/removes/bans unaffected)": "Afficher les messages d'arrivée et de départ (les invitations/expulsions/bannissements ne sont pas concernés)",
"Remove, ban, or invite people to your active room, and make you leave": "Expulser, bannir ou inviter des personnes dans votre salon actif et en partir", "Remove, ban, or invite people to your active room, and make you leave": "Expulser, bannir ou inviter des personnes dans votre salon actif et en partir",
"Remove, ban, or invite people to this room, and make you leave": "Expulser, bannir ou inviter une personne dans ce salon et vous permettre de partir", "Remove, ban, or invite people to this room, and make you leave": "Expulser, bannir ou inviter une personne dans ce salon et vous permettre de partir",
"%(senderName)s removed %(targetName)s": "%(senderName)s a expulsé %(targetName)s", "%(senderName)s removed %(targetName)s": "%(senderName)s a expulsé %(targetName)s",
@ -2845,8 +2777,6 @@
"Pick a date to jump to": "Choisissez vers quelle date aller", "Pick a date to jump to": "Choisissez vers quelle date aller",
"Jump to date": "Aller à la date", "Jump to date": "Aller à la date",
"The beginning of the room": "Le début de ce salon", "The beginning of the room": "Le début de ce salon",
"Last month": "Le mois dernier",
"Last week": "La semaine dernière",
"If you know what you're doing, Element is open-source, be sure to check out our GitHub (https://github.com/vector-im/element-web/) and contribute!": "Si vous savez ce que vous faites, Element est un logiciel libre, n'hésitez pas à consulter notre GitHub (https://github.com/vector-im/element-web/) et à contribuer !", "If you know what you're doing, Element is open-source, be sure to check out our GitHub (https://github.com/vector-im/element-web/) and contribute!": "Si vous savez ce que vous faites, Element est un logiciel libre, n'hésitez pas à consulter notre GitHub (https://github.com/vector-im/element-web/) et à contribuer !",
"If someone told you to copy/paste something here, there is a high likelihood you're being scammed!": "Si quelqu'un vous a dit de copier/coller quelque chose ici, il y a de fortes chances que vous soyez victime d'une escroquerie !", "If someone told you to copy/paste something here, there is a high likelihood you're being scammed!": "Si quelqu'un vous a dit de copier/coller quelque chose ici, il y a de fortes chances que vous soyez victime d'une escroquerie !",
"Wait!": "Attendez !", "Wait!": "Attendez !",
@ -2860,7 +2790,6 @@
"No virtual room for this room": "Aucun salon virtuel pour ce salon", "No virtual room for this room": "Aucun salon virtuel pour ce salon",
"Switches to this room's virtual room, if it has one": "Bascule dans le salon virtuel de ce salon, s'il en a un", "Switches to this room's virtual room, if it has one": "Bascule dans le salon virtuel de ce salon, s'il en a un",
"Automatically send debug logs when key backup is not functioning": "Envoyer automatiquement les journaux de débogage lorsque la sauvegarde des clés ne fonctionne pas", "Automatically send debug logs when key backup is not functioning": "Envoyer automatiquement les journaux de débogage lorsque la sauvegarde des clés ne fonctionne pas",
"Maximise": "Maximiser",
"You do not have permissions to add spaces to this space": "Vous n'avez pas les permissions nécessaires pour ajouter des espaces à cet espace", "You do not have permissions to add spaces to this space": "Vous n'avez pas les permissions nécessaires pour ajouter des espaces à cet espace",
"Remove messages sent by me": "Supprimer les messages que j'ai moi-même envoyés", "Remove messages sent by me": "Supprimer les messages que j'ai moi-même envoyés",
"Open thread": "Ouvrir le fil de discussion", "Open thread": "Ouvrir le fil de discussion",
@ -2884,11 +2813,6 @@
"Use <arrows/> to scroll": "Utilisez <arrows/> pour faire défiler", "Use <arrows/> to scroll": "Utilisez <arrows/> pour faire défiler",
"Join %(roomAddress)s": "Rejoindre %(roomAddress)s", "Join %(roomAddress)s": "Rejoindre %(roomAddress)s",
"Export Cancelled": "Export annulé", "Export Cancelled": "Export annulé",
"<empty string>": "<chaîne de caractères vide>",
"<%(count)s spaces>": {
"one": "<espace>",
"other": "<%(count)s espaces>"
},
"Results are only revealed when you end the poll": "Les résultats ne sont révélés que lorsque vous terminez le sondage", "Results are only revealed when you end the poll": "Les résultats ne sont révélés que lorsque vous terminez le sondage",
"Voters see results as soon as they have voted": "Les participants voient les résultats dès qu'ils ont voté", "Voters see results as soon as they have voted": "Les participants voient les résultats dès qu'ils ont voté",
"Closed poll": "Sondage terminé", "Closed poll": "Sondage terminé",
@ -2909,10 +2833,8 @@
"We couldn't send your location": "Nous n'avons pas pu envoyer votre position", "We couldn't send your location": "Nous n'avons pas pu envoyer votre position",
"Open user settings": "Ouvrir les paramètres de l'utilisateur", "Open user settings": "Ouvrir les paramètres de l'utilisateur",
"Switch to space by number": "Basculer vers l'espace par numéro", "Switch to space by number": "Basculer vers l'espace par numéro",
"Accessibility": "Accessibilité",
"Match system": "Sadapter au système", "Match system": "Sadapter au système",
"Reply to an ongoing thread or use “%(replyInThread)s” when hovering over a message to start a new one.": "Répondez à un fil de discussion en cours ou utilisez \"%(replyInThread)s\" lorsque vous passez la souris sur un message pour en commencer un nouveau.", "Reply to an ongoing thread or use “%(replyInThread)s” when hovering over a message to start a new one.": "Répondez à un fil de discussion en cours ou utilisez \"%(replyInThread)s\" lorsque vous passez la souris sur un message pour en commencer un nouveau.",
"Insert a trailing colon after user mentions at the start of a message": "Insérer deux-points après les mentions de l'utilisateur au début d'un message",
"%(oneUser)schanged the <a>pinned messages</a> for the room %(count)s times": { "%(oneUser)schanged the <a>pinned messages</a> for the room %(count)s times": {
"one": "%(oneUser)s a changé les <a>messages épinglés</a> du salon", "one": "%(oneUser)s a changé les <a>messages épinglés</a> du salon",
"other": "%(oneUser)s a changé %(count)s fois les <a>messages épinglés</a> du salon" "other": "%(oneUser)s a changé %(count)s fois les <a>messages épinglés</a> du salon"
@ -2943,31 +2865,7 @@
"Event ID: %(eventId)s": "Identifiant dévénement : %(eventId)s", "Event ID: %(eventId)s": "Identifiant dévénement : %(eventId)s",
"%(timeRemaining)s left": "%(timeRemaining)s restant", "%(timeRemaining)s left": "%(timeRemaining)s restant",
"You are sharing your live location": "Vous partagez votre position en direct", "You are sharing your live location": "Vous partagez votre position en direct",
"No verification requests found": "Aucune demande de vérification trouvée",
"Observe only": "Observer uniquement",
"Requester": "Demandeur",
"Methods": "Méthodes",
"Timeout": "Temps dattente",
"Phase": "Phase",
"Transaction": "Transaction",
"Cancelled": "Annulé",
"Started": "Démarré",
"Ready": "Prêt",
"Requested": "Envoyé",
"Unsent": "Non envoyé", "Unsent": "Non envoyé",
"Edit values": "Modifier les valeurs",
"Failed to save settings.": "Échec lors de la sauvegarde des paramètres.",
"Number of users": "Nombre dutilisateurs",
"Server": "Serveur",
"Server Versions": "Versions des serveurs",
"Client Versions": "Versions des clients",
"Failed to load.": "Échec du chargement.",
"Capabilities": "Capacités",
"Send custom state event": "Envoyer des événements détat personnalisés",
"Failed to send event!": "Échec de lenvoi de lévénement !",
"Doesn't look like valid JSON.": "Ne semble pas être du JSON valide.",
"Send custom room account data event": "Envoyer des événements personnalisés de données du compte du salon",
"Send custom account data event": "Envoyer des événements personnalisés de données du compte",
"Room ID: %(roomId)s": "Identifiant du salon : %(roomId)s", "Room ID: %(roomId)s": "Identifiant du salon : %(roomId)s",
"Server info": "Infos du serveur", "Server info": "Infos du serveur",
"Settings explorer": "Explorateur de paramètres", "Settings explorer": "Explorateur de paramètres",
@ -3085,7 +2983,6 @@
"Unmute microphone": "Activer le microphone", "Unmute microphone": "Activer le microphone",
"Mute microphone": "Désactiver le microphone", "Mute microphone": "Désactiver le microphone",
"Audio devices": "Périphériques audio", "Audio devices": "Périphériques audio",
"Enable Markdown": "Activer Markdown",
"%(members)s and more": "%(members)s et plus", "%(members)s and more": "%(members)s et plus",
"Your message wasn't sent because this homeserver has been blocked by its administrator. Please <a>contact your service administrator</a> to continue using the service.": "Votre message na pas été envoyé car ce serveur daccueil a été bloqué par son administrateur. Veuillez <a>contacter ladministrateur de votre service</a> pour continuer à lutiliser.", "Your message wasn't sent because this homeserver has been blocked by its administrator. Please <a>contact your service administrator</a> to continue using the service.": "Votre message na pas été envoyé car ce serveur daccueil a été bloqué par son administrateur. Veuillez <a>contacter ladministrateur de votre service</a> pour continuer à lutiliser.",
"An error occurred while stopping your live location": "Une erreur sest produite lors de larrêt de votre position en continu", "An error occurred while stopping your live location": "Une erreur sest produite lors de larrêt de votre position en continu",
@ -3117,7 +3014,6 @@
"Edit topic": "Modifier le sujet", "Edit topic": "Modifier le sujet",
"Joining…": "En train de rejoindre…", "Joining…": "En train de rejoindre…",
"Read receipts": "Accusés de réception", "Read receipts": "Accusés de réception",
"Enable hardware acceleration (restart %(appName)s to take effect)": "Activer laccélération matérielle (redémarrer %(appName)s pour appliquer)",
"%(count)s people joined": { "%(count)s people joined": {
"one": "%(count)s personne sest jointe", "one": "%(count)s personne sest jointe",
"other": "%(count)s personnes se sont jointes" "other": "%(count)s personnes se sont jointes"
@ -3126,7 +3022,6 @@
"Deactivating your account is a permanent action — be careful!": "La désactivation du compte est une action permanente. Soyez prudent !", "Deactivating your account is a permanent action — be careful!": "La désactivation du compte est une action permanente. Soyez prudent !",
"You were disconnected from the call. (Error: %(message)s)": "Vous avez déconnecté de lappel. (Erreur : %(message)s)", "You were disconnected from the call. (Error: %(message)s)": "Vous avez déconnecté de lappel. (Erreur : %(message)s)",
"Connection lost": "Connexion perdue", "Connection lost": "Connexion perdue",
"Minimise": "Minimiser",
"Un-maximise": "Dé-maximiser", "Un-maximise": "Dé-maximiser",
"Joining the beta will reload %(brand)s.": "Rejoindre la bêta va recharger %(brand)s.", "Joining the beta will reload %(brand)s.": "Rejoindre la bêta va recharger %(brand)s.",
"Leaving the beta will reload %(brand)s.": "Quitter la bêta va recharger %(brand)s.", "Leaving the beta will reload %(brand)s.": "Quitter la bêta va recharger %(brand)s.",
@ -3185,20 +3080,6 @@
"Send your first message to invite <displayName/> to chat": "Envoyez votre premier message pour inviter <displayName/> à discuter", "Send your first message to invite <displayName/> to chat": "Envoyez votre premier message pour inviter <displayName/> à discuter",
"Choose a locale": "Choisir une langue", "Choose a locale": "Choisir une langue",
"Spell check": "Vérificateur orthographique", "Spell check": "Vérificateur orthographique",
"Complete these to get the most out of %(brand)s": "Terminez-les pour obtenir le maximum de %(brand)s",
"You did it!": "Vous lavez fait !",
"Only %(count)s steps to go": {
"one": "Plus que %(count)s étape",
"other": "Plus que %(count)s étapes"
},
"Welcome to %(brand)s": "Bienvenue sur %(brand)s",
"Find your people": "Trouvez vos contacts",
"Keep ownership and control of community discussion.\nScale to support millions, with powerful moderation and interoperability.": "Gardez le contrôle sur la discussion de votre communauté.\nPrend en charge des millions de messages, avec une interopérabilité et une modération efficace.",
"Find your co-workers": "Trouver vos collègues",
"Secure messaging for work": "Messagerie sécurisée pour le travail",
"Start your first chat": "Démarrer votre première conversation",
"With free end-to-end encrypted messaging, and unlimited voice and video calls, %(brand)s is a great way to stay in touch.": "Grâce à la messagerie chiffrée de bout en bout gratuite, ainsi que des appels audio et vidéo illimités, %(brand)s est un excellent moyen de rester en contact.",
"Secure messaging for friends and family": "Messagerie sécurisée pour les amis et la famille",
"Enable notifications": "Activer les notifications", "Enable notifications": "Activer les notifications",
"Dont miss a reply or important message": "Ne ratez pas une réponse ou un message important", "Dont miss a reply or important message": "Ne ratez pas une réponse ou un message important",
"Turn on notifications": "Activer les notifications", "Turn on notifications": "Activer les notifications",
@ -3218,16 +3099,12 @@
"App Store® and the Apple logo® are trademarks of Apple Inc.": "App Store® et le logo Apple® sont des marques déposées de Apple Inc.", "App Store® and the Apple logo® are trademarks of Apple Inc.": "App Store® et le logo Apple® sont des marques déposées de Apple Inc.",
"Get it on F-Droid": "Récupérez-le sur F-Droid", "Get it on F-Droid": "Récupérez-le sur F-Droid",
"Get it on Google Play": "Récupérez-le sur Google Play", "Get it on Google Play": "Récupérez-le sur Google Play",
"Android": "Android",
"Download on the App Store": "Télécharger sur lApp Store", "Download on the App Store": "Télécharger sur lApp Store",
"iOS": "iOS",
"Download %(brand)s Desktop": "Télécharger %(brand)s Desktop", "Download %(brand)s Desktop": "Télécharger %(brand)s Desktop",
"Download %(brand)s": "Télécharger %(brand)s", "Download %(brand)s": "Télécharger %(brand)s",
"We're creating a room with %(names)s": "Nous créons un salon avec %(names)s", "We're creating a room with %(names)s": "Nous créons un salon avec %(names)s",
"Community ownership": "Propriété de la communauté",
"Your server doesn't support disabling sending read receipts.": "Votre serveur ne supporte pas la désactivation de lenvoi des accusés de réception.", "Your server doesn't support disabling sending read receipts.": "Votre serveur ne supporte pas la désactivation de lenvoi des accusés de réception.",
"Share your activity and status with others.": "Partager votre activité et votre statut avec les autres.", "Share your activity and status with others.": "Partager votre activité et votre statut avec les autres.",
"Send read receipts": "Envoyer les accusés de réception",
"Last activity": "Dernière activité", "Last activity": "Dernière activité",
"Current session": "Cette session", "Current session": "Cette session",
"Sessions": "Sessions", "Sessions": "Sessions",
@ -3253,15 +3130,11 @@
"Unverified session": "Session non vérifiée", "Unverified session": "Session non vérifiée",
"This session is ready for secure messaging.": "Cette session est prête pour lenvoi de messages sécurisés.", "This session is ready for secure messaging.": "Cette session est prête pour lenvoi de messages sécurisés.",
"Verified session": "Session vérifiée", "Verified session": "Session vérifiée",
"Unverified": "Non vérifiée",
"Verified": "Vérifiée",
"Inactive for %(inactiveAgeDays)s+ days": "Inactif depuis plus de %(inactiveAgeDays)s jours", "Inactive for %(inactiveAgeDays)s+ days": "Inactif depuis plus de %(inactiveAgeDays)s jours",
"Session details": "Détails de session", "Session details": "Détails de session",
"IP address": "Adresse IP", "IP address": "Adresse IP",
"Device": "Appareil",
"For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Pour une meilleure sécurité, vérifiez vos sessions et déconnectez toutes les sessions que vous ne connaissez pas ou que vous nutilisez plus.", "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Pour une meilleure sécurité, vérifiez vos sessions et déconnectez toutes les sessions que vous ne connaissez pas ou que vous nutilisez plus.",
"Other sessions": "Autres sessions", "Other sessions": "Autres sessions",
"Welcome": "Bienvenue",
"Show shortcut to welcome checklist above the room list": "Afficher le raccourci vers la liste de vérification de bienvenue au-dessus de la liste des salons", "Show shortcut to welcome checklist above the room list": "Afficher le raccourci vers la liste de vérification de bienvenue au-dessus de la liste des salons",
"Dont miss a thing by taking %(brand)s with you": "Ne ratez pas une miette en emportant %(brand)s avec vous", "Dont miss a thing by taking %(brand)s with you": "Ne ratez pas une miette en emportant %(brand)s avec vous",
"<b>It's not recommended to add encryption to public rooms.</b> Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.": "<b>Il n'est pas recommandé dajouter le chiffrement aux salons publics.</b> Tout le monde peut trouver et rejoindre les salons publics, donc tout le monde peut lire les messages qui sy trouvent. Vous naurez aucun des avantages du chiffrement, et vous ne pourrez pas le désactiver plus tard. Chiffrer les messages dans un salon public ralentira la réception et lenvoi de messages.", "<b>It's not recommended to add encryption to public rooms.</b> Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.": "<b>Il n'est pas recommandé dajouter le chiffrement aux salons publics.</b> Tout le monde peut trouver et rejoindre les salons publics, donc tout le monde peut lire les messages qui sy trouvent. Vous naurez aucun des avantages du chiffrement, et vous ne pourrez pas le désactiver plus tard. Chiffrer les messages dans un salon public ralentira la réception et lenvoi de messages.",
@ -3308,8 +3181,6 @@
"Video call ended": "Appel vidéo terminé", "Video call ended": "Appel vidéo terminé",
"%(name)s started a video call": "%(name)s a démarré un appel vidéo", "%(name)s started a video call": "%(name)s a démarré un appel vidéo",
"Record the client name, version, and url to recognise sessions more easily in session manager": "Enregistrez le nom, la version et l'URL du client afin de reconnaitre les sessions plus facilement dans le gestionnaire de sessions", "Record the client name, version, and url to recognise sessions more easily in session manager": "Enregistrez le nom, la version et l'URL du client afin de reconnaitre les sessions plus facilement dans le gestionnaire de sessions",
"Version": "Version",
"Application": "Application",
"URL": "URL", "URL": "URL",
"Unknown session type": "Type de session inconnu", "Unknown session type": "Type de session inconnu",
"Web session": "session internet", "Web session": "session internet",
@ -3327,7 +3198,6 @@
"View chat timeline": "Afficher la chronologie du chat", "View chat timeline": "Afficher la chronologie du chat",
"Video call (%(brand)s)": "Appel vidéo (%(brand)s)", "Video call (%(brand)s)": "Appel vidéo (%(brand)s)",
"Operating system": "Système dexploitation", "Operating system": "Système dexploitation",
"Model": "Modèle",
"Call type": "Type dappel", "Call type": "Type dappel",
"You do not have sufficient permissions to change this.": "Vous navez pas assez de permissions pour changer ceci.", "You do not have sufficient permissions to change this.": "Vous navez pas assez de permissions pour changer ceci.",
"%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s est chiffré de bout en bout, mais nest actuellement utilisable quavec un petit nombre dutilisateurs.", "%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s est chiffré de bout en bout, mais nest actuellement utilisable quavec un petit nombre dutilisateurs.",
@ -3486,19 +3356,6 @@
"All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "Tous les messages et invitations de cette utilisateur seront cachés. Êtes-vous sûr de vouloir les ignorer ?", "All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "Tous les messages et invitations de cette utilisateur seront cachés. Êtes-vous sûr de vouloir les ignorer ?",
"Ignore %(user)s": "Ignorer %(user)s", "Ignore %(user)s": "Ignorer %(user)s",
"Unable to decrypt voice broadcast": "Impossible de décrypter la diffusion audio", "Unable to decrypt voice broadcast": "Impossible de décrypter la diffusion audio",
"Thread Id: ": "Id du fil de discussion : ",
"Threads timeline": "Historique des fils de discussion",
"Sender: ": "Expéditeur : ",
"Type: ": "Type : ",
"ID: ": "ID : ",
"Last event:": "Dernier évènement :",
"No receipt found": "Aucun accusé disponible",
"User read up to: ": "Lutilisateur a lu jusquà : ",
"Dot: ": "Point : ",
"Highlight: ": "Mentions : ",
"Total: ": "Total : ",
"Main timeline": "Historique principal",
"Room status": "Statut du salon",
"Notifications debug": "Débogage des notifications", "Notifications debug": "Débogage des notifications",
"unknown": "inconnu", "unknown": "inconnu",
"Red": "Rouge", "Red": "Rouge",
@ -3558,14 +3415,6 @@
"Loading polls": "Chargement des sondages", "Loading polls": "Chargement des sondages",
"Identity server is <code>%(identityServerUrl)s</code>": "Le serveur didentité est <code>%(identityServerUrl)s</code>", "Identity server is <code>%(identityServerUrl)s</code>": "Le serveur didentité est <code>%(identityServerUrl)s</code>",
"Homeserver is <code>%(homeserverUrl)s</code>": "Le serveur daccueil est <code>%(homeserverUrl)s</code>", "Homeserver is <code>%(homeserverUrl)s</code>": "Le serveur daccueil est <code>%(homeserverUrl)s</code>",
"Show NSFW content": "Afficher le contenu sensible (NSFW)",
"Room is <strong>not encrypted 🚨</strong>": "Le salon <strong>nest pas chiffré 🚨</strong>",
"Room is <strong>encrypted ✅</strong>": "Le salon est <strong>chiffré ✅</strong>",
"Notification state is <strong>%(notificationState)s</strong>": "Létat des notifications est <strong>%(notificationState)s</strong>",
"Room unread status: <strong>%(status)s</strong>": "Statut non-lus du salon : <strong>%(status)s</strong>",
"Room unread status: <strong>%(status)s</strong>, count: <strong>%(count)s</strong>": {
"other": "Statut non-lus du salon : <strong>%(status)s</strong>, total : <strong>%(count)s</strong>"
},
"Ended a poll": "Sondage terminé", "Ended a poll": "Sondage terminé",
"Due to decryption errors, some votes may not be counted": "À cause derreurs de déchiffrement, certains votes pourraient ne pas avoir été pris en compte", "Due to decryption errors, some votes may not be counted": "À cause derreurs de déchiffrement, certains votes pourraient ne pas avoir été pris en compte",
"The sender has blocked you from receiving this message": "Lexpéditeur a bloqué la réception de votre message", "The sender has blocked you from receiving this message": "Lexpéditeur a bloqué la réception de votre message",
@ -3624,7 +3473,6 @@
"Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it.": "Lancienne version de ce salon (identifiant : %(roomId)s) est introuvable, et 'via_servers' ne nous a pas été fourni pour le trouver.", "Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it.": "Lancienne version de ce salon (identifiant : %(roomId)s) est introuvable, et 'via_servers' ne nous a pas été fourni pour le trouver.",
"Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it. It's possible that guessing the server from the room ID will work. If you want to try, click this link:": "Lancienne version de ce salon (identifiant : %(roomId)s) est introuvable, et 'via_servers' ne nous a pas été fourni pour le trouver. Il est possible que déduire le serveur à partir de lidentifiant de salon puisse marcher. Si vous voulez essayer, cliquez sur ce lien :", "Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it. It's possible that guessing the server from the room ID will work. If you want to try, click this link:": "Lancienne version de ce salon (identifiant : %(roomId)s) est introuvable, et 'via_servers' ne nous a pas été fourni pour le trouver. Il est possible que déduire le serveur à partir de lidentifiant de salon puisse marcher. Si vous voulez essayer, cliquez sur ce lien :",
"Formatting": "Formatage", "Formatting": "Formatage",
"Start messages with <code>/plain</code> to send without markdown.": "Commencez les messages avec <code>/plain</code> pour les envoyer sans markdown.",
"The add / bind with MSISDN flow is misconfigured": "Lajout / liaison avec le flux MSISDN est mal configuré", "The add / bind with MSISDN flow is misconfigured": "Lajout / liaison avec le flux MSISDN est mal configuré",
"No identity access token found": "Aucun jeton daccès didentité trouvé", "No identity access token found": "Aucun jeton daccès didentité trouvé",
"Identity server not set": "Serveur d'identité non défini", "Identity server not set": "Serveur d'identité non défini",
@ -3660,8 +3508,6 @@
"User is not logged in": "Lutilisateur nest pas identifié", "User is not logged in": "Lutilisateur nest pas identifié",
"Exported Data": "Données exportées", "Exported Data": "Données exportées",
"Views room with given address": "Affiche le salon avec cette adresse", "Views room with given address": "Affiche le salon avec cette adresse",
"Show current profile picture and name for users in message history": "Afficher limage de profil et le nom actuels des utilisateurs dans lhistorique des messages",
"Show profile picture changes": "Afficher les changements dimage de profil",
"Ask to join": "Demander à venir", "Ask to join": "Demander à venir",
"Notification Settings": "Paramètres de notification", "Notification Settings": "Paramètres de notification",
"Enable new native OIDC flows (Under active development)": "Active le nouveau processus OIDC natif (en cours de développement)", "Enable new native OIDC flows (Under active development)": "Active le nouveau processus OIDC natif (en cours de développement)",
@ -3693,16 +3539,12 @@
"Quick Actions": "Actions rapides", "Quick Actions": "Actions rapides",
"Unable to find user by email": "Impossible de trouver un utilisateur avec son courriel", "Unable to find user by email": "Impossible de trouver un utilisateur avec son courriel",
"Your profile picture URL": "Votre URL dimage de profil", "Your profile picture URL": "Votre URL dimage de profil",
"User read up to (ignoreSynthetic): ": "Lutilisateur a lu jusquà (ignoreSynthetic) : ",
"User read up to (m.read.private): ": "Lutilisateur a lu jusquà (m.read.private) : ",
"See history": "Afficher lhistorique",
"Select which emails you want to send summaries to. Manage your emails in <button>General</button>.": "Sélectionner les adresses auxquelles envoyer les résumés. Gérer vos courriels dans <button>Général</button>.", "Select which emails you want to send summaries to. Manage your emails in <button>General</button>.": "Sélectionner les adresses auxquelles envoyer les résumés. Gérer vos courriels dans <button>Général</button>.",
"Notify when someone mentions using @displayname or %(mxid)s": "Notifie lorsque quelquun utilise la mention @displayname ou %(mxid)s", "Notify when someone mentions using @displayname or %(mxid)s": "Notifie lorsque quelquun utilise la mention @displayname ou %(mxid)s",
"Enter keywords here, or use for spelling variations or nicknames": "Entrer des mots-clés ici, ou pour des orthographes alternatives ou des surnoms", "Enter keywords here, or use for spelling variations or nicknames": "Entrer des mots-clés ici, ou pour des orthographes alternatives ou des surnoms",
"Reset to default settings": "Réinitialiser aux paramètres par défaut", "Reset to default settings": "Réinitialiser aux paramètres par défaut",
"Are you sure you wish to remove (delete) this event?": "Êtes-vous sûr de vouloir supprimer cet évènement ?", "Are you sure you wish to remove (delete) this event?": "Êtes-vous sûr de vouloir supprimer cet évènement ?",
"Upgrade room": "Mettre à niveau le salon", "Upgrade room": "Mettre à niveau le salon",
"User read up to (m.read.private;ignoreSynthetic): ": "Lutilisateur a lu jusquà (m.read.private;ignoreSynthetic) : ",
"People, Mentions and Keywords": "Personnes, mentions et mots-clés", "People, Mentions and Keywords": "Personnes, mentions et mots-clés",
"Mentions and Keywords only": "Seulement les mentions et les mots-clés", "Mentions and Keywords only": "Seulement les mentions et les mots-clés",
"I want to be notified for (Default Setting)": "Je veux être notifié pour (réglage par défaut)", "I want to be notified for (Default Setting)": "Je veux être notifié pour (réglage par défaut)",
@ -3782,21 +3624,38 @@
"beta": "Bêta", "beta": "Bêta",
"attachment": "Pièce jointe", "attachment": "Pièce jointe",
"appearance": "Apparence", "appearance": "Apparence",
"guest": "Visiteur",
"legal": "Légal",
"credits": "Crédits",
"faq": "FAQ",
"access_token": "Jeton daccès",
"preferences": "Préférences",
"presence": "Présence",
"timeline": "Fil de discussion", "timeline": "Fil de discussion",
"privacy": "Vie privée",
"camera": "Caméra",
"microphone": "Micro",
"emoji": "Émojis",
"random": "Aléatoire",
"support": "Prise en charge", "support": "Prise en charge",
"space": "Espace" "space": "Espace",
"random": "Aléatoire",
"privacy": "Vie privée",
"presence": "Présence",
"preferences": "Préférences",
"microphone": "Micro",
"legal": "Légal",
"guest": "Visiteur",
"faq": "FAQ",
"emoji": "Émojis",
"credits": "Crédits",
"camera": "Caméra",
"access_token": "Jeton daccès",
"someone": "Quelquun",
"welcome": "Bienvenue",
"encrypted": "Chiffré",
"application": "Application",
"version": "Version",
"device": "Appareil",
"model": "Modèle",
"verified": "Vérifiée",
"unverified": "Non vérifiée",
"matrix": "Matrix",
"ios": "iOS",
"android": "Android",
"trusted": "Fiable",
"not_trusted": "Non fiable",
"accessibility": "Accessibilité",
"capabilities": "Capacités",
"server": "Serveur"
}, },
"action": { "action": {
"continue": "Continuer", "continue": "Continuer",
@ -3869,23 +3728,34 @@
"apply": "Appliquer", "apply": "Appliquer",
"add": "Ajouter", "add": "Ajouter",
"accept": "Accepter", "accept": "Accepter",
"disconnect": "Se déconnecter",
"change": "Changer",
"subscribe": "Sinscrire",
"unsubscribe": "Se désinscrire",
"approve": "Approuver",
"proceed": "Appliquer",
"complete": "Terminer",
"revoke": "Révoquer",
"rename": "Renommer",
"view_all": "Tout voir", "view_all": "Tout voir",
"unsubscribe": "Se désinscrire",
"subscribe": "Sinscrire",
"show_all": "Tout afficher", "show_all": "Tout afficher",
"show": "Afficher", "show": "Afficher",
"revoke": "Révoquer",
"review": "Examiner", "review": "Examiner",
"restore": "Restaurer", "restore": "Restaurer",
"rename": "Renommer",
"register": "Sinscrire",
"proceed": "Appliquer",
"play": "Lecture", "play": "Lecture",
"pause": "Pause", "pause": "Pause",
"register": "Sinscrire" "disconnect": "Se déconnecter",
"complete": "Terminer",
"change": "Changer",
"approve": "Approuver",
"manage": "Gérer",
"go": "Cest parti",
"import": "Importer",
"export": "Exporter",
"refresh": "Rafraîchir",
"minimise": "Minimiser",
"maximise": "Maximiser",
"mention": "Mentionner",
"submit": "Soumettre",
"send_report": "Envoyer le signalement",
"clear": "Effacer"
}, },
"a11y": { "a11y": {
"user_menu": "Menu utilisateur" "user_menu": "Menu utilisateur"
@ -3973,8 +3843,8 @@
"restricted": "Restreint", "restricted": "Restreint",
"moderator": "Modérateur", "moderator": "Modérateur",
"admin": "Administrateur", "admin": "Administrateur",
"custom": "Personnalisé (%(level)s)", "mod": "Modérateur",
"mod": "Modérateur" "custom": "Personnalisé (%(level)s)"
}, },
"bug_reporting": { "bug_reporting": {
"introduction": "Si vous avez soumis une anomalie via GitHub, les journaux de débogage peuvent nous aider à cibler le problème. ", "introduction": "Si vous avez soumis une anomalie via GitHub, les journaux de débogage peuvent nous aider à cibler le problème. ",
@ -3999,6 +3869,142 @@
"short_seconds": "%(value)ss", "short_seconds": "%(value)ss",
"short_days_hours_minutes_seconds": "%(days)sj %(hours)sh %(minutes)sm %(seconds)ss", "short_days_hours_minutes_seconds": "%(days)sj %(hours)sh %(minutes)sm %(seconds)ss",
"short_hours_minutes_seconds": "%(hours)sh %(minutes)sm %(seconds)ss", "short_hours_minutes_seconds": "%(hours)sh %(minutes)sm %(seconds)ss",
"short_minutes_seconds": "%(minutes)sm %(seconds)ss" "short_minutes_seconds": "%(minutes)sm %(seconds)ss",
"last_week": "La semaine dernière",
"last_month": "Le mois dernier"
},
"onboarding": {
"personal_messaging_title": "Messagerie sécurisée pour les amis et la famille",
"free_e2ee_messaging_unlimited_voip": "Grâce à la messagerie chiffrée de bout en bout gratuite, ainsi que des appels audio et vidéo illimités, %(brand)s est un excellent moyen de rester en contact.",
"personal_messaging_action": "Démarrer votre première conversation",
"work_messaging_title": "Messagerie sécurisée pour le travail",
"work_messaging_action": "Trouver vos collègues",
"community_messaging_title": "Propriété de la communauté",
"community_messaging_action": "Trouvez vos contacts",
"welcome_to_brand": "Bienvenue sur %(brand)s",
"only_n_steps_to_go": {
"one": "Plus que %(count)s étape",
"other": "Plus que %(count)s étapes"
},
"you_did_it": "Vous lavez fait !",
"complete_these": "Terminez-les pour obtenir le maximum de %(brand)s",
"community_messaging_description": "Gardez le contrôle sur la discussion de votre communauté.\nPrend en charge des millions de messages, avec une interopérabilité et une modération efficace."
},
"devtools": {
"send_custom_account_data_event": "Envoyer des événements personnalisés de données du compte",
"send_custom_room_account_data_event": "Envoyer des événements personnalisés de données du compte du salon",
"event_type": "Type dévènement",
"state_key": "Clé détat",
"invalid_json": "Ne semble pas être du JSON valide.",
"failed_to_send": "Échec de lenvoi de lévénement !",
"event_sent": "Évènement envoyé !",
"event_content": "Contenu de lévènement",
"user_read_up_to": "Lutilisateur a lu jusquà : ",
"no_receipt_found": "Aucun accusé disponible",
"user_read_up_to_ignore_synthetic": "Lutilisateur a lu jusquà (ignoreSynthetic) : ",
"user_read_up_to_private": "Lutilisateur a lu jusquà (m.read.private) : ",
"user_read_up_to_private_ignore_synthetic": "Lutilisateur a lu jusquà (m.read.private;ignoreSynthetic) : ",
"room_status": "Statut du salon",
"room_unread_status_count": {
"other": "Statut non-lus du salon : <strong>%(status)s</strong>, total : <strong>%(count)s</strong>"
},
"notification_state": "Létat des notifications est <strong>%(notificationState)s</strong>",
"room_encrypted": "Le salon est <strong>chiffré ✅</strong>",
"room_not_encrypted": "Le salon <strong>nest pas chiffré 🚨</strong>",
"main_timeline": "Historique principal",
"threads_timeline": "Historique des fils de discussion",
"room_notifications_total": "Total : ",
"room_notifications_highlight": "Mentions : ",
"room_notifications_dot": "Point : ",
"room_notifications_last_event": "Dernier évènement :",
"room_notifications_type": "Type : ",
"room_notifications_sender": "Expéditeur : ",
"room_notifications_thread_id": "Id du fil de discussion : ",
"spaces": {
"one": "<espace>",
"other": "<%(count)s espaces>"
},
"empty_string": "<chaîne de caractères vide>",
"room_unread_status": "Statut non-lus du salon : <strong>%(status)s</strong>",
"id": "ID : ",
"send_custom_state_event": "Envoyer des événements détat personnalisés",
"see_history": "Afficher lhistorique",
"failed_to_load": "Échec du chargement.",
"client_versions": "Versions des clients",
"server_versions": "Versions des serveurs",
"number_of_users": "Nombre dutilisateurs",
"failed_to_save": "Échec lors de la sauvegarde des paramètres.",
"save_setting_values": "Enregistrer les valeurs des paramètres",
"setting_colon": "Paramètre :",
"caution_colon": "Attention :",
"use_at_own_risk": "Cette interface ne vérifie pas les types des valeurs. Utilisez la à vos propres risques.",
"setting_definition": "Définition du paramètre :",
"level": "Rang",
"settable_global": "Définissable de manière globale",
"settable_room": "Définissable par salon",
"values_explicit": "Valeurs pour des rangs explicites",
"values_explicit_room": "Valeurs pour des rangs explicites dans ce salon",
"edit_values": "Modifier les valeurs",
"value_colon": "Valeur :",
"value_this_room_colon": "Valeur pour ce salon :",
"values_explicit_colon": "Valeurs pour les rangs explicites :",
"values_explicit_this_room_colon": "Valeurs pour les rangs explicites de ce salon :",
"setting_id": "Identifiant de paramètre",
"value": "Valeur",
"value_in_this_room": "Valeur pour ce salon",
"edit_setting": "Modifier le paramètre",
"phase_requested": "Envoyé",
"phase_ready": "Prêt",
"phase_started": "Démarré",
"phase_cancelled": "Annulé",
"phase_transaction": "Transaction",
"phase": "Phase",
"timeout": "Temps dattente",
"methods": "Méthodes",
"requester": "Demandeur",
"observe_only": "Observer uniquement",
"no_verification_requests_found": "Aucune demande de vérification trouvée",
"failed_to_find_widget": "Erreur lors de la récupération de ce widget."
},
"settings": {
"show_breadcrumbs": "Afficher les raccourcis vers les salons vus récemment au-dessus de la liste des salons",
"all_rooms_home_description": "Tous les salons dans lesquels vous vous trouvez apparaîtront sur lAccueil.",
"use_command_f_search": "Utilisez Commande + F pour rechercher dans le fil de discussion",
"use_control_f_search": "Utilisez Ctrl + F pour rechercher dans le fil de discussion",
"use_12_hour_format": "Afficher lheure au format am/pm (par ex. 2:30pm)",
"always_show_message_timestamps": "Toujours afficher lheure des messages",
"send_read_receipts": "Envoyer les accusés de réception",
"send_typing_notifications": "Envoyer des notifications de saisie",
"replace_plain_emoji": "Remplacer automatiquement le texte par des émojis",
"enable_markdown": "Activer Markdown",
"emoji_autocomplete": "Activer la suggestion démojis lors de la saisie",
"use_command_enter_send_message": "Utilisez Ctrl + Entrée pour envoyer un message",
"use_control_enter_send_message": "Utilisez Ctrl + Entrée pour envoyer un message",
"all_rooms_home": "Afficher tous les salons dans Accueil",
"enable_markdown_description": "Commencez les messages avec <code>/plain</code> pour les envoyer sans markdown.",
"show_stickers_button": "Afficher le bouton des autocollants",
"insert_trailing_colon_mentions": "Insérer deux-points après les mentions de l'utilisateur au début d'un message",
"automatic_language_detection_syntax_highlight": "Activer la détection automatique du langage pour la coloration syntaxique",
"code_block_expand_default": "Développer les blocs de code par défaut",
"code_block_line_numbers": "Afficher les numéros de ligne dans les blocs de code",
"inline_url_previews_default": "Activer laperçu des URL par défaut",
"autoplay_gifs": "Jouer automatiquement les GIFs",
"autoplay_videos": "Jouer automatiquement les vidéos",
"image_thumbnails": "Afficher les aperçus/vignettes pour les images",
"show_typing_notifications": "Afficher les notifications de saisie",
"show_redaction_placeholder": "Afficher les messages supprimés",
"show_read_receipts": "Afficher les accusés de lecture envoyés par les autres utilisateurs",
"show_join_leave": "Afficher les messages d'arrivée et de départ (les invitations/expulsions/bannissements ne sont pas concernés)",
"show_displayname_changes": "Afficher les changements de nom daffichage",
"show_chat_effects": "Afficher les animations de conversation (animations lors de la réception par ex. de confettis)",
"show_avatar_changes": "Afficher les changements dimage de profil",
"big_emoji": "Activer les gros émojis dans les discussions",
"jump_to_bottom_on_send": "Sauter en bas du fil de discussion lorsque vous envoyez un message",
"disable_historical_profile": "Afficher limage de profil et le nom actuels des utilisateurs dans lhistorique des messages",
"show_nsfw_content": "Afficher le contenu sensible (NSFW)",
"prompt_invite": "Demander avant denvoyer des invitations à des identifiants matrix potentiellement non valides",
"hardware_acceleration": "Activer laccélération matérielle (redémarrer %(appName)s pour appliquer)",
"start_automatically": "Démarrer automatiquement après la phase d'authentification du système",
"warn_quit": "Avertir avant de quitter"
} }
} }

View file

@ -23,7 +23,6 @@
"An error has occurred.": "Dimigh earráid éigin.", "An error has occurred.": "Dimigh earráid éigin.",
"A new password must be entered.": "Caithfear focal faire nua a iontráil.", "A new password must be entered.": "Caithfear focal faire nua a iontráil.",
"%(items)s and %(lastItem)s": "%(items)s agus %(lastItem)s", "%(items)s and %(lastItem)s": "%(items)s agus %(lastItem)s",
"Always show message timestamps": "Taispeáin stampaí ama teachtaireachta i gcónaí",
"Default Device": "Gléas Réamhshocraithe", "Default Device": "Gléas Réamhshocraithe",
"No media permissions": "Gan cheadanna meáin", "No media permissions": "Gan cheadanna meáin",
"No Webcams detected": "Níor braitheadh aon ceamara gréasáin", "No Webcams detected": "Níor braitheadh aon ceamara gréasáin",
@ -61,11 +60,6 @@
"Permission Required": "Is Teastáil Cead", "Permission Required": "Is Teastáil Cead",
"Call Failed": "Chlis an glaoch", "Call Failed": "Chlis an glaoch",
"Spaces": "Spásanna", "Spaces": "Spásanna",
"Value:": "Luach:",
"Level": "Leibhéal",
"Caution:": "Faichill:",
"Setting:": "Socrú:",
"Value": "Luach",
"Transfer": "Aistrigh", "Transfer": "Aistrigh",
"Hold": "Fan", "Hold": "Fan",
"Resume": "Tosaigh arís", "Resume": "Tosaigh arís",
@ -267,18 +261,14 @@
"Autocomplete": "Uathiomlánaigh", "Autocomplete": "Uathiomlánaigh",
"Calls": "Glaonna", "Calls": "Glaonna",
"Navigation": "Nascleanúint", "Navigation": "Nascleanúint",
"Matrix": "Matrix",
"Accepting…": "ag Glacadh leis…", "Accepting…": "ag Glacadh leis…",
"Cancelling…": "ag Cealú…", "Cancelling…": "ag Cealú…",
"exists": "a bheith ann", "exists": "a bheith ann",
"Bridges": "Droichid", "Bridges": "Droichid",
"Manage": "Bainistigh",
"Later": "Níos deireanaí", "Later": "Níos deireanaí",
"Lock": "Glasáil", "Lock": "Glasáil",
"Go": "Téigh",
"Cross-signing": "Cros-síniú", "Cross-signing": "Cros-síniú",
"Unencrypted": "Gan chriptiú", "Unencrypted": "Gan chriptiú",
"Trusted": "Dílis",
"None": "Níl aon cheann", "None": "Níl aon cheann",
"Flags": "Bratacha", "Flags": "Bratacha",
"Symbols": "Siombailí", "Symbols": "Siombailí",
@ -290,19 +280,15 @@
"Actions": "Gníomhartha", "Actions": "Gníomhartha",
"Messages": "Teachtaireachtaí", "Messages": "Teachtaireachtaí",
"Success!": "Rath!", "Success!": "Rath!",
"Import": "Iompórtáil",
"Export": "Easpórtáil",
"Users": "Úsáideoirí", "Users": "Úsáideoirí",
"Commands": "Ordú", "Commands": "Ordú",
"Other": "Eile", "Other": "Eile",
"Phone": "Guthán", "Phone": "Guthán",
"Email": "Ríomhphost", "Email": "Ríomhphost",
"Submit": "Cuir isteach",
"Home": "Tús", "Home": "Tús",
"Favourite": "Cuir mar ceanán", "Favourite": "Cuir mar ceanán",
"Summary": "Achoimre", "Summary": "Achoimre",
"Service": "Seirbhís", "Service": "Seirbhís",
"Refresh": "Athnuaigh",
"Toolbox": "Uirlisí", "Toolbox": "Uirlisí",
"Removing…": "ag Baint…", "Removing…": "ag Baint…",
"Changelog": "Loga na n-athruithe", "Changelog": "Loga na n-athruithe",
@ -358,9 +344,7 @@
"Call invitation": "Nuair a fhaighim cuireadh glaoigh", "Call invitation": "Nuair a fhaighim cuireadh glaoigh",
"Collecting logs": "ag Bailiú logaí", "Collecting logs": "ag Bailiú logaí",
"Invited": "Le cuireadh", "Invited": "Le cuireadh",
"Mention": "Luaigh",
"Demote": "Bain ceadanna", "Demote": "Bain ceadanna",
"Encrypted": "Criptithe",
"Encryption": "Criptiúchán", "Encryption": "Criptiúchán",
"Anyone": "Aon duine", "Anyone": "Aon duine",
"Permissions": "Ceadanna", "Permissions": "Ceadanna",
@ -441,7 +425,6 @@
"Cat": "Cat", "Cat": "Cat",
"Dog": "Madra", "Dog": "Madra",
"Verified!": "Deimhnithe!", "Verified!": "Deimhnithe!",
"Someone": "Duine éigin",
"Reason": "Cúis", "Reason": "Cúis",
"Usage": "Úsáid", "Usage": "Úsáid",
"Admin": "Riarthóir", "Admin": "Riarthóir",
@ -651,7 +634,11 @@
"emoji": "Straoiseog", "emoji": "Straoiseog",
"random": "Randamach", "random": "Randamach",
"support": "Tacaíocht", "support": "Tacaíocht",
"space": "Spás" "space": "Spás",
"someone": "Duine éigin",
"encrypted": "Criptithe",
"matrix": "Matrix",
"trusted": "Dílis"
}, },
"action": { "action": {
"continue": "Lean ar aghaidh", "continue": "Lean ar aghaidh",
@ -721,7 +708,14 @@
"restore": "Athbhunaigh", "restore": "Athbhunaigh",
"play": "Cas", "play": "Cas",
"pause": "Cuir ar sos", "pause": "Cuir ar sos",
"register": "Cláraigh" "register": "Cláraigh",
"manage": "Bainistigh",
"go": "Téigh",
"import": "Iompórtáil",
"export": "Easpórtáil",
"refresh": "Athnuaigh",
"mention": "Luaigh",
"submit": "Cuir isteach"
}, },
"labs": { "labs": {
"pinning": "Ceangal teachtaireachta" "pinning": "Ceangal teachtaireachta"
@ -750,5 +744,15 @@
"moderator": "Modhnóir", "moderator": "Modhnóir",
"admin": "Riarthóir", "admin": "Riarthóir",
"mod": "Mod" "mod": "Mod"
},
"devtools": {
"setting_colon": "Socrú:",
"caution_colon": "Faichill:",
"level": "Leibhéal",
"value_colon": "Luach:",
"value": "Luach"
},
"settings": {
"always_show_message_timestamps": "Taispeáin stampaí ama teachtaireachta i gcónaí"
} }
} }

View file

@ -62,7 +62,6 @@
"%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s eliminou o nome da sala.", "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s eliminou o nome da sala.",
"%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s cambiou o nome da sala a %(roomName)s.", "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s cambiou o nome da sala a %(roomName)s.",
"%(senderDisplayName)s sent an image.": "%(senderDisplayName)s enviou unha imaxe.", "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s enviou unha imaxe.",
"Someone": "Alguén",
"%(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 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 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 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, from the point they joined.": "%(senderName)s estableceu o historial futuro visible a todos os participantes, desde o punto en que se uniron.",
@ -82,15 +81,9 @@
"Your browser does not support the required cryptography extensions": "O seu navegador non soporta as extensións de criptografía necesarias", "Your browser does not support the required cryptography extensions": "O seu navegador non soporta as extensións de criptografía necesarias",
"Not a valid %(brand)s keyfile": "Non é un ficheiro de chaves %(brand)s válido", "Not a valid %(brand)s keyfile": "Non é un ficheiro de chaves %(brand)s válido",
"Authentication check failed: incorrect password?": "Fallou a comprobación de autenticación: contrasinal incorrecto?", "Authentication check failed: incorrect password?": "Fallou a comprobación de autenticación: contrasinal incorrecto?",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Mostrar marcas de tempo con formato 12 horas (ex. 2:30pm)",
"Always show message timestamps": "Mostrar sempre marcas de tempo",
"Enable automatic language detection for syntax highlighting": "Activar a detección automática de idioma para o resalte da sintaxe",
"Automatically replace plain text Emoji": "Substituír automaticamente Emoji en texto plano",
"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 vista previa de URL nesta sala (só che afecta a ti)", "Enable URL previews for this room (only affects you)": "Activar vista previa de URL nesta sala (só che afecta a ti)",
"Enable URL previews by default for participants in this room": "Activar a vista previa de URL por defecto para as participantes nesta sala", "Enable URL previews by default for participants in this room": "Activar a vista previa de URL por defecto para as participantes nesta sala",
"Incorrect verification code": "Código de verificación incorrecto", "Incorrect verification code": "Código de verificación incorrecto",
"Submit": "Enviar",
"Phone": "Teléfono", "Phone": "Teléfono",
"No display name": "Sen nome público", "No display name": "Sen nome público",
"New passwords don't match": "Os contrasinais novos non coinciden", "New passwords don't match": "Os contrasinais novos non coinciden",
@ -114,7 +107,6 @@
"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.", "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.",
"Unignore": "Non ignorar", "Unignore": "Non ignorar",
"Jump to read receipt": "Ir ao resgardo de lectura", "Jump to read receipt": "Ir ao resgardo de lectura",
"Mention": "Mención",
"Admin Tools": "Ferramentas de administración", "Admin Tools": "Ferramentas de administración",
"and %(count)s others...": { "and %(count)s others...": {
"other": "e %(count)s outras...", "other": "e %(count)s outras...",
@ -347,7 +339,6 @@
"Cryptography": "Criptografía", "Cryptography": "Criptografía",
"Check for update": "Comprobar actualización", "Check for update": "Comprobar actualización",
"Reject all %(invitedRooms)s invites": "Rexeitar todos os %(invitedRooms)s convites", "Reject all %(invitedRooms)s invites": "Rexeitar todos os %(invitedRooms)s convites",
"Start automatically after system login": "Iniciar automaticamente despois de iniciar sesión",
"No media permissions": "Sen permisos de medios", "No media permissions": "Sen permisos de medios",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Igual ten que permitir manualmente a %(brand)s acceder ao seus micrófono e cámara", "You may need to manually permit %(brand)s to access your microphone/webcam": "Igual ten que permitir manualmente a %(brand)s acceder ao seus micrófono e cámara",
"No Microphones detected": "Non se detectaron micrófonos", "No Microphones detected": "Non se detectaron micrófonos",
@ -386,12 +377,10 @@
"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íteche exportar a un ficheiro local as chaves para as mensaxes que recibiches en salas cifradas. Após poderás importar as chaves noutro cliente Matrix no futuro, así o cliente poderá descifrar esas mensaxes.", "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íteche exportar a un ficheiro local as chaves para as mensaxes que recibiches en salas cifradas. Após poderás importar as chaves noutro cliente Matrix no futuro, así o cliente poderá descifrar esas mensaxes.",
"Enter passphrase": "Introduza a frase de paso", "Enter passphrase": "Introduza a frase de paso",
"Confirm passphrase": "Confirma a frase de paso", "Confirm passphrase": "Confirma a frase de paso",
"Export": "Exportar",
"Import room keys": "Importar chaves de sala", "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íteche importar chaves de cifrado que exportaches doutro cliente Matrix. Así poderás descifrar calquera 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íteche importar chaves de cifrado que exportaches doutro cliente Matrix. Así poderás 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.", "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", "File to import": "Ficheiro a importar",
"Import": "Importar",
"<a>In reply to</a> <pill>": "<a>En resposta a</a> <pill>", "<a>In reply to</a> <pill>": "<a>En resposta a</a> <pill>",
"This room is not public. You will not be able to rejoin without an invite.": "Esta sala non é pública. Non poderá volver a ela sen un convite.", "This room is not public. You will not be able to rejoin without an invite.": "Esta sala non é pública. Non poderá volver a ela sen un convite.",
"Failed to remove tag %(tagName)s from room": "Fallo ao eliminar a etiqueta %(tagName)s da sala", "Failed to remove tag %(tagName)s from room": "Fallo ao eliminar a etiqueta %(tagName)s da sala",
@ -428,7 +417,6 @@
"Toolbox": "Ferramentas", "Toolbox": "Ferramentas",
"Collecting logs": "Obtendo rexistros", "Collecting logs": "Obtendo rexistros",
"All Rooms": "Todas as Salas", "All Rooms": "Todas as Salas",
"State Key": "Chave do estado",
"Wednesday": "Mércores", "Wednesday": "Mércores",
"All messages": "Todas as mensaxes", "All messages": "Todas as mensaxes",
"Call invitation": "Convite de chamada", "Call invitation": "Convite de chamada",
@ -444,16 +432,12 @@
"Error encountered (%(errorDetail)s).": "Houbo un erro (%(errorDetail)s).", "Error encountered (%(errorDetail)s).": "Houbo un erro (%(errorDetail)s).",
"Low Priority": "Baixa prioridade", "Low Priority": "Baixa prioridade",
"Off": "Off", "Off": "Off",
"Event Type": "Tipo de evento",
"Event sent!": "Evento enviado!",
"Event Content": "Contido do evento",
"Thank you!": "Grazas!", "Thank you!": "Grazas!",
"Missing roomId.": "Falta o ID da sala.", "Missing roomId.": "Falta o ID da sala.",
"Popout widget": "trebello emerxente", "Popout widget": "trebello emerxente",
"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.", "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.",
"Send Logs": "Enviar informes", "Send Logs": "Enviar informes",
"Clear Storage and Sign Out": "Limpar o almacenamento e Saír", "Clear Storage and Sign Out": "Limpar o almacenamento e Saír",
"Refresh": "Actualizar",
"We encountered an error trying to restore your previous session.": "Atopamos un fallo intentando restablecer a súa sesión anterior.", "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 sairás da sesión e non poderás ler o historial cifrado da conversa.", "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 sairás da sesión e non poderás ler o historial cifrado da conversa.",
"Send analytics data": "Enviar datos de análises", "Send analytics data": "Enviar datos de análises",
@ -727,21 +711,11 @@
"Language and region": "Idioma e rexión", "Language and region": "Idioma e rexión",
"Your theme": "O teu decorado", "Your theme": "O teu decorado",
"Font size": "Tamaño da letra", "Font size": "Tamaño da letra",
"Enable Emoji suggestions while typing": "Activar suxestión de Emoji ao escribir",
"Show a placeholder for removed messages": "Resaltar o lugar das mensaxes eliminadas",
"Show display name changes": "Mostrar cambios do nome mostrado",
"Show read receipts sent by other users": "Mostrar resgardo de lectura enviados por outras usuarias",
"Enable big emoji in chat": "Activar Emojis grandes na conversa",
"Send typing notifications": "Enviar notificación de escritura",
"Show typing notifications": "Mostrar notificacións de escritura",
"Never send encrypted messages to unverified sessions from this session": "Non enviar nunca desde esta sesión mensaxes cifradas a sesións non verificadas", "Never send encrypted messages to unverified sessions from this session": "Non enviar nunca desde esta sesión mensaxes cifradas a sesións non verificadas",
"Never send encrypted messages to unverified sessions in this room from this session": "Non enviar mensaxes cifradas desde esta sesión a sesións non verificadas nesta sala", "Never send encrypted messages to unverified sessions in this room from this session": "Non enviar mensaxes cifradas desde esta sesión a sesións non verificadas nesta sala",
"Prompt before sending invites to potentially invalid matrix IDs": "Avisar antes de enviar convites a IDs de Matrix potencialmente incorrectos",
"Show shortcuts to recently viewed rooms above the room list": "Mostrar atallos a salas vistas recentemente enriba da lista de salas",
"Show hidden events in timeline": "Mostrar na cronoloxía eventos ocultos", "Show hidden events in timeline": "Mostrar na cronoloxía eventos ocultos",
"Straight rows of keys are easy to guess": "Palabras de letras contiguas son doadas de adiviñar", "Straight rows of keys are easy to guess": "Palabras de letras contiguas son doadas de adiviñar",
"Short keyboard patterns are easy to guess": "Patróns curtos de teclas son doados de adiviñar", "Short keyboard patterns are easy to guess": "Patróns curtos de teclas son doados de adiviñar",
"Show previews/thumbnails for images": "Mostrar miniaturas/vista previa das imaxes",
"Enable message search in encrypted rooms": "Activar a busca de mensaxes en salas cifradas", "Enable message search in encrypted rooms": "Activar a busca de mensaxes en salas cifradas",
"How fast should messages be downloaded.": "Velocidade á que deberían descargarse as mensaxes.", "How fast should messages be downloaded.": "Velocidade á que deberían descargarse as mensaxes.",
"Manually verify all remote sessions": "Verificar manualmente todas as sesións remotas", "Manually verify all remote sessions": "Verificar manualmente todas as sesións remotas",
@ -855,7 +829,6 @@
"Homeserver feature support:": "Soporte de funcións do servidor:", "Homeserver feature support:": "Soporte de funcións do servidor:",
"exists": "existe", "exists": "existe",
"Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Verificar individualmente cada sesión utilizada pola usuaria para marcala como confiable, non confiando en dispositivos con sinatura cruzada.", "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Verificar individualmente cada sesión utilizada pola usuaria para marcala como confiable, non confiando en dispositivos con sinatura cruzada.",
"Manage": "Xestionar",
"Securely cache encrypted messages locally for them to appear in search results.": "Gardar de xeito seguro mensaxes cifradas na caché local para que aparezan nos resultados de buscas.", "Securely cache encrypted messages locally for them to appear in search results.": "Gardar de xeito seguro mensaxes cifradas na caché local para que aparezan nos resultados de buscas.",
"%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with <nativeLink>search components added</nativeLink>.": "Falta un compoñente de %(brand)s requerido para almacenar localmente mensaxes cifradas na caché. Se queres experimentar con esta función, compila unha versión personalizada de %(brand)s Desktop <nativeLink>cos compoñentes de busca engadidos</nativeLink>.", "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with <nativeLink>search components added</nativeLink>.": "Falta un compoñente de %(brand)s requerido para almacenar localmente mensaxes cifradas na caché. Se queres experimentar con esta función, compila unha versión personalizada de %(brand)s Desktop <nativeLink>cos compoñentes de busca engadidos</nativeLink>.",
"Cannot connect to integration manager": "Non se puido conectar co xestor de intregración", "Cannot connect to integration manager": "Non se puido conectar co xestor de intregración",
@ -994,7 +967,6 @@
"Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Os cambios sobre quen pode ler o historial só se aplicarán as mensaxes futuras nesta sala. A visibilidade do historial precedente non cambiará.", "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Os cambios sobre quen pode ler o historial só se aplicarán as mensaxes futuras nesta sala. A visibilidade do historial precedente non cambiará.",
"Encryption": "Cifrado", "Encryption": "Cifrado",
"Once enabled, encryption cannot be disabled.": "Unha vez activado, non se pode desactivar.", "Once enabled, encryption cannot be disabled.": "Unha vez activado, non se pode desactivar.",
"Encrypted": "Cifrado",
"Unable to revoke sharing for email address": "Non se puido revogar a compartición para o enderezo de correo", "Unable to revoke sharing for email address": "Non se puido revogar a compartición para o enderezo de correo",
"Unable to share email address": "Non se puido compartir co enderezo de email", "Unable to share email address": "Non se puido compartir co enderezo de email",
"Your email address hasn't been verified yet": "O teu enderezo de email aínda non foi verificado", "Your email address hasn't been verified yet": "O teu enderezo de email aínda non foi verificado",
@ -1109,8 +1081,6 @@
"Your messages are not secure": "As túas mensaxes non están aseguradas", "Your messages are not secure": "As túas mensaxes non están aseguradas",
"One of the following may be compromised:": "Un dos seguintes podería estar comprometido:", "One of the following may be compromised:": "Un dos seguintes podería estar comprometido:",
"Your homeserver": "O teu servidor", "Your homeserver": "O teu servidor",
"Trusted": "Confiable",
"Not trusted": "Non confiable",
"%(count)s verified sessions": { "%(count)s verified sessions": {
"other": "%(count)s sesións verificadas", "other": "%(count)s sesións verificadas",
"one": "1 sesión verificada" "one": "1 sesión verificada"
@ -1221,7 +1191,6 @@
"Can't find this server or its room list": "Non se atopa o servidor ou a súa lista de salas", "Can't find this server or its room list": "Non se atopa o servidor ou a súa lista de salas",
"All rooms": "Todas as salas", "All rooms": "Todas as salas",
"Your server": "O teu servidor", "Your server": "O teu servidor",
"Matrix": "Matrix",
"Add a new server": "Engadir novo servidor", "Add a new server": "Engadir novo servidor",
"Server name": "Nome do servidor", "Server name": "Nome do servidor",
"Use an identity server to invite by email. <default>Use the default (%(defaultIdentityServerName)s)</default> or manage in <settings>Settings</settings>.": "Usa un servidor de identidade para convidar por email. <default>Usa o valor por defecto (%(defaultIdentityServerName)s)</default> ou xestionao en <settings>Axustes</settings>.", "Use an identity server to invite by email. <default>Use the default (%(defaultIdentityServerName)s)</default> or manage in <settings>Settings</settings>.": "Usa un servidor de identidade para convidar por email. <default>Usa o valor por defecto (%(defaultIdentityServerName)s)</default> ou xestionao en <settings>Axustes</settings>.",
@ -1278,7 +1247,6 @@
"The following users might not exist or are invalid, and cannot be invited: %(csvNames)s": "As seguintes usuarias poderían non existir ou non son válidas, e non se poden convidar: %(csvNames)s", "The following users might not exist or are invalid, and cannot be invited: %(csvNames)s": "As seguintes usuarias poderían non existir ou non son válidas, e non se poden convidar: %(csvNames)s",
"Recent Conversations": "Conversas recentes", "Recent Conversations": "Conversas recentes",
"Recently Direct Messaged": "Mensaxes Directas recentes", "Recently Direct Messaged": "Mensaxes Directas recentes",
"Go": "Ir",
"a new master key signature": "unha nova firma con chave mestra", "a new master key signature": "unha nova firma con chave mestra",
"a new cross-signing key signature": "unha nova firma con chave de sinatura-cruzada", "a new cross-signing key signature": "unha nova firma con chave de sinatura-cruzada",
"a device cross-signing signature": "unha sinatura sinatura-cruzada de dispositivo", "a device cross-signing signature": "unha sinatura sinatura-cruzada de dispositivo",
@ -1309,7 +1277,6 @@
"Please fill why you're reporting.": "Escribe a razón do informe.", "Please fill why you're reporting.": "Escribe a razón do informe.",
"Report Content to Your Homeserver Administrator": "Denuncia sobre contido á Administración do teu servidor", "Report Content to Your Homeserver Administrator": "Denuncia sobre contido á Administración do teu servidor",
"Reporting this message will send its unique 'event ID' to the administrator of your homeserver. If messages in this room are encrypted, your homeserver administrator will not be able to read the message text or view any files or images.": "Ao denunciar esta mensaxe vasnos enviar o seu 'event ID' único á administración do servidor. Se as mensaxes da sala están cifradas, a administración do servidor non poderá ler o texto da mensaxe ou ver imaxes ou ficheiros.", "Reporting this message will send its unique 'event ID' to the administrator of your homeserver. If messages in this room are encrypted, your homeserver administrator will not be able to read the message text or view any files or images.": "Ao denunciar esta mensaxe vasnos enviar o seu 'event ID' único á administración do servidor. Se as mensaxes da sala están cifradas, a administración do servidor non poderá ler o texto da mensaxe ou ver imaxes ou ficheiros.",
"Send report": "Enviar denuncia",
"Failed to upgrade room": "Fallou a actualización da sala", "Failed to upgrade room": "Fallou a actualización da sala",
"The room upgrade could not be completed": "A actualización da sala non se completou", "The room upgrade could not be completed": "A actualización da sala non se completou",
"Upgrade this room to version %(version)s": "Actualiza esta sala á versión %(version)s", "Upgrade this room to version %(version)s": "Actualiza esta sala á versión %(version)s",
@ -1888,8 +1855,6 @@
"Decline All": "Rexeitar todo", "Decline All": "Rexeitar todo",
"This widget would like to:": "O widget podería querer:", "This widget would like to:": "O widget podería querer:",
"Approve widget permissions": "Aprovar permisos do widget", "Approve widget permissions": "Aprovar permisos do widget",
"Use Ctrl + Enter to send a message": "Usar Ctrl + Enter para enviar unha mensaxe",
"Use Command + Enter to send a message": "Usar Command + Enter para enviar unha mensaxe",
"See <b>%(msgtype)s</b> messages posted to your active room": "Ver mensaxes <b>%(msgtype)s</b> publicados na túa sala activa", "See <b>%(msgtype)s</b> messages posted to your active room": "Ver mensaxes <b>%(msgtype)s</b> publicados na túa sala activa",
"See <b>%(msgtype)s</b> messages posted to this room": "Ver mensaxes <b>%(msgtype)s</b> publicados nesta sala", "See <b>%(msgtype)s</b> messages posted to this room": "Ver mensaxes <b>%(msgtype)s</b> publicados nesta sala",
"Send <b>%(msgtype)s</b> messages as you in your active room": "Enviar mensaxes <b>%(msgtype)s</b> no teu nome á túa sala activa", "Send <b>%(msgtype)s</b> messages as you in your active room": "Enviar mensaxes <b>%(msgtype)s</b> no teu nome á túa sala activa",
@ -2001,7 +1966,6 @@
"Transfer": "Transferir", "Transfer": "Transferir",
"Failed to transfer call": "Fallou a transferencia da chamada", "Failed to transfer call": "Fallou a transferencia da chamada",
"A call can only be transferred to a single user.": "Unha chamada só se pode transferir a unha única usuaria.", "A call can only be transferred to a single user.": "Unha chamada só se pode transferir a unha única usuaria.",
"There was an error finding this widget.": "Houbo un fallo ao buscar o widget.",
"Active Widgets": "Widgets activos", "Active Widgets": "Widgets activos",
"Open dial pad": "Abrir marcador", "Open dial pad": "Abrir marcador",
"Dial pad": "Marcador", "Dial pad": "Marcador",
@ -2042,28 +2006,7 @@
"Something went wrong in confirming your identity. Cancel and try again.": "Algo fallou ao intentar confirma a túa identidade. Cancela e inténtao outra vez.", "Something went wrong in confirming your identity. Cancel and try again.": "Algo fallou ao intentar confirma a túa identidade. Cancela e inténtao outra vez.",
"We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "Pedíramoslle ao teu navegador que lembrase o teu servidor de inicio para acceder, pero o navegador esqueceuno. Vaite á páxina de conexión e inténtao outra vez.", "We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "Pedíramoslle ao teu navegador que lembrase o teu servidor de inicio para acceder, pero o navegador esqueceuno. Vaite á páxina de conexión e inténtao outra vez.",
"We couldn't log you in": "Non puidemos conectarte", "We couldn't log you in": "Non puidemos conectarte",
"Show stickers button": "Mostrar botón dos adhesivos",
"Recently visited rooms": "Salas visitadas recentemente", "Recently visited rooms": "Salas visitadas recentemente",
"Show line numbers in code blocks": "Mostrar números de liña nos bloques de código",
"Expand code blocks by default": "Por defecto despregar bloques de código",
"Values at explicit levels in this room:": "Valores a niveis explícitos nesta sala:",
"Values at explicit levels:": "Valores a niveis explícitos:",
"Value in this room:": "Valor nesta sala:",
"Value:": "Valor:",
"Save setting values": "Gardar valores configurados",
"Values at explicit levels in this room": "Valores a niveis explícitos nesta sala",
"Values at explicit levels": "Valores e niveis explícitos",
"Settable at room": "Configurable na sala",
"Settable at global": "Configurable como global",
"Level": "Nivel",
"Setting definition:": "Definición do axuste:",
"This UI does NOT check the types of the values. Use at your own risk.": "Esta IU non comproba os tipos dos valores. Usa baixo a túa responsabilidade.",
"Caution:": "Aviso:",
"Setting:": "Axuste:",
"Value in this room": "Valor nesta sala",
"Value": "Valor",
"Setting ID": "ID do axuste",
"Show chat effects (animations when receiving e.g. confetti)": "Mostrar efectos no chat (animacións na recepción, ex. confetti)",
"Original event source": "Fonte orixinal do evento", "Original event source": "Fonte orixinal do evento",
"Decrypted event source": "Fonte descifrada do evento", "Decrypted event source": "Fonte descifrada do evento",
"Invite by username": "Convidar por nome de usuaria", "Invite by username": "Convidar por nome de usuaria",
@ -2116,7 +2059,6 @@
"Invite only, best for yourself or teams": "Só con convite, mellor para ti ou para equipos", "Invite only, best for yourself or teams": "Só con convite, mellor para ti ou para equipos",
"Open space for anyone, best for communities": "Espazo aberto para calquera, mellor para comunidades", "Open space for anyone, best for communities": "Espazo aberto para calquera, mellor para comunidades",
"Create a space": "Crear un espazo", "Create a space": "Crear un espazo",
"Jump to the bottom of the timeline when you send a message": "Ir ao final da cronoloxía cando envías unha mensaxe",
"This homeserver has been blocked by its administrator.": "O servidor de inicio foi bloqueado pola súa administración.", "This homeserver has been blocked by its administrator.": "O servidor de inicio foi bloqueado pola súa administración.",
"You're already in a call with this person.": "Xa estás nunha conversa con esta persoa.", "You're already in a call with this person.": "Xa estás nunha conversa con esta persoa.",
"Already in call": "Xa estás nunha chamada", "Already in call": "Xa estás nunha chamada",
@ -2150,7 +2092,6 @@
"Add some details to help people recognise it.": "Engade algún detalle para que sexa recoñecible.", "Add some details to help people recognise it.": "Engade algún detalle para que sexa recoñecible.",
"Sends the given message as a spoiler": "Envía a mensaxe dada como un spoiler", "Sends the given message as a spoiler": "Envía a mensaxe dada como un spoiler",
"Review to ensure your account is safe": "Revisa para asegurarte de que a túa conta está protexida", "Review to ensure your account is safe": "Revisa para asegurarte de que a túa conta está protexida",
"Warn before quitting": "Aviso antes de saír",
"Invite to just this room": "Convida só a esta sala", "Invite to just this room": "Convida só a esta sala",
"We couldn't create your DM.": "Non puidemos crear o teu MD.", "We couldn't create your DM.": "Non puidemos crear o teu MD.",
"Invited people will be able to read old messages.": "As persoas convidadas poderán ler as mensaxes antigas.", "Invited people will be able to read old messages.": "As persoas convidadas poderán ler as mensaxes antigas.",
@ -2308,9 +2249,6 @@
"e.g. my-space": "ex. o-meu-espazo", "e.g. my-space": "ex. o-meu-espazo",
"Silence call": "Acalar chamada", "Silence call": "Acalar chamada",
"Sound on": "Son activado", "Sound on": "Son activado",
"Use Ctrl + F to search timeline": "Usar Ctrl + F para buscar na cronoloxía",
"Use Command + F to search timeline": "Usar Command + F para buscar na cronoloxía",
"Show all rooms in Home": "Mostrar tódalas salas no Inicio",
"%(senderName)s changed the <a>pinned messages</a> for the room.": "%(senderName)s cambiou a <a>mensaxe fixada</a> da sala.", "%(senderName)s changed the <a>pinned messages</a> for the room.": "%(senderName)s cambiou a <a>mensaxe fixada</a> da sala.",
"%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s retirou o convite para %(targetName)s", "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s retirou o convite para %(targetName)s",
"%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s retirou o convite para %(targetName)s: %(reason)s", "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s retirou o convite para %(targetName)s: %(reason)s",
@ -2424,7 +2362,6 @@
"Search %(spaceName)s": "Buscar %(spaceName)s", "Search %(spaceName)s": "Buscar %(spaceName)s",
"Decrypting": "Descifrando", "Decrypting": "Descifrando",
"Show all rooms": "Mostar tódalas salas", "Show all rooms": "Mostar tódalas salas",
"All rooms you're in will appear in Home.": "Tódalas salas nas que estás aparecerán en Inicio.",
"Missed call": "Chamada perdida", "Missed call": "Chamada perdida",
"Call declined": "Chamada rexeitada", "Call declined": "Chamada rexeitada",
"Stop recording": "Deter a gravación", "Stop recording": "Deter a gravación",
@ -2453,8 +2390,6 @@
"To avoid these issues, create a <a>new encrypted room</a> for the conversation you plan to have.": "Para evitar estos problemas, crea unha <a>nova sala cifrada</a> para a conversa que pretendes manter.", "To avoid these issues, create a <a>new encrypted room</a> for the conversation you plan to have.": "Para evitar estos problemas, crea unha <a>nova sala cifrada</a> para a conversa que pretendes manter.",
"Are you sure you want to add encryption to this public room?": "Tes a certeza de querer engadir cifrado a esta sala pública?", "Are you sure you want to add encryption to this public room?": "Tes a certeza de querer engadir cifrado a esta sala pública?",
"Cross-signing is ready but keys are not backed up.": "A sinatura-cruzada está preparada pero non hai copia das chaves.", "Cross-signing is ready but keys are not backed up.": "A sinatura-cruzada está preparada pero non hai copia das chaves.",
"Autoplay GIFs": "Reprod. automática GIFs",
"Autoplay videos": "Reprod. automática vídeo",
"The above, but in <Room /> as well": "O de arriba, pero tamén en <Room />", "The above, but in <Room /> as well": "O de arriba, pero tamén en <Room />",
"The above, but in any room you are joined or invited to as well": "O de enriba, pero en calquera sala á que te uniches ou foches convidada", "The above, but in any room you are joined or invited to as well": "O de enriba, pero en calquera sala á que te uniches ou foches convidada",
"%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s desafixou unha mensaxe desta sala. Mira tódalas mensaxes fixadas.", "%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s desafixou unha mensaxe desta sala. Mira tódalas mensaxes fixadas.",
@ -2661,7 +2596,6 @@
"Quick settings": "Axustes rápidos", "Quick settings": "Axustes rápidos",
"Spaces you know that contain this space": "Espazos que sabes conteñen este espazo", "Spaces you know that contain this space": "Espazos que sabes conteñen este espazo",
"Chat": "Chat", "Chat": "Chat",
"Clear": "Limpar",
"You may contact me if you want to follow up or to let me test out upcoming ideas": "Podes contactar conmigo se queres estar ao día ou comentarme algunha suxestión", "You may contact me if you want to follow up or to let me test out upcoming ideas": "Podes contactar conmigo se queres estar ao día ou comentarme algunha suxestión",
"Home options": "Opcións de Incio", "Home options": "Opcións de Incio",
"%(spaceName)s menu": "Menú de %(spaceName)s", "%(spaceName)s menu": "Menú de %(spaceName)s",
@ -2757,8 +2691,6 @@
"Message pending moderation: %(reason)s": "Mensaxe pendente de moderar: %(reason)s", "Message pending moderation: %(reason)s": "Mensaxe pendente de moderar: %(reason)s",
"Jump to date": "Ir á data", "Jump to date": "Ir á data",
"The beginning of the room": "O inicio da sala", "The beginning of the room": "O inicio da sala",
"Last month": "Último mes",
"Last week": "Última semana",
"You cancelled verification on your other device.": "Cancelaches a verificación no teu outro dispositivo.", "You cancelled verification on your other device.": "Cancelaches a verificación no teu outro dispositivo.",
"Almost there! Is your other device showing the same shield?": "Xa case está! Mostra o teu outro dispositivo o mesmo escudo?", "Almost there! Is your other device showing the same shield?": "Xa case está! Mostra o teu outro dispositivo o mesmo escudo?",
"Verify this device by completing one of the following:": "Verifica este dispositivo usando un dos seguintes métodos:", "Verify this device by completing one of the following:": "Verifica este dispositivo usando un dos seguintes métodos:",
@ -2793,7 +2725,6 @@
"Confirm the emoji below are displayed on both devices, in the same order:": "Confirma que os emoji inferiores se mostran nos dous dispositivos, na mesma orde:", "Confirm the emoji below are displayed on both devices, in the same order:": "Confirma que os emoji inferiores se mostran nos dous dispositivos, na mesma orde:",
"Dial": "Marcar", "Dial": "Marcar",
"Automatically send debug logs on decryption errors": "Envía automáticamente rexistro de depuración se hai erros no cifrado", "Automatically send debug logs on decryption errors": "Envía automáticamente rexistro de depuración se hai erros no cifrado",
"Show join/leave messages (invites/removes/bans unaffected)": "Mostrar unirse/saír (convites/eliminacións/vetos non afectados)",
"Back to thread": "Volver ao fío", "Back to thread": "Volver ao fío",
"Room members": "Membros da sala", "Room members": "Membros da sala",
"Back to chat": "Volver ao chat", "Back to chat": "Volver ao chat",
@ -2807,7 +2738,6 @@
"Verify other device": "Verificar outro dispositivo", "Verify other device": "Verificar outro dispositivo",
"This groups your chats with members of this space. Turning this off will hide those chats from your view of %(spaceName)s.": "Esto agrupa os teus chats cos membros deste espazo. Apagandoo ocultará estos chats da túa vista de %(spaceName)s.", "This groups your chats with members of this space. Turning this off will hide those chats from your view of %(spaceName)s.": "Esto agrupa os teus chats cos membros deste espazo. Apagandoo ocultará estos chats da túa vista de %(spaceName)s.",
"Sections to show": "Seccións a mostrar", "Sections to show": "Seccións a mostrar",
"Edit setting": "Editar axuste",
"This address had invalid server or is already in use": "Este enderezo ten un servidor non válido ou xa está en uso", "This address had invalid server or is already in use": "Este enderezo ten un servidor non válido ou xa está en uso",
"This address does not point at this room": "Este enderezo non dirixe a esta sala", "This address does not point at this room": "Este enderezo non dirixe a esta sala",
"Missing room name or separator e.g. (my-room:domain.org)": "Falta o nome da sala ou separador ex. (sala:dominio.org)", "Missing room name or separator e.g. (my-room:domain.org)": "Falta o nome da sala ou separador ex. (sala:dominio.org)",
@ -2860,12 +2790,6 @@
"Use <arrows/> to scroll": "Usa <arrows/> para desprazarte", "Use <arrows/> to scroll": "Usa <arrows/> para desprazarte",
"Feedback sent! Thanks, we appreciate it!": "Opinión enviada! Moitas grazas!", "Feedback sent! Thanks, we appreciate it!": "Opinión enviada! Moitas grazas!",
"%(space1Name)s and %(space2Name)s": "%(space1Name)s e %(space2Name)s", "%(space1Name)s and %(space2Name)s": "%(space1Name)s e %(space2Name)s",
"Maximise": "Maximizar",
"<empty string>": "<cadea baleira>",
"<%(count)s spaces>": {
"one": "<spazo>",
"other": "<%(count)s espazos>"
},
"%(oneUser)ssent %(count)s hidden messages": { "%(oneUser)ssent %(count)s hidden messages": {
"one": "%(oneUser)s enviou unha mensaxe oculta", "one": "%(oneUser)s enviou unha mensaxe oculta",
"other": "%(oneUser)s enviou %(count)s mensaxes ocultas" "other": "%(oneUser)s enviou %(count)s mensaxes ocultas"
@ -2896,7 +2820,6 @@
"Results will be visible when the poll is ended": "Os resultados serán visibles cando remate a enquisa", "Results will be visible when the poll is ended": "Os resultados serán visibles cando remate a enquisa",
"Open user settings": "Abrir axustes", "Open user settings": "Abrir axustes",
"Switch to space by number": "Cambia á sala polo número", "Switch to space by number": "Cambia á sala polo número",
"Accessibility": "Accesibilidade",
"Export Cancelled": "Exportación cancelada", "Export Cancelled": "Exportación cancelada",
"What location type do you want to share?": "Que tipo de localización queres compartir?", "What location type do you want to share?": "Que tipo de localización queres compartir?",
"Drop a Pin": "Fixa a posición", "Drop a Pin": "Fixa a posición",
@ -2923,7 +2846,6 @@
"Expand quotes": "Despregar as citas", "Expand quotes": "Despregar as citas",
"Collapse quotes": "Pregar as citas", "Collapse quotes": "Pregar as citas",
"Spaces are a new way to group rooms and people. What kind of Space do you want to create? You can change this later.": "Espazos é o novo xeito de agrupar salas e persoas. Que tipo de Espazo queres crear? Pódelo cambiar máis tarde.", "Spaces are a new way to group rooms and people. What kind of Space do you want to create? You can change this later.": "Espazos é o novo xeito de agrupar salas e persoas. Que tipo de Espazo queres crear? Pódelo cambiar máis tarde.",
"Insert a trailing colon after user mentions at the start of a message": "Inserir dous puntos tras mencionar a outra usuaria no inicio da mensaxe",
"Show polls button": "Mostrar botón de enquisas", "Show polls button": "Mostrar botón de enquisas",
"Switches to this room's virtual room, if it has one": "Cambia á sala virtual desta sala, se é que existe", "Switches to this room's virtual room, if it has one": "Cambia á sala virtual desta sala, se é que existe",
"Toggle Link": "Activar Ligazón", "Toggle Link": "Activar Ligazón",
@ -2955,31 +2877,7 @@
"Previous recently visited room or space": "Anterior sala ou espazo visitados recentemente", "Previous recently visited room or space": "Anterior sala ou espazo visitados recentemente",
"Event ID: %(eventId)s": "ID do evento: %(eventId)s", "Event ID: %(eventId)s": "ID do evento: %(eventId)s",
"%(timeRemaining)s left": "%(timeRemaining)s restante", "%(timeRemaining)s left": "%(timeRemaining)s restante",
"No verification requests found": "Non se atopan solicitudes de verificación",
"Observe only": "Só observar",
"Requester": "Solicitante",
"Methods": "Métodos",
"Timeout": "Caducidade",
"Phase": "Fase",
"Transaction": "Transacción",
"Cancelled": "Cancelado",
"Started": "Iniciado",
"Ready": "Preparado",
"Requested": "Solicitado",
"Unsent": "Sen enviar", "Unsent": "Sen enviar",
"Edit values": "Editar valores",
"Failed to save settings.": "Fallou o gardado dos axustes.",
"Number of users": "Número de usuarias",
"Server": "Servidor",
"Server Versions": "Versións do servidor",
"Client Versions": "Versións do cliente",
"Failed to load.": "Fallou a carga.",
"Capabilities": "Capacidades",
"Send custom state event": "Enviar evento de estado personalizado",
"Failed to send event!": "Fallou o envio do evento!",
"Doesn't look like valid JSON.": "Non semella un JSON válido.",
"Send custom room account data event": "Enviar evento de datos da sala personalizado",
"Send custom account data event": "Enviar evento de datos da conta personalizado",
"Room ID: %(roomId)s": "ID da sala: %(roomId)s", "Room ID: %(roomId)s": "ID da sala: %(roomId)s",
"Server info": "Info do servidor", "Server info": "Info do servidor",
"Settings explorer": "Explorar axustes", "Settings explorer": "Explorar axustes",
@ -3077,7 +2975,6 @@
"Unmute microphone": "Activar micrófono", "Unmute microphone": "Activar micrófono",
"Mute microphone": "Acalar micrófono", "Mute microphone": "Acalar micrófono",
"Audio devices": "Dispositivos de audio", "Audio devices": "Dispositivos de audio",
"Enable Markdown": "Activar Markdown",
"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.": "Pechaches a sesión en tódolos dispositivos e non recibirás notificacións push. Para reactivalas notificacións volve a acceder en cada dispositivo.", "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.": "Pechaches a sesión en tódolos dispositivos e non recibirás notificacións push. Para reactivalas notificacións volve a acceder en cada dispositivo.",
"If you want to retain access to your chat history in encrypted rooms, set up Key Backup or export your message keys from one of your other devices before proceeding.": "Se queres manter o acceso ao historial de conversas en salas cifradas, configura a Copia de Apoio das Chaves ou exporta as chaves das mensaxes desde un dos teus dispositivos antes de continuar.", "If you want to retain access to your chat history in encrypted rooms, set up Key Backup or export your message keys from one of your other devices before proceeding.": "Se queres manter o acceso ao historial de conversas en salas cifradas, configura a Copia de Apoio das Chaves ou exporta as chaves das mensaxes desde un dos teus dispositivos antes de continuar.",
"Signing out your devices will delete the message encryption keys stored on them, making encrypted chat history unreadable.": "Ao pechar sesión nos teus dispositivos eliminarás as chaves de cifrado de mensaxes gardadas neles, facendo ilexible o historial de conversas cifrado.", "Signing out your devices will delete the message encryption keys stored on them, making encrypted chat history unreadable.": "Ao pechar sesión nos teus dispositivos eliminarás as chaves de cifrado de mensaxes gardadas neles, facendo ilexible o historial de conversas cifrado.",
@ -3122,11 +3019,9 @@
}, },
"Failed to set direct message tag": "Non se estableceu a etiqueta de mensaxe directa", "Failed to set direct message tag": "Non se estableceu a etiqueta de mensaxe directa",
"Read receipts": "Resgados de lectura", "Read receipts": "Resgados de lectura",
"Enable hardware acceleration (restart %(appName)s to take effect)": "Activar aceleración por hardware (reiniciar %(appName)s para aplicar)",
"You were disconnected from the call. (Error: %(message)s)": "Desconectouse a chamada. (Erro: %(message)s)", "You were disconnected from the call. (Error: %(message)s)": "Desconectouse a chamada. (Erro: %(message)s)",
"Connection lost": "Perdeuse a conexión", "Connection lost": "Perdeuse a conexión",
"Deactivating your account is a permanent action — be careful!": "A desactivación da conta é unha acción permanente — coidado!", "Deactivating your account is a permanent action — be careful!": "A desactivación da conta é unha acción permanente — coidado!",
"Minimise": "Minimizar",
"Un-maximise": "Restablecer", "Un-maximise": "Restablecer",
"Joining the beta will reload %(brand)s.": "Ao unirte á beta recargaremos %(brand)s.", "Joining the beta will reload %(brand)s.": "Ao unirte á beta recargaremos %(brand)s.",
"Leaving the beta will reload %(brand)s.": "Ao saír da beta volveremos a cargar %(brand)s.", "Leaving the beta will reload %(brand)s.": "Ao saír da beta volveremos a cargar %(brand)s.",
@ -3185,21 +3080,6 @@
"Send your first message to invite <displayName/> to chat": "Envía a túa primeira mensaxe para convidar a <displayName/> ao chat", "Send your first message to invite <displayName/> to chat": "Envía a túa primeira mensaxe para convidar a <displayName/> ao chat",
"Choose a locale": "Elixe o idioma", "Choose a locale": "Elixe o idioma",
"Spell check": "Corrección", "Spell check": "Corrección",
"Complete these to get the most out of %(brand)s": "Completa esto para sacarlle partido a %(brand)s",
"You did it!": "Xa está!",
"Only %(count)s steps to go": {
"one": "A só %(count)s paso de comezar",
"other": "Só %(count)s para comezar"
},
"Welcome to %(brand)s": "Benvida a %(brand)s",
"Find your people": "Atopa a persoas",
"Keep ownership and control of community discussion.\nScale to support millions, with powerful moderation and interoperability.": "Mantén o control e a propiedade sobre as conversas da comunidade.\nPodendo xestionar millóns de contas, con ferramentas para a moderación e a interoperabilidade.",
"Community ownership": "Propiedade da comunidade",
"Find your co-workers": "Atopa aos teus colegas",
"Secure messaging for work": "Mensaxería segura para o traballo",
"Start your first chat": "Inicia o teu primeiro chat",
"With free end-to-end encrypted messaging, and unlimited voice and video calls, %(brand)s is a great way to stay in touch.": "%(brand)s é xenial para estar en contacto con amizades e familia, con mensaxes gratuítas cifradas de extremo-a-extremo e chamadas ilimintadas de voz e vídeo.",
"Secure messaging for friends and family": "Mensaxería segura para amizades e familia",
"Enable notifications": "Activa as notificacións", "Enable notifications": "Activa as notificacións",
"Dont miss a reply or important message": "Non perdas as respostas e mensaxes importantes", "Dont miss a reply or important message": "Non perdas as respostas e mensaxes importantes",
"Turn on notifications": "Activa as notificacións", "Turn on notifications": "Activa as notificacións",
@ -3220,20 +3100,14 @@
"App Store® and the Apple logo® are trademarks of Apple Inc.": "App Store® e o Apple logo® son marcas de Apple Inc.", "App Store® and the Apple logo® are trademarks of Apple Inc.": "App Store® e o Apple logo® son marcas de Apple Inc.",
"Get it on F-Droid": "Descargar desde F-Droid", "Get it on F-Droid": "Descargar desde F-Droid",
"Get it on Google Play": "Descargar desde Google Play", "Get it on Google Play": "Descargar desde Google Play",
"Android": "Android",
"Download on the App Store": "Descargar na App Store", "Download on the App Store": "Descargar na App Store",
"iOS": "iOS",
"Download %(brand)s Desktop": "Descargar %(brand)s Desktop", "Download %(brand)s Desktop": "Descargar %(brand)s Desktop",
"Download %(brand)s": "Descargar %(brand)s", "Download %(brand)s": "Descargar %(brand)s",
"Your server doesn't support disabling sending read receipts.": "O teu servidor non ten soporte para desactivar o envío de resgardos de lectura.", "Your server doesn't support disabling sending read receipts.": "O teu servidor non ten soporte para desactivar o envío de resgardos de lectura.",
"Share your activity and status with others.": "Comparte a túa actividade e estado con outras persoas.", "Share your activity and status with others.": "Comparte a túa actividade e estado con outras persoas.",
"Send read receipts": "Enviar resgardos de lectura",
"Unverified": "Non verificada",
"Verified": "Verificada",
"Inactive for %(inactiveAgeDays)s+ days": "Inactiva durante %(inactiveAgeDays)s+ días", "Inactive for %(inactiveAgeDays)s+ days": "Inactiva durante %(inactiveAgeDays)s+ días",
"Session details": "Detalles da sesión", "Session details": "Detalles da sesión",
"IP address": "Enderezo IP", "IP address": "Enderezo IP",
"Device": "Dispositivo",
"Last activity": "Última actividade", "Last activity": "Última actividade",
"For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Para maior seguridade, verifica as túas sesións e pecha calquera sesión que non recoñezas como propia.", "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Para maior seguridade, verifica as túas sesións e pecha calquera sesión que non recoñezas como propia.",
"Other sessions": "Outras sesións", "Other sessions": "Outras sesións",
@ -3262,7 +3136,6 @@
"For best security, sign out from any session that you don't recognize or use anymore.": "Para a mellor seguridade, desconecta calquera outra sesión que xa non recoñezas ou uses.", "For best security, sign out from any session that you don't recognize or use anymore.": "Para a mellor seguridade, desconecta calquera outra sesión que xa non recoñezas ou uses.",
"Verified sessions": "Sesións verificadas", "Verified sessions": "Sesións verificadas",
"<b>It's not recommended to add encryption to public rooms.</b> Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.": "<b>Non é recomendable engadir o cifrado a salas públicas.</b> Calquera pode atopar salas públicas, e pode ler as mensaxes nela. Non terás ningún destos beneficios se activas o cifrado, e non poderás retiralo posteriormente. Ademáis ao cifrar as mensaxes dunha sala pública fará que se envíen e reciban máis lentamente.", "<b>It's not recommended to add encryption to public rooms.</b> Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.": "<b>Non é recomendable engadir o cifrado a salas públicas.</b> Calquera pode atopar salas públicas, e pode ler as mensaxes nela. Non terás ningún destos beneficios se activas o cifrado, e non poderás retiralo posteriormente. Ademáis ao cifrar as mensaxes dunha sala pública fará que se envíen e reciban máis lentamente.",
"Welcome": "Benvida",
"Dont miss a thing by taking %(brand)s with you": "Non perdas nada e leva %(brand)s contigo", "Dont miss a thing by taking %(brand)s with you": "Non perdas nada e leva %(brand)s contigo",
"Empty room (was %(oldName)s)": "Sala baleira (era %(oldName)s)", "Empty room (was %(oldName)s)": "Sala baleira (era %(oldName)s)",
"Inviting %(user)s and %(count)s others": { "Inviting %(user)s and %(count)s others": {
@ -3343,21 +3216,35 @@
"beta": "Beta", "beta": "Beta",
"attachment": "Anexo", "attachment": "Anexo",
"appearance": "Aparencia", "appearance": "Aparencia",
"guest": "Convidada",
"legal": "Legal",
"credits": "Créditos",
"faq": "PMF",
"access_token": "Token de acceso",
"preferences": "Preferencias",
"presence": "Presenza",
"timeline": "Cronoloxía", "timeline": "Cronoloxía",
"privacy": "Privacidade",
"camera": "Cámara",
"microphone": "Micrófono",
"emoji": "Emoji",
"random": "Ao chou",
"support": "Axuda", "support": "Axuda",
"space": "Espazo" "space": "Espazo",
"random": "Ao chou",
"privacy": "Privacidade",
"presence": "Presenza",
"preferences": "Preferencias",
"microphone": "Micrófono",
"legal": "Legal",
"guest": "Convidada",
"faq": "PMF",
"emoji": "Emoji",
"credits": "Créditos",
"camera": "Cámara",
"access_token": "Token de acceso",
"someone": "Alguén",
"welcome": "Benvida",
"encrypted": "Cifrado",
"device": "Dispositivo",
"verified": "Verificada",
"unverified": "Non verificada",
"matrix": "Matrix",
"ios": "iOS",
"android": "Android",
"trusted": "Confiable",
"not_trusted": "Non confiable",
"accessibility": "Accesibilidade",
"capabilities": "Capacidades",
"server": "Servidor"
}, },
"action": { "action": {
"continue": "Continuar", "continue": "Continuar",
@ -3428,22 +3315,33 @@
"back": "Atrás", "back": "Atrás",
"add": "Engadir", "add": "Engadir",
"accept": "Aceptar", "accept": "Aceptar",
"disconnect": "Desconectar",
"change": "Cambiar",
"subscribe": "Subscribir",
"unsubscribe": "Baixa na subscrición",
"approve": "Aprobar",
"complete": "Completar",
"revoke": "Revogar",
"rename": "Cambiar nome",
"view_all": "Ver todo", "view_all": "Ver todo",
"unsubscribe": "Baixa na subscrición",
"subscribe": "Subscribir",
"show_all": "Mostrar todo", "show_all": "Mostrar todo",
"show": "Mostar", "show": "Mostar",
"revoke": "Revogar",
"review": "Revisar", "review": "Revisar",
"restore": "Restablecer", "restore": "Restablecer",
"rename": "Cambiar nome",
"register": "Rexistrar",
"play": "Reproducir", "play": "Reproducir",
"pause": "Deter", "pause": "Deter",
"register": "Rexistrar" "disconnect": "Desconectar",
"complete": "Completar",
"change": "Cambiar",
"approve": "Aprobar",
"manage": "Xestionar",
"go": "Ir",
"import": "Importar",
"export": "Exportar",
"refresh": "Actualizar",
"minimise": "Minimizar",
"maximise": "Maximizar",
"mention": "Mención",
"submit": "Enviar",
"send_report": "Enviar denuncia",
"clear": "Limpar"
}, },
"a11y": { "a11y": {
"user_menu": "Menú de usuaria" "user_menu": "Menú de usuaria"
@ -3495,8 +3393,8 @@
"restricted": "Restrinxido", "restricted": "Restrinxido",
"moderator": "Moderador", "moderator": "Moderador",
"admin": "Administrador", "admin": "Administrador",
"custom": "Personalizado (%(level)s)", "mod": "Mod",
"mod": "Mod" "custom": "Personalizado (%(level)s)"
}, },
"bug_reporting": { "bug_reporting": {
"introduction": "Se informaches do fallo en GitHub, os rexistros poden ser útiles para arranxar o problema. ", "introduction": "Se informaches do fallo en GitHub, os rexistros poden ser útiles para arranxar o problema. ",
@ -3521,6 +3419,114 @@
"short_seconds": "%(value)ss", "short_seconds": "%(value)ss",
"short_days_hours_minutes_seconds": "%(days)sd %(hours)sh %(minutes)sm %(seconds)ss", "short_days_hours_minutes_seconds": "%(days)sd %(hours)sh %(minutes)sm %(seconds)ss",
"short_hours_minutes_seconds": "%(hours)sh %(minutes)sm %(seconds)ss", "short_hours_minutes_seconds": "%(hours)sh %(minutes)sm %(seconds)ss",
"short_minutes_seconds": "%(minutes)sm %(seconds)ss" "short_minutes_seconds": "%(minutes)sm %(seconds)ss",
"last_week": "Última semana",
"last_month": "Último mes"
},
"onboarding": {
"personal_messaging_title": "Mensaxería segura para amizades e familia",
"free_e2ee_messaging_unlimited_voip": "%(brand)s é xenial para estar en contacto con amizades e familia, con mensaxes gratuítas cifradas de extremo-a-extremo e chamadas ilimintadas de voz e vídeo.",
"personal_messaging_action": "Inicia o teu primeiro chat",
"work_messaging_title": "Mensaxería segura para o traballo",
"work_messaging_action": "Atopa aos teus colegas",
"community_messaging_title": "Propiedade da comunidade",
"community_messaging_action": "Atopa a persoas",
"welcome_to_brand": "Benvida a %(brand)s",
"only_n_steps_to_go": {
"one": "A só %(count)s paso de comezar",
"other": "Só %(count)s para comezar"
},
"you_did_it": "Xa está!",
"complete_these": "Completa esto para sacarlle partido a %(brand)s",
"community_messaging_description": "Mantén o control e a propiedade sobre as conversas da comunidade.\nPodendo xestionar millóns de contas, con ferramentas para a moderación e a interoperabilidade."
},
"devtools": {
"send_custom_account_data_event": "Enviar evento de datos da conta personalizado",
"send_custom_room_account_data_event": "Enviar evento de datos da sala personalizado",
"event_type": "Tipo de evento",
"state_key": "Chave do estado",
"invalid_json": "Non semella un JSON válido.",
"failed_to_send": "Fallou o envio do evento!",
"event_sent": "Evento enviado!",
"event_content": "Contido do evento",
"spaces": {
"one": "<spazo>",
"other": "<%(count)s espazos>"
},
"empty_string": "<cadea baleira>",
"send_custom_state_event": "Enviar evento de estado personalizado",
"failed_to_load": "Fallou a carga.",
"client_versions": "Versións do cliente",
"server_versions": "Versións do servidor",
"number_of_users": "Número de usuarias",
"failed_to_save": "Fallou o gardado dos axustes.",
"save_setting_values": "Gardar valores configurados",
"setting_colon": "Axuste:",
"caution_colon": "Aviso:",
"use_at_own_risk": "Esta IU non comproba os tipos dos valores. Usa baixo a túa responsabilidade.",
"setting_definition": "Definición do axuste:",
"level": "Nivel",
"settable_global": "Configurable como global",
"settable_room": "Configurable na sala",
"values_explicit": "Valores e niveis explícitos",
"values_explicit_room": "Valores a niveis explícitos nesta sala",
"edit_values": "Editar valores",
"value_colon": "Valor:",
"value_this_room_colon": "Valor nesta sala:",
"values_explicit_colon": "Valores a niveis explícitos:",
"values_explicit_this_room_colon": "Valores a niveis explícitos nesta sala:",
"setting_id": "ID do axuste",
"value": "Valor",
"value_in_this_room": "Valor nesta sala",
"edit_setting": "Editar axuste",
"phase_requested": "Solicitado",
"phase_ready": "Preparado",
"phase_started": "Iniciado",
"phase_cancelled": "Cancelado",
"phase_transaction": "Transacción",
"phase": "Fase",
"timeout": "Caducidade",
"methods": "Métodos",
"requester": "Solicitante",
"observe_only": "Só observar",
"no_verification_requests_found": "Non se atopan solicitudes de verificación",
"failed_to_find_widget": "Houbo un fallo ao buscar o widget."
},
"settings": {
"show_breadcrumbs": "Mostrar atallos a salas vistas recentemente enriba da lista de salas",
"all_rooms_home_description": "Tódalas salas nas que estás aparecerán en Inicio.",
"use_command_f_search": "Usar Command + F para buscar na cronoloxía",
"use_control_f_search": "Usar Ctrl + F para buscar na cronoloxía",
"use_12_hour_format": "Mostrar marcas de tempo con formato 12 horas (ex. 2:30pm)",
"always_show_message_timestamps": "Mostrar sempre marcas de tempo",
"send_read_receipts": "Enviar resgardos de lectura",
"send_typing_notifications": "Enviar notificación de escritura",
"replace_plain_emoji": "Substituír automaticamente Emoji en texto plano",
"enable_markdown": "Activar Markdown",
"emoji_autocomplete": "Activar suxestión de Emoji ao escribir",
"use_command_enter_send_message": "Usar Command + Enter para enviar unha mensaxe",
"use_control_enter_send_message": "Usar Ctrl + Enter para enviar unha mensaxe",
"all_rooms_home": "Mostrar tódalas salas no Inicio",
"show_stickers_button": "Mostrar botón dos adhesivos",
"insert_trailing_colon_mentions": "Inserir dous puntos tras mencionar a outra usuaria no inicio da mensaxe",
"automatic_language_detection_syntax_highlight": "Activar a detección automática de idioma para o resalte da sintaxe",
"code_block_expand_default": "Por defecto despregar bloques de código",
"code_block_line_numbers": "Mostrar números de liña nos bloques de código",
"inline_url_previews_default": "Activar por defecto as vistas previas en liña de URL",
"autoplay_gifs": "Reprod. automática GIFs",
"autoplay_videos": "Reprod. automática vídeo",
"image_thumbnails": "Mostrar miniaturas/vista previa das imaxes",
"show_typing_notifications": "Mostrar notificacións de escritura",
"show_redaction_placeholder": "Resaltar o lugar das mensaxes eliminadas",
"show_read_receipts": "Mostrar resgardo de lectura enviados por outras usuarias",
"show_join_leave": "Mostrar unirse/saír (convites/eliminacións/vetos non afectados)",
"show_displayname_changes": "Mostrar cambios do nome mostrado",
"show_chat_effects": "Mostrar efectos no chat (animacións na recepción, ex. confetti)",
"big_emoji": "Activar Emojis grandes na conversa",
"jump_to_bottom_on_send": "Ir ao final da cronoloxía cando envías unha mensaxe",
"prompt_invite": "Avisar antes de enviar convites a IDs de Matrix potencialmente incorrectos",
"hardware_acceleration": "Activar aceleración por hardware (reiniciar %(appName)s para aplicar)",
"start_automatically": "Iniciar automaticamente despois de iniciar sesión",
"warn_quit": "Aviso antes de saír"
} }
} }

View file

@ -59,14 +59,12 @@
"No update available.": "אין עדכון זמין.", "No update available.": "אין עדכון זמין.",
"Collecting app version information": "אוסף מידע על גרסת היישום", "Collecting app version information": "אוסף מידע על גרסת היישום",
"Tuesday": "שלישי", "Tuesday": "שלישי",
"Event sent!": "ארוע נשלח!",
"Preparing to send logs": "מתכונן לשלוח יומנים", "Preparing to send logs": "מתכונן לשלוח יומנים",
"Saturday": "שבת", "Saturday": "שבת",
"Monday": "שני", "Monday": "שני",
"Toolbox": "תיבת כלים", "Toolbox": "תיבת כלים",
"Collecting logs": "אוסף יומנים לנפוי שגיאה (דבאג)", "Collecting logs": "אוסף יומנים לנפוי שגיאה (דבאג)",
"All Rooms": "כל החדרים", "All Rooms": "כל החדרים",
"State Key": "מקש מצב",
"Wednesday": "רביעי", "Wednesday": "רביעי",
"All messages": "כל ההודעות", "All messages": "כל ההודעות",
"Call invitation": "הזמנה לשיחה", "Call invitation": "הזמנה לשיחה",
@ -84,9 +82,7 @@
"Low Priority": "עדיפות נמוכה", "Low Priority": "עדיפות נמוכה",
"Off": "ללא", "Off": "ללא",
"Failed to remove tag %(tagName)s from room": "נכשל בעת נסיון הסרת תג %(tagName)s מהחדר", "Failed to remove tag %(tagName)s from room": "נכשל בעת נסיון הסרת תג %(tagName)s מהחדר",
"Event Type": "סוג ארוע",
"Developer Tools": "כלי מפתחים", "Developer Tools": "כלי מפתחים",
"Event Content": "תוכן הארוע",
"Thank you!": "רב תודות!", "Thank you!": "רב תודות!",
"Your %(brand)s is misconfigured": "ה %(brand)s שלך מוגדר באופן שגוי", "Your %(brand)s is misconfigured": "ה %(brand)s שלך מוגדר באופן שגוי",
"Add Phone Number": "הוסף מספר טלפון", "Add Phone Number": "הוסף מספר טלפון",
@ -603,7 +599,6 @@
"%(senderName)s placed a video call.": "%(senderName)s התחיל שיחת וידאו.", "%(senderName)s placed a video call.": "%(senderName)s התחיל שיחת וידאו.",
"%(senderName)s placed a voice call. (not supported by this browser)": "%(senderName)s התחיל שיחה קולית. (אינו נתמך בדפדפן זה)", "%(senderName)s placed a voice call. (not supported by this browser)": "%(senderName)s התחיל שיחה קולית. (אינו נתמך בדפדפן זה)",
"%(senderName)s placed a voice call.": "%(senderName)s התחיל שיחה קולית.", "%(senderName)s placed a voice call.": "%(senderName)s התחיל שיחה קולית.",
"Someone": "משהו",
"%(senderName)s changed the addresses for this room.": "%(senderName)s שינה את הכתובות של חדר זה.", "%(senderName)s changed the addresses for this room.": "%(senderName)s שינה את הכתובות של חדר זה.",
"%(senderName)s changed the main and alternative addresses for this room.": "%(senderName)s שינה את הכתובת הראשית והמשנית של חדר זה.", "%(senderName)s changed the main and alternative addresses for this room.": "%(senderName)s שינה את הכתובת הראשית והמשנית של חדר זה.",
"%(senderName)s changed the alternative addresses for this room.": "%(senderName)s שניה את הכתובת המשנית של חדר זה.", "%(senderName)s changed the alternative addresses for this room.": "%(senderName)s שניה את הכתובת המשנית של חדר זה.",
@ -661,7 +656,6 @@
"%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use <desktopLink>%(brand)s Desktop</desktopLink> for encrypted messages to appear in search results.": "%(brand)s אינם יכולים לשמור במטמון מאובטח הודעות מוצפנות באופן מקומי בזמן שהם פועלים בדפדפן אינטרנט. השתמש ב- <desktopLink>%(brand)s Desktop </desktopLink> כדי שהודעות מוצפנות יופיעו בתוצאות החיפוש.", "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use <desktopLink>%(brand)s Desktop</desktopLink> for encrypted messages to appear in search results.": "%(brand)s אינם יכולים לשמור במטמון מאובטח הודעות מוצפנות באופן מקומי בזמן שהם פועלים בדפדפן אינטרנט. השתמש ב- <desktopLink>%(brand)s Desktop </desktopLink> כדי שהודעות מוצפנות יופיעו בתוצאות החיפוש.",
"%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with <nativeLink>search components added</nativeLink>.": "%(brand)s חסרים כמה רכיבים הנדרשים לצורך אחסון במטמון מאובטח של הודעות מוצפנות באופן מקומי. אם תרצה להתנסות בתכונה זו, בנה %(brand)s מותאם אישית לדסקטום עם <nativeLink>חפש רכיבים להוספה</nativeLink>.", "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with <nativeLink>search components added</nativeLink>.": "%(brand)s חסרים כמה רכיבים הנדרשים לצורך אחסון במטמון מאובטח של הודעות מוצפנות באופן מקומי. אם תרצה להתנסות בתכונה זו, בנה %(brand)s מותאם אישית לדסקטום עם <nativeLink>חפש רכיבים להוספה</nativeLink>.",
"Securely cache encrypted messages locally for them to appear in search results.": "שמור באופן מאובטח הודעות מוצפנות באופן מקומי כדי שיופיעו בתוצאות החיפוש.", "Securely cache encrypted messages locally for them to appear in search results.": "שמור באופן מאובטח הודעות מוצפנות באופן מקומי כדי שיופיעו בתוצאות החיפוש.",
"Manage": "ניהול",
"Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": { "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": {
"one": "שמור באופן מאובטח הודעות מוצפנות באופן מקומי כדי שיופיעו בתוצאות החיפוש באמצעות %(size)s לשמור הודעות מחדרים %(rooms)s.", "one": "שמור באופן מאובטח הודעות מוצפנות באופן מקומי כדי שיופיעו בתוצאות החיפוש באמצעות %(size)s לשמור הודעות מחדרים %(rooms)s.",
"other": "שמור באופן מאובטח הודעות מוצפנות באופן מקומי כדי שיופיעו בתוצאות החיפוש באמצעות %(size)s לשמור הודעות מחדרים %(rooms)s." "other": "שמור באופן מאובטח הודעות מוצפנות באופן מקומי כדי שיופיעו בתוצאות החיפוש באמצעות %(size)s לשמור הודעות מחדרים %(rooms)s."
@ -811,14 +805,10 @@
"Manually verify all remote sessions": "אמת באופן ידני את כל ההתחברויות", "Manually verify all remote sessions": "אמת באופן ידני את כל ההתחברויות",
"How fast should messages be downloaded.": "באיזו מהירות הודעות יורדות.", "How fast should messages be downloaded.": "באיזו מהירות הודעות יורדות.",
"Enable message search in encrypted rooms": "אפשר חיפוש הודעות בחדרים מוצפנים", "Enable message search in encrypted rooms": "אפשר חיפוש הודעות בחדרים מוצפנים",
"Show previews/thumbnails for images": "הראה תצוגה מקדימה\\ממוזערת של תמונות",
"Show hidden events in timeline": "הצג ארועים מוסתרים בקו הזמן", "Show hidden events in timeline": "הצג ארועים מוסתרים בקו הזמן",
"Show shortcuts to recently viewed rooms above the room list": "הצג קיצורים אל חדרים שנצפו לאחרונה מעל לרשימת החדרים",
"Prompt before sending invites to potentially invalid matrix IDs": "שאלו אותי לפני שאתם שולחים הזמנה אל קוד זיהוי אפשרי של משתמש מערכת",
"Enable widget screenshots on supported widgets": "אפשר צילומי מסך של ישומונים עבור ישומונים נתמכים", "Enable widget screenshots on supported widgets": "אפשר צילומי מסך של ישומונים עבור ישומונים נתמכים",
"Enable URL previews by default for participants in this room": "אפשר לחברים בחדר זה לצפות בתצוגת קישורים", "Enable URL previews by default for participants in this room": "אפשר לחברים בחדר זה לצפות בתצוגת קישורים",
"Enable URL previews for this room (only affects you)": "הראה תצוגה מקדימה של קישורים בחדר זה (משפיע רק עליכם)", "Enable URL previews for this room (only affects you)": "הראה תצוגה מקדימה של קישורים בחדר זה (משפיע רק עליכם)",
"Enable inline URL previews by default": "אפשר צפייה של תצוגת קישורים בצאט כברירת מחדל",
"Never send encrypted messages to unverified sessions in this room from this session": "לעולם אל תשלח הודעות מוצפנות אל התחברות שאינה מאומתת בחדר זה, מהתחברות זו", "Never send encrypted messages to unverified sessions in this room from this session": "לעולם אל תשלח הודעות מוצפנות אל התחברות שאינה מאומתת בחדר זה, מהתחברות זו",
"Never send encrypted messages to unverified sessions from this session": "לעולם אל תשלח הודעות מוצפנות אל התחברות שאינה מאומתת מהתחברות זו", "Never send encrypted messages to unverified sessions from this session": "לעולם אל תשלח הודעות מוצפנות אל התחברות שאינה מאומתת מהתחברות זו",
"Send analytics data": "שלח מידע אנליטי", "Send analytics data": "שלח מידע אנליטי",
@ -826,19 +816,6 @@
"Use a system font": "השתמש בגופן מערכת", "Use a system font": "השתמש בגופן מערכת",
"Match system theme": "התאם לתבנית המערכת", "Match system theme": "התאם לתבנית המערכת",
"Mirror local video feed": "שקף זרימת וידאו מקומית", "Mirror local video feed": "שקף זרימת וידאו מקומית",
"Automatically replace plain text Emoji": "החלף טקסט עם סמל באופן אוטומטי",
"Use Ctrl + Enter to send a message": "השתמש ב Ctrl + Enter על מנת לשלוח הודעה",
"Use Command + Enter to send a message": "השתמש במקלדת Command + Enter על מנת לשלוח הודעה",
"Show typing notifications": "הצג התרעות כתיבה",
"Send typing notifications": "שלח התרעות כתיבה",
"Enable big emoji in chat": "החל סמלים גדולים בצאט",
"Enable automatic language detection for syntax highlighting": "החל זיהוי שפה אוטומטי עבור הדגשת מבנה הכתיבה",
"Always show message timestamps": "תמיד הצג חותמות זמן של הודעות",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "הצג חותמות זמן של 12 שעות (כלומר 2:30pm)",
"Show read receipts sent by other users": "הצג הודעות שנקראו בידי משתמשים אחרים",
"Show display name changes": "הצג שינויים של שמות",
"Show a placeholder for removed messages": "הצד מקום לתצוגת הודעות שהוסרו",
"Enable Emoji suggestions while typing": "החל הצעות לסמלים בזמן כתיבה",
"Use custom size": "השתמשו בגודל מותאם אישית", "Use custom size": "השתמשו בגודל מותאם אישית",
"Font size": "גודל אותיות", "Font size": "גודל אותיות",
"Change notification settings": "שינוי הגדרת התרעות", "Change notification settings": "שינוי הגדרת התרעות",
@ -941,7 +918,6 @@
"Server name": "שם השרת", "Server name": "שם השרת",
"Enter the name of a new server you want to explore.": "הזן את שם השרת החדש שתרצה לחקור.", "Enter the name of a new server you want to explore.": "הזן את שם השרת החדש שתרצה לחקור.",
"Add a new server": "הוסף שרת חדש", "Add a new server": "הוסף שרת חדש",
"Matrix": "מטריקס",
"Your server": "השרת שלכם", "Your server": "השרת שלכם",
"All rooms": "כל החדרים", "All rooms": "כל החדרים",
"Can't find this server or its room list": "לא ניתן למצוא שרת זה או את רשימת החדרים שלו", "Can't find this server or its room list": "לא ניתן למצוא שרת זה או את רשימת החדרים שלו",
@ -1134,7 +1110,6 @@
"You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "לא תוכל לבטל את השינוי הזה מכיוון שאתה מוריד את עצמך בדרגה, אם אתה המשתמש המיועד האחרון בחדר, אי אפשר יהיה להחזיר לו הרשאות.", "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 yourself?": "להוריד את עצמך?", "Demote yourself?": "להוריד את עצמך?",
"Share Link to User": "שתף קישור למשתמש", "Share Link to User": "שתף קישור למשתמש",
"Mention": "אזכר",
"Jump to read receipt": "קפצו לקבלת קריאה", "Jump to read receipt": "קפצו לקבלת קריאה",
"Hide sessions": "הסתר מושבים", "Hide sessions": "הסתר מושבים",
"%(count)s sessions": { "%(count)s sessions": {
@ -1146,8 +1121,6 @@
"one": "1 מושב מאומת", "one": "1 מושב מאומת",
"other": "%(count)s מושבים מאומתים" "other": "%(count)s מושבים מאומתים"
}, },
"Not trusted": "לא אמין",
"Trusted": "אמין",
"Room settings": "הגדרות חדר", "Room settings": "הגדרות חדר",
"Share room": "שתף חדר", "Share room": "שתף חדר",
"Not encrypted": "לא מוצפן", "Not encrypted": "לא מוצפן",
@ -1324,7 +1297,6 @@
"Your email address hasn't been verified yet": "כתובת הדוא\"ל שלך עדיין לא אומתה", "Your email address hasn't been verified yet": "כתובת הדוא\"ל שלך עדיין לא אומתה",
"Unable to share email address": "לא ניתן לשתף את כתובת הדוא\"ל", "Unable to share email address": "לא ניתן לשתף את כתובת הדוא\"ל",
"Unable to revoke sharing for email address": "לא ניתן לבטל את השיתוף לכתובת הדוא\"ל", "Unable to revoke sharing for email address": "לא ניתן לבטל את השיתוף לכתובת הדוא\"ל",
"Encrypted": "מוצפן",
"Once enabled, encryption cannot be disabled.": "לאחר הפעלת הצפנה - לא ניתן לבטל אותה.", "Once enabled, encryption cannot be disabled.": "לאחר הפעלת הצפנה - לא ניתן לבטל אותה.",
"Security & Privacy": "אבטחה ופרטיות", "Security & Privacy": "אבטחה ופרטיות",
"Who can read history?": "למי מותר לקרוא הסטוריה?", "Who can read history?": "למי מותר לקרוא הסטוריה?",
@ -1452,7 +1424,6 @@
"Composer": "כתבן", "Composer": "כתבן",
"Room list": "רשימת חדרים", "Room list": "רשימת חדרים",
"Always show the window menu bar": "הראה תמיד את שורת תפריט החלונות", "Always show the window menu bar": "הראה תמיד את שורת תפריט החלונות",
"Start automatically after system login": "התחל באופן אוטומטי לאחר הכניסה",
"Room ID or address of ban list": "זהות החדר או כתובת של רשימת החסומים", "Room ID or address of ban list": "זהות החדר או כתובת של רשימת החסומים",
"If this isn't what you want, please use a different tool to ignore users.": "אם זה לא מה שאתה רוצה, השתמש בכלי אחר כדי להתעלם ממשתמשים.", "If this isn't what you want, please use a different tool to ignore users.": "אם זה לא מה שאתה רוצה, השתמש בכלי אחר כדי להתעלם ממשתמשים.",
"Subscribing to a ban list will cause you to join it!": "הרשמה לרשימת איסורים תגרום לך להצטרף אליה!", "Subscribing to a ban list will cause you to join it!": "הרשמה לרשימת איסורים תגרום לך להצטרף אליה!",
@ -1626,7 +1597,6 @@
"Nice, strong password!": "יפה, סיסמה חזקה!", "Nice, strong password!": "יפה, סיסמה חזקה!",
"Enter password": "הזן סיסמה", "Enter password": "הזן סיסמה",
"Start authentication": "התחל אימות", "Start authentication": "התחל אימות",
"Submit": "הגש",
"Please enter the code it contains:": "אנא הכנס את הקוד שהוא מכיל:", "Please enter the code it contains:": "אנא הכנס את הקוד שהוא מכיל:",
"A text message has been sent to %(msisdn)s": "הודעת טקסט נשלחה אל %(msisdn)s", "A text message has been sent to %(msisdn)s": "הודעת טקסט נשלחה אל %(msisdn)s",
"Token incorrect": "אסימון שגוי", "Token incorrect": "אסימון שגוי",
@ -1713,7 +1683,6 @@
"If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "אם השתמשת בעבר בגרסה עדכנית יותר של %(brand)s, ייתכן שההפעלה שלך אינה תואמת לגרסה זו. סגרו חלון זה וחזרו לגרסה העדכנית יותר.", "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "אם השתמשת בעבר בגרסה עדכנית יותר של %(brand)s, ייתכן שההפעלה שלך אינה תואמת לגרסה זו. סגרו חלון זה וחזרו לגרסה העדכנית יותר.",
"We encountered an error trying to restore your previous session.": "נתקלנו בשגיאה בניסיון לשחזר את ההפעלה הקודמת שלך.", "We encountered an error trying to restore your previous session.": "נתקלנו בשגיאה בניסיון לשחזר את ההפעלה הקודמת שלך.",
"Unable to restore session": "לא ניתן לשחזר את ההפעלה", "Unable to restore session": "לא ניתן לשחזר את ההפעלה",
"Refresh": "רענן",
"Send Logs": "שלח יומנים", "Send Logs": "שלח יומנים",
"Clear Storage and Sign Out": "נקה אחסון והתנתק", "Clear Storage and Sign Out": "נקה אחסון והתנתק",
"Sign out and remove encryption keys?": "להתנתק ולהסיר מפתחות הצפנה?", "Sign out and remove encryption keys?": "להתנתק ולהסיר מפתחות הצפנה?",
@ -1751,7 +1720,6 @@
"The room upgrade could not be completed": "לא ניתן היה להשלים את שדרוג החדר", "The room upgrade could not be completed": "לא ניתן היה להשלים את שדרוג החדר",
"Failed to upgrade room": "שדרוג החדר נכשל", "Failed to upgrade room": "שדרוג החדר נכשל",
"Room Settings - %(roomName)s": "הגדרות חדר - %(roomName)s", "Room Settings - %(roomName)s": "הגדרות חדר - %(roomName)s",
"Send report": "שלח דיווח",
"Reporting this message will send its unique 'event ID' to the administrator of your homeserver. If messages in this room are encrypted, your homeserver administrator will not be able to read the message text or view any files or images.": "דיווח על הודעה זו ישלח את 'מזהה האירוע' הייחודי למנהל שרת הבית שלך. אם הודעות בחדר זה מוצפנות, מנהל שרת הבית שלך לא יוכל לקרוא את טקסט ההודעה או להציג קבצים או תמונות.", "Reporting this message will send its unique 'event ID' to the administrator of your homeserver. If messages in this room are encrypted, your homeserver administrator will not be able to read the message text or view any files or images.": "דיווח על הודעה זו ישלח את 'מזהה האירוע' הייחודי למנהל שרת הבית שלך. אם הודעות בחדר זה מוצפנות, מנהל שרת הבית שלך לא יוכל לקרוא את טקסט ההודעה או להציג קבצים או תמונות.",
"Report Content to Your Homeserver Administrator": "דווח על תוכן למנהל שרת הבית שלך", "Report Content to Your Homeserver Administrator": "דווח על תוכן למנהל שרת הבית שלך",
"Please fill why you're reporting.": "אנא מלאו מדוע אתם מדווחים.", "Please fill why you're reporting.": "אנא מלאו מדוע אתם מדווחים.",
@ -1794,7 +1762,6 @@
"a new master key signature": "חתימת מפתח ראשית חדשה", "a new master key signature": "חתימת מפתח ראשית חדשה",
"Invite someone using their name, username (like <userId/>) or <a>share this room</a>.": "הזמינו מישהו המשתמש בשמו, שם המשתמש (כמו <userId/>) או <a> שתפו את החדר הזה </a>.", "Invite someone using their name, username (like <userId/>) or <a>share this room</a>.": "הזמינו מישהו המשתמש בשמו, שם המשתמש (כמו <userId/>) או <a> שתפו את החדר הזה </a>.",
"Invite someone using their name, email address, username (like <userId/>) or <a>share this room</a>.": "הזמינו מישהו המשתמש בשמו, כתובת הדוא\"ל, שם המשתמש (כמו <userId/>) או <a> שתפו את החדר הזה </a>.", "Invite someone using their name, email address, username (like <userId/>) or <a>share this room</a>.": "הזמינו מישהו המשתמש בשמו, כתובת הדוא\"ל, שם המשתמש (כמו <userId/>) או <a> שתפו את החדר הזה </a>.",
"Go": "המשך",
"Start a conversation with someone using their name or username (like <userId/>).": "התחל שיחה עם מישהו המשתמש בשמו או בשם המשתמש שלו (כמו <userId/>).", "Start a conversation with someone using their name or username (like <userId/>).": "התחל שיחה עם מישהו המשתמש בשמו או בשם המשתמש שלו (כמו <userId/>).",
"Start a conversation with someone using their name, email address or username (like <userId/>).": "התחל שיחה עם מישהו המשתמש בשמו, כתובת הדוא\"ל או שם המשתמש שלו (כמו <userId/>).", "Start a conversation with someone using their name, email address or username (like <userId/>).": "התחל שיחה עם מישהו המשתמש בשמו, כתובת הדוא\"ל או שם המשתמש שלו (כמו <userId/>).",
"Direct Messages": "הודעות ישירות", "Direct Messages": "הודעות ישירות",
@ -1865,12 +1832,10 @@
"This session is encrypting history using the new recovery method.": "הפעלה זו היא הצפנת היסטוריה בשיטת השחזור החדשה.", "This session is encrypting history using the new recovery method.": "הפעלה זו היא הצפנת היסטוריה בשיטת השחזור החדשה.",
"If you didn't set the new recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.": "אם לא הגדרת את שיטת השחזור החדשה, ייתכן שתוקף מנסה לגשת לחשבונך. שנה את סיסמת החשבון שלך והגדר מיד שיטת שחזור חדשה בהגדרות.", "If you didn't set the new recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.": "אם לא הגדרת את שיטת השחזור החדשה, ייתכן שתוקף מנסה לגשת לחשבונך. שנה את סיסמת החשבון שלך והגדר מיד שיטת שחזור חדשה בהגדרות.",
"New Recovery Method": "שיטת שחזור חדשה", "New Recovery Method": "שיטת שחזור חדשה",
"Import": "יבא",
"File to import": "קובץ ליבא", "File to import": "קובץ ליבא",
"The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "קובץ הייצוא יהיה מוגן באמצעות משפט סיסמה. עליך להזין כאן את משפט הסיסמה כדי לפענח את הקובץ.", "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "קובץ הייצוא יהיה מוגן באמצעות משפט סיסמה. עליך להזין כאן את משפט הסיסמה כדי לפענח את הקובץ.",
"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.": "תהליך זה מאפשר לך לייבא מפתחות הצפנה שייצאת בעבר מלקוח מטריקס אחר. לאחר מכן תוכל לפענח את כל ההודעות שהלקוח האחר יכול לפענח.", "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.": "תהליך זה מאפשר לך לייבא מפתחות הצפנה שייצאת בעבר מלקוח מטריקס אחר. לאחר מכן תוכל לפענח את כל ההודעות שהלקוח האחר יכול לפענח.",
"Import room keys": "יבא מפתחות חדר", "Import room keys": "יבא מפתחות חדר",
"Export": "ייצוא",
"Confirm passphrase": "אשר ביטוי", "Confirm passphrase": "אשר ביטוי",
"Enter passphrase": "הזן ביטוי סיסמה", "Enter passphrase": "הזן ביטוי סיסמה",
"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.": "תהליך זה מאפשר לך לייצא את המפתחות להודעות שקיבלת בחדרים מוצפנים לקובץ מקומי. לאחר מכן תוכל לייבא את הקובץ ללקוח מטריקס אחר בעתיד, כך שלקוח יוכל גם לפענח הודעות אלה.", "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.": "תהליך זה מאפשר לך לייצא את המפתחות להודעות שקיבלת בחדרים מוצפנים לקובץ מקומי. לאחר מכן תוכל לייבא את הקובץ ללקוח מטריקס אחר בעתיד, כך שלקוח יוכל גם לפענח הודעות אלה.",
@ -2002,7 +1967,6 @@
"Dial pad": "לוח חיוג", "Dial pad": "לוח חיוג",
"There was an error looking up the phone number": "אירעה שגיאה בחיפוש מספר הטלפון", "There was an error looking up the phone number": "אירעה שגיאה בחיפוש מספר הטלפון",
"Unable to look up phone number": "לא ניתן לחפש את מספר הטלפון", "Unable to look up phone number": "לא ניתן לחפש את מספר הטלפון",
"There was an error finding this widget.": "אירעה שגיאה במציאת היישומון הזה.",
"Active Widgets": "יישומונים פעילים", "Active Widgets": "יישומונים פעילים",
"Set my room layout for everyone": "הגדר את פריסת החדר שלי עבור כולם", "Set my room layout for everyone": "הגדר את פריסת החדר שלי עבור כולם",
"Open dial pad": "פתח לוח חיוג", "Open dial pad": "פתח לוח חיוג",
@ -2021,8 +1985,6 @@
"Allow this widget to verify your identity": "אפשר לווידג'ט זה לאמת את זהותך", "Allow this widget to verify your identity": "אפשר לווידג'ט זה לאמת את זהותך",
"Workspace: <networkLink/>": "סביבת עבודה: <networkLink/>", "Workspace: <networkLink/>": "סביבת עבודה: <networkLink/>",
"Change which room, message, or user you're viewing": "שנה את החדר, ההודעה או המשתמש שאתה צופה בו", "Change which room, message, or user you're viewing": "שנה את החדר, ההודעה או המשתמש שאתה צופה בו",
"Expand code blocks by default": "הרחב את בלוקי הקוד כברירת מחדל",
"Show stickers button": "הצג את לחצן המדבקות",
"Use app": "השתמש באפליקציה", "Use app": "השתמש באפליקציה",
"Use app for a better experience": "השתמש באפליקציה לחוויה טובה יותר", "Use app for a better experience": "השתמש באפליקציה לחוויה טובה יותר",
"Converts the DM to a room": "המר את השיחה הפרטית לחדר", "Converts the DM to a room": "המר את השיחה הפרטית לחדר",
@ -2088,8 +2050,6 @@
"Command error: Unable to handle slash command.": "שגיאת פקודה: לא ניתן לטפל בפקודת לוכסן.", "Command error: Unable to handle slash command.": "שגיאת פקודה: לא ניתן לטפל בפקודת לוכסן.",
"You cannot place calls without a connection to the server.": "אינך יכול לבצע שיחות ללא חיבור לשרת.", "You cannot place calls without a connection to the server.": "אינך יכול לבצע שיחות ללא חיבור לשרת.",
"Developer mode": "מצב מפתח", "Developer mode": "מצב מפתח",
"Show all rooms in Home": "הצג את כל החדרים בבית",
"Autoplay videos": "הפעלה אוטומטית של סרטונים",
"Developer": "מפתח", "Developer": "מפתח",
"Experimental": "נִסיוֹנִי", "Experimental": "נִסיוֹנִי",
"Spaces": "מרחבי עבודה", "Spaces": "מרחבי עבודה",
@ -2163,11 +2123,6 @@
"sends rainfall": "שלח גשם נופל", "sends rainfall": "שלח גשם נופל",
"Waiting for you to verify on your other device…": "ממתין לאישור שלך במכשיר השני…", "Waiting for you to verify on your other device…": "ממתין לאישור שלך במכשיר השני…",
"Confirm the emoji below are displayed on both devices, in the same order:": "ודא ואשר שהסמלים הבאים מופיעים בשני המכשירים ובאותו הסדר:", "Confirm the emoji below are displayed on both devices, in the same order:": "ודא ואשר שהסמלים הבאים מופיעים בשני המכשירים ובאותו הסדר:",
"Show chat effects (animations when receiving e.g. confetti)": "הצג אפקטים בצ'אט (אנימציות, למשל קונפטי)",
"Use Ctrl + F to search timeline": "השתמש ב Ctrl + F כדי לחפש הודעות",
"Jump to the bottom of the timeline when you send a message": "קפוץ לתחתית השיחה בעת שליחת הודעה",
"Show line numbers in code blocks": "הצג מספרי שורות במקטעי קוד",
"Autoplay GIFs": "הפעלה אוטומטית של אנימציות GIF",
"Other rooms": "חדרים אחרים", "Other rooms": "חדרים אחרים",
"Silence call": "השתקת שיחה", "Silence call": "השתקת שיחה",
"You previously consented to share anonymous usage data with us. We're updating how that works.": "הסכמתם בעבר לשתף איתנו מידע אנונימי לגבי השימוש שלכם. אנחנו מעדכנים איך זה מתבצע.", "You previously consented to share anonymous usage data with us. We're updating how that works.": "הסכמתם בעבר לשתף איתנו מידע אנונימי לגבי השימוש שלכם. אנחנו מעדכנים איך זה מתבצע.",
@ -2226,17 +2181,7 @@
"Previous room or DM": "חדר קודם או התכתבות ישירה", "Previous room or DM": "חדר קודם או התכתבות ישירה",
"Next room or DM": "חדר הבא או התכתבות ישירה", "Next room or DM": "חדר הבא או התכתבות ישירה",
"No unverified sessions found.": "לא נמצאו הפעלות לא מאומתות.", "No unverified sessions found.": "לא נמצאו הפעלות לא מאומתות.",
"Server Versions": "גירסאות שרת",
"Client Versions": "גירסאות",
"Failed to load.": "נכשל בטעינה.",
"Capabilities": "יכולות",
"Send custom state event": "שלח אירוע מצב מותאם אישית",
"<empty string>": "<מחרוזת ריקה>",
"<%(count)s spaces>": {
"one": "<רווח>"
},
"Friends and family": "חברים ומשפחה", "Friends and family": "חברים ומשפחה",
"Android": "אנדרויד",
"An error occurred whilst sharing your live location, please try again": "אירעה שגיאה במהלך שיתוף המיקום החי שלכם, אנא נסו שוב", "An error occurred whilst sharing your live location, please try again": "אירעה שגיאה במהלך שיתוף המיקום החי שלכם, אנא נסו שוב",
"Only invited people can join.": "רק משתשים מוזמנים יכולים להצטרף.", "Only invited people can join.": "רק משתשים מוזמנים יכולים להצטרף.",
"Private (invite only)": "פרטי (הזמנות בלבד)", "Private (invite only)": "פרטי (הזמנות בלבד)",
@ -2347,7 +2292,6 @@
"Unable to verify this device": "לא ניתן לאמת את מכשיר זה", "Unable to verify this device": "לא ניתן לאמת את מכשיר זה",
"Jump to last message": "קיפצו להודעה האחרונה", "Jump to last message": "קיפצו להודעה האחרונה",
"Jump to first message": "קיפצו להודעה הראשונה", "Jump to first message": "קיפצו להודעה הראשונה",
"Send read receipts": "שילחו אישורי קריאה",
"Messages in this chat will be end-to-end encrypted.": "הודעות בצ'אט זה יוצפו מקצה לקצה.", "Messages in this chat will be end-to-end encrypted.": "הודעות בצ'אט זה יוצפו מקצה לקצה.",
"Some encryption parameters have been changed.": "מספר פרמטרים של הצפנה שונו.", "Some encryption parameters have been changed.": "מספר פרמטרים של הצפנה שונו.",
"Decrypting": "מפענח", "Decrypting": "מפענח",
@ -2416,20 +2360,13 @@
"Jump to start of the composer": "עבור לתחילת ההתכתבות", "Jump to start of the composer": "עבור לתחילת ההתכתבות",
"Redo edit": "חזור על העריכה", "Redo edit": "חזור על העריכה",
"Undo edit": "בטל את העריכה", "Undo edit": "בטל את העריכה",
"Show join/leave messages (invites/removes/bans unaffected)": "הצג הודעות הצטרפות/עזיבה (הזמנות/הסרות/איסורים) לא מושפעים",
"Images, GIFs and videos": "תמונות, GIF ווידאו", "Images, GIFs and videos": "תמונות, GIF ווידאו",
"Code blocks": "מקטעי קוד", "Code blocks": "מקטעי קוד",
"Show polls button": "הצג את כפתור הסקרים", "Show polls button": "הצג את כפתור הסקרים",
"Insert a trailing colon after user mentions at the start of a message": "הוסף נקודתיים לאחר אזכור המשתמש בתחילת ההודעה",
"Surround selected text when typing special characters": "סמן טקסט כאשר מקלידים סמלים מיוחדים", "Surround selected text when typing special characters": "סמן טקסט כאשר מקלידים סמלים מיוחדים",
"To view all keyboard shortcuts, <a>click here</a>.": "כדי לצפות בכל קיצורי המקלדת , <a>לחצו כאן</a>.", "To view all keyboard shortcuts, <a>click here</a>.": "כדי לצפות בכל קיצורי המקלדת , <a>לחצו כאן</a>.",
"All rooms you're in will appear in Home.": "כל החדרים שבהם אתם נמצאים יופיעו בדף הבית.",
"Messages containing keywords": "הודעות המכילות מילות מפתח", "Messages containing keywords": "הודעות המכילות מילות מפתח",
"Access your secure message history and set up secure messaging by entering your Security Phrase.": "גש להיסטוריית ההודעות המאובטחת שלך והגדר הודעות מאובטחות על ידי הזנת ביטוי האבטחה שלך.", "Access your secure message history and set up secure messaging by entering your Security Phrase.": "גש להיסטוריית ההודעות המאובטחת שלך והגדר הודעות מאובטחות על ידי הזנת ביטוי האבטחה שלך.",
"Doesn't look like valid JSON.": "תבנית JSON לא חוקית",
"Server": "שרת",
"Value:": "ערך:",
"Phase": "שלב",
"@mentions & keywords": "אזכורים ומילות מפתח", "@mentions & keywords": "אזכורים ומילות מפתח",
"Mentions & keywords": "אזכורים ומילות מפתח", "Mentions & keywords": "אזכורים ומילות מפתח",
"Failed to invite users to %(roomName)s": "נכשל בהזמנת משתמשים לחדר - %(roomName)", "Failed to invite users to %(roomName)s": "נכשל בהזמנת משתמשים לחדר - %(roomName)",
@ -2558,7 +2495,6 @@
"Previous autocomplete suggestion": "הצעת השלמה אוטומטית קודמת", "Previous autocomplete suggestion": "הצעת השלמה אוטומטית קודמת",
"Force complete": "אלץ השלמת טקסט", "Force complete": "אלץ השלמת טקסט",
"Open this settings tab": "פתיחת חלון אפשרויות זה", "Open this settings tab": "פתיחת חלון אפשרויות זה",
"Accessibility": "נגישות",
"Navigate down in the room list": "נווט מטה ברשימת החדרים", "Navigate down in the room list": "נווט מטה ברשימת החדרים",
"Navigate up in the room list": "נווט מעלה ברשימת החדרים", "Navigate up in the room list": "נווט מעלה ברשימת החדרים",
"Scroll down in the timeline": "גלילה מטה בציר הזמן", "Scroll down in the timeline": "גלילה מטה בציר הזמן",
@ -2592,9 +2528,7 @@
"Send email": "שלח אימייל", "Send email": "שלח אימייל",
"<b>%(homeserver)s</b> will send you a verification link to let you reset your password.": "<b>%(homeserver)s</b> ישלח אליך קישור לצורך איפוס הסיסמה שלך.", "<b>%(homeserver)s</b> will send you a verification link to let you reset your password.": "<b>%(homeserver)s</b> ישלח אליך קישור לצורך איפוס הסיסמה שלך.",
"Enter your email to reset password": "הקלד את כתובת הדואר האלקטרוני שלך לצורך איפוס סיסמה", "Enter your email to reset password": "הקלד את כתובת הדואר האלקטרוני שלך לצורך איפוס סיסמה",
"Show NSFW content": "הצג תוכן NSFW (תוכן שלא מתאים לצפיה במקום ציבורי)",
"Room directory": "רשימת חדרים", "Room directory": "רשימת חדרים",
"Enable Markdown": "אפשר Markdown",
"New room": "חדר חדש", "New room": "חדר חדש",
"common": { "common": {
"about": "אודות", "about": "אודות",
@ -2652,7 +2586,16 @@
"emoji": "אימוג'י", "emoji": "אימוג'י",
"random": "אקראי", "random": "אקראי",
"support": "תמיכה", "support": "תמיכה",
"space": "מקש רווח" "space": "מקש רווח",
"someone": "משהו",
"encrypted": "מוצפן",
"matrix": "מטריקס",
"android": "אנדרויד",
"trusted": "אמין",
"not_trusted": "לא אמין",
"accessibility": "נגישות",
"capabilities": "יכולות",
"server": "שרת"
}, },
"action": { "action": {
"continue": "המשך", "continue": "המשך",
@ -2732,7 +2675,15 @@
"show_all": "הצג הכל", "show_all": "הצג הכל",
"review": "סקירה", "review": "סקירה",
"restore": "לשחזר", "restore": "לשחזר",
"register": "צור חשבון" "register": "צור חשבון",
"manage": "ניהול",
"go": "המשך",
"import": "יבא",
"export": "ייצוא",
"refresh": "רענן",
"mention": "אזכר",
"submit": "הגש",
"send_report": "שלח דיווח"
}, },
"a11y": { "a11y": {
"user_menu": "תפריט משתמש" "user_menu": "תפריט משתמש"
@ -2795,5 +2746,58 @@
"short_hours": "%(value)s שעות", "short_hours": "%(value)s שעות",
"short_minutes": "%(value)s דקות", "short_minutes": "%(value)s דקות",
"short_seconds": "%(value)s שניות" "short_seconds": "%(value)s שניות"
},
"devtools": {
"event_type": "סוג ארוע",
"state_key": "מקש מצב",
"invalid_json": "תבנית JSON לא חוקית",
"event_sent": "ארוע נשלח!",
"event_content": "תוכן הארוע",
"spaces": {
"one": "<רווח>"
},
"empty_string": "<מחרוזת ריקה>",
"send_custom_state_event": "שלח אירוע מצב מותאם אישית",
"failed_to_load": "נכשל בטעינה.",
"client_versions": "גירסאות",
"server_versions": "גירסאות שרת",
"value_colon": "ערך:",
"phase": "שלב",
"failed_to_find_widget": "אירעה שגיאה במציאת היישומון הזה."
},
"settings": {
"show_breadcrumbs": "הצג קיצורים אל חדרים שנצפו לאחרונה מעל לרשימת החדרים",
"all_rooms_home_description": "כל החדרים שבהם אתם נמצאים יופיעו בדף הבית.",
"use_control_f_search": "השתמש ב Ctrl + F כדי לחפש הודעות",
"use_12_hour_format": "הצג חותמות זמן של 12 שעות (כלומר 2:30pm)",
"always_show_message_timestamps": "תמיד הצג חותמות זמן של הודעות",
"send_read_receipts": "שילחו אישורי קריאה",
"send_typing_notifications": "שלח התרעות כתיבה",
"replace_plain_emoji": "החלף טקסט עם סמל באופן אוטומטי",
"enable_markdown": "אפשר Markdown",
"emoji_autocomplete": "החל הצעות לסמלים בזמן כתיבה",
"use_command_enter_send_message": "השתמש במקלדת Command + Enter על מנת לשלוח הודעה",
"use_control_enter_send_message": "השתמש ב Ctrl + Enter על מנת לשלוח הודעה",
"all_rooms_home": "הצג את כל החדרים בבית",
"show_stickers_button": "הצג את לחצן המדבקות",
"insert_trailing_colon_mentions": "הוסף נקודתיים לאחר אזכור המשתמש בתחילת ההודעה",
"automatic_language_detection_syntax_highlight": "החל זיהוי שפה אוטומטי עבור הדגשת מבנה הכתיבה",
"code_block_expand_default": "הרחב את בלוקי הקוד כברירת מחדל",
"code_block_line_numbers": "הצג מספרי שורות במקטעי קוד",
"inline_url_previews_default": "אפשר צפייה של תצוגת קישורים בצאט כברירת מחדל",
"autoplay_gifs": "הפעלה אוטומטית של אנימציות GIF",
"autoplay_videos": "הפעלה אוטומטית של סרטונים",
"image_thumbnails": "הראה תצוגה מקדימה\\ממוזערת של תמונות",
"show_typing_notifications": "הצג התרעות כתיבה",
"show_redaction_placeholder": "הצד מקום לתצוגת הודעות שהוסרו",
"show_read_receipts": "הצג הודעות שנקראו בידי משתמשים אחרים",
"show_join_leave": "הצג הודעות הצטרפות/עזיבה (הזמנות/הסרות/איסורים) לא מושפעים",
"show_displayname_changes": "הצג שינויים של שמות",
"show_chat_effects": "הצג אפקטים בצ'אט (אנימציות, למשל קונפטי)",
"big_emoji": "החל סמלים גדולים בצאט",
"jump_to_bottom_on_send": "קפוץ לתחתית השיחה בעת שליחת הודעה",
"show_nsfw_content": "הצג תוכן NSFW (תוכן שלא מתאים לצפיה במקום ציבורי)",
"prompt_invite": "שאלו אותי לפני שאתם שולחים הזמנה אל קוד זיהוי אפשרי של משתמש מערכת",
"start_automatically": "התחל באופן אוטומטי לאחר הכניסה"
} }
} }

View file

@ -79,7 +79,6 @@
"%(senderDisplayName)s sent an image.": "%(senderDisplayName)s ने एक छवि भेजी।", "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s ने एक छवि भेजी।",
"%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s ने इस कमरे के लिए मुख्य पता %(address)s पर सेट किया।", "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)s ने इस कमरे के लिए मुख्य पता %(address)s पर सेट किया।",
"%(senderName)s removed the main address for this room.": "%(senderName)s ने इस कमरे के लिए मुख्य पता हटा दिया।", "%(senderName)s removed the main address for this room.": "%(senderName)s ने इस कमरे के लिए मुख्य पता हटा दिया।",
"Someone": "कोई",
"%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s रूम में शामिल होने के लिए %(targetDisplayName)s को निमंत्रण भेजा।", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s रूम में शामिल होने के लिए %(targetDisplayName)s को निमंत्रण भेजा।",
"%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s ने भविष्य के रूम का इतिहास सभी रूम के सदस्यों के लिए प्रकाशित कर दिया जिस बिंदु से उन्हें आमंत्रित किया गया था।", "%(senderName)s made future room history visible to all room members, from the point they 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, from the point they joined.": "%(senderName)s ने भविष्य के रूम का इतिहास सभी रूम के सदस्यों के लिए दृश्यमान किया, जिस बिंदु में वे शामिल हुए थे।",
@ -101,13 +100,8 @@
"Your browser does not support the required cryptography extensions": "आपका ब्राउज़र आवश्यक क्रिप्टोग्राफी एक्सटेंशन का समर्थन नहीं करता है", "Your browser does not support the required cryptography extensions": "आपका ब्राउज़र आवश्यक क्रिप्टोग्राफी एक्सटेंशन का समर्थन नहीं करता है",
"Authentication check failed: incorrect password?": "प्रमाणीकरण जांच विफल: गलत पासवर्ड?", "Authentication check failed: incorrect password?": "प्रमाणीकरण जांच विफल: गलत पासवर्ड?",
"Please contact your homeserver administrator.": "कृपया अपने होमसर्वर व्यवस्थापक से संपर्क करें।", "Please contact your homeserver administrator.": "कृपया अपने होमसर्वर व्यवस्थापक से संपर्क करें।",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "१२ घंटे प्रारूप में टाइमस्टैम्प दिखाएं (उदहारण:२:३० अपराह्न बजे)",
"Always show message timestamps": "हमेशा संदेश टाइमस्टैम्प दिखाएं",
"Enable automatic language detection for syntax highlighting": "वाक्यविन्यास हाइलाइटिंग के लिए स्वत: भाषा का पता प्रणाली सक्षम करें",
"Automatically replace plain text Emoji": "स्वचालित रूप से सादा पाठ इमोजी को प्रतिस्थापित करें",
"Mirror local video feed": "स्थानीय वीडियो फ़ीड को आईना करें", "Mirror local video feed": "स्थानीय वीडियो फ़ीड को आईना करें",
"Send analytics data": "विश्लेषण डेटा भेजें", "Send analytics data": "विश्लेषण डेटा भेजें",
"Enable inline URL previews by default": "डिफ़ॉल्ट रूप से इनलाइन यूआरएल पूर्वावलोकन सक्षम करें",
"Enable URL previews for this room (only affects you)": "इस रूम के लिए यूआरएल पूर्वावलोकन सक्षम करें (केवल आपको प्रभावित करता है)", "Enable URL previews for this room (only affects you)": "इस रूम के लिए यूआरएल पूर्वावलोकन सक्षम करें (केवल आपको प्रभावित करता है)",
"Enable URL previews by default for participants in this room": "इस रूम में प्रतिभागियों के लिए डिफ़ॉल्ट रूप से यूआरएल पूर्वावलोकन सक्षम करें", "Enable URL previews by default for participants in this room": "इस रूम में प्रतिभागियों के लिए डिफ़ॉल्ट रूप से यूआरएल पूर्वावलोकन सक्षम करें",
"Enable widget screenshots on supported widgets": "समर्थित विजेट्स पर विजेट स्क्रीनशॉट सक्षम करें", "Enable widget screenshots on supported widgets": "समर्थित विजेट्स पर विजेट स्क्रीनशॉट सक्षम करें",
@ -121,7 +115,6 @@
"Call invitation": "कॉल आमंत्रण", "Call invitation": "कॉल आमंत्रण",
"Messages sent by bot": "रोबॉट द्वारा भेजे गए संदेश", "Messages sent by bot": "रोबॉट द्वारा भेजे गए संदेश",
"Incorrect verification code": "गलत सत्यापन कोड", "Incorrect verification code": "गलत सत्यापन कोड",
"Submit": "जमा करें",
"Phone": "फ़ोन", "Phone": "फ़ोन",
"No display name": "कोई प्रदर्शन नाम नहीं", "No display name": "कोई प्रदर्शन नाम नहीं",
"New passwords don't match": "नए पासवर्ड मेल नहीं खाते हैं", "New passwords don't match": "नए पासवर्ड मेल नहीं खाते हैं",
@ -185,7 +178,6 @@
"Are you sure?": "क्या आपको यकीन है?", "Are you sure?": "क्या आपको यकीन है?",
"Unignore": "अनदेखा न करें", "Unignore": "अनदेखा न करें",
"Jump to read receipt": "पढ़ी हुई रसीद में कूदें", "Jump to read receipt": "पढ़ी हुई रसीद में कूदें",
"Mention": "उल्लेख",
"Share Link to User": "उपयोगकर्ता को लिंक साझा करें", "Share Link to User": "उपयोगकर्ता को लिंक साझा करें",
"Admin Tools": "व्यवस्थापक उपकरण", "Admin Tools": "व्यवस्थापक उपकरण",
"and %(count)s others...": { "and %(count)s others...": {
@ -238,12 +230,6 @@
"Unrecognised address": "अपरिचित पता", "Unrecognised address": "अपरिचित पता",
"Straight rows of keys are easy to guess": "कुंजी की सीधी पंक्तियों का अनुमान लगाना आसान है", "Straight rows of keys are easy to guess": "कुंजी की सीधी पंक्तियों का अनुमान लगाना आसान है",
"Short keyboard patterns are easy to guess": "लघु कीबोर्ड पैटर्न का अनुमान लगाना आसान है", "Short keyboard patterns are easy to guess": "लघु कीबोर्ड पैटर्न का अनुमान लगाना आसान है",
"Enable Emoji suggestions while typing": "टाइप करते समय इमोजी सुझावों को सक्षम करें",
"Show a placeholder for removed messages": "हटाए गए संदेशों के लिए एक प्लेसहोल्डर दिखाएँ",
"Show display name changes": "प्रदर्शन नाम परिवर्तन दिखाएं",
"Enable big emoji in chat": "चैट में बड़े इमोजी सक्षम करें",
"Send typing notifications": "टाइपिंग सूचनाएं भेजें",
"Prompt before sending invites to potentially invalid matrix IDs": "संभावित अवैध मैट्रिक्स आईडी को निमंत्रण भेजने से पहले सूचित करें",
"Messages containing my username": "मेरे उपयोगकर्ता नाम वाले संदेश", "Messages containing my username": "मेरे उपयोगकर्ता नाम वाले संदेश",
"The other party cancelled the verification.": "दूसरे पक्ष ने सत्यापन रद्द कर दिया।", "The other party cancelled the verification.": "दूसरे पक्ष ने सत्यापन रद्द कर दिया।",
"Verified!": "सत्यापित!", "Verified!": "सत्यापित!",
@ -353,9 +339,7 @@
"Help & About": "सहायता और के बारे में", "Help & About": "सहायता और के बारे में",
"Versions": "संस्करण", "Versions": "संस्करण",
"Notifications": "सूचनाएं", "Notifications": "सूचनाएं",
"Start automatically after system login": "सिस्टम लॉगिन के बाद स्वचालित रूप से प्रारंभ करें",
"Changes your display nickname in the current room only": "केवल वर्तमान कमरे में अपना प्रदर्शन उपनाम बदलता है", "Changes your display nickname in the current room only": "केवल वर्तमान कमरे में अपना प्रदर्शन उपनाम बदलता है",
"Show read receipts sent by other users": "अन्य उपयोगकर्ताओं द्वारा भेजी गई रसीदें दिखाएं",
"Scissors": "कैंची", "Scissors": "कैंची",
"Room list": "कक्ष सूचि", "Room list": "कक्ष सूचि",
"Autocomplete delay (ms)": "स्वत: पूर्ण विलंब (ms)", "Autocomplete delay (ms)": "स्वत: पूर्ण विलंब (ms)",
@ -600,7 +584,8 @@
"preferences": "अधिमान", "preferences": "अधिमान",
"timeline": "समयसीमा", "timeline": "समयसीमा",
"camera": "कैमरा", "camera": "कैमरा",
"microphone": "माइक्रोफ़ोन" "microphone": "माइक्रोफ़ोन",
"someone": "कोई"
}, },
"action": { "action": {
"continue": "आगे बढ़ें", "continue": "आगे बढ़ें",
@ -623,7 +608,9 @@
"cancel": "रद्द", "cancel": "रद्द",
"add": "जोड़े", "add": "जोड़े",
"accept": "स्वीकार", "accept": "स्वीकार",
"register": "पंजीकरण करें" "register": "पंजीकरण करें",
"mention": "उल्लेख",
"submit": "जमा करें"
}, },
"labs": { "labs": {
"pinning": "संदेश पिनिंग", "pinning": "संदेश पिनिंग",
@ -645,5 +632,20 @@
"short_hours": "%(value)s", "short_hours": "%(value)s",
"short_minutes": "%(value)sएम", "short_minutes": "%(value)sएम",
"short_seconds": "%(value)s एस" "short_seconds": "%(value)s एस"
},
"settings": {
"use_12_hour_format": "१२ घंटे प्रारूप में टाइमस्टैम्प दिखाएं (उदहारण:२:३० अपराह्न बजे)",
"always_show_message_timestamps": "हमेशा संदेश टाइमस्टैम्प दिखाएं",
"send_typing_notifications": "टाइपिंग सूचनाएं भेजें",
"replace_plain_emoji": "स्वचालित रूप से सादा पाठ इमोजी को प्रतिस्थापित करें",
"emoji_autocomplete": "टाइप करते समय इमोजी सुझावों को सक्षम करें",
"automatic_language_detection_syntax_highlight": "वाक्यविन्यास हाइलाइटिंग के लिए स्वत: भाषा का पता प्रणाली सक्षम करें",
"inline_url_previews_default": "डिफ़ॉल्ट रूप से इनलाइन यूआरएल पूर्वावलोकन सक्षम करें",
"show_redaction_placeholder": "हटाए गए संदेशों के लिए एक प्लेसहोल्डर दिखाएँ",
"show_read_receipts": "अन्य उपयोगकर्ताओं द्वारा भेजी गई रसीदें दिखाएं",
"show_displayname_changes": "प्रदर्शन नाम परिवर्तन दिखाएं",
"big_emoji": "चैट में बड़े इमोजी सक्षम करें",
"prompt_invite": "संभावित अवैध मैट्रिक्स आईडी को निमंत्रण भेजने से पहले सूचित करें",
"start_automatically": "सिस्टम लॉगिन के बाद स्वचालित रूप से प्रारंभ करें"
} }
} }

View file

@ -14,7 +14,6 @@
"You may need to manually permit %(brand)s to access your microphone/webcam": "Lehet, hogy kézileg kell engedélyeznie a(z) %(brand)s számára, hogy hozzáférjen a mikrofonjához és webkamerájához", "You may need to manually permit %(brand)s to access your microphone/webcam": "Lehet, hogy kézileg kell engedélyeznie a(z) %(brand)s számára, hogy hozzáférjen a mikrofonjához és webkamerájához",
"Default Device": "Alapértelmezett eszköz", "Default Device": "Alapértelmezett eszköz",
"Advanced": "Speciális", "Advanced": "Speciális",
"Always show message timestamps": "Üzenetek időbélyegének megjelenítése mindig",
"Authentication": "Azonosítás", "Authentication": "Azonosítás",
"Failed to change password. Is your password correct?": "Nem sikerült megváltoztatni a jelszót. Helyesen írta be a jelszavát?", "Failed to change password. Is your password correct?": "Nem sikerült megváltoztatni a jelszót. Helyesen írta be a jelszavát?",
"Create new room": "Új szoba létrehozása", "Create new room": "Új szoba létrehozása",
@ -54,7 +53,6 @@
"Email address": "E-mail-cím", "Email address": "E-mail-cím",
"Enter passphrase": "Jelmondat megadása", "Enter passphrase": "Jelmondat megadása",
"Error decrypting attachment": "Csatolmány visszafejtése sikertelen", "Error decrypting attachment": "Csatolmány visszafejtése sikertelen",
"Export": "Mentés",
"Export E2E room keys": "E2E szobakulcsok exportálása", "Export E2E room keys": "E2E szobakulcsok exportálása",
"Failed to ban user": "A felhasználót nem sikerült kizárni", "Failed to ban user": "A felhasználót nem sikerült kizárni",
"Failed to change power level": "A hozzáférési szint megváltoztatása sikertelen", "Failed to change power level": "A hozzáférési szint megváltoztatása sikertelen",
@ -74,7 +72,6 @@
"Hangup": "Bontás", "Hangup": "Bontás",
"Historical": "Archív", "Historical": "Archív",
"Home": "Kezdőlap", "Home": "Kezdőlap",
"Import": "Betöltés",
"Import E2E room keys": "E2E szobakulcsok importálása", "Import E2E room keys": "E2E szobakulcsok importálása",
"Incorrect username and/or password.": "Helytelen felhasználónév vagy jelszó.", "Incorrect username and/or password.": "Helytelen felhasználónév vagy jelszó.",
"Incorrect verification code": "Hibás azonosítási kód", "Incorrect verification code": "Hibás azonosítási kód",
@ -126,11 +123,8 @@
"Server may be unavailable, overloaded, or you hit a bug.": "A kiszolgáló elérhetetlen, túlterhelt vagy hibára futott.", "Server may be unavailable, overloaded, or you hit a bug.": "A kiszolgáló elérhetetlen, túlterhelt vagy hibára futott.",
"Server unavailable, overloaded, or something else went wrong.": "A kiszolgáló nem érhető el, túlterhelt vagy valami más probléma van.", "Server unavailable, overloaded, or something else went wrong.": "A kiszolgáló nem érhető el, túlterhelt vagy valami más probléma van.",
"Session ID": "Kapcsolat azonosító", "Session ID": "Kapcsolat azonosító",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Az időbélyegek megjelenítése 12 órás formátumban (például du. 2:30)",
"Signed Out": "Kijelentkezett", "Signed Out": "Kijelentkezett",
"Someone": "Valaki",
"Start authentication": "Hitelesítés indítása", "Start authentication": "Hitelesítés indítása",
"Submit": "Elküldés",
"This email address is already in use": "Ez az e-mail-cím már használatban van", "This email address is already in use": "Ez az e-mail-cím már használatban van",
"This email address was not found": "Az e-mail-cím nem található", "This email address was not found": "Az e-mail-cím nem található",
"The email address linked to your account must be entered.": "A fiókodhoz kötött e-mail címet add meg.", "The email address linked to your account must be entered.": "A fiókodhoz kötött e-mail címet add meg.",
@ -203,7 +197,6 @@
"other": "(~%(count)s db eredmény)" "other": "(~%(count)s db eredmény)"
}, },
"New Password": "Új jelszó", "New Password": "Új jelszó",
"Start automatically after system login": "Automatikus indítás rendszerindítás után",
"Passphrases must match": "A jelmondatoknak meg kell egyezniük", "Passphrases must match": "A jelmondatoknak meg kell egyezniük",
"Passphrase must not be empty": "A jelmondat nem lehet üres", "Passphrase must not be empty": "A jelmondat nem lehet üres",
"Export room keys": "Szoba kulcsok mentése", "Export room keys": "Szoba kulcsok mentése",
@ -244,13 +237,11 @@
"Check for update": "Frissítések keresése", "Check for update": "Frissítések keresése",
"Delete widget": "Kisalkalmazás törlése", "Delete widget": "Kisalkalmazás törlése",
"Define the power level of a user": "A felhasználó szintjének meghatározása", "Define the power level of a user": "A felhasználó szintjének meghatározása",
"Enable automatic language detection for syntax highlighting": "Nyelv automatikus felismerése a szintaxiskiemeléshez",
"AM": "de.", "AM": "de.",
"PM": "du.", "PM": "du.",
"Unable to create widget.": "Nem lehet kisalkalmazást létrehozni.", "Unable to create widget.": "Nem lehet kisalkalmazást létrehozni.",
"You are not in this room.": "Nem tagja ennek a szobának.", "You are not in this room.": "Nem tagja ennek a szobának.",
"You do not have permission to do that in this room.": "Nincs jogosultsága ezt tenni ebben a szobában.", "You do not have permission to do that in this room.": "Nincs jogosultsága ezt tenni ebben a szobában.",
"Automatically replace plain text Emoji": "Egyszerű szöveg automatikus cseréje emodzsira",
"Publish this room to the public in %(domain)s's room directory?": "Publikálod a szobát a(z) %(domain)s szoba listájába?", "Publish this room to the public in %(domain)s's room directory?": "Publikálod a szobát a(z) %(domain)s szoba listájába?",
"%(widgetName)s widget added by %(senderName)s": "%(senderName)s hozzáadta a %(widgetName)s kisalkalmazást", "%(widgetName)s widget added by %(senderName)s": "%(senderName)s hozzáadta a %(widgetName)s kisalkalmazást",
"%(widgetName)s widget removed by %(senderName)s": "%(senderName)s eltávolította a %(widgetName)s kisalkalmazást", "%(widgetName)s widget removed by %(senderName)s": "%(senderName)s eltávolította a %(widgetName)s kisalkalmazást",
@ -272,7 +263,6 @@
"And %(count)s more...": { "And %(count)s more...": {
"other": "És még %(count)s..." "other": "És még %(count)s..."
}, },
"Mention": "Megemlítés",
"Delete Widget": "Kisalkalmazás törlése", "Delete Widget": "Kisalkalmazás törlése",
"Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "A kisalkalmazás törlése minden felhasználót érint a szobában. Biztos, hogy törli a kisalkalmazást?", "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "A kisalkalmazás törlése minden felhasználót érint a szobában. Biztos, hogy törli a kisalkalmazást?",
"Mirror local video feed": "Helyi videófolyam tükrözése", "Mirror local video feed": "Helyi videófolyam tükrözése",
@ -369,7 +359,6 @@
"Room Notification": "Szoba értesítések", "Room Notification": "Szoba értesítések",
"Please note you are logging into the %(hs)s server, not matrix.org.": "Vegye figyelembe, hogy a(z) %(hs)s kiszolgálóra jelentkezik be, és nem a matrix.org-ra.", "Please note you are logging into the %(hs)s server, not matrix.org.": "Vegye figyelembe, hogy a(z) %(hs)s kiszolgálóra jelentkezik be, és nem a matrix.org-ra.",
"Restricted": "Korlátozott", "Restricted": "Korlátozott",
"Enable inline URL previews by default": "Beágyazott webcím-előnézetek alapértelmezett engedélyezése",
"Enable URL previews for this room (only affects you)": "Webcím-előnézetek engedélyezése ebben a szobában (csak Önt érinti)", "Enable URL previews for this room (only affects you)": "Webcím-előnézetek engedélyezése ebben a szobában (csak Önt érinti)",
"Enable URL previews by default for participants in this room": "Webcím-előnézetek alapértelmezett engedélyezése a szobatagok számára", "Enable URL previews by default for participants in this room": "Webcím-előnézetek alapértelmezett engedélyezése a szobatagok számára",
"URL previews are enabled by default for participants in this room.": "Az URL előnézetek alapértelmezetten engedélyezve vannak a szobában jelenlévőknek.", "URL previews are enabled by default for participants in this room.": "Az URL előnézetek alapértelmezetten engedélyezve vannak a szobában jelenlévőknek.",
@ -429,7 +418,6 @@
"Invite to this room": "Meghívás a szobába", "Invite to this room": "Meghívás a szobába",
"All messages": "Összes üzenet", "All messages": "Összes üzenet",
"Call invitation": "Hívásmeghívások", "Call invitation": "Hívásmeghívások",
"State Key": "Állapotkulcs",
"What's new?": "Mik az újdonságok?", "What's new?": "Mik az újdonságok?",
"When I'm invited to a room": "Amikor meghívják egy szobába", "When I'm invited to a room": "Amikor meghívják egy szobába",
"All Rooms": "Minden szobában", "All Rooms": "Minden szobában",
@ -444,15 +432,11 @@
"Low Priority": "Alacsony prioritás", "Low Priority": "Alacsony prioritás",
"Off": "Ki", "Off": "Ki",
"Wednesday": "Szerda", "Wednesday": "Szerda",
"Event Type": "Esemény típusa",
"Event sent!": "Az esemény elküldve!",
"Event Content": "Esemény tartalma",
"Thank you!": "Köszönjük!", "Thank you!": "Köszönjük!",
"Missing roomId.": "Hiányzó szobaazonosító.", "Missing roomId.": "Hiányzó szobaazonosító.",
"Popout widget": "Kiugró kisalkalmazás", "Popout widget": "Kiugró kisalkalmazás",
"Send Logs": "Naplók küldése", "Send Logs": "Naplók küldése",
"Clear Storage and Sign Out": "Tárhely törlése és kijelentkezés", "Clear Storage and Sign Out": "Tárhely törlése és kijelentkezés",
"Refresh": "Frissítés",
"We encountered an error trying to restore your previous session.": "Hiba történt az előző munkamenet helyreállítási kísérlete során.", "We encountered an error trying to restore your previous session.": "Hiba történt az előző munkamenet helyreállítási kísérlete során.",
"Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "A böngésző tárolójának törlése megoldhatja a problémát, de ezzel kijelentkezik és a titkosított beszélgetéseinek előzményei olvashatatlanná válnak.", "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "A böngésző tárolójának törlése megoldhatja a problémát, de ezzel kijelentkezik és a titkosított beszélgetéseinek előzményei olvashatatlanná válnak.",
"Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Nem lehet betölteni azt az eseményt amire válaszoltál, mert vagy nem létezik, vagy nincs jogod megnézni.", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Nem lehet betölteni azt az eseményt amire válaszoltál, mert vagy nem létezik, vagy nincs jogod megnézni.",
@ -573,7 +557,6 @@
"Unable to load commit detail: %(msg)s": "A véglegesítés részleteinek betöltése sikertelen: %(msg)s", "Unable to load commit detail: %(msg)s": "A véglegesítés részleteinek betöltése sikertelen: %(msg)s",
"Unrecognised address": "Ismeretlen cím", "Unrecognised address": "Ismeretlen cím",
"The following users may not exist": "Az alábbi felhasználók lehet, hogy nem léteznek", "The following users may not exist": "Az alábbi felhasználók lehet, hogy nem léteznek",
"Prompt before sending invites to potentially invalid matrix IDs": "Kérdés a vélhetően hibás Matrix-azonosítóknak küldött meghívók elküldése előtt",
"Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Az alábbi Matrix ID-koz nem sikerül megtalálni a profilokat - így is meghívod őket?", "Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Az alábbi Matrix ID-koz nem sikerül megtalálni a profilokat - így is meghívod őket?",
"Invite anyway and never warn me again": "Mindenképpen meghív és ne figyelmeztess többet", "Invite anyway and never warn me again": "Mindenképpen meghív és ne figyelmeztess többet",
"Invite anyway": "Meghívás mindenképp", "Invite anyway": "Meghívás mindenképp",
@ -586,11 +569,6 @@
"one": "%(names)s és még valaki gépel…" "one": "%(names)s és még valaki gépel…"
}, },
"%(names)s and %(lastPerson)s are typing …": "%(names)s és %(lastPerson)s gépelnek…", "%(names)s and %(lastPerson)s are typing …": "%(names)s és %(lastPerson)s gépelnek…",
"Enable Emoji suggestions while typing": "Emodzsik gépelés közbeni felajánlásának bekapcsolása",
"Show a placeholder for removed messages": "Helykitöltő megjelenítése a törölt szövegek helyett",
"Show display name changes": "Megjelenítendő nevek változásának megjelenítése",
"Enable big emoji in chat": "Nagy emodzsik engedélyezése a csevegésekben",
"Send typing notifications": "Gépelési visszajelzés küldése",
"Messages containing my username": "A saját felhasználónevét tartalmazó üzenetek", "Messages containing my username": "A saját felhasználónevét tartalmazó üzenetek",
"The other party cancelled the verification.": "A másik fél megszakította az ellenőrzést.", "The other party cancelled the verification.": "A másik fél megszakította az ellenőrzést.",
"Verified!": "Ellenőrizve!", "Verified!": "Ellenőrizve!",
@ -627,7 +605,6 @@
"Security & Privacy": "Biztonság és adatvédelem", "Security & Privacy": "Biztonság és adatvédelem",
"Encryption": "Titkosítás", "Encryption": "Titkosítás",
"Once enabled, encryption cannot be disabled.": "Ha egyszer bekapcsolod, már nem lehet kikapcsolni.", "Once enabled, encryption cannot be disabled.": "Ha egyszer bekapcsolod, már nem lehet kikapcsolni.",
"Encrypted": "Titkosítva",
"Ignored users": "Mellőzött felhasználók", "Ignored users": "Mellőzött felhasználók",
"Bulk options": "Tömeges beállítások", "Bulk options": "Tömeges beállítások",
"Missing media permissions, click the button below to request.": "Hiányzó média jogosultságok, kattintson a lenti gombra a jogosultságok megadásához.", "Missing media permissions, click the button below to request.": "Hiányzó média jogosultságok, kattintson a lenti gombra a jogosultságok megadásához.",
@ -738,7 +715,6 @@
"Your keys are being backed up (the first backup could take a few minutes).": "A kulcsaid mentése folyamatban van (az első mentés több percig is eltarthat).", "Your keys are being backed up (the first backup could take a few minutes).": "A kulcsaid mentése folyamatban van (az első mentés több percig is eltarthat).",
"Success!": "Sikeres!", "Success!": "Sikeres!",
"Changes your display nickname in the current room only": "Csak ebben a szobában változtatja meg a megjelenítendő becenevét", "Changes your display nickname in the current room only": "Csak ebben a szobában változtatja meg a megjelenítendő becenevét",
"Show read receipts sent by other users": "Mások által küldött olvasási visszajelzések megjelenítése",
"Scissors": "Olló", "Scissors": "Olló",
"Error updating main address": "Az elsődleges cím frissítése sikertelen", "Error updating main address": "Az elsődleges cím frissítése sikertelen",
"There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "A szoba elsődleges címének frissítésénél hiba történt. Vagy nincs engedélyezve a szerveren vagy átmeneti hiba történt.", "There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "A szoba elsődleges címének frissítésénél hiba történt. Vagy nincs engedélyezve a szerveren vagy átmeneti hiba történt.",
@ -974,7 +950,6 @@
"Please fill why you're reporting.": "Adja meg, hogy miért jelenti.", "Please fill why you're reporting.": "Adja meg, hogy miért jelenti.",
"Report Content to Your Homeserver Administrator": "Tartalom bejelentése a Matrix-kiszolgáló rendszergazdájának", "Report Content to Your Homeserver Administrator": "Tartalom bejelentése a Matrix-kiszolgáló rendszergazdájának",
"Reporting this message will send its unique 'event ID' to the administrator of your homeserver. If messages in this room are encrypted, your homeserver administrator will not be able to read the message text or view any files or images.": "Az üzenet bejelentése egy egyedi „eseményazonosítót” küld el a Matrix-kiszolgáló rendszergazdájának. Ha az üzenetek titkosítottak a szobában, akkor a Matrix-kiszolgáló rendszergazdája nem tudja elolvasni az üzenetet, vagy nem tudja megnézni a fájlokat vagy képeket.", "Reporting this message will send its unique 'event ID' to the administrator of your homeserver. If messages in this room are encrypted, your homeserver administrator will not be able to read the message text or view any files or images.": "Az üzenet bejelentése egy egyedi „eseményazonosítót” küld el a Matrix-kiszolgáló rendszergazdájának. Ha az üzenetek titkosítottak a szobában, akkor a Matrix-kiszolgáló rendszergazdája nem tudja elolvasni az üzenetet, vagy nem tudja megnézni a fájlokat vagy képeket.",
"Send report": "Jelentés küldése",
"Read Marker lifetime (ms)": "Olvasási visszajelzés érvényessége (ms)", "Read Marker lifetime (ms)": "Olvasási visszajelzés érvényessége (ms)",
"Read Marker off-screen lifetime (ms)": "Olvasási visszajelzés érvényessége a képernyőn kívül (ms)", "Read Marker off-screen lifetime (ms)": "Olvasási visszajelzés érvényessége a képernyőn kívül (ms)",
"Changes the avatar of the current room": "Megváltoztatja a profilképét a jelenlegi szobában", "Changes the avatar of the current room": "Megváltoztatja a profilképét a jelenlegi szobában",
@ -986,7 +961,6 @@
"Hide advanced": "Speciális beállítások elrejtése", "Hide advanced": "Speciális beállítások elrejtése",
"Show advanced": "Speciális beállítások megjelenítése", "Show advanced": "Speciális beállítások megjelenítése",
"Close dialog": "Ablak bezárása", "Close dialog": "Ablak bezárása",
"Show previews/thumbnails for images": "Előnézet/bélyegkép megjelenítése a képekhez",
"Clear cache and reload": "Gyorsítótár ürítése és újratöltés", "Clear cache and reload": "Gyorsítótár ürítése és újratöltés",
"%(count)s unread messages including mentions.": { "%(count)s unread messages including mentions.": {
"other": "%(count)s olvasatlan üzenet megemlítéssel.", "other": "%(count)s olvasatlan üzenet megemlítéssel.",
@ -1073,8 +1047,6 @@
"Subscribing to a ban list will cause you to join it!": "A tiltólistára történő feliratkozás azzal jár, hogy csatlakozik hozzá!", "Subscribing to a ban list will cause you to join it!": "A tiltólistára történő feliratkozás azzal jár, hogy csatlakozik hozzá!",
"If this isn't what you want, please use a different tool to ignore users.": "Ha nem ez az amit szeretne, akkor használjon más eszközt a felhasználók mellőzéséhez.", "If this isn't what you want, please use a different tool to ignore users.": "Ha nem ez az amit szeretne, akkor használjon más eszközt a felhasználók mellőzéséhez.",
"You have ignored this user, so their message is hidden. <a>Show anyways.</a>": "Ezt a felhasználót figyelmen kívül hagyod, így az üzenetei el lesznek rejtve. <a>Megjelenítés mindenképpen.</a>", "You have ignored this user, so their message is hidden. <a>Show anyways.</a>": "Ezt a felhasználót figyelmen kívül hagyod, így az üzenetei el lesznek rejtve. <a>Megjelenítés mindenképpen.</a>",
"Trusted": "Megbízható",
"Not trusted": "Megbízhatatlan",
"Messages in this room are end-to-end encrypted.": "Az üzenetek a szobában végponttól végpontig titkosítottak.", "Messages in this room are end-to-end encrypted.": "Az üzenetek a szobában végponttól végpontig titkosítottak.",
"Any of the following data may be shared:": "Az alábbi adatok közül bármelyik megosztásra kerülhet:", "Any of the following data may be shared:": "Az alábbi adatok közül bármelyik megosztásra kerülhet:",
"Your display name": "Saját megjelenítendő neve", "Your display name": "Saját megjelenítendő neve",
@ -1148,7 +1120,6 @@
"Show more": "Több megjelenítése", "Show more": "Több megjelenítése",
"Recent Conversations": "Legújabb Beszélgetések", "Recent Conversations": "Legújabb Beszélgetések",
"Direct Messages": "Közvetlen Beszélgetések", "Direct Messages": "Közvetlen Beszélgetések",
"Go": "Meghívás",
"This bridge is managed by <user />.": "Ezt a hidat a következő kezeli: <user />.", "This bridge is managed by <user />.": "Ezt a hidat a következő kezeli: <user />.",
"Failed to find the following users": "Az alábbi felhasználók nem találhatók", "Failed to find the following users": "Az alábbi felhasználók nem találhatók",
"The following users might not exist or are invalid, and cannot be invited: %(csvNames)s": "Az alábbi felhasználók nem léteznek vagy hibásan vannak megadva, és nem lehet őket meghívni: %(csvNames)s", "The following users might not exist or are invalid, and cannot be invited: %(csvNames)s": "Az alábbi felhasználók nem léteznek vagy hibásan vannak megadva, és nem lehet őket meghívni: %(csvNames)s",
@ -1193,7 +1164,6 @@
"Enable message search in encrypted rooms": "Üzenetek keresésének bekapcsolása a titkosított szobákban", "Enable message search in encrypted rooms": "Üzenetek keresésének bekapcsolása a titkosított szobákban",
"This bridge was provisioned by <user />.": "Ezt a hidat a következő készítette: <user />.", "This bridge was provisioned by <user />.": "Ezt a hidat a következő készítette: <user />.",
"Show less": "Kevesebb megjelenítése", "Show less": "Kevesebb megjelenítése",
"Manage": "Kezelés",
"Securely cache encrypted messages locally for them to appear in search results.": "A titkosított üzenetek biztonságos helyi gyorsítótárazása, hogy megjelenhessenek a keresési találatok között.", "Securely cache encrypted messages locally for them to appear in search results.": "A titkosított üzenetek biztonságos helyi gyorsítótárazása, hogy megjelenhessenek a keresési találatok között.",
"%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with <nativeLink>search components added</nativeLink>.": "A titkosított üzenetek biztonságos helyi tárolásához hiányzik néhány összetevő a(z) %(brand)s alkalmazásból. Ha kísérletezni szeretne ezzel a funkcióval, akkor állítson össze egy egyéni asztali %(brand)s alkalmazást, amely <nativeLink>tartalmazza a keresési összetevőket</nativeLink>.", "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with <nativeLink>search components added</nativeLink>.": "A titkosított üzenetek biztonságos helyi tárolásához hiányzik néhány összetevő a(z) %(brand)s alkalmazásból. Ha kísérletezni szeretne ezzel a funkcióval, akkor állítson össze egy egyéni asztali %(brand)s alkalmazást, amely <nativeLink>tartalmazza a keresési összetevőket</nativeLink>.",
"Message search": "Üzenet keresése", "Message search": "Üzenet keresése",
@ -1266,7 +1236,6 @@
"If you did this accidentally, you can setup Secure Messages on this session which will re-encrypt this session's message history with a new recovery method.": "Ha véletlenül tette, akkor beállíthatja a biztonságos üzeneteket ebben a munkamenetben, ami újra titkosítja a régi üzeneteket a helyreállítási móddal.", "If you did this accidentally, you can setup Secure Messages on this session which will re-encrypt this session's message history with a new recovery method.": "Ha véletlenül tette, akkor beállíthatja a biztonságos üzeneteket ebben a munkamenetben, ami újra titkosítja a régi üzeneteket a helyreállítási móddal.",
"Indexed rooms:": "Indexált szobák:", "Indexed rooms:": "Indexált szobák:",
"Message downloading sleep time(ms)": "Üzenetletöltés alvási ideje (ms)", "Message downloading sleep time(ms)": "Üzenetletöltés alvási ideje (ms)",
"Show typing notifications": "Gépelési visszajelzés megjelenítése",
"Scan this unique code": "Ennek az egyedi kódnak a beolvasása", "Scan this unique code": "Ennek az egyedi kódnak a beolvasása",
"Compare unique emoji": "Egyedi emodzsik összehasonlítása", "Compare unique emoji": "Egyedi emodzsik összehasonlítása",
"Compare a unique set of emoji if you don't have a camera on either device": "Hasonlítsd össze az egyedi emodzsikat ha valamelyik eszközön nincs kamera", "Compare a unique set of emoji if you don't have a camera on either device": "Hasonlítsd össze az egyedi emodzsikat ha valamelyik eszközön nincs kamera",
@ -1284,7 +1253,6 @@
"Homeserver feature support:": "A Matrix-kiszolgáló funkciótámogatása:", "Homeserver feature support:": "A Matrix-kiszolgáló funkciótámogatása:",
"exists": "létezik", "exists": "létezik",
"Accepting…": "Elfogadás…", "Accepting…": "Elfogadás…",
"Show shortcuts to recently viewed rooms above the room list": "Gyors elérési gombok megjelenítése a nemrég meglátogatott szobákhoz a szobalista felett",
"Sign In or Create Account": "Bejelentkezés vagy fiók létrehozása", "Sign In or Create Account": "Bejelentkezés vagy fiók létrehozása",
"Use your account or create a new one to continue.": "A folytatáshoz használja a fiókját, vagy hozzon létre egy újat.", "Use your account or create a new one to continue.": "A folytatáshoz használja a fiókját, vagy hozzon létre egy újat.",
"Create Account": "Fiók létrehozása", "Create Account": "Fiók létrehozása",
@ -1327,7 +1295,6 @@
"Can't find this server or its room list": "A szerver vagy a szoba listája nem található", "Can't find this server or its room list": "A szerver vagy a szoba listája nem található",
"All rooms": "Összes szoba", "All rooms": "Összes szoba",
"Your server": "Matrix szervered", "Your server": "Matrix szervered",
"Matrix": "Matrix",
"Add a new server": "Új szerver hozzáadása", "Add a new server": "Új szerver hozzáadása",
"Manually verify all remote sessions": "Az összes távoli munkamenet kézi ellenőrzése", "Manually verify all remote sessions": "Az összes távoli munkamenet kézi ellenőrzése",
"Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "A felhasználó által használt munkamenetek ellenőrzése egyenként, nem bízva az eszközök közti aláírással rendelkező eszközökben.", "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "A felhasználó által használt munkamenetek ellenőrzése egyenként, nem bízva az eszközök közti aláírással rendelkező eszközökben.",
@ -1916,8 +1883,6 @@
"Sends the given message with fireworks": "Tűzijátékkal küldi el az üzenetet", "Sends the given message with fireworks": "Tűzijátékkal küldi el az üzenetet",
"sends confetti": "konfettit küld", "sends confetti": "konfettit küld",
"Sends the given message with confetti": "Konfettivel küldi el az üzenetet", "Sends the given message with confetti": "Konfettivel küldi el az üzenetet",
"Use Ctrl + Enter to send a message": "Ctrl + Enter használata az üzenet elküldéséhez",
"Use Command + Enter to send a message": "Command + Enter használata az üzenet küldéséhez",
"See <b>%(msgtype)s</b> messages posted to your active room": "Az aktív szobájába küldött <b>%(msgtype)s</b> üzenetek megjelenítése", "See <b>%(msgtype)s</b> messages posted to your active room": "Az aktív szobájába küldött <b>%(msgtype)s</b> üzenetek megjelenítése",
"See <b>%(msgtype)s</b> messages posted to this room": "Az ebbe a szobába küldött <b>%(msgtype)s</b> üzenetek megjelenítése", "See <b>%(msgtype)s</b> messages posted to this room": "Az ebbe a szobába küldött <b>%(msgtype)s</b> üzenetek megjelenítése",
"See general files posted to your active room": "Az aktív szobádba küldött fájlok megjelenítése", "See general files posted to your active room": "Az aktív szobádba küldött fájlok megjelenítése",
@ -2001,7 +1966,6 @@
"Transfer": "Átadás", "Transfer": "Átadás",
"Failed to transfer call": "A hívás átadása nem sikerült", "Failed to transfer call": "A hívás átadása nem sikerült",
"A call can only be transferred to a single user.": "Csak egy felhasználónak lehet átadni a hívást.", "A call can only be transferred to a single user.": "Csak egy felhasználónak lehet átadni a hívást.",
"There was an error finding this widget.": "Hiba történt a kisalkalmazás keresése során.",
"Active Widgets": "Aktív kisalkalmazások", "Active Widgets": "Aktív kisalkalmazások",
"Open dial pad": "Számlap megnyitása", "Open dial pad": "Számlap megnyitása",
"Dial pad": "Tárcsázó számlap", "Dial pad": "Tárcsázó számlap",
@ -2042,28 +2006,7 @@
"Remember this": "Emlékezzen erre", "Remember this": "Emlékezzen erre",
"The widget will verify your user ID, but won't be able to perform actions for you:": "A kisalkalmazás ellenőrizni fogja a felhasználói azonosítóját, de az alábbi tevékenységeket nem tudja végrehajtani:", "The widget will verify your user ID, but won't be able to perform actions for you:": "A kisalkalmazás ellenőrizni fogja a felhasználói azonosítóját, de az alábbi tevékenységeket nem tudja végrehajtani:",
"Allow this widget to verify your identity": "A kisalkalmazás ellenőrizheti a személyazonosságát", "Allow this widget to verify your identity": "A kisalkalmazás ellenőrizheti a személyazonosságát",
"Show stickers button": "Matricák gomb megjelenítése",
"Show line numbers in code blocks": "Sorszámok megjelenítése a kódblokkokban",
"Expand code blocks by default": "Kódblokkok kibontása alapértelmezetten",
"Recently visited rooms": "Nemrég meglátogatott szobák", "Recently visited rooms": "Nemrég meglátogatott szobák",
"Values at explicit levels in this room:": "Egyedi szinthez tartozó értékek ebben a szobában:",
"Values at explicit levels:": "Egyedi szinthez tartozó értékek:",
"Value in this room:": "Érték ebben a szobában:",
"Value:": "Érték:",
"Save setting values": "Beállított értékek mentése",
"Values at explicit levels in this room": "Egyedi szinthez tartozó értékek ebben a szobában",
"Values at explicit levels": "Egyedi szinthez tartozó értékek",
"Settable at room": "Szobára beállítható",
"Settable at global": "Általánosan beállítható",
"Level": "Szint",
"Setting definition:": "Beállítás leírása:",
"This UI does NOT check the types of the values. Use at your own risk.": "Ez a felület nem ellenőrzi az érték típusát. Csak saját felelősségére használja.",
"Caution:": "Figyelmeztetés:",
"Setting:": "Beállítás:",
"Value in this room": "Érték ebben a szobában",
"Value": "Érték",
"Setting ID": "Beállításazonosító",
"Show chat effects (animations when receiving e.g. confetti)": "Csevegési effektek (például a konfetti animáció) megjelenítése",
"Original event source": "Eredeti esemény forráskód", "Original event source": "Eredeti esemény forráskód",
"Decrypted event source": "Visszafejtett esemény forráskód", "Decrypted event source": "Visszafejtett esemény forráskód",
"Invite by username": "Meghívás felhasználónévvel", "Invite by username": "Meghívás felhasználónévvel",
@ -2116,7 +2059,6 @@
"Invite only, best for yourself or teams": "Csak meghívóval, saját célra és csoportok számára ideális", "Invite only, best for yourself or teams": "Csak meghívóval, saját célra és csoportok számára ideális",
"Open space for anyone, best for communities": "Mindenki számára nyílt tér, a közösségek számára ideális", "Open space for anyone, best for communities": "Mindenki számára nyílt tér, a közösségek számára ideális",
"Create a space": "Tér létrehozása", "Create a space": "Tér létrehozása",
"Jump to the bottom of the timeline when you send a message": "Üzenetküldés után az idővonal aljára ugrás",
"This homeserver has been blocked by its administrator.": "A Matrix-kiszolgálót a rendszergazda zárolta.", "This homeserver has been blocked by its administrator.": "A Matrix-kiszolgálót a rendszergazda zárolta.",
"You're already in a call with this person.": "Már hívásban van ezzel a személlyel.", "You're already in a call with this person.": "Már hívásban van ezzel a személlyel.",
"Already in call": "A hívás már folyamatban van", "Already in call": "A hívás már folyamatban van",
@ -2166,7 +2108,6 @@
"other": "%(count)s ismerős már csatlakozott" "other": "%(count)s ismerős már csatlakozott"
}, },
"Invite to just this room": "Meghívás csak ebbe a szobába", "Invite to just this room": "Meghívás csak ebbe a szobába",
"Warn before quitting": "Figyelmeztetés kilépés előtt",
"Manage & explore rooms": "Szobák kezelése és felderítése", "Manage & explore rooms": "Szobák kezelése és felderítése",
"Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "Egyeztetés vele: %(transferTarget)s. <a>Átadás ide: %(transferee)s</a>", "Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "Egyeztetés vele: %(transferTarget)s. <a>Átadás ide: %(transferee)s</a>",
"unknown person": "ismeretlen személy", "unknown person": "ismeretlen személy",
@ -2243,7 +2184,6 @@
"Pinned messages": "Kitűzött üzenetek", "Pinned messages": "Kitűzött üzenetek",
"Nothing pinned, yet": "Még semmi sincs kitűzve", "Nothing pinned, yet": "Még semmi sincs kitűzve",
"End-to-end encryption isn't enabled": "Végpontok közötti titkosítás nincs engedélyezve", "End-to-end encryption isn't enabled": "Végpontok közötti titkosítás nincs engedélyezve",
"Show all rooms in Home": "Minden szoba megjelenítése a Kezdőlapon",
"%(senderName)s changed the <a>pinned messages</a> for the room.": "%(senderName)s megváltoztatta a szoba <a>kitűzött üzeneteit</a>.", "%(senderName)s changed the <a>pinned messages</a> for the room.": "%(senderName)s megváltoztatta a szoba <a>kitűzött üzeneteit</a>.",
"%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s visszavonta %(targetName)s meghívóját", "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s visszavonta %(targetName)s meghívóját",
"%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s visszavonta %(targetName)s meghívóját, ok: %(reason)s", "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s visszavonta %(targetName)s meghívóját, ok: %(reason)s",
@ -2312,7 +2252,6 @@
"e.g. my-space": "például sajat-ter", "e.g. my-space": "például sajat-ter",
"Silence call": "Hívás némítása", "Silence call": "Hívás némítása",
"Sound on": "Hang be", "Sound on": "Hang be",
"Use Command + F to search timeline": "Command + F használata az idővonalon való kereséshez",
"Unnamed audio": "Névtelen hang", "Unnamed audio": "Névtelen hang",
"Error processing audio message": "Hiba a hangüzenet feldolgozásánál", "Error processing audio message": "Hiba a hangüzenet feldolgozásánál",
"Show %(count)s other previews": { "Show %(count)s other previews": {
@ -2323,7 +2262,6 @@
"Code blocks": "Kódblokkok", "Code blocks": "Kódblokkok",
"Displaying time": "Idő megjelenítése", "Displaying time": "Idő megjelenítése",
"Keyboard shortcuts": "Gyorsbillentyűk", "Keyboard shortcuts": "Gyorsbillentyűk",
"Use Ctrl + F to search timeline": "Ctrl + F használata az idővonalon való kereséshez",
"Integration manager": "Integrációkezelő", "Integration manager": "Integrációkezelő",
"Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "A %(brand)s nem használhat Integrációs Menedzsert. Kérem vegye fel a kapcsolatot az adminisztrátorral.", "Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "A %(brand)s nem használhat Integrációs Menedzsert. Kérem vegye fel a kapcsolatot az adminisztrátorral.",
"Using this widget may share data <helpIcon /> with %(widgetDomain)s & your integration manager.": "Ennek a kisalkalmazásnak a használata adatot oszthat meg <helpIcon /> a(z) %(widgetDomain)s oldallal és az integrációkezelőjével.", "Using this widget may share data <helpIcon /> with %(widgetDomain)s & your integration manager.": "Ennek a kisalkalmazásnak a használata adatot oszthat meg <helpIcon /> a(z) %(widgetDomain)s oldallal és az integrációkezelőjével.",
@ -2417,7 +2355,6 @@
"Add space": "Tér hozzáadása", "Add space": "Tér hozzáadása",
"These are likely ones other room admins are a part of.": "Ezek valószínűleg olyanok, amelyeknek más szoba adminok is tagjai.", "These are likely ones other room admins are a part of.": "Ezek valószínűleg olyanok, amelyeknek más szoba adminok is tagjai.",
"Show all rooms": "Minden szoba megjelenítése", "Show all rooms": "Minden szoba megjelenítése",
"All rooms you're in will appear in Home.": "Minden szoba, amelybe belépett, megjelenik a Kezdőlapon.",
"Leave %(spaceName)s": "Kilép innen: %(spaceName)s", "Leave %(spaceName)s": "Kilép innen: %(spaceName)s",
"You're the only admin of some of the rooms or spaces you wish to leave. Leaving them will leave them without any admins.": "Ön az adminisztrátora néhány szobának vagy térnek amiből ki szeretne lépni. Ha kilép belőlük akkor azok adminisztrátor nélkül maradnak.", "You're the only admin of some of the rooms or spaces you wish to leave. Leaving them will leave them without any admins.": "Ön az adminisztrátora néhány szobának vagy térnek amiből ki szeretne lépni. Ha kilép belőlük akkor azok adminisztrátor nélkül maradnak.",
"You're the only admin of this space. Leaving it will mean no one has control over it.": "Ön az egyetlen adminisztrátora a térnek. Ha kilép, senki nem tudja irányítani.", "You're the only admin of this space. Leaving it will mean no one has control over it.": "Ön az egyetlen adminisztrátora a térnek. Ha kilép, senki nem tudja irányítani.",
@ -2453,8 +2390,6 @@
"<b>It's not recommended to make encrypted rooms public.</b> It will mean anyone can find and join the room, so anyone can read messages. You'll get none of the benefits of encryption. Encrypting messages in a public room will make receiving and sending messages slower.": "<b>Titkosított szobát nem célszerű nyilvánossá tenni.</b> Bárki megtalálhatja és csatlakozhat nyilvános szobákhoz, így bárki elolvashatja az üzeneteket bennük. A titkosítás előnyeit így nem jelentkeznek és később ezt nem lehet kikapcsolni. Nyilvános szobákban a titkosított üzenetek az üzenetküldést és fogadást csak lassítják.", "<b>It's not recommended to make encrypted rooms public.</b> It will mean anyone can find and join the room, so anyone can read messages. You'll get none of the benefits of encryption. Encrypting messages in a public room will make receiving and sending messages slower.": "<b>Titkosított szobát nem célszerű nyilvánossá tenni.</b> Bárki megtalálhatja és csatlakozhat nyilvános szobákhoz, így bárki elolvashatja az üzeneteket bennük. A titkosítás előnyeit így nem jelentkeznek és később ezt nem lehet kikapcsolni. Nyilvános szobákban a titkosított üzenetek az üzenetküldést és fogadást csak lassítják.",
"Are you sure you want to make this encrypted room public?": "Biztos, hogy nyilvánossá teszi ezt a titkosított szobát?", "Are you sure you want to make this encrypted room public?": "Biztos, hogy nyilvánossá teszi ezt a titkosított szobát?",
"To avoid these issues, create a <a>new encrypted room</a> for the conversation you plan to have.": "Az ehhez hasonló problémák elkerüléséhez készítsen <a>új titkosított szobát</a> a tervezett beszélgetésekhez.", "To avoid these issues, create a <a>new encrypted room</a> for the conversation you plan to have.": "Az ehhez hasonló problémák elkerüléséhez készítsen <a>új titkosított szobát</a> a tervezett beszélgetésekhez.",
"Autoplay videos": "Videók automatikus lejátszása",
"Autoplay GIFs": "GIF-ek automatikus lejátszása",
"The above, but in <Room /> as well": "A fentiek, de ebben a szobában is: <Room />", "The above, but in <Room /> as well": "A fentiek, de ebben a szobában is: <Room />",
"The above, but in any room you are joined or invited to as well": "A fentiek, de minden szobában, amelybe belépett vagy meghívták", "The above, but in any room you are joined or invited to as well": "A fentiek, de minden szobában, amelybe belépett vagy meghívták",
"%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s levett egy kitűzött üzenetet ebben a szobában. Minden kitűzött üzenet megjelenítése.", "%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s levett egy kitűzött üzenetet ebben a szobában. Minden kitűzött üzenet megjelenítése.",
@ -2659,7 +2594,6 @@
"Themes": "Témák", "Themes": "Témák",
"Moderation": "Moderálás", "Moderation": "Moderálás",
"Messaging": "Üzenetküldés", "Messaging": "Üzenetküldés",
"Clear": "Törlés",
"Spaces you know that contain this space": "Terek melyről tudja, hogy ezt a teret tartalmazzák", "Spaces you know that contain this space": "Terek melyről tudja, hogy ezt a teret tartalmazzák",
"Chat": "Csevegés", "Chat": "Csevegés",
"Home options": "Kezdőlap beállítások", "Home options": "Kezdőlap beállítások",
@ -2744,7 +2678,6 @@
"Verify this device": "Az eszköz ellenőrzése", "Verify this device": "Az eszköz ellenőrzése",
"Unable to verify this device": "Ennek az eszköznek az ellenőrzése nem lehetséges", "Unable to verify this device": "Ennek az eszköznek az ellenőrzése nem lehetséges",
"Verify other device": "Másik eszköz ellenőrzése", "Verify other device": "Másik eszköz ellenőrzése",
"Edit setting": "Beállítások szerkesztése",
"This address had invalid server or is already in use": "Ez a cím érvénytelen szervert tartalmaz vagy már használatban van", "This address had invalid server or is already in use": "Ez a cím érvénytelen szervert tartalmaz vagy már használatban van",
"Missing room name or separator e.g. (my-room:domain.org)": "Szoba név vagy elválasztó hiányzik, pl.: (szobam:domain.org)", "Missing room name or separator e.g. (my-room:domain.org)": "Szoba név vagy elválasztó hiányzik, pl.: (szobam:domain.org)",
"Missing domain separator e.g. (:domain.org)": "Domain elválasztás hiányzik, pl.: (:domain.org)", "Missing domain separator e.g. (:domain.org)": "Domain elválasztás hiányzik, pl.: (:domain.org)",
@ -2799,7 +2732,6 @@
"Remove users": "Felhasználók eltávolítása", "Remove users": "Felhasználók eltávolítása",
"Keyboard": "Billentyűzet", "Keyboard": "Billentyűzet",
"Automatically send debug logs on decryption errors": "Hibakeresési naplók automatikus küldése titkosítás-visszafejtési hiba esetén", "Automatically send debug logs on decryption errors": "Hibakeresési naplók automatikus küldése titkosítás-visszafejtési hiba esetén",
"Show join/leave messages (invites/removes/bans unaffected)": "Be- és kilépési üzenetek megjelenítése (a meghívók/kirúgások/kitiltások üzeneteit nem érinti)",
"Remove, ban, or invite people to your active room, and make you leave": "Eltávolítani, kitiltani vagy meghívni embereket az aktív szobába és, hogy ön elhagyja a szobát", "Remove, ban, or invite people to your active room, and make you leave": "Eltávolítani, kitiltani vagy meghívni embereket az aktív szobába és, hogy ön elhagyja a szobát",
"Remove, ban, or invite people to this room, and make you leave": "Eltávolítani, kitiltani vagy meghívni embereket ebbe a szobába és, hogy ön elhagyja a szobát", "Remove, ban, or invite people to this room, and make you leave": "Eltávolítani, kitiltani vagy meghívni embereket ebbe a szobába és, hogy ön elhagyja a szobát",
"%(senderName)s removed %(targetName)s": "%(senderName)s eltávolította a következőt: %(targetName)s", "%(senderName)s removed %(targetName)s": "%(senderName)s eltávolította a következőt: %(targetName)s",
@ -2843,8 +2775,6 @@
"Pick a date to jump to": "Idő kiválasztása az ugráshoz", "Pick a date to jump to": "Idő kiválasztása az ugráshoz",
"Jump to date": "Ugrás időpontra", "Jump to date": "Ugrás időpontra",
"The beginning of the room": "A szoba indulása", "The beginning of the room": "A szoba indulása",
"Last month": "Előző hónap",
"Last week": "Előző hét",
"Group all your rooms that aren't part of a space in one place.": "Csoportosítsa egy helyre az összes olyan szobát, amely nem egy tér része.", "Group all your rooms that aren't part of a space in one place.": "Csoportosítsa egy helyre az összes olyan szobát, amely nem egy tér része.",
"Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "A terek a szobák és emberek csoportosítási módjainak egyike. Azokon kívül, amelyekben benne van, használhat néhány előre meghatározottat is.", "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "A terek a szobák és emberek csoportosítási módjainak egyike. Azokon kívül, amelyekben benne van, használhat néhány előre meghatározottat is.",
"If you know what you're doing, Element is open-source, be sure to check out our GitHub (https://github.com/vector-im/element-web/) and contribute!": "Ha tudja mit csinál, Element egy nyílt forráskódú szoftver, nézze meg a GitHubon (https://github.com/vector-im/element-web/) és segítsen!", "If you know what you're doing, Element is open-source, be sure to check out our GitHub (https://github.com/vector-im/element-web/) and contribute!": "Ha tudja mit csinál, Element egy nyílt forráskódú szoftver, nézze meg a GitHubon (https://github.com/vector-im/element-web/) és segítsen!",
@ -2877,13 +2807,7 @@
"one": "%(severalUsers)s üzenetet törölt", "one": "%(severalUsers)s üzenetet törölt",
"other": "%(severalUsers)s %(count)s üzenetet törölt" "other": "%(severalUsers)s %(count)s üzenetet törölt"
}, },
"Maximise": "Teljes méret",
"Automatically send debug logs when key backup is not functioning": "Hibakeresési naplók automatikus küldése, ha a kulcsmentés nem működik", "Automatically send debug logs when key backup is not functioning": "Hibakeresési naplók automatikus küldése, ha a kulcsmentés nem működik",
"<empty string>": "<üres karakterek>",
"<%(count)s spaces>": {
"other": "<%(count)s szóköz>",
"one": "<szóköz>"
},
"Edit poll": "Szavazás szerkesztése", "Edit poll": "Szavazás szerkesztése",
"Sorry, you can't edit a poll after votes have been cast.": "Sajnos a szavazás nem szerkeszthető miután szavazatok érkeztek.", "Sorry, you can't edit a poll after votes have been cast.": "Sajnos a szavazás nem szerkeszthető miután szavazatok érkeztek.",
"Can't edit poll": "A szavazás nem szerkeszthető", "Can't edit poll": "A szavazás nem szerkeszthető",
@ -2897,7 +2821,6 @@
"Results will be visible when the poll is ended": "Az eredmény a szavazás végeztével válik láthatóvá", "Results will be visible when the poll is ended": "Az eredmény a szavazás végeztével válik láthatóvá",
"Open user settings": "Felhasználói beállítások megnyitása", "Open user settings": "Felhasználói beállítások megnyitása",
"Switch to space by number": "Tér váltás szám alapján", "Switch to space by number": "Tér váltás szám alapján",
"Accessibility": "Akadálymentesség",
"Pinned": "Kitűzött", "Pinned": "Kitűzött",
"Open thread": "Üzenetszál megnyitása", "Open thread": "Üzenetszál megnyitása",
"Remove messages sent by me": "Saját elküldött üzenetek törlése", "Remove messages sent by me": "Saját elküldött üzenetek törlése",
@ -2911,7 +2834,6 @@
"My current location": "Jelenlegi saját földrajzi helyzet", "My current location": "Jelenlegi saját földrajzi helyzet",
"%(brand)s could not send your location. Please try again later.": "Az %(brand)s nem tudja elküldeni a földrajzi helyzetét. Próbálja újra később.", "%(brand)s could not send your location. Please try again later.": "Az %(brand)s nem tudja elküldeni a földrajzi helyzetét. Próbálja újra később.",
"We couldn't send your location": "A földrajzi helyzetet nem sikerült elküldeni", "We couldn't send your location": "A földrajzi helyzetet nem sikerült elküldeni",
"Insert a trailing colon after user mentions at the start of a message": "Záró kettőspont beszúrása egy felhasználó üzenet elején való megemlítésekor",
"Reply to an ongoing thread or use “%(replyInThread)s” when hovering over a message to start a new one.": "Válaszoljon egy meglévő üzenetszálban, vagy új üzenetszál indításához használja a „%(replyInThread)s” lehetőséget az üzenet sarkában megjelenő menüben.", "Reply to an ongoing thread or use “%(replyInThread)s” when hovering over a message to start a new one.": "Válaszoljon egy meglévő üzenetszálban, vagy új üzenetszál indításához használja a „%(replyInThread)s” lehetőséget az üzenet sarkában megjelenő menüben.",
"%(oneUser)schanged the <a>pinned messages</a> for the room %(count)s times": { "%(oneUser)schanged the <a>pinned messages</a> for the room %(count)s times": {
"one": "%(oneUser)s módosította a szoba <a>kitűzött üzeneteit</a>", "one": "%(oneUser)s módosította a szoba <a>kitűzött üzeneteit</a>",
@ -2950,31 +2872,7 @@
"Previous recently visited room or space": "Előző, nemrég meglátogatott szoba vagy tér", "Previous recently visited room or space": "Előző, nemrég meglátogatott szoba vagy tér",
"Event ID: %(eventId)s": "Esemény azon.: %(eventId)s", "Event ID: %(eventId)s": "Esemény azon.: %(eventId)s",
"%(timeRemaining)s left": "Maradék idő: %(timeRemaining)s", "%(timeRemaining)s left": "Maradék idő: %(timeRemaining)s",
"No verification requests found": "Nem található ellenőrző kérés",
"Observe only": "Csak megfigyel",
"Requester": "Kérelmező",
"Methods": "Metódusok",
"Timeout": "Időtúllépés",
"Phase": "Fázis",
"Transaction": "Tranzakció",
"Cancelled": "Megszakítva",
"Started": "Elindult",
"Ready": "Kész",
"Requested": "Kérve",
"Unsent": "Elküldetlen", "Unsent": "Elküldetlen",
"Edit values": "Értékek szerkesztése",
"Failed to save settings.": "A beállítások elmentése nem sikerült.",
"Number of users": "Felhasználószám",
"Server": "Kiszolgáló",
"Server Versions": "Kiszolgálóverziók",
"Client Versions": "Kliensverziók",
"Failed to load.": "Betöltés sikertelen.",
"Capabilities": "Képességek",
"Send custom state event": "Egyedi állapotesemény küldése",
"Failed to send event!": "Az eseményt nem sikerült elküldeni!",
"Doesn't look like valid JSON.": "Nem tűnik érvényes JSON szövegnek.",
"Send custom room account data event": "Egyedi szoba fiókadat esemény küldése",
"Send custom account data event": "Egyedi fiókadat esemény küldése",
"Room ID: %(roomId)s": "Szoba azon.: %(roomId)s", "Room ID: %(roomId)s": "Szoba azon.: %(roomId)s",
"Server info": "Kiszolgálóinformációk", "Server info": "Kiszolgálóinformációk",
"Settings explorer": "Beállítás böngésző", "Settings explorer": "Beállítás böngésző",
@ -3065,7 +2963,6 @@
"Audio devices": "Hangeszközök", "Audio devices": "Hangeszközök",
"sends hearts": "szívecskéket küld", "sends hearts": "szívecskéket küld",
"Sends the given message with hearts": "Szívecskékkel küldi el az üzenetet", "Sends the given message with hearts": "Szívecskékkel küldi el az üzenetet",
"Enable Markdown": "Markdown engedélyezése",
"Failed to join": "Csatlakozás sikertelen", "Failed to join": "Csatlakozás sikertelen",
"The person who invited you has already left, or their server is offline.": "Aki meghívta a szobába már távozott, vagy a kiszolgálója nem érhető el.", "The person who invited you has already left, or their server is offline.": "Aki meghívta a szobába már távozott, vagy a kiszolgálója nem érhető el.",
"The person who invited you has already left.": "A személy, aki meghívta, már távozott.", "The person who invited you has already left.": "A személy, aki meghívta, már távozott.",
@ -3121,11 +3018,9 @@
"Check if you want to hide all current and future messages from this user.": "Válaszd ki ha ennek a felhasználónak a jelenlegi és jövőbeli üzeneteit el szeretnéd rejteni.", "Check if you want to hide all current and future messages from this user.": "Válaszd ki ha ennek a felhasználónak a jelenlegi és jövőbeli üzeneteit el szeretnéd rejteni.",
"Ignore user": "Felhasználó mellőzése", "Ignore user": "Felhasználó mellőzése",
"Read receipts": "Olvasási visszajelzés", "Read receipts": "Olvasási visszajelzés",
"Enable hardware acceleration (restart %(appName)s to take effect)": "Hardveres gyorsítás bekapcsolása (a(z) %(appName)s alkalmazást újra kell indítani)",
"You were disconnected from the call. (Error: %(message)s)": "A híváskapcsolat megszakadt (Hiba: %(message)s)", "You were disconnected from the call. (Error: %(message)s)": "A híváskapcsolat megszakadt (Hiba: %(message)s)",
"Failed to set direct message tag": "Nem sikerült a közvetlen beszélgetés címkét beállítani", "Failed to set direct message tag": "Nem sikerült a közvetlen beszélgetés címkét beállítani",
"Connection lost": "A kapcsolat megszakadt", "Connection lost": "A kapcsolat megszakadt",
"Minimise": "Lecsukás",
"Un-maximise": "Kicsinyítés", "Un-maximise": "Kicsinyítés",
"Deactivating your account is a permanent action — be careful!": "A fiók felfüggesztése végleges — legyen óvatos!", "Deactivating your account is a permanent action — be careful!": "A fiók felfüggesztése végleges — legyen óvatos!",
"When you sign out, these keys will be deleted from this device, which means you won't be able to read encrypted messages unless you have the keys for them on your other devices, or backed them up to the server.": "A kijelentkezéssel a kulcsok az eszközről törlődnek, ami azt jelenti, hogy ha nincsenek meg máshol a kulcsok, vagy nincsenek mentve a kiszolgálón, akkor a titkosított üzenetek olvashatatlanná válnak.", "When you sign out, these keys will be deleted from this device, which means you won't be able to read encrypted messages unless you have the keys for them on your other devices, or backed them up to the server.": "A kijelentkezéssel a kulcsok az eszközről törlődnek, ami azt jelenti, hogy ha nincsenek meg máshol a kulcsok, vagy nincsenek mentve a kiszolgálón, akkor a titkosított üzenetek olvashatatlanná válnak.",
@ -3182,20 +3077,6 @@
"Developer command: Discards the current outbound group session and sets up new Olm sessions": "Fejlesztői parancs: Eldobja a jelenlegi kimenő csoport kapcsolatot és új Olm munkamenetet hoz létre", "Developer command: Discards the current outbound group session and sets up new Olm sessions": "Fejlesztői parancs: Eldobja a jelenlegi kimenő csoport kapcsolatot és új Olm munkamenetet hoz létre",
"Send your first message to invite <displayName/> to chat": "Küldj egy üzenetet ahhoz, hogy meghívd <displayName/> felhasználót", "Send your first message to invite <displayName/> to chat": "Küldj egy üzenetet ahhoz, hogy meghívd <displayName/> felhasználót",
"Messages in this chat will be end-to-end encrypted.": "Az üzenetek ebben a beszélgetésben végponti titkosítással vannak védve.", "Messages in this chat will be end-to-end encrypted.": "Az üzenetek ebben a beszélgetésben végponti titkosítással vannak védve.",
"You did it!": "Kész!",
"Only %(count)s steps to go": {
"one": "Még %(count)s lépés",
"other": "Még %(count)s lépés"
},
"Welcome to %(brand)s": "Üdvözli a(z) %(brand)s",
"Find your people": "Találja meg az embereket",
"Keep ownership and control of community discussion.\nScale to support millions, with powerful moderation and interoperability.": "Tartsa meg a közösségi beszélgetések feletti irányítást.\nAkár milliók támogatásával, hatékony moderációs és együttműködési lehetőségekkel.",
"Community ownership": "Közösségi tulajdon",
"Find your co-workers": "Találja meg a munkatársait",
"Secure messaging for work": "Biztonságos üzenetküldés munkához",
"Start your first chat": "Kezdje el az első csevegését",
"With free end-to-end encrypted messaging, and unlimited voice and video calls, %(brand)s is a great way to stay in touch.": "Az ingyenes, végpontok közti titkosítással rendelkező üzenetküldéssel, a korlátlan hang- és videóhívással, a(z) %(brand)s használata nagyszerű módja a kapcsolattartásnak.",
"Secure messaging for friends and family": "Biztonságos üzenetküldés barátokkal, családdal",
"Enable notifications": "Értesítések bekapcsolása", "Enable notifications": "Értesítések bekapcsolása",
"Dont miss a reply or important message": "Ne maradjon le a válaszról vagy egy fontos üzenetről", "Dont miss a reply or important message": "Ne maradjon le a válaszról vagy egy fontos üzenetről",
"Turn on notifications": "Értesítések bekapcsolása", "Turn on notifications": "Értesítések bekapcsolása",
@ -3211,15 +3092,12 @@
"Its what youre here for, so lets get to it": "Kezdjünk neki, ezért van itt", "Its what youre here for, so lets get to it": "Kezdjünk neki, ezért van itt",
"Find and invite your friends": "Keresse meg és hívja meg barátait", "Find and invite your friends": "Keresse meg és hívja meg barátait",
"You made it!": "Megcsinálta!", "You made it!": "Megcsinálta!",
"Send read receipts": "Olvasási visszajelzés küldése",
"We're creating a room with %(names)s": "Szobát készítünk: %(names)s", "We're creating a room with %(names)s": "Szobát készítünk: %(names)s",
"Google Play and the Google Play logo are trademarks of Google LLC.": "A Google Play és a Google Play logó a Google LLC védjegye.", "Google Play and the Google Play logo are trademarks of Google LLC.": "A Google Play és a Google Play logó a Google LLC védjegye.",
"App Store® and the Apple logo® are trademarks of Apple Inc.": "Az App Store® és az Apple logo® az Apple Inc. védjegyei.", "App Store® and the Apple logo® are trademarks of Apple Inc.": "Az App Store® és az Apple logo® az Apple Inc. védjegyei.",
"Get it on F-Droid": "Letöltés az F-Droidról", "Get it on F-Droid": "Letöltés az F-Droidról",
"Get it on Google Play": "Letöltés a Google Play-ből", "Get it on Google Play": "Letöltés a Google Play-ből",
"Android": "Android",
"Download on the App Store": "Letöltés az App Store-ból", "Download on the App Store": "Letöltés az App Store-ból",
"iOS": "iOS",
"Download %(brand)s Desktop": "Asztali %(brand)s letöltése", "Download %(brand)s Desktop": "Asztali %(brand)s letöltése",
"Download %(brand)s": "A(z) %(brand)s letöltése", "Download %(brand)s": "A(z) %(brand)s letöltése",
"Choose a locale": "Válasszon nyelvet", "Choose a locale": "Válasszon nyelvet",
@ -3230,20 +3108,15 @@
"Your server doesn't support disabling sending read receipts.": "A kiszolgálója nem támogatja az olvasási visszajelzések elküldésének kikapcsolását.", "Your server doesn't support disabling sending read receipts.": "A kiszolgálója nem támogatja az olvasási visszajelzések elküldésének kikapcsolását.",
"Share your activity and status with others.": "Ossza meg a tevékenységét és állapotát másokkal.", "Share your activity and status with others.": "Ossza meg a tevékenységét és állapotát másokkal.",
"Spell check": "Helyesírás-ellenőrzés", "Spell check": "Helyesírás-ellenőrzés",
"Complete these to get the most out of %(brand)s": "Ezen lépések befejezésével hozhatja ki a legtöbbet a(z) %(brand)s használatából",
"Unverified": "Ellenőrizetlen",
"Verified": "Ellenőrizve",
"Inactive for %(inactiveAgeDays)s+ days": "Utolsó használat %(inactiveAgeDays)s+ napja", "Inactive for %(inactiveAgeDays)s+ days": "Utolsó használat %(inactiveAgeDays)s+ napja",
"Session details": "Munkamenet információk", "Session details": "Munkamenet információk",
"IP address": "IP cím", "IP address": "IP cím",
"Device": "Eszköz",
"For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "A legjobb biztonság érdekében ellenőrizze a munkameneteit, és jelentkezzen ki azokból, amelyeket nem ismer fel, vagy már nem használ.", "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "A legjobb biztonság érdekében ellenőrizze a munkameneteit, és jelentkezzen ki azokból, amelyeket nem ismer fel, vagy már nem használ.",
"Other sessions": "Más munkamenetek", "Other sessions": "Más munkamenetek",
"Verify or sign out from this session for best security and reliability.": "A jobb biztonság vagy megbízhatóság érdekében ellenőrizze vagy jelentkezzen ki ebből a munkamenetből.", "Verify or sign out from this session for best security and reliability.": "A jobb biztonság vagy megbízhatóság érdekében ellenőrizze vagy jelentkezzen ki ebből a munkamenetből.",
"Unverified session": "Ellenőrizetlen munkamenet", "Unverified session": "Ellenőrizetlen munkamenet",
"This session is ready for secure messaging.": "Ez a munkamenet beállítva a biztonságos üzenetküldéshez.", "This session is ready for secure messaging.": "Ez a munkamenet beállítva a biztonságos üzenetküldéshez.",
"Verified session": "Munkamenet hitelesítve", "Verified session": "Munkamenet hitelesítve",
"Welcome": "Üdvözöljük",
"Show shortcut to welcome checklist above the room list": "Kezdő lépések elvégzésének hivatkozásának megjelenítése a szobalista fölött", "Show shortcut to welcome checklist above the room list": "Kezdő lépések elvégzésének hivatkozásának megjelenítése a szobalista fölött",
"Inactive sessions": "Nem aktív munkamenetek", "Inactive sessions": "Nem aktív munkamenetek",
"Verify your sessions for enhanced secure messaging or sign out from those you don't recognize or use anymore.": "Erősítse meg a munkameneteit a még biztonságosabb csevegéshez vagy jelentkezzen ki ezekből, ha nem ismeri fel vagy már nem használja őket.", "Verify your sessions for enhanced secure messaging or sign out from those you don't recognize or use anymore.": "Erősítse meg a munkameneteit a még biztonságosabb csevegéshez vagy jelentkezzen ki ezekből, ha nem ismeri fel vagy már nem használja őket.",
@ -3329,10 +3202,7 @@
"Mobile session": "Mobil munkamenet", "Mobile session": "Mobil munkamenet",
"Desktop session": "Asztali munkamenet", "Desktop session": "Asztali munkamenet",
"Operating system": "Operációs rendszer", "Operating system": "Operációs rendszer",
"Model": "Modell",
"URL": "URL", "URL": "URL",
"Version": "Verzió",
"Application": "Alkalmazás",
"Call type": "Hívás típusa", "Call type": "Hívás típusa",
"You do not have sufficient permissions to change this.": "Nincs megfelelő jogosultság a megváltoztatáshoz.", "You do not have sufficient permissions to change this.": "Nincs megfelelő jogosultság a megváltoztatáshoz.",
"%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s végpontok között titkosított de jelenleg csak kevés számú résztvevővel működik.", "%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s végpontok között titkosított de jelenleg csak kevés számú résztvevővel működik.",
@ -3485,19 +3355,6 @@
"Ignore %(user)s": "%(user)s figyelmen kívül hagyása", "Ignore %(user)s": "%(user)s figyelmen kívül hagyása",
"Manage account": "Fiók kezelése", "Manage account": "Fiók kezelése",
"Your account details are managed separately at <code>%(hostname)s</code>.": "A fiókadatok külön vannak kezelve itt: <code>%(hostname)s</code>.", "Your account details are managed separately at <code>%(hostname)s</code>.": "A fiókadatok külön vannak kezelve itt: <code>%(hostname)s</code>.",
"Thread Id: ": "Üzenetszál-azonosító: ",
"Threads timeline": "Üzenetszálak idővonala",
"Sender: ": "Küldő: ",
"Type: ": "Típus: ",
"ID: ": "Azon.: ",
"Last event:": "Utolsó esemény:",
"No receipt found": "Nincs visszajelzés",
"User read up to: ": "A felhasználó eddig olvasta el: ",
"Dot: ": "Pont: ",
"Highlight: ": "Kiemelt: ",
"Total: ": "Összesen: ",
"Main timeline": "Fő idővonal",
"Room status": "Szoba állapota",
"Notifications debug": "Értesítések hibakeresése", "Notifications debug": "Értesítések hibakeresése",
"unknown": "ismeretlen", "unknown": "ismeretlen",
"Red": "Piros", "Red": "Piros",
@ -3556,20 +3413,12 @@
"Starting export…": "Exportálás kezdése…", "Starting export…": "Exportálás kezdése…",
"Unable to connect to Homeserver. Retrying…": "A Matrix-kiszolgálóval nem lehet felvenni a kapcsolatot. Újrapróbálkozás…", "Unable to connect to Homeserver. Retrying…": "A Matrix-kiszolgálóval nem lehet felvenni a kapcsolatot. Újrapróbálkozás…",
"Loading polls": "Szavazások betöltése", "Loading polls": "Szavazások betöltése",
"Room is <strong>not encrypted 🚨</strong>": "A szoba <strong>nincs titkosítva 🚨</strong>",
"Room is <strong>encrypted ✅</strong>": "A szoba <strong>titkosított ✅</strong>",
"Notification state is <strong>%(notificationState)s</strong>": "Értesítés állapot: <strong>%(notificationState)s</strong>",
"Room unread status: <strong>%(status)s</strong>": "Szoba olvasatlan állapota: <strong>%(status)s</strong>",
"Room unread status: <strong>%(status)s</strong>, count: <strong>%(count)s</strong>": {
"other": "Szoba olvasatlan állapota: <strong>%(status)s</strong>, darabszám: <strong>%(count)s</strong>"
},
"Ended a poll": "Lezárta a szavazást", "Ended a poll": "Lezárta a szavazást",
"Due to decryption errors, some votes may not be counted": "Visszafejtési hibák miatt néhány szavazat nem kerül beszámításra", "Due to decryption errors, some votes may not be counted": "Visszafejtési hibák miatt néhány szavazat nem kerül beszámításra",
"The sender has blocked you from receiving this message": "A feladó megtagadta az Ön hozzáférését ehhez az üzenethez", "The sender has blocked you from receiving this message": "A feladó megtagadta az Ön hozzáférését ehhez az üzenethez",
"Room directory": "Szobalista", "Room directory": "Szobalista",
"Identity server is <code>%(identityServerUrl)s</code>": "Azonosítási kiszolgáló: <code>%(identityServerUrl)s</code>", "Identity server is <code>%(identityServerUrl)s</code>": "Azonosítási kiszolgáló: <code>%(identityServerUrl)s</code>",
"Homeserver is <code>%(homeserverUrl)s</code>": "Matrix-kiszolgáló: <code>%(homeserverUrl)s</code>", "Homeserver is <code>%(homeserverUrl)s</code>": "Matrix-kiszolgáló: <code>%(homeserverUrl)s</code>",
"Show NSFW content": "Felnőtt tartalmak megjelenítése",
"Yes, it was me": "Igen, én voltam", "Yes, it was me": "Igen, én voltam",
"Answered elsewhere": "Máshol lett felvéve", "Answered elsewhere": "Máshol lett felvéve",
"There are no active polls for the past %(count)s days. Load more polls to view polls for previous months": { "There are no active polls for the past %(count)s days. Load more polls to view polls for previous months": {
@ -3624,7 +3473,6 @@
"Formatting": "Formázás", "Formatting": "Formázás",
"Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it.": "A szoba régi verziója nem található (szobaazonosító: %(roomId)s), és a megkereséséhez nem lett megadva a „via_servers”.", "Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it.": "A szoba régi verziója nem található (szobaazonosító: %(roomId)s), és a megkereséséhez nem lett megadva a „via_servers”.",
"Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it. It's possible that guessing the server from the room ID will work. If you want to try, click this link:": "A szoba régi verziója nem található (szobaazonosító: %(roomId)s), és a megkereséséhez nem lett megadva a „via_servers”. Lehetséges, hogy a szobaazonosító kitalálása működni fog. Ha meg akarja próbálni, kattintson erre a hivatkozásra:", "Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it. It's possible that guessing the server from the room ID will work. If you want to try, click this link:": "A szoba régi verziója nem található (szobaazonosító: %(roomId)s), és a megkereséséhez nem lett megadva a „via_servers”. Lehetséges, hogy a szobaazonosító kitalálása működni fog. Ha meg akarja próbálni, kattintson erre a hivatkozásra:",
"Start messages with <code>/plain</code> to send without markdown.": "Kezdje az üzenetet a <code>/plain</code> paranccsal, hogy markdown formázás nélkül küldje el.",
"The add / bind with MSISDN flow is misconfigured": "Az MSISDN folyamattal történő hozzáadás / kötés hibásan van beállítva", "The add / bind with MSISDN flow is misconfigured": "Az MSISDN folyamattal történő hozzáadás / kötés hibásan van beállítva",
"No identity access token found": "Nem található személyazonosság-hozzáférési kulcs", "No identity access token found": "Nem található személyazonosság-hozzáférési kulcs",
"Identity server not set": "Az azonosítási kiszolgáló nincs megadva", "Identity server not set": "Az azonosítási kiszolgáló nincs megadva",
@ -3692,21 +3540,38 @@
"beta": "Béta", "beta": "Béta",
"attachment": "Melléklet", "attachment": "Melléklet",
"appearance": "Megjelenítés", "appearance": "Megjelenítés",
"guest": "Vendég",
"legal": "Jogi feltételek",
"credits": "Közreműködők",
"faq": "GYIK",
"access_token": "Hozzáférési kulcs",
"preferences": "Beállítások",
"presence": "Állapot",
"timeline": "Idővonal", "timeline": "Idővonal",
"privacy": "Adatvédelem",
"camera": "Kamera",
"microphone": "Mikrofon",
"emoji": "Emodzsi",
"random": "Véletlen",
"support": "Támogatás", "support": "Támogatás",
"space": "Tér" "space": "Tér",
"random": "Véletlen",
"privacy": "Adatvédelem",
"presence": "Állapot",
"preferences": "Beállítások",
"microphone": "Mikrofon",
"legal": "Jogi feltételek",
"guest": "Vendég",
"faq": "GYIK",
"emoji": "Emodzsi",
"credits": "Közreműködők",
"camera": "Kamera",
"access_token": "Hozzáférési kulcs",
"someone": "Valaki",
"welcome": "Üdvözöljük",
"encrypted": "Titkosítva",
"application": "Alkalmazás",
"version": "Verzió",
"device": "Eszköz",
"model": "Modell",
"verified": "Ellenőrizve",
"unverified": "Ellenőrizetlen",
"matrix": "Matrix",
"ios": "iOS",
"android": "Android",
"trusted": "Megbízható",
"not_trusted": "Megbízhatatlan",
"accessibility": "Akadálymentesség",
"capabilities": "Képességek",
"server": "Kiszolgáló"
}, },
"action": { "action": {
"continue": "Folytatás", "continue": "Folytatás",
@ -3779,22 +3644,33 @@
"apply": "Alkalmaz", "apply": "Alkalmaz",
"add": "Hozzáadás", "add": "Hozzáadás",
"accept": "Elfogadás", "accept": "Elfogadás",
"disconnect": "Kapcsolat bontása",
"change": "Módosítás",
"subscribe": "Feliratkozás",
"unsubscribe": "Leiratkozás",
"approve": "Engedélyezés",
"complete": "Kiegészít",
"revoke": "Visszavon",
"rename": "Átnevezés",
"view_all": "Összes megtekintése", "view_all": "Összes megtekintése",
"unsubscribe": "Leiratkozás",
"subscribe": "Feliratkozás",
"show_all": "Mind megjelenítése", "show_all": "Mind megjelenítése",
"show": "Megjelenítés", "show": "Megjelenítés",
"revoke": "Visszavon",
"review": "Átnézés", "review": "Átnézés",
"restore": "Visszaállítás", "restore": "Visszaállítás",
"rename": "Átnevezés",
"register": "Regisztráció",
"play": "Lejátszás", "play": "Lejátszás",
"pause": "Szünet", "pause": "Szünet",
"register": "Regisztráció" "disconnect": "Kapcsolat bontása",
"complete": "Kiegészít",
"change": "Módosítás",
"approve": "Engedélyezés",
"manage": "Kezelés",
"go": "Meghívás",
"import": "Betöltés",
"export": "Mentés",
"refresh": "Frissítés",
"minimise": "Lecsukás",
"maximise": "Teljes méret",
"mention": "Megemlítés",
"submit": "Elküldés",
"send_report": "Jelentés küldése",
"clear": "Törlés"
}, },
"a11y": { "a11y": {
"user_menu": "Felhasználói menü" "user_menu": "Felhasználói menü"
@ -3877,8 +3753,8 @@
"restricted": "Korlátozott", "restricted": "Korlátozott",
"moderator": "Moderátor", "moderator": "Moderátor",
"admin": "Admin", "admin": "Admin",
"custom": "Egyéni (%(level)s)", "mod": "Mod",
"mod": "Mod" "custom": "Egyéni (%(level)s)"
}, },
"bug_reporting": { "bug_reporting": {
"introduction": "Ha a GitHubon keresztül küldött be hibajegyet, akkor a hibakeresési napló segít nekünk felderíteni a problémát. ", "introduction": "Ha a GitHubon keresztül küldött be hibajegyet, akkor a hibakeresési napló segít nekünk felderíteni a problémát. ",
@ -3903,6 +3779,136 @@
"short_seconds": "%(value)s mp", "short_seconds": "%(value)s mp",
"short_days_hours_minutes_seconds": "%(days)s n %(hours)s ó %(minutes)s p %(seconds)s mp", "short_days_hours_minutes_seconds": "%(days)s n %(hours)s ó %(minutes)s p %(seconds)s mp",
"short_hours_minutes_seconds": "%(hours)s ó %(minutes)s p %(seconds)s mp", "short_hours_minutes_seconds": "%(hours)s ó %(minutes)s p %(seconds)s mp",
"short_minutes_seconds": "%(minutes)s p %(seconds)s mp" "short_minutes_seconds": "%(minutes)s p %(seconds)s mp",
"last_week": "Előző hét",
"last_month": "Előző hónap"
},
"onboarding": {
"personal_messaging_title": "Biztonságos üzenetküldés barátokkal, családdal",
"free_e2ee_messaging_unlimited_voip": "Az ingyenes, végpontok közti titkosítással rendelkező üzenetküldéssel, a korlátlan hang- és videóhívással, a(z) %(brand)s használata nagyszerű módja a kapcsolattartásnak.",
"personal_messaging_action": "Kezdje el az első csevegését",
"work_messaging_title": "Biztonságos üzenetküldés munkához",
"work_messaging_action": "Találja meg a munkatársait",
"community_messaging_title": "Közösségi tulajdon",
"community_messaging_action": "Találja meg az embereket",
"welcome_to_brand": "Üdvözli a(z) %(brand)s",
"only_n_steps_to_go": {
"one": "Még %(count)s lépés",
"other": "Még %(count)s lépés"
},
"you_did_it": "Kész!",
"complete_these": "Ezen lépések befejezésével hozhatja ki a legtöbbet a(z) %(brand)s használatából",
"community_messaging_description": "Tartsa meg a közösségi beszélgetések feletti irányítást.\nAkár milliók támogatásával, hatékony moderációs és együttműködési lehetőségekkel."
},
"devtools": {
"send_custom_account_data_event": "Egyedi fiókadat esemény küldése",
"send_custom_room_account_data_event": "Egyedi szoba fiókadat esemény küldése",
"event_type": "Esemény típusa",
"state_key": "Állapotkulcs",
"invalid_json": "Nem tűnik érvényes JSON szövegnek.",
"failed_to_send": "Az eseményt nem sikerült elküldeni!",
"event_sent": "Az esemény elküldve!",
"event_content": "Esemény tartalma",
"user_read_up_to": "A felhasználó eddig olvasta el: ",
"no_receipt_found": "Nincs visszajelzés",
"room_status": "Szoba állapota",
"room_unread_status_count": {
"other": "Szoba olvasatlan állapota: <strong>%(status)s</strong>, darabszám: <strong>%(count)s</strong>"
},
"notification_state": "Értesítés állapot: <strong>%(notificationState)s</strong>",
"room_encrypted": "A szoba <strong>titkosított ✅</strong>",
"room_not_encrypted": "A szoba <strong>nincs titkosítva 🚨</strong>",
"main_timeline": "Fő idővonal",
"threads_timeline": "Üzenetszálak idővonala",
"room_notifications_total": "Összesen: ",
"room_notifications_highlight": "Kiemelt: ",
"room_notifications_dot": "Pont: ",
"room_notifications_last_event": "Utolsó esemény:",
"room_notifications_type": "Típus: ",
"room_notifications_sender": "Küldő: ",
"room_notifications_thread_id": "Üzenetszál-azonosító: ",
"spaces": {
"other": "<%(count)s szóköz>",
"one": "<szóköz>"
},
"empty_string": "<üres karakterek>",
"room_unread_status": "Szoba olvasatlan állapota: <strong>%(status)s</strong>",
"id": "Azon.: ",
"send_custom_state_event": "Egyedi állapotesemény küldése",
"failed_to_load": "Betöltés sikertelen.",
"client_versions": "Kliensverziók",
"server_versions": "Kiszolgálóverziók",
"number_of_users": "Felhasználószám",
"failed_to_save": "A beállítások elmentése nem sikerült.",
"save_setting_values": "Beállított értékek mentése",
"setting_colon": "Beállítás:",
"caution_colon": "Figyelmeztetés:",
"use_at_own_risk": "Ez a felület nem ellenőrzi az érték típusát. Csak saját felelősségére használja.",
"setting_definition": "Beállítás leírása:",
"level": "Szint",
"settable_global": "Általánosan beállítható",
"settable_room": "Szobára beállítható",
"values_explicit": "Egyedi szinthez tartozó értékek",
"values_explicit_room": "Egyedi szinthez tartozó értékek ebben a szobában",
"edit_values": "Értékek szerkesztése",
"value_colon": "Érték:",
"value_this_room_colon": "Érték ebben a szobában:",
"values_explicit_colon": "Egyedi szinthez tartozó értékek:",
"values_explicit_this_room_colon": "Egyedi szinthez tartozó értékek ebben a szobában:",
"setting_id": "Beállításazonosító",
"value": "Érték",
"value_in_this_room": "Érték ebben a szobában",
"edit_setting": "Beállítások szerkesztése",
"phase_requested": "Kérve",
"phase_ready": "Kész",
"phase_started": "Elindult",
"phase_cancelled": "Megszakítva",
"phase_transaction": "Tranzakció",
"phase": "Fázis",
"timeout": "Időtúllépés",
"methods": "Metódusok",
"requester": "Kérelmező",
"observe_only": "Csak megfigyel",
"no_verification_requests_found": "Nem található ellenőrző kérés",
"failed_to_find_widget": "Hiba történt a kisalkalmazás keresése során."
},
"settings": {
"show_breadcrumbs": "Gyors elérési gombok megjelenítése a nemrég meglátogatott szobákhoz a szobalista felett",
"all_rooms_home_description": "Minden szoba, amelybe belépett, megjelenik a Kezdőlapon.",
"use_command_f_search": "Command + F használata az idővonalon való kereséshez",
"use_control_f_search": "Ctrl + F használata az idővonalon való kereséshez",
"use_12_hour_format": "Az időbélyegek megjelenítése 12 órás formátumban (például du. 2:30)",
"always_show_message_timestamps": "Üzenetek időbélyegének megjelenítése mindig",
"send_read_receipts": "Olvasási visszajelzés küldése",
"send_typing_notifications": "Gépelési visszajelzés küldése",
"replace_plain_emoji": "Egyszerű szöveg automatikus cseréje emodzsira",
"enable_markdown": "Markdown engedélyezése",
"emoji_autocomplete": "Emodzsik gépelés közbeni felajánlásának bekapcsolása",
"use_command_enter_send_message": "Command + Enter használata az üzenet küldéséhez",
"use_control_enter_send_message": "Ctrl + Enter használata az üzenet elküldéséhez",
"all_rooms_home": "Minden szoba megjelenítése a Kezdőlapon",
"enable_markdown_description": "Kezdje az üzenetet a <code>/plain</code> paranccsal, hogy markdown formázás nélkül küldje el.",
"show_stickers_button": "Matricák gomb megjelenítése",
"insert_trailing_colon_mentions": "Záró kettőspont beszúrása egy felhasználó üzenet elején való megemlítésekor",
"automatic_language_detection_syntax_highlight": "Nyelv automatikus felismerése a szintaxiskiemeléshez",
"code_block_expand_default": "Kódblokkok kibontása alapértelmezetten",
"code_block_line_numbers": "Sorszámok megjelenítése a kódblokkokban",
"inline_url_previews_default": "Beágyazott webcím-előnézetek alapértelmezett engedélyezése",
"autoplay_gifs": "GIF-ek automatikus lejátszása",
"autoplay_videos": "Videók automatikus lejátszása",
"image_thumbnails": "Előnézet/bélyegkép megjelenítése a képekhez",
"show_typing_notifications": "Gépelési visszajelzés megjelenítése",
"show_redaction_placeholder": "Helykitöltő megjelenítése a törölt szövegek helyett",
"show_read_receipts": "Mások által küldött olvasási visszajelzések megjelenítése",
"show_join_leave": "Be- és kilépési üzenetek megjelenítése (a meghívók/kirúgások/kitiltások üzeneteit nem érinti)",
"show_displayname_changes": "Megjelenítendő nevek változásának megjelenítése",
"show_chat_effects": "Csevegési effektek (például a konfetti animáció) megjelenítése",
"big_emoji": "Nagy emodzsik engedélyezése a csevegésekben",
"jump_to_bottom_on_send": "Üzenetküldés után az idővonal aljára ugrás",
"show_nsfw_content": "Felnőtt tartalmak megjelenítése",
"prompt_invite": "Kérdés a vélhetően hibás Matrix-azonosítóknak küldött meghívók elküldése előtt",
"hardware_acceleration": "Hardveres gyorsítás bekapcsolása (a(z) %(appName)s alkalmazást újra kell indítani)",
"start_automatically": "Automatikus indítás rendszerindítás után",
"warn_quit": "Figyelmeztetés kilépés előtt"
} }
} }

View file

@ -15,10 +15,8 @@
"Command error": "Perintah gagal", "Command error": "Perintah gagal",
"Default": "Bawaan", "Default": "Bawaan",
"Download %(text)s": "Unduh %(text)s", "Download %(text)s": "Unduh %(text)s",
"Export": "Ekspor",
"Failed to reject invitation": "Gagal menolak undangan", "Failed to reject invitation": "Gagal menolak undangan",
"Favourite": "Favorit", "Favourite": "Favorit",
"Import": "Impor",
"Incorrect verification code": "Kode verifikasi tidak benar", "Incorrect verification code": "Kode verifikasi tidak benar",
"Invalid Email Address": "Alamat Email Tidak Absah", "Invalid Email Address": "Alamat Email Tidak Absah",
"Invited": "Diundang", "Invited": "Diundang",
@ -37,8 +35,6 @@
"Search failed": "Pencarian gagal", "Search failed": "Pencarian gagal",
"Server error": "Kesalahan server", "Server error": "Kesalahan server",
"Session ID": "ID Sesi", "Session ID": "ID Sesi",
"Someone": "Seseorang",
"Submit": "Kirim",
"This email address was not found": "Alamat email ini tidak ditemukan", "This email address was not found": "Alamat email ini tidak ditemukan",
"Unable to add email address": "Tidak dapat menambahkan alamat email", "Unable to add email address": "Tidak dapat menambahkan alamat email",
"Unable to verify email address.": "Tidak dapat memverifikasi alamat email.", "Unable to verify email address.": "Tidak dapat memverifikasi alamat email.",
@ -73,7 +69,6 @@
"You may need to manually permit %(brand)s to access your microphone/webcam": "Anda mungkin perlu mengizinkan %(brand)s secara manual untuk mengakses mikrofon/webcam", "You may need to manually permit %(brand)s to access your microphone/webcam": "Anda mungkin perlu mengizinkan %(brand)s secara manual untuk mengakses mikrofon/webcam",
"Default Device": "Perangkat Bawaan", "Default Device": "Perangkat Bawaan",
"Advanced": "Tingkat Lanjut", "Advanced": "Tingkat Lanjut",
"Always show message timestamps": "Selalu tampilkan stempel waktu pesan",
"Authentication": "Autentikasi", "Authentication": "Autentikasi",
"Are you sure you want to leave the room '%(roomName)s'?": "Anda yakin ingin meninggalkan ruangan '%(roomName)s'?", "Are you sure you want to leave the room '%(roomName)s'?": "Anda yakin ingin meninggalkan ruangan '%(roomName)s'?",
"A new password must be entered.": "Kata sandi baru harus dimasukkan.", "A new password must be entered.": "Kata sandi baru harus dimasukkan.",
@ -552,7 +547,6 @@
"Toolbox": "Kotak Peralatan", "Toolbox": "Kotak Peralatan",
"expand": "buka", "expand": "buka",
"collapse": "tutup", "collapse": "tutup",
"Refresh": "Muat Ulang",
"%(oneUser)sleft %(count)s times": { "%(oneUser)sleft %(count)s times": {
"one": "%(oneUser)skeluar", "one": "%(oneUser)skeluar",
"other": "%(oneUser)skeluar %(count)s kali" "other": "%(oneUser)skeluar %(count)s kali"
@ -569,7 +563,6 @@
"one": "%(severalUsers)sbergabung", "one": "%(severalUsers)sbergabung",
"other": "%(severalUsers)sbergabung %(count)s kali" "other": "%(severalUsers)sbergabung %(count)s kali"
}, },
"Mention": "Sebutkan",
"Unknown": "Tidak Dikenal", "Unknown": "Tidak Dikenal",
"%(duration)sd": "%(duration)sh", "%(duration)sd": "%(duration)sh",
"%(duration)sh": "%(duration)sj", "%(duration)sh": "%(duration)sj",
@ -601,13 +594,10 @@
"Calls": "Panggilan", "Calls": "Panggilan",
"Navigation": "Navigasi", "Navigation": "Navigasi",
"Feedback": "Masukan", "Feedback": "Masukan",
"Matrix": "Matrix",
"Categories": "Categori", "Categories": "Categori",
"Go": "Mulai",
"Unencrypted": "Tidak Dienkripsi", "Unencrypted": "Tidak Dienkripsi",
"Bridges": "Jembatan", "Bridges": "Jembatan",
"Cross-signing": "Penandatanganan silang", "Cross-signing": "Penandatanganan silang",
"Manage": "Kelola",
"exists": "sudah ada", "exists": "sudah ada",
"Lock": "Gembok", "Lock": "Gembok",
"Later": "Nanti", "Later": "Nanti",
@ -616,13 +606,11 @@
"Symbols": "Simbol", "Symbols": "Simbol",
"Objects": "Obyek", "Objects": "Obyek",
"Activities": "Aktivitas", "Activities": "Aktivitas",
"Trusted": "Dipercayai",
"Accepting…": "Menerima…", "Accepting…": "Menerima…",
"Italics": "Miring", "Italics": "Miring",
"None": "Tidak Ada", "None": "Tidak Ada",
"Ignored/Blocked": "Diabaikan/Diblokir", "Ignored/Blocked": "Diabaikan/Diblokir",
"Mushroom": "Jamur", "Mushroom": "Jamur",
"Encrypted": "Terenkripsi",
"Folder": "Map", "Folder": "Map",
"Scissors": "Gunting", "Scissors": "Gunting",
"Cancelling…": "Membatalkan…", "Cancelling…": "Membatalkan…",
@ -780,10 +768,6 @@
"Send Logs": "Kirim Catatan", "Send Logs": "Kirim Catatan",
"Developer Tools": "Alat Pengembang", "Developer Tools": "Alat Pengembang",
"Filter results": "Saring hasil", "Filter results": "Saring hasil",
"Event Content": "Konten Peristiwa",
"State Key": "Kunci Status",
"Event Type": "Tipe Peristiwa",
"Event sent!": "Peristiwa terkirim!",
"Logs sent": "Catatan terkirim", "Logs sent": "Catatan terkirim",
"was unbanned %(count)s times": { "was unbanned %(count)s times": {
"one": "dihilangkan cekalannya", "one": "dihilangkan cekalannya",
@ -862,11 +846,6 @@
"Hold": "Jeda", "Hold": "Jeda",
"Transfer": "Pindah", "Transfer": "Pindah",
"Sending": "Mengirim", "Sending": "Mengirim",
"Value:": "Nilai:",
"Level": "Tingkat",
"Caution:": "Peringatan:",
"Setting:": "Pengaturan:",
"Value": "Nilai",
"Spaces": "Space", "Spaces": "Space",
"Connecting": "Menghubungkan", "Connecting": "Menghubungkan",
"%(senderName)s removed the rule banning users matching %(glob)s": "%(senderName)s menghapus peraturan pencekalan pengguna yang berisi %(glob)s", "%(senderName)s removed the rule banning users matching %(glob)s": "%(senderName)s menghapus peraturan pencekalan pengguna yang berisi %(glob)s",
@ -1243,7 +1222,6 @@
"Delete avatar": "Hapus avatar", "Delete avatar": "Hapus avatar",
"Accept <policyLink /> to continue:": "Terima <policyLink /> untuk melanjutkan:", "Accept <policyLink /> to continue:": "Terima <policyLink /> untuk melanjutkan:",
"Your server isn't responding to some <a>requests</a>.": "Server Anda tidak menanggapi beberapa <a>permintaan</a>.", "Your server isn't responding to some <a>requests</a>.": "Server Anda tidak menanggapi beberapa <a>permintaan</a>.",
"Prompt before sending invites to potentially invalid matrix IDs": "Tanyakan sebelum mengirim undangan ke ID Matrix yang mungkin tidak absah",
"Update %(brand)s": "Perbarui %(brand)s", "Update %(brand)s": "Perbarui %(brand)s",
"This is the start of export of <roomName/>. Exported by <exporterDetails/> at %(exportDate)s.": "Ini adalah awalan dari ekspor <roomName/>. Diekspor oleh <exporterDetails/> di %(exportDate)s.", "This is the start of export of <roomName/>. Exported by <exporterDetails/> at %(exportDate)s.": "Ini adalah awalan dari ekspor <roomName/>. Diekspor oleh <exporterDetails/> di %(exportDate)s.",
"Waiting for %(displayName)s to verify…": "Menunggu %(displayName)s untuk memverifikasi…", "Waiting for %(displayName)s to verify…": "Menunggu %(displayName)s untuk memverifikasi…",
@ -1294,20 +1272,14 @@
"Uploading logs": "Mengunggah catatan", "Uploading logs": "Mengunggah catatan",
"Automatically send debug logs on any error": "Kirim catatan pengawakutu secara otomatis saat ada kesalahan", "Automatically send debug logs on any error": "Kirim catatan pengawakutu secara otomatis saat ada kesalahan",
"Developer mode": "Mode pengembang", "Developer mode": "Mode pengembang",
"All rooms you're in will appear in Home.": "Semua ruangan yang Anda bergabung akan ditampilkan di Beranda.",
"Show all rooms in Home": "Tampilkan semua ruangan di Beranda",
"Show chat effects (animations when receiving e.g. confetti)": "Tampilkan efek (animasi ketika menerima konfeti, misalnya)",
"IRC display name width": "Lebar nama tampilan IRC", "IRC display name width": "Lebar nama tampilan IRC",
"Manually verify all remote sessions": "Verifikasi semua sesi jarak jauh secara manual", "Manually verify all remote sessions": "Verifikasi semua sesi jarak jauh secara manual",
"How fast should messages be downloaded.": "Seberapa cepat pesan akan diunduh.", "How fast should messages be downloaded.": "Seberapa cepat pesan akan diunduh.",
"Enable message search in encrypted rooms": "Aktifkan pencarian pesan di ruangan terenkripsi", "Enable message search in encrypted rooms": "Aktifkan pencarian pesan di ruangan terenkripsi",
"Show previews/thumbnails for images": "Tampilkan gambar mini untuk gambar",
"Show hidden events in timeline": "Tampilkan peristiwa tersembunyi di lini masa", "Show hidden events in timeline": "Tampilkan peristiwa tersembunyi di lini masa",
"Show shortcuts to recently viewed rooms above the room list": "Tampilkan jalan pintas ke ruangan yang baru saja ditampilkan di atas daftar ruangan",
"Enable widget screenshots on supported widgets": "Aktifkan tangkapan layar widget di widget yang didukung", "Enable widget screenshots on supported widgets": "Aktifkan tangkapan layar widget di widget yang didukung",
"Enable URL previews by default for participants in this room": "Aktifkan tampilan URL secara bawaan untuk anggota di ruangan ini", "Enable URL previews by default for participants in this room": "Aktifkan tampilan URL secara bawaan untuk anggota di ruangan ini",
"Enable URL previews for this room (only affects you)": "Aktifkan tampilan URL secara bawaan (hanya memengaruhi Anda)", "Enable URL previews for this room (only affects you)": "Aktifkan tampilan URL secara bawaan (hanya memengaruhi Anda)",
"Enable inline URL previews by default": "Aktifkan tampilan URL secara bawaan",
"Never send encrypted messages to unverified sessions in this room from this session": "Jangan kirim pesan terenkripsi ke sesi yang belum diverifikasi di ruangan ini dari sesi ini", "Never send encrypted messages to unverified sessions in this room from this session": "Jangan kirim pesan terenkripsi ke sesi yang belum diverifikasi di ruangan ini dari sesi ini",
"Never send encrypted messages to unverified sessions from this session": "Jangan kirim pesan terenkripsi ke sesi yang belum diverifikasi dari sesi ini", "Never send encrypted messages to unverified sessions from this session": "Jangan kirim pesan terenkripsi ke sesi yang belum diverifikasi dari sesi ini",
"Send analytics data": "Kirim data analitik", "Send analytics data": "Kirim data analitik",
@ -1315,28 +1287,8 @@
"Use a system font": "Gunakan sebuah font sistem", "Use a system font": "Gunakan sebuah font sistem",
"Match system theme": "Sesuaikan dengan tema sistem", "Match system theme": "Sesuaikan dengan tema sistem",
"Mirror local video feed": "Balikkan saluran video lokal", "Mirror local video feed": "Balikkan saluran video lokal",
"Automatically replace plain text Emoji": "Ganti emoji teks biasa secara otomatis",
"Surround selected text when typing special characters": "Kelilingi teks yang dipilih saat mengetik karakter khusus", "Surround selected text when typing special characters": "Kelilingi teks yang dipilih saat mengetik karakter khusus",
"Use Ctrl + Enter to send a message": "Gunakan Ctrl + Enter untuk mengirim pesan",
"Use Command + Enter to send a message": "Gunakan ⌘ + Enter untuk mengirim pesan",
"Use Ctrl + F to search timeline": "Gunakan Ctrl + F untuk cari di lini masa",
"Use Command + F to search timeline": "Gunakan ⌘ + F untuk cari di lini masa",
"Show typing notifications": "Tampilkan notifikasi pengetikan",
"Send typing notifications": "Kirim notifikasi pengetikan",
"Enable big emoji in chat": "Aktifkan emoji besar di lini masa",
"Jump to the bottom of the timeline when you send a message": "Pergi ke bawah lini masa ketika Anda mengirim pesan",
"Show line numbers in code blocks": "Tampilkan nomor barisan di blok kode",
"Expand code blocks by default": "Buka blok kode secara bawaan",
"Enable automatic language detection for syntax highlighting": "Aktifkan deteksi bahasa otomatis untuk penyorotan sintaks",
"Autoplay videos": "Mainkan video secara otomatis",
"Autoplay GIFs": "Mainkan GIF secara otomatis",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Tampilkan stempel waktu dalam format 12 jam (mis. 2:30pm)",
"Show read receipts sent by other users": "Tampilkan laporan dibaca terkirim oleh pengguna lain",
"Show display name changes": "Tampilkan perubahan nama tampilan",
"Show a placeholder for removed messages": "Tampilkan sebuah penampung untuk pesan terhapus",
"Use a more compact 'Modern' layout": "Gunakan tata letak 'Modern' yang lebih kecil", "Use a more compact 'Modern' layout": "Gunakan tata letak 'Modern' yang lebih kecil",
"Show stickers button": "Tampilkan tombol stiker",
"Enable Emoji suggestions while typing": "Aktifkan saran emoji saat mengetik",
"Use custom size": "Gunakan ukuran kustom", "Use custom size": "Gunakan ukuran kustom",
"Font size": "Ukuran font", "Font size": "Ukuran font",
"Change notification settings": "Ubah pengaturan notifikasi", "Change notification settings": "Ubah pengaturan notifikasi",
@ -1439,8 +1391,6 @@
"Keyboard shortcuts": "Pintasan keyboard", "Keyboard shortcuts": "Pintasan keyboard",
"Show tray icon and minimise window to it on close": "Tampilkan ikon baki dan minimalkan window ke ikonnya jika ditutup", "Show tray icon and minimise window to it on close": "Tampilkan ikon baki dan minimalkan window ke ikonnya jika ditutup",
"Always show the window menu bar": "Selalu tampilkan bilah menu window", "Always show the window menu bar": "Selalu tampilkan bilah menu window",
"Warn before quitting": "Beri tahu sebelum keluar",
"Start automatically after system login": "Mulai setelah login sistem secara otomatis",
"Room ID or address of ban list": "ID ruangan atau alamat daftar larangan", "Room ID or address of ban list": "ID ruangan atau alamat daftar larangan",
"If this isn't what you want, please use a different tool to ignore users.": "Jika itu bukan yang Anda ingin, mohon pakai alat yang lain untuk mengabaikan pengguna.", "If this isn't what you want, please use a different tool to ignore users.": "Jika itu bukan yang Anda ingin, mohon pakai alat yang lain untuk mengabaikan pengguna.",
"Subscribing to a ban list will cause you to join it!": "Berlangganan sebuah daftar larangan akan membuat Anda bergabung!", "Subscribing to a ban list will cause you to join it!": "Berlangganan sebuah daftar larangan akan membuat Anda bergabung!",
@ -1869,7 +1819,6 @@
"one": "1 sesi terverifikasi", "one": "1 sesi terverifikasi",
"other": "%(count)s sesi terverifikasi" "other": "%(count)s sesi terverifikasi"
}, },
"Not trusted": "Tidak dipercayai",
"Room settings": "Pengaturan ruangan", "Room settings": "Pengaturan ruangan",
"Export chat": "Ekspor obrolan", "Export chat": "Ekspor obrolan",
"Files": "File", "Files": "File",
@ -1879,19 +1828,6 @@
"Set my room layout for everyone": "Tetapkan tata letak ruangan saya untuk semuanya", "Set my room layout for everyone": "Tetapkan tata letak ruangan saya untuk semuanya",
"Size can only be a number between %(min)s MB and %(max)s MB": "Ukuran harus sebuah angka antara %(min)s MB dan %(max)s MB", "Size can only be a number between %(min)s MB and %(max)s MB": "Ukuran harus sebuah angka antara %(min)s MB dan %(max)s MB",
"Enter a number between %(min)s and %(max)s": "Masukkan sebuah angka antara %(min)s dan %(max)s", "Enter a number between %(min)s and %(max)s": "Masukkan sebuah angka antara %(min)s dan %(max)s",
"Values at explicit levels in this room:": "Nilai-nilai di tingkat ekspliksi di ruangan ini:",
"Values at explicit levels:": "Nilai-nilai di tingkat eksplisit:",
"Value in this room:": "Nilai-nilai di ruangan ini:",
"Save setting values": "Simpan pengaturan nilai",
"Values at explicit levels in this room": "Nilai-nilai di tingkat eksplisit di ruangan ini",
"Values at explicit levels": "Nilai-nilai di tingkat eksplisit",
"Settable at room": "Dapat diatur di ruangan",
"Settable at global": "Dapat diatur secara global",
"Setting definition:": "Definisi pengaturan:",
"This UI does NOT check the types of the values. Use at your own risk.": "UI ini TIDAK memeriksa tipe nilai. Gunakan dengan hati-hati.",
"Value in this room": "Nilai di ruangan ini",
"Setting ID": "ID Pengaturan",
"There was an error finding this widget.": "Terjadi sebuah kesalahan menemukan widget ini.",
"Active Widgets": "Widget Aktif", "Active Widgets": "Widget Aktif",
"Server did not return valid authentication information.": "Server tidak memberikan informasi autentikasi yang absah.", "Server did not return valid authentication information.": "Server tidak memberikan informasi autentikasi yang absah.",
"Server did not require any authentication": "Server tidak membutuhkan autentikasi apa pun", "Server did not require any authentication": "Server tidak membutuhkan autentikasi apa pun",
@ -2125,7 +2061,6 @@
"Room Settings - %(roomName)s": "Pengaturan Ruangan — %(roomName)s", "Room Settings - %(roomName)s": "Pengaturan Ruangan — %(roomName)s",
"Reporting this message will send its unique 'event ID' to the administrator of your homeserver. If messages in this room are encrypted, your homeserver administrator will not be able to read the message text or view any files or images.": "Melaporkan pesan ini akan mengirimkan ID peristiwa yang untuk ke administrator homeserver Anda. Jika pesan-pesan di ruangan ini terenkripsi, maka administrator homeserver Anda tidak akan dapat membaca teks pesan atau menampilkan file atau gambar apa saja.", "Reporting this message will send its unique 'event ID' to the administrator of your homeserver. If messages in this room are encrypted, your homeserver administrator will not be able to read the message text or view any files or images.": "Melaporkan pesan ini akan mengirimkan ID peristiwa yang untuk ke administrator homeserver Anda. Jika pesan-pesan di ruangan ini terenkripsi, maka administrator homeserver Anda tidak akan dapat membaca teks pesan atau menampilkan file atau gambar apa saja.",
"Report Content to Your Homeserver Administrator": "Laporkan Konten ke Administrator Homeserver Anda", "Report Content to Your Homeserver Administrator": "Laporkan Konten ke Administrator Homeserver Anda",
"Send report": "Kirimkan laporan",
"Report the entire room": "Laporkan seluruh ruangan", "Report the entire room": "Laporkan seluruh ruangan",
"Spam or propaganda": "Spam atau propaganda", "Spam or propaganda": "Spam atau propaganda",
"Illegal Content": "Konten Ilegal", "Illegal Content": "Konten Ilegal",
@ -2661,7 +2596,6 @@
"Quick settings": "Pengaturan cepat", "Quick settings": "Pengaturan cepat",
"Spaces you know that contain this space": "Space yang Anda tahu yang berisi space ini", "Spaces you know that contain this space": "Space yang Anda tahu yang berisi space ini",
"Chat": "Obrolan", "Chat": "Obrolan",
"Clear": "Hapus",
"You may contact me if you want to follow up or to let me test out upcoming ideas": "Anda mungkin hubungi saya jika Anda ingin menindaklanjuti atau memberi tahu saya untuk menguji ide baru", "You may contact me if you want to follow up or to let me test out upcoming ideas": "Anda mungkin hubungi saya jika Anda ingin menindaklanjuti atau memberi tahu saya untuk menguji ide baru",
"Home options": "Opsi Beranda", "Home options": "Opsi Beranda",
"%(spaceName)s menu": "Menu %(spaceName)s", "%(spaceName)s menu": "Menu %(spaceName)s",
@ -2762,7 +2696,6 @@
"Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Menunggu Anda untuk memverifikasi perangkat Anda yang lain, %(deviceName)s (%(deviceId)s)…", "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Menunggu Anda untuk memverifikasi perangkat Anda yang lain, %(deviceName)s (%(deviceId)s)…",
"Verify this device by confirming the following number appears on its screen.": "Verifikasi perangkat ini dengan mengkonfirmasi nomor berikut ini yang ditampilkan di layarnya.", "Verify this device by confirming the following number appears on its screen.": "Verifikasi perangkat ini dengan mengkonfirmasi nomor berikut ini yang ditampilkan di layarnya.",
"Confirm the emoji below are displayed on both devices, in the same order:": "Konfirmasi emoji di bawah yang ditampilkan di kedua perangkat, dalam urutan yang sama:", "Confirm the emoji below are displayed on both devices, in the same order:": "Konfirmasi emoji di bawah yang ditampilkan di kedua perangkat, dalam urutan yang sama:",
"Edit setting": "Edit pengaturan",
"Expand map": "Buka peta", "Expand map": "Buka peta",
"Send reactions": "Kirim reaksi", "Send reactions": "Kirim reaksi",
"No active call in this room": "Tidak ada panggilan aktif di ruangan ini", "No active call in this room": "Tidak ada panggilan aktif di ruangan ini",
@ -2796,7 +2729,6 @@
"Remove them from specific things I'm able to": "Keluarkan dari hal-hal spesifik yang saya bisa", "Remove them from specific things I'm able to": "Keluarkan dari hal-hal spesifik yang saya bisa",
"Remove them from everything I'm able to": "Keluarkan dari semuanya yang saya bisa", "Remove them from everything I'm able to": "Keluarkan dari semuanya yang saya bisa",
"Remove users": "Keluarkan pengguna", "Remove users": "Keluarkan pengguna",
"Show join/leave messages (invites/removes/bans unaffected)": "Tampilkan pesan-pesan gabung/keluar (undangan/pengeluaran/cekalan tidak terpengaruh)",
"Remove, ban, or invite people to your active room, and make you leave": "Keluarkan, cekal, atau undang orang-orang ke ruangan aktif Anda, dan keluarkan Anda sendiri", "Remove, ban, or invite people to your active room, and make you leave": "Keluarkan, cekal, atau undang orang-orang ke ruangan aktif Anda, dan keluarkan Anda sendiri",
"Remove, ban, or invite people to this room, and make you leave": "Keluarkan, cekal, atau undang orang-orang ke ruangan ini, dan keluarkan Anda sendiri", "Remove, ban, or invite people to this room, and make you leave": "Keluarkan, cekal, atau undang orang-orang ke ruangan ini, dan keluarkan Anda sendiri",
"Removes user with given id from this room": "Mengeluarkan pengguna dengan id yang dicantumkan dari ruangan ini", "Removes user with given id from this room": "Mengeluarkan pengguna dengan id yang dicantumkan dari ruangan ini",
@ -2845,8 +2777,6 @@
"Pick a date to jump to": "Pilih sebuah tanggal untuk pergi ke tanggalnya", "Pick a date to jump to": "Pilih sebuah tanggal untuk pergi ke tanggalnya",
"Jump to date": "Pergi ke tanggal", "Jump to date": "Pergi ke tanggal",
"The beginning of the room": "Awalan ruangan", "The beginning of the room": "Awalan ruangan",
"Last month": "Bulan kemarin",
"Last week": "Minggu kemarin",
"If you know what you're doing, Element is open-source, be sure to check out our GitHub (https://github.com/vector-im/element-web/) and contribute!": "Jika Anda tahu apa yang Anda lakukan, Element itu sumber-terbuka, pastikan untuk mengunjungi GitHub kami (https://github.com/vector-im/element-web/) dan berkontribusi!", "If you know what you're doing, Element is open-source, be sure to check out our GitHub (https://github.com/vector-im/element-web/) and contribute!": "Jika Anda tahu apa yang Anda lakukan, Element itu sumber-terbuka, pastikan untuk mengunjungi GitHub kami (https://github.com/vector-im/element-web/) dan berkontribusi!",
"If someone told you to copy/paste something here, there is a high likelihood you're being scammed!": "Jika seseorang membilangi Anda untuk salin/tempel sesuatu di sini, mungkin saja Anda sedang ditipu!", "If someone told you to copy/paste something here, there is a high likelihood you're being scammed!": "Jika seseorang membilangi Anda untuk salin/tempel sesuatu di sini, mungkin saja Anda sedang ditipu!",
"Wait!": "Tunggu!", "Wait!": "Tunggu!",
@ -2861,7 +2791,6 @@
"This is a beta feature": "Ini adalah fitur beta", "This is a beta feature": "Ini adalah fitur beta",
"Use <arrows/> to scroll": "Gunakan <arrows/> untuk menggulirkan", "Use <arrows/> to scroll": "Gunakan <arrows/> untuk menggulirkan",
"Feedback sent! Thanks, we appreciate it!": "Masukan terkirim! Terima kasih, kami mengapresiasinya!", "Feedback sent! Thanks, we appreciate it!": "Masukan terkirim! Terima kasih, kami mengapresiasinya!",
"Maximise": "Maksimalkan",
"%(severalUsers)sremoved a message %(count)s times": { "%(severalUsers)sremoved a message %(count)s times": {
"other": "%(severalUsers)s menghapus %(count)s pesan", "other": "%(severalUsers)s menghapus %(count)s pesan",
"one": "%(severalUsers)s menghapus sebuah pesan" "one": "%(severalUsers)s menghapus sebuah pesan"
@ -2879,11 +2808,6 @@
"one": "%(oneUser)s mengirim sebuah pesan tersembunyi" "one": "%(oneUser)s mengirim sebuah pesan tersembunyi"
}, },
"Automatically send debug logs when key backup is not functioning": "Kirim catatan pengawakutu secara otomatis ketika pencadangan kunci tidak berfungsi", "Automatically send debug logs when key backup is not functioning": "Kirim catatan pengawakutu secara otomatis ketika pencadangan kunci tidak berfungsi",
"<empty string>": "<string kosong>",
"<%(count)s spaces>": {
"one": "<space>",
"other": "<%(count)s space>"
},
"Edit poll": "Edit pungutan suara", "Edit poll": "Edit pungutan suara",
"Sorry, you can't edit a poll after votes have been cast.": "Maaf, Anda tidak dapat mengedit sebuah poll setelah suara-suara diberikan.", "Sorry, you can't edit a poll after votes have been cast.": "Maaf, Anda tidak dapat mengedit sebuah poll setelah suara-suara diberikan.",
"Can't edit poll": "Tidak dapat mengedit poll", "Can't edit poll": "Tidak dapat mengedit poll",
@ -2897,7 +2821,6 @@
"Switches to this room's virtual room, if it has one": "Mengganti ke ruangan virtual ruangan ini, jika tersedia", "Switches to this room's virtual room, if it has one": "Mengganti ke ruangan virtual ruangan ini, jika tersedia",
"Open user settings": "Buka pengaturan pengguna", "Open user settings": "Buka pengaturan pengguna",
"Switch to space by number": "Ganti ke space oleh nomor", "Switch to space by number": "Ganti ke space oleh nomor",
"Accessibility": "Aksesibilitas",
"Search Dialog": "Dialog Pencarian", "Search Dialog": "Dialog Pencarian",
"Pinned": "Disematkan", "Pinned": "Disematkan",
"Open thread": "Buka utasan", "Open thread": "Buka utasan",
@ -2912,7 +2835,6 @@
"We couldn't send your location": "Kami tidak dapat mengirimkan lokasi Anda", "We couldn't send your location": "Kami tidak dapat mengirimkan lokasi Anda",
"Match system": "Cocokkan dengan sistem", "Match system": "Cocokkan dengan sistem",
"Reply to an ongoing thread or use “%(replyInThread)s” when hovering over a message to start a new one.": "Balas ke utasan yang sedang terjadi atau gunakan “%(replyInThread)s” ketika kursor diletakkan pada pesan untuk memulai yang baru.", "Reply to an ongoing thread or use “%(replyInThread)s” when hovering over a message to start a new one.": "Balas ke utasan yang sedang terjadi atau gunakan “%(replyInThread)s” ketika kursor diletakkan pada pesan untuk memulai yang baru.",
"Insert a trailing colon after user mentions at the start of a message": "Tambahkan sebuah karakter titik dua sesudah sebutan pengguna dari awal pesan",
"Show polls button": "Tampilkan tombol pemungutan suara", "Show polls button": "Tampilkan tombol pemungutan suara",
"%(oneUser)schanged the <a>pinned messages</a> for the room %(count)s times": { "%(oneUser)schanged the <a>pinned messages</a> for the room %(count)s times": {
"one": "%(oneUser)s mengubah <a>pesan-pesan yang disematkan</a> di ruangan ini", "one": "%(oneUser)s mengubah <a>pesan-pesan yang disematkan</a> di ruangan ini",
@ -2959,31 +2881,7 @@
"Developer tools": "Alat pengembang", "Developer tools": "Alat pengembang",
"%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s bersifat eksperimental pada peramban web ponsel. Untuk pengalaman yang lebih baik dan fitur-fitur terkini, gunakan aplikasi natif gratis kami.", "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)s bersifat eksperimental pada peramban web ponsel. Untuk pengalaman yang lebih baik dan fitur-fitur terkini, gunakan aplikasi natif gratis kami.",
"Event ID: %(eventId)s": "ID peristiwa: %(eventId)s", "Event ID: %(eventId)s": "ID peristiwa: %(eventId)s",
"No verification requests found": "Tidak ada permintaan verifikasi yang ditemukan",
"Observe only": "Lihat saja",
"Requester": "Peminta",
"Methods": "Metode",
"Timeout": "Waktu habis",
"Phase": "Masa",
"Transaction": "Transaksi",
"Cancelled": "Dibatalkan",
"Started": "Dimulai",
"Ready": "Siap",
"Requested": "Diminta",
"Unsent": "Belum dikirim", "Unsent": "Belum dikirim",
"Edit values": "Edit nilai",
"Failed to save settings.": "Gagal menyimpan pengaturan.",
"Number of users": "Jumlah pengguna",
"Server": "Server",
"Server Versions": "Versi Server",
"Client Versions": "Versi Klien",
"Failed to load.": "Gagal untuk dimuat.",
"Capabilities": "Kemampuan",
"Send custom state event": "Kirim peristiwa status kustom",
"Failed to send event!": "Gagal mengirimkan pertistiwa!",
"Doesn't look like valid JSON.": "Tidak terlihat seperti JSON yang absah.",
"Send custom room account data event": "Kirim peristiwa data akun ruangan kustom",
"Send custom account data event": "Kirim peristiwa data akun kustom",
"Room ID: %(roomId)s": "ID ruangan: %(roomId)s", "Room ID: %(roomId)s": "ID ruangan: %(roomId)s",
"Server info": "Info server", "Server info": "Info server",
"Settings explorer": "Penelusur pengaturan", "Settings explorer": "Penelusur pengaturan",
@ -3058,7 +2956,6 @@
"Disinvite from space": "Batalkan undangan dari space", "Disinvite from space": "Batalkan undangan dari space",
"<b>Tip:</b> Use “%(replyInThread)s” when hovering over a message.": "<b>Tip:</b> Gunakan “%(replyInThread)s” ketika kursor di atas pesan.", "<b>Tip:</b> Use “%(replyInThread)s” when hovering over a message.": "<b>Tip:</b> Gunakan “%(replyInThread)s” ketika kursor di atas pesan.",
"No live locations": "Tidak ada lokasi langsung", "No live locations": "Tidak ada lokasi langsung",
"Enable Markdown": "Aktifkan Markdown",
"Close sidebar": "Tutup bilah samping", "Close sidebar": "Tutup bilah samping",
"View List": "Tampilkan Daftar", "View List": "Tampilkan Daftar",
"View list": "Tampilkan daftar", "View list": "Tampilkan daftar",
@ -3121,12 +3018,10 @@
"Ignore user": "Abaikan pengguna", "Ignore user": "Abaikan pengguna",
"View related event": "Tampilkan peristiwa terkait", "View related event": "Tampilkan peristiwa terkait",
"Read receipts": "Laporan dibaca", "Read receipts": "Laporan dibaca",
"Enable hardware acceleration (restart %(appName)s to take effect)": "Aktifkan akselerasi perangkat keras (mulai ulang %(appName)s untuk mengaktifkan)",
"Failed to set direct message tag": "Gagal menetapkan tanda pesan langsung", "Failed to set direct message tag": "Gagal menetapkan tanda pesan langsung",
"You were disconnected from the call. (Error: %(message)s)": "Anda terputus dari panggilan. (Terjadi kesalahan: %(message)s)", "You were disconnected from the call. (Error: %(message)s)": "Anda terputus dari panggilan. (Terjadi kesalahan: %(message)s)",
"Connection lost": "Koneksi putus", "Connection lost": "Koneksi putus",
"Deactivating your account is a permanent action — be careful!": "Menonaktifkan akun Anda adalah aksi yang permanen — hati-hati!", "Deactivating your account is a permanent action — be careful!": "Menonaktifkan akun Anda adalah aksi yang permanen — hati-hati!",
"Minimise": "Minimalkan",
"Un-maximise": "Minimalkan", "Un-maximise": "Minimalkan",
"When you sign out, these keys will be deleted from this device, which means you won't be able to read encrypted messages unless you have the keys for them on your other devices, or backed them up to the server.": "Ketika Anda keluar, kunci-kunci ini akan dihapus dari perangkat ini, yang berarti Anda tidak dapat membaca pesan-pesan terenkripsi kecuali jika Anda mempunyai kuncinya di perangkat Anda yang lain, atau telah mencadangkannya ke server.", "When you sign out, these keys will be deleted from this device, which means you won't be able to read encrypted messages unless you have the keys for them on your other devices, or backed them up to the server.": "Ketika Anda keluar, kunci-kunci ini akan dihapus dari perangkat ini, yang berarti Anda tidak dapat membaca pesan-pesan terenkripsi kecuali jika Anda mempunyai kuncinya di perangkat Anda yang lain, atau telah mencadangkannya ke server.",
"Joining the beta will reload %(brand)s.": "Bergabung dengan beta akan memuat ulang %(brand)s.", "Joining the beta will reload %(brand)s.": "Bergabung dengan beta akan memuat ulang %(brand)s.",
@ -3186,32 +3081,15 @@
"Choose a locale": "Pilih locale", "Choose a locale": "Pilih locale",
"Spell check": "Pemeriksa ejaan", "Spell check": "Pemeriksa ejaan",
"Download %(brand)s": "Unduh %(brand)s", "Download %(brand)s": "Unduh %(brand)s",
"Complete these to get the most out of %(brand)s": "Selesaikan untuk mendapatkan hasil yang maksimal dari %(brand)s",
"Welcome to %(brand)s": "Selamat datang di %(brand)s",
"We're creating a room with %(names)s": "Kami sedang membuat sebuah ruangan dengan %(names)s", "We're creating a room with %(names)s": "Kami sedang membuat sebuah ruangan dengan %(names)s",
"Google Play and the Google Play logo are trademarks of Google LLC.": "Google Play dan logo Google Play adalah merek dagang Google LLC.", "Google Play and the Google Play logo are trademarks of Google LLC.": "Google Play dan logo Google Play adalah merek dagang Google LLC.",
"App Store® and the Apple logo® are trademarks of Apple Inc.": "App Store® dan logo Apple® adalah merek dagang Apple Inc.", "App Store® and the Apple logo® are trademarks of Apple Inc.": "App Store® dan logo Apple® adalah merek dagang Apple Inc.",
"Get it on F-Droid": "Dapatkan di F-Droid", "Get it on F-Droid": "Dapatkan di F-Droid",
"Get it on Google Play": "Dapatkan di Google Play", "Get it on Google Play": "Dapatkan di Google Play",
"Android": "Android",
"Download on the App Store": "Unduh di App Store", "Download on the App Store": "Unduh di App Store",
"iOS": "iOS",
"Download %(brand)s Desktop": "Unduh %(brand)s Desktop", "Download %(brand)s Desktop": "Unduh %(brand)s Desktop",
"Your server doesn't support disabling sending read receipts.": "Server Anda tidak mendukung penonaktifkan pengiriman laporan dibaca.", "Your server doesn't support disabling sending read receipts.": "Server Anda tidak mendukung penonaktifkan pengiriman laporan dibaca.",
"Share your activity and status with others.": "Bagikan aktivitas dan status Anda dengan orang lain.", "Share your activity and status with others.": "Bagikan aktivitas dan status Anda dengan orang lain.",
"You did it!": "Anda berhasil!",
"Only %(count)s steps to go": {
"one": "Hanya %(count)s langkah lagi untuk dilalui",
"other": "Hanya %(count)s langkah lagi untuk dilalui"
},
"Find your people": "Temukan orang-orang Anda",
"Keep ownership and control of community discussion.\nScale to support millions, with powerful moderation and interoperability.": "Tetap miliki kemilikan dan kendali atas diskusi komunitas.\nBesar untuk mendukung jutaan anggota, dengan moderasi dan interoperabilitas berdaya.",
"Community ownership": "Kemilikan komunitas",
"Find your co-workers": "Temukan rekan kerja Anda",
"Secure messaging for work": "Perpesanan aman untuk berkerja",
"Start your first chat": "Mulai obrolan pertama Anda",
"With free end-to-end encrypted messaging, and unlimited voice and video calls, %(brand)s is a great way to stay in touch.": "Dengan perpesanan terenkripsi ujung ke ujung gratis, dan panggilan suara & video tidak terbatas, %(brand)s adalah cara yang baik untuk tetap terhubung.",
"Secure messaging for friends and family": "Perpesanan aman untuk teman dan keluarga",
"Enable notifications": "Nyalakan notifikasi", "Enable notifications": "Nyalakan notifikasi",
"Dont miss a reply or important message": "Jangan lewatkan sebuah balasan atau pesan yang penting", "Dont miss a reply or important message": "Jangan lewatkan sebuah balasan atau pesan yang penting",
"Turn on notifications": "Nyalakan notifikasi", "Turn on notifications": "Nyalakan notifikasi",
@ -3227,23 +3105,18 @@
"Its what youre here for, so lets get to it": "Untuk itulah Anda di sini, jadi mari kita lakukan", "Its what youre here for, so lets get to it": "Untuk itulah Anda di sini, jadi mari kita lakukan",
"Find and invite your friends": "Temukan dan undang teman Anda", "Find and invite your friends": "Temukan dan undang teman Anda",
"You made it!": "Anda berhasil!", "You made it!": "Anda berhasil!",
"Send read receipts": "Kirim laporan dibaca",
"Last activity": "Aktivitas terakhir", "Last activity": "Aktivitas terakhir",
"Sessions": "Sesi", "Sessions": "Sesi",
"Current session": "Sesi saat ini", "Current session": "Sesi saat ini",
"Unverified": "Belum diverifikasi",
"Verified": "Terverifikasi",
"Inactive for %(inactiveAgeDays)s+ days": "Tidak aktif selama %(inactiveAgeDays)s+ hari", "Inactive for %(inactiveAgeDays)s+ days": "Tidak aktif selama %(inactiveAgeDays)s+ hari",
"Session details": "Detail sesi", "Session details": "Detail sesi",
"IP address": "Alamat IP", "IP address": "Alamat IP",
"Device": "Perangkat",
"For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Untuk keamanan yang terbaik, verifikasi sesi Anda dan keluarkan dari sesi yang Anda tidak kenal atau tidak digunakan lagi.", "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Untuk keamanan yang terbaik, verifikasi sesi Anda dan keluarkan dari sesi yang Anda tidak kenal atau tidak digunakan lagi.",
"Other sessions": "Sesi lainnya", "Other sessions": "Sesi lainnya",
"Verify or sign out from this session for best security and reliability.": "Verifikasi atau keluarkan dari sesi ini untuk keamanan dan keandalan yang terbaik.", "Verify or sign out from this session for best security and reliability.": "Verifikasi atau keluarkan dari sesi ini untuk keamanan dan keandalan yang terbaik.",
"Unverified session": "Sesi belum diverifikasi", "Unverified session": "Sesi belum diverifikasi",
"This session is ready for secure messaging.": "Sesi ini siap untuk perpesanan yang aman.", "This session is ready for secure messaging.": "Sesi ini siap untuk perpesanan yang aman.",
"Verified session": "Sesi terverifikasi", "Verified session": "Sesi terverifikasi",
"Welcome": "Selamat datang",
"Show shortcut to welcome checklist above the room list": "Tampilkan pintasan ke daftar centang selamat datang di atas daftar ruangan", "Show shortcut to welcome checklist above the room list": "Tampilkan pintasan ke daftar centang selamat datang di atas daftar ruangan",
"Security recommendations": "Saran keamanan", "Security recommendations": "Saran keamanan",
"Filter devices": "Saring perangkat", "Filter devices": "Saring perangkat",
@ -3308,8 +3181,6 @@
"Video call ended": "Panggilan video berakhir", "Video call ended": "Panggilan video berakhir",
"%(name)s started a video call": "%(name)s memulai sebuah panggilan video", "%(name)s started a video call": "%(name)s memulai sebuah panggilan video",
"URL": "URL", "URL": "URL",
"Version": "Versi",
"Application": "Aplikasi",
"Record the client name, version, and url to recognise sessions more easily in session manager": "Rekam nama, versi, dan URL klien untuk dapat mengenal sesi dengan lebih muda dalam pengelola sesi", "Record the client name, version, and url to recognise sessions more easily in session manager": "Rekam nama, versi, dan URL klien untuk dapat mengenal sesi dengan lebih muda dalam pengelola sesi",
"%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s terenkripsi secara ujung ke ujung, tetapi saat ini terbatas jumlah penggunanya.", "%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s terenkripsi secara ujung ke ujung, tetapi saat ini terbatas jumlah penggunanya.",
"Room info": "Informasi ruangan", "Room info": "Informasi ruangan",
@ -3323,7 +3194,6 @@
"Mobile session": "Sesi ponsel", "Mobile session": "Sesi ponsel",
"Desktop session": "Sesi desktop", "Desktop session": "Sesi desktop",
"Operating system": "Sistem operasi", "Operating system": "Sistem operasi",
"Model": "Model",
"Call type": "Jenis panggilan", "Call type": "Jenis panggilan",
"You do not have sufficient permissions to change this.": "Anda tidak memiliki izin untuk mengubah ini.", "You do not have sufficient permissions to change this.": "Anda tidak memiliki izin untuk mengubah ini.",
"Enable %(brand)s as an additional calling option in this room": "Aktifkan %(brand)s sebagai opsi panggilan tambahan di ruangan ini", "Enable %(brand)s as an additional calling option in this room": "Aktifkan %(brand)s sebagai opsi panggilan tambahan di ruangan ini",
@ -3486,19 +3356,6 @@
"All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "Semua pesan dan undangan dari pengguna ini akan disembunyikan. Apakah Anda yakin ingin mengabaikan?", "All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "Semua pesan dan undangan dari pengguna ini akan disembunyikan. Apakah Anda yakin ingin mengabaikan?",
"Ignore %(user)s": "Abaikan %(user)s", "Ignore %(user)s": "Abaikan %(user)s",
"Unable to decrypt voice broadcast": "Tidak dapat mendekripsi siaran suara", "Unable to decrypt voice broadcast": "Tidak dapat mendekripsi siaran suara",
"Thread Id: ": "ID utasan: ",
"Threads timeline": "Lini masa utasan",
"Sender: ": "Pengirim: ",
"Type: ": "Jenis: ",
"ID: ": "ID: ",
"Last event:": "Peristiwa terakhir:",
"No receipt found": "Tidak ada laporan yang ditemukan",
"User read up to: ": "Pembacaan pengguna sampai: ",
"Dot: ": "Titik: ",
"Highlight: ": "Sorotan: ",
"Total: ": "Jumlah: ",
"Main timeline": "Lini masa utama",
"Room status": "Keadaan ruangan",
"Notifications debug": "Pengawakutuan notifikasi", "Notifications debug": "Pengawakutuan notifikasi",
"unknown": "tidak diketahui", "unknown": "tidak diketahui",
"Red": "Merah", "Red": "Merah",
@ -3556,20 +3413,12 @@
"Secure Backup successful": "Pencadangan Aman berhasil", "Secure Backup successful": "Pencadangan Aman berhasil",
"Your keys are now being backed up from this device.": "Kunci Anda sekarang dicadangkan dari perangkat ini.", "Your keys are now being backed up from this device.": "Kunci Anda sekarang dicadangkan dari perangkat ini.",
"Loading polls": "Memuat pemungutan suara", "Loading polls": "Memuat pemungutan suara",
"Room unread status: <strong>%(status)s</strong>": "Keadaan belum dibaca ruangan: <strong>%(status)s</strong>",
"Room unread status: <strong>%(status)s</strong>, count: <strong>%(count)s</strong>": {
"other": "Keadaan belum dibaca ruangan: <strong>%(status)s</strong>, jumlah: <strong>%(count)s</strong>"
},
"Ended a poll": "Mengakhiri sebuah pemungutan suara", "Ended a poll": "Mengakhiri sebuah pemungutan suara",
"Due to decryption errors, some votes may not be counted": "Karena kesalahan pendekripsian, beberapa suara tidak dihitung", "Due to decryption errors, some votes may not be counted": "Karena kesalahan pendekripsian, beberapa suara tidak dihitung",
"The sender has blocked you from receiving this message": "Pengirim telah memblokir Anda supaya tidak menerima pesan ini", "The sender has blocked you from receiving this message": "Pengirim telah memblokir Anda supaya tidak menerima pesan ini",
"Room directory": "Direktori ruangan", "Room directory": "Direktori ruangan",
"Identity server is <code>%(identityServerUrl)s</code>": "Server identitas adalah <code>%(identityServerUrl)s</code>", "Identity server is <code>%(identityServerUrl)s</code>": "Server identitas adalah <code>%(identityServerUrl)s</code>",
"Homeserver is <code>%(homeserverUrl)s</code>": "Homeserver adalah <code>%(homeserverUrl)s</code>", "Homeserver is <code>%(homeserverUrl)s</code>": "Homeserver adalah <code>%(homeserverUrl)s</code>",
"Show NSFW content": "Tampilkan konten NSFW",
"Room is <strong>not encrypted 🚨</strong>": "Ruangan <strong>tidak terenkripsi 🚨</strong>",
"Room is <strong>encrypted ✅</strong>": "Ruangan <strong>terenkripsi ✅</strong>",
"Notification state is <strong>%(notificationState)s</strong>": "Keadaan notifikasi adalah <strong>%(notificationState)s</strong>",
"Yes, it was me": "Ya, itu saya", "Yes, it was me": "Ya, itu saya",
"Answered elsewhere": "Dijawab di tempat lain", "Answered elsewhere": "Dijawab di tempat lain",
"If you know a room address, try joining through that instead.": "Jika Anda tahu sebuah alamat ruangan, coba bergabung melalui itu saja.", "If you know a room address, try joining through that instead.": "Jika Anda tahu sebuah alamat ruangan, coba bergabung melalui itu saja.",
@ -3624,7 +3473,6 @@
"Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it.": "Tidak dapat mencari versi lama ruangan ini (ID ruangan: %(roomId)s), dan kami tidak disediakan dengan 'via_servers' untuk mencarinya.", "Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it.": "Tidak dapat mencari versi lama ruangan ini (ID ruangan: %(roomId)s), dan kami tidak disediakan dengan 'via_servers' untuk mencarinya.",
"Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it. It's possible that guessing the server from the room ID will work. If you want to try, click this link:": "Tidak dapat mencari versi lama ruangan ini (ID ruangan: %(roomId)s), dan kami tidak disediakan dengan 'via_servers' untuk mencarinya. Ini mungkin bahwa menebak server dari ID ruangan akan bekerja. Jika Anda ingin mencoba, klik tautan berikut:", "Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it. It's possible that guessing the server from the room ID will work. If you want to try, click this link:": "Tidak dapat mencari versi lama ruangan ini (ID ruangan: %(roomId)s), dan kami tidak disediakan dengan 'via_servers' untuk mencarinya. Ini mungkin bahwa menebak server dari ID ruangan akan bekerja. Jika Anda ingin mencoba, klik tautan berikut:",
"Formatting": "Format", "Formatting": "Format",
"Start messages with <code>/plain</code> to send without markdown.": "Mulai pesan dengan <code>/plain</code> untuk mengirim tanpa Markdown.",
"The add / bind with MSISDN flow is misconfigured": "Aliran penambahan/pengaitan MSISDN tidak diatur dengan benar", "The add / bind with MSISDN flow is misconfigured": "Aliran penambahan/pengaitan MSISDN tidak diatur dengan benar",
"No identity access token found": "Tidak ada token akses identitas yang ditemukan", "No identity access token found": "Tidak ada token akses identitas yang ditemukan",
"Identity server not set": "Server identitas tidak diatur", "Identity server not set": "Server identitas tidak diatur",
@ -3699,10 +3547,6 @@
}, },
"Anyone can request to join, but admins or moderators need to grant access. You can change this later.": "Siapa pun dapat meminta untuk bergabung, tetapi admin atau administrator perlu memberikan akses. Anda dapat mengubah ini nanti.", "Anyone can request to join, but admins or moderators need to grant access. You can change this later.": "Siapa pun dapat meminta untuk bergabung, tetapi admin atau administrator perlu memberikan akses. Anda dapat mengubah ini nanti.",
"Upgrade room": "Tingkatkan ruangan", "Upgrade room": "Tingkatkan ruangan",
"User read up to (ignoreSynthetic): ": "Pengguna membaca sampai (ignoreSynthetic): ",
"User read up to (m.read.private): ": "Pengguna membaca sampai (m.read.private): ",
"User read up to (m.read.private;ignoreSynthetic): ": "Pengguna membaca sampai (m.read.private;ignoreSynthetic): ",
"See history": "Lihat riwayat",
"Something went wrong.": "Ada sesuatu yang salah.", "Something went wrong.": "Ada sesuatu yang salah.",
"Changes your profile picture in this current room only": "Mengubah foto profil Anda di ruangan saat ini saja", "Changes your profile picture in this current room only": "Mengubah foto profil Anda di ruangan saat ini saja",
"Changes your profile picture in all rooms": "Ubah foto profil Anda dalam semua ruangan", "Changes your profile picture in all rooms": "Ubah foto profil Anda dalam semua ruangan",
@ -3713,8 +3557,6 @@
"Exported Data": "Data Terekspor", "Exported Data": "Data Terekspor",
"Views room with given address": "Menampilkan ruangan dengan alamat yang ditentukan", "Views room with given address": "Menampilkan ruangan dengan alamat yang ditentukan",
"Notification Settings": "Pengaturan Notifikasi", "Notification Settings": "Pengaturan Notifikasi",
"Show current profile picture and name for users in message history": "Tampilkan foto profil dan nama saat ini untuk pengguna dalam riwayat pesan",
"Show profile picture changes": "Tampilkan perubahan foto profil",
"This homeserver doesn't offer any login flows that are supported by this client.": "Homeserver ini tidak menawarkan alur masuk yang tidak didukung oleh klien ini.", "This homeserver doesn't offer any login flows that are supported by this client.": "Homeserver ini tidak menawarkan alur masuk yang tidak didukung oleh klien ini.",
"The exported file will allow anyone who can read it to decrypt any encrypted messages that you can see, so you should be careful to keep it secure. To help with this, you should enter a unique passphrase below, which will only be used to encrypt the exported data. It will only be possible to import the data by using the same passphrase.": "Berkas yang diekspor akan memungkinkan siapa saja yang dapat membacanya untuk mendekripsi semua pesan terenkripsi yang dapat Anda lihat, jadi Anda harus berhati-hati untuk menjaganya tetap aman. Untuk mengamankannya, Anda harus memasukkan frasa sandi di bawah ini, yang akan digunakan untuk mengenkripsi data yang diekspor. Impor data hanya dapat dilakukan dengan menggunakan frasa sandi yang sama.", "The exported file will allow anyone who can read it to decrypt any encrypted messages that you can see, so you should be careful to keep it secure. To help with this, you should enter a unique passphrase below, which will only be used to encrypt the exported data. It will only be possible to import the data by using the same passphrase.": "Berkas yang diekspor akan memungkinkan siapa saja yang dapat membacanya untuk mendekripsi semua pesan terenkripsi yang dapat Anda lihat, jadi Anda harus berhati-hati untuk menjaganya tetap aman. Untuk mengamankannya, Anda harus memasukkan frasa sandi di bawah ini, yang akan digunakan untuk mengenkripsi data yang diekspor. Impor data hanya dapat dilakukan dengan menggunakan frasa sandi yang sama.",
"Great! This passphrase looks strong enough": "Hebat! Frasa keamanan ini kelihatannya kuat", "Great! This passphrase looks strong enough": "Hebat! Frasa keamanan ini kelihatannya kuat",
@ -3786,21 +3628,38 @@
"beta": "Beta", "beta": "Beta",
"attachment": "Lampiran", "attachment": "Lampiran",
"appearance": "Tampilan", "appearance": "Tampilan",
"guest": "Tamu",
"legal": "Hukum",
"credits": "Kredit",
"faq": "FAQ",
"access_token": "Token Akses",
"preferences": "Preferensi",
"presence": "Presensi",
"timeline": "Lini Masa", "timeline": "Lini Masa",
"privacy": "Privasi",
"camera": "Kamera",
"microphone": "Mikrofon",
"emoji": "Emoji",
"random": "Sembarangan",
"support": "Dukungan", "support": "Dukungan",
"space": "Space" "space": "Space",
"random": "Sembarangan",
"privacy": "Privasi",
"presence": "Presensi",
"preferences": "Preferensi",
"microphone": "Mikrofon",
"legal": "Hukum",
"guest": "Tamu",
"faq": "FAQ",
"emoji": "Emoji",
"credits": "Kredit",
"camera": "Kamera",
"access_token": "Token Akses",
"someone": "Seseorang",
"welcome": "Selamat datang",
"encrypted": "Terenkripsi",
"application": "Aplikasi",
"version": "Versi",
"device": "Perangkat",
"model": "Model",
"verified": "Terverifikasi",
"unverified": "Belum diverifikasi",
"matrix": "Matrix",
"ios": "iOS",
"android": "Android",
"trusted": "Dipercayai",
"not_trusted": "Tidak dipercayai",
"accessibility": "Aksesibilitas",
"capabilities": "Kemampuan",
"server": "Server"
}, },
"action": { "action": {
"continue": "Lanjut", "continue": "Lanjut",
@ -3873,24 +3732,35 @@
"apply": "Terapkan", "apply": "Terapkan",
"add": "Tambahkan", "add": "Tambahkan",
"accept": "Terima", "accept": "Terima",
"disconnect": "Lepaskan Hubungan",
"change": "Ubah",
"subscribe": "Berlangganan",
"unsubscribe": "Berhenti Berlangganan",
"approve": "Setujui",
"deny": "Tolak",
"proceed": "Lanjut",
"complete": "Selesai",
"revoke": "Hapus",
"rename": "Ubah Nama",
"view_all": "Tampilkan semua", "view_all": "Tampilkan semua",
"unsubscribe": "Berhenti Berlangganan",
"subscribe": "Berlangganan",
"show_all": "Tampilkan semua", "show_all": "Tampilkan semua",
"show": "Tampilkan", "show": "Tampilkan",
"revoke": "Hapus",
"review": "Lihat", "review": "Lihat",
"restore": "Pulihkan", "restore": "Pulihkan",
"rename": "Ubah Nama",
"register": "Daftar",
"proceed": "Lanjut",
"play": "Mainkan", "play": "Mainkan",
"pause": "Jeda", "pause": "Jeda",
"register": "Daftar" "disconnect": "Lepaskan Hubungan",
"deny": "Tolak",
"complete": "Selesai",
"change": "Ubah",
"approve": "Setujui",
"manage": "Kelola",
"go": "Mulai",
"import": "Impor",
"export": "Ekspor",
"refresh": "Muat Ulang",
"minimise": "Minimalkan",
"maximise": "Maksimalkan",
"mention": "Sebutkan",
"submit": "Kirim",
"send_report": "Kirimkan laporan",
"clear": "Hapus"
}, },
"a11y": { "a11y": {
"user_menu": "Menu pengguna" "user_menu": "Menu pengguna"
@ -3978,8 +3848,8 @@
"restricted": "Dibatasi", "restricted": "Dibatasi",
"moderator": "Moderator", "moderator": "Moderator",
"admin": "Admin", "admin": "Admin",
"custom": "Kustom (%(level)s)", "mod": "Mod",
"mod": "Mod" "custom": "Kustom (%(level)s)"
}, },
"bug_reporting": { "bug_reporting": {
"introduction": "Jika Anda mengirim sebuah kutu via GitHub, catatan pengawakutu dapat membantu kami melacak masalahnya. ", "introduction": "Jika Anda mengirim sebuah kutu via GitHub, catatan pengawakutu dapat membantu kami melacak masalahnya. ",
@ -4004,6 +3874,142 @@
"short_seconds": "%(value)sd", "short_seconds": "%(value)sd",
"short_days_hours_minutes_seconds": "%(days)sh %(hours)sj %(minutes)sm %(seconds)sd", "short_days_hours_minutes_seconds": "%(days)sh %(hours)sj %(minutes)sm %(seconds)sd",
"short_hours_minutes_seconds": "%(hours)sj %(minutes)sm %(seconds)sd", "short_hours_minutes_seconds": "%(hours)sj %(minutes)sm %(seconds)sd",
"short_minutes_seconds": "%(minutes)sm %(seconds)sd" "short_minutes_seconds": "%(minutes)sm %(seconds)sd",
"last_week": "Minggu kemarin",
"last_month": "Bulan kemarin"
},
"onboarding": {
"personal_messaging_title": "Perpesanan aman untuk teman dan keluarga",
"free_e2ee_messaging_unlimited_voip": "Dengan perpesanan terenkripsi ujung ke ujung gratis, dan panggilan suara & video tidak terbatas, %(brand)s adalah cara yang baik untuk tetap terhubung.",
"personal_messaging_action": "Mulai obrolan pertama Anda",
"work_messaging_title": "Perpesanan aman untuk berkerja",
"work_messaging_action": "Temukan rekan kerja Anda",
"community_messaging_title": "Kemilikan komunitas",
"community_messaging_action": "Temukan orang-orang Anda",
"welcome_to_brand": "Selamat datang di %(brand)s",
"only_n_steps_to_go": {
"one": "Hanya %(count)s langkah lagi untuk dilalui",
"other": "Hanya %(count)s langkah lagi untuk dilalui"
},
"you_did_it": "Anda berhasil!",
"complete_these": "Selesaikan untuk mendapatkan hasil yang maksimal dari %(brand)s",
"community_messaging_description": "Tetap miliki kemilikan dan kendali atas diskusi komunitas.\nBesar untuk mendukung jutaan anggota, dengan moderasi dan interoperabilitas berdaya."
},
"devtools": {
"send_custom_account_data_event": "Kirim peristiwa data akun kustom",
"send_custom_room_account_data_event": "Kirim peristiwa data akun ruangan kustom",
"event_type": "Tipe Peristiwa",
"state_key": "Kunci Status",
"invalid_json": "Tidak terlihat seperti JSON yang absah.",
"failed_to_send": "Gagal mengirimkan pertistiwa!",
"event_sent": "Peristiwa terkirim!",
"event_content": "Konten Peristiwa",
"user_read_up_to": "Pembacaan pengguna sampai: ",
"no_receipt_found": "Tidak ada laporan yang ditemukan",
"user_read_up_to_ignore_synthetic": "Pengguna membaca sampai (ignoreSynthetic): ",
"user_read_up_to_private": "Pengguna membaca sampai (m.read.private): ",
"user_read_up_to_private_ignore_synthetic": "Pengguna membaca sampai (m.read.private;ignoreSynthetic): ",
"room_status": "Keadaan ruangan",
"room_unread_status_count": {
"other": "Keadaan belum dibaca ruangan: <strong>%(status)s</strong>, jumlah: <strong>%(count)s</strong>"
},
"notification_state": "Keadaan notifikasi adalah <strong>%(notificationState)s</strong>",
"room_encrypted": "Ruangan <strong>terenkripsi ✅</strong>",
"room_not_encrypted": "Ruangan <strong>tidak terenkripsi 🚨</strong>",
"main_timeline": "Lini masa utama",
"threads_timeline": "Lini masa utasan",
"room_notifications_total": "Jumlah: ",
"room_notifications_highlight": "Sorotan: ",
"room_notifications_dot": "Titik: ",
"room_notifications_last_event": "Peristiwa terakhir:",
"room_notifications_type": "Jenis: ",
"room_notifications_sender": "Pengirim: ",
"room_notifications_thread_id": "ID utasan: ",
"spaces": {
"one": "<space>",
"other": "<%(count)s space>"
},
"empty_string": "<string kosong>",
"room_unread_status": "Keadaan belum dibaca ruangan: <strong>%(status)s</strong>",
"id": "ID: ",
"send_custom_state_event": "Kirim peristiwa status kustom",
"see_history": "Lihat riwayat",
"failed_to_load": "Gagal untuk dimuat.",
"client_versions": "Versi Klien",
"server_versions": "Versi Server",
"number_of_users": "Jumlah pengguna",
"failed_to_save": "Gagal menyimpan pengaturan.",
"save_setting_values": "Simpan pengaturan nilai",
"setting_colon": "Pengaturan:",
"caution_colon": "Peringatan:",
"use_at_own_risk": "UI ini TIDAK memeriksa tipe nilai. Gunakan dengan hati-hati.",
"setting_definition": "Definisi pengaturan:",
"level": "Tingkat",
"settable_global": "Dapat diatur secara global",
"settable_room": "Dapat diatur di ruangan",
"values_explicit": "Nilai-nilai di tingkat eksplisit",
"values_explicit_room": "Nilai-nilai di tingkat eksplisit di ruangan ini",
"edit_values": "Edit nilai",
"value_colon": "Nilai:",
"value_this_room_colon": "Nilai-nilai di ruangan ini:",
"values_explicit_colon": "Nilai-nilai di tingkat eksplisit:",
"values_explicit_this_room_colon": "Nilai-nilai di tingkat ekspliksi di ruangan ini:",
"setting_id": "ID Pengaturan",
"value": "Nilai",
"value_in_this_room": "Nilai di ruangan ini",
"edit_setting": "Edit pengaturan",
"phase_requested": "Diminta",
"phase_ready": "Siap",
"phase_started": "Dimulai",
"phase_cancelled": "Dibatalkan",
"phase_transaction": "Transaksi",
"phase": "Masa",
"timeout": "Waktu habis",
"methods": "Metode",
"requester": "Peminta",
"observe_only": "Lihat saja",
"no_verification_requests_found": "Tidak ada permintaan verifikasi yang ditemukan",
"failed_to_find_widget": "Terjadi sebuah kesalahan menemukan widget ini."
},
"settings": {
"show_breadcrumbs": "Tampilkan jalan pintas ke ruangan yang baru saja ditampilkan di atas daftar ruangan",
"all_rooms_home_description": "Semua ruangan yang Anda bergabung akan ditampilkan di Beranda.",
"use_command_f_search": "Gunakan ⌘ + F untuk cari di lini masa",
"use_control_f_search": "Gunakan Ctrl + F untuk cari di lini masa",
"use_12_hour_format": "Tampilkan stempel waktu dalam format 12 jam (mis. 2:30pm)",
"always_show_message_timestamps": "Selalu tampilkan stempel waktu pesan",
"send_read_receipts": "Kirim laporan dibaca",
"send_typing_notifications": "Kirim notifikasi pengetikan",
"replace_plain_emoji": "Ganti emoji teks biasa secara otomatis",
"enable_markdown": "Aktifkan Markdown",
"emoji_autocomplete": "Aktifkan saran emoji saat mengetik",
"use_command_enter_send_message": "Gunakan ⌘ + Enter untuk mengirim pesan",
"use_control_enter_send_message": "Gunakan Ctrl + Enter untuk mengirim pesan",
"all_rooms_home": "Tampilkan semua ruangan di Beranda",
"enable_markdown_description": "Mulai pesan dengan <code>/plain</code> untuk mengirim tanpa Markdown.",
"show_stickers_button": "Tampilkan tombol stiker",
"insert_trailing_colon_mentions": "Tambahkan sebuah karakter titik dua sesudah sebutan pengguna dari awal pesan",
"automatic_language_detection_syntax_highlight": "Aktifkan deteksi bahasa otomatis untuk penyorotan sintaks",
"code_block_expand_default": "Buka blok kode secara bawaan",
"code_block_line_numbers": "Tampilkan nomor barisan di blok kode",
"inline_url_previews_default": "Aktifkan tampilan URL secara bawaan",
"autoplay_gifs": "Mainkan GIF secara otomatis",
"autoplay_videos": "Mainkan video secara otomatis",
"image_thumbnails": "Tampilkan gambar mini untuk gambar",
"show_typing_notifications": "Tampilkan notifikasi pengetikan",
"show_redaction_placeholder": "Tampilkan sebuah penampung untuk pesan terhapus",
"show_read_receipts": "Tampilkan laporan dibaca terkirim oleh pengguna lain",
"show_join_leave": "Tampilkan pesan-pesan gabung/keluar (undangan/pengeluaran/cekalan tidak terpengaruh)",
"show_displayname_changes": "Tampilkan perubahan nama tampilan",
"show_chat_effects": "Tampilkan efek (animasi ketika menerima konfeti, misalnya)",
"show_avatar_changes": "Tampilkan perubahan foto profil",
"big_emoji": "Aktifkan emoji besar di lini masa",
"jump_to_bottom_on_send": "Pergi ke bawah lini masa ketika Anda mengirim pesan",
"disable_historical_profile": "Tampilkan foto profil dan nama saat ini untuk pengguna dalam riwayat pesan",
"show_nsfw_content": "Tampilkan konten NSFW",
"prompt_invite": "Tanyakan sebelum mengirim undangan ke ID Matrix yang mungkin tidak absah",
"hardware_acceleration": "Aktifkan akselerasi perangkat keras (mulai ulang %(appName)s untuk mengaktifkan)",
"start_automatically": "Mulai setelah login sistem secara otomatis",
"warn_quit": "Beri tahu sebelum keluar"
} }
} }

View file

@ -45,13 +45,9 @@
"Missing user_id in request": "Vantar notandaauðkenni í beiðni", "Missing user_id in request": "Vantar notandaauðkenni í beiðni",
"Usage": "Notkun", "Usage": "Notkun",
"Reason": "Ástæða", "Reason": "Ástæða",
"Someone": "Einhver",
"Send": "Senda", "Send": "Senda",
"Unnamed Room": "Nafnlaus spjallrás", "Unnamed Room": "Nafnlaus spjallrás",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Birta tímamerki á 12 stunda sniði (t.d. 2:30 fh)",
"Always show message timestamps": "Alltaf birta tímamerki skilaboða",
"Send analytics data": "Senda greiningargögn", "Send analytics data": "Senda greiningargögn",
"Enable inline URL previews by default": "Sjálfgefið virkja forskoðun innfelldra vefslóða",
"Collecting app version information": "Safna upplýsingum um útgáfu smáforrits", "Collecting app version information": "Safna upplýsingum um útgáfu smáforrits",
"Collecting logs": "Safna atvikaskrám", "Collecting logs": "Safna atvikaskrám",
"Waiting for response from server": "Bíð eftir svari frá vefþjóni", "Waiting for response from server": "Bíð eftir svari frá vefþjóni",
@ -61,7 +57,6 @@
"When I'm invited to a room": "Þegar mér er boðið á spjallrás", "When I'm invited to a room": "Þegar mér er boðið á spjallrás",
"Call invitation": "Boð um þátttöku í símtali", "Call invitation": "Boð um þátttöku í símtali",
"Messages sent by bot": "Skilaboð send af vélmennum", "Messages sent by bot": "Skilaboð send af vélmennum",
"Submit": "Senda inn",
"Phone": "Sími", "Phone": "Sími",
"Export E2E room keys": "Flytja út E2E dulritunarlykla spjallrásar", "Export E2E room keys": "Flytja út E2E dulritunarlykla spjallrásar",
"Current password": "Núverandi lykilorð", "Current password": "Núverandi lykilorð",
@ -78,7 +73,6 @@
"Unban": "Afbanna", "Unban": "Afbanna",
"Are you sure?": "Ertu viss?", "Are you sure?": "Ertu viss?",
"Unignore": "Hætta að hunsa", "Unignore": "Hætta að hunsa",
"Mention": "Minnst á",
"Admin Tools": "Kerfisstjóratól", "Admin Tools": "Kerfisstjóratól",
"Invited": "Boðið", "Invited": "Boðið",
"Filter room members": "Sía meðlimi spjallrásar", "Filter room members": "Sía meðlimi spjallrásar",
@ -151,7 +145,6 @@
"Developer Tools": "Forritunartól", "Developer Tools": "Forritunartól",
"An error has occurred.": "Villa kom upp.", "An error has occurred.": "Villa kom upp.",
"Send Logs": "Senda atvikaskrár", "Send Logs": "Senda atvikaskrár",
"Refresh": "Endurlesa",
"Invalid Email Address": "Ógilt tölvupóstfang", "Invalid Email Address": "Ógilt tölvupóstfang",
"Verification Pending": "Sannvottun í bið", "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.", "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.",
@ -185,10 +178,8 @@
"Export room keys": "Flytja út dulritunarlykla spjallrásar", "Export room keys": "Flytja út dulritunarlykla spjallrásar",
"Enter passphrase": "Settu inn lykilfrasann", "Enter passphrase": "Settu inn lykilfrasann",
"Confirm passphrase": "Staðfestu lykilfrasa", "Confirm passphrase": "Staðfestu lykilfrasa",
"Export": "Flytja út",
"Import room keys": "Flytja inn dulritunarlykla spjallrásar", "Import room keys": "Flytja inn dulritunarlykla spjallrásar",
"File to import": "Skrá til að flytja inn", "File to import": "Skrá til að flytja inn",
"Import": "Flytja inn",
"Unable to enable Notifications": "Tekst ekki að virkja tilkynningar", "Unable to enable Notifications": "Tekst ekki að virkja tilkynningar",
"This email address was not found": "Tölvupóstfangið fannst ekki", "This email address was not found": "Tölvupóstfangið fannst ekki",
"Failed to invite": "Mistókst að bjóða", "Failed to invite": "Mistókst að bjóða",
@ -213,8 +204,6 @@
"And %(count)s more...": { "And %(count)s more...": {
"other": "Og %(count)s til viðbótar..." "other": "Og %(count)s til viðbótar..."
}, },
"Event sent!": "Atburður sendur!",
"State Key": "Stöðulykill",
"Clear Storage and Sign Out": "Hreinsa gagnageymslu og skrá út", "Clear Storage and Sign Out": "Hreinsa gagnageymslu og skrá út",
"Unable to restore session": "Tókst ekki að endurheimta setu", "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", "This doesn't appear to be a valid email address": "Þetta lítur ekki út eins og gilt tölvupóstfang",
@ -286,9 +275,6 @@
"Sends the given message with confetti": "Sendir skilaboðin með skrauti", "Sends the given message with confetti": "Sendir skilaboðin með skrauti",
"Never send encrypted messages to unverified sessions in this room from this session": "Aldrei senda dulrituð skilaboð af þessu tæki til ósannvottaðra tækja á þessari spjallrás úr þessari setu", "Never send encrypted messages to unverified sessions in this room from this session": "Aldrei senda dulrituð skilaboð af þessu tæki til ósannvottaðra tækja á þessari spjallrás úr þessari setu",
"Never send encrypted messages to unverified sessions from this session": "Aldrei senda dulrituð skilaboð af þessu tæki til ósannvottaðra tækja", "Never send encrypted messages to unverified sessions from this session": "Aldrei senda dulrituð skilaboð af þessu tæki til ósannvottaðra tækja",
"Use Ctrl + Enter to send a message": "Notaðu Ctrl + Enter til að senda skilaboð",
"Use Command + Enter to send a message": "Notaðu Command + Enter til að senda skilaboð",
"Jump to the bottom of the timeline when you send a message": "Hoppa neðst á tímalínuna þegar þú sendir skilaboð",
"%(senderName)s: %(message)s": "%(senderName)s: %(message)s", "%(senderName)s: %(message)s": "%(senderName)s: %(message)s",
"Send <b>%(msgtype)s</b> messages as you in your active room": "Senda <b>%(msgtype)s</b>-skilaboð sem þú á virku spjallrásina þína", "Send <b>%(msgtype)s</b> messages as you in your active room": "Senda <b>%(msgtype)s</b>-skilaboð sem þú á virku spjallrásina þína",
"Send <b>%(msgtype)s</b> messages as you in this room": "Senda <b>%(msgtype)s</b>-skilaboð sem þú á þessa spjallrás", "Send <b>%(msgtype)s</b> messages as you in this room": "Senda <b>%(msgtype)s</b>-skilaboð sem þú á þessa spjallrás",
@ -375,7 +361,6 @@
"Add Email Address": "Bæta við tölvupóstfangi", "Add Email Address": "Bæta við tölvupóstfangi",
"Click the button below to confirm adding this email address.": "Smelltu á hnappinn hér að neðan til að staðfesta að bæta við þessu netfangi.", "Click the button below to confirm adding this email address.": "Smelltu á hnappinn hér að neðan til að staðfesta að bæta við þessu netfangi.",
"Confirm adding email": "Staðfestu að bæta við tölvupósti", "Confirm adding email": "Staðfestu að bæta við tölvupósti",
"Trusted": "Treyst",
"None": "Ekkert", "None": "Ekkert",
"Ignored/Blocked": "Hunsað/Hindrað", "Ignored/Blocked": "Hunsað/Hindrað",
"Flags": "Fánar", "Flags": "Fánar",
@ -419,7 +404,6 @@
"Cat": "Köttur", "Cat": "Köttur",
"Dog": "Hundur", "Dog": "Hundur",
"Other": "Annað", "Other": "Annað",
"Encrypted": "Dulritað",
"Encryption": "Dulritun", "Encryption": "Dulritun",
"Composer": "Skrifreitur", "Composer": "Skrifreitur",
"Versions": "Útgáfur", "Versions": "Útgáfur",
@ -722,8 +706,6 @@
"Connecting": "Tengist", "Connecting": "Tengist",
"System font name": "Nafn kerfisleturs", "System font name": "Nafn kerfisleturs",
"Use a system font": "Nota kerfisletur", "Use a system font": "Nota kerfisletur",
"Autoplay videos": "Spila myndskeið sjálfkrafa",
"Autoplay GIFs": "Spila GIF-myndir sjálfkrafa",
"Use custom size": "Nota sérsniðna stærð", "Use custom size": "Nota sérsniðna stærð",
"Font size": "Leturstærð", "Font size": "Leturstærð",
"Developer": "Forritari", "Developer": "Forritari",
@ -853,7 +835,6 @@
"Cancel All": "Hætta við allt", "Cancel All": "Hætta við allt",
"Upload all": "Senda allt inn", "Upload all": "Senda allt inn",
"Upload files": "Hlaða inn skrám", "Upload files": "Hlaða inn skrám",
"Clear": "Hreinsa",
"Recent searches": "Nýlegar leitir", "Recent searches": "Nýlegar leitir",
"Public rooms": "Almenningsspjallrásir", "Public rooms": "Almenningsspjallrásir",
"Other rooms in %(spaceName)s": "Aðrar spjallrásir í %(spaceName)s", "Other rooms in %(spaceName)s": "Aðrar spjallrásir í %(spaceName)s",
@ -863,7 +844,6 @@
"About homeservers": "Um heimaþjóna", "About homeservers": "Um heimaþjóna",
"Specify a homeserver": "Tilgreindu heimaþjón", "Specify a homeserver": "Tilgreindu heimaþjón",
"Invalid URL": "Ógild slóð", "Invalid URL": "Ógild slóð",
"Send report": "Senda kæru",
"Email (optional)": "Tölvupóstfang (valfrjálst)", "Email (optional)": "Tölvupóstfang (valfrjálst)",
"Session name": "Nafn á setu", "Session name": "Nafn á setu",
"%(count)s rooms": { "%(count)s rooms": {
@ -885,17 +865,6 @@
"Format": "Snið", "Format": "Snið",
"Export Successful": "Útflutningur tókst", "Export Successful": "Útflutningur tókst",
"MB": "MB", "MB": "MB",
"Value:": "Gildi:",
"Level": "Stig",
"Caution:": "Varúð:",
"Setting:": "Stilling:",
"Edit setting": "Breyta stillingu",
"Value": "Gildi",
"<empty string>": "<auður strengur>",
"<%(count)s spaces>": {
"one": "<svæði>",
"other": "<%(count)s svæði>"
},
"Public space": "Opinbert svæði", "Public space": "Opinbert svæði",
"Private space (invite only)": "Einkasvæði (einungis gegn boði)", "Private space (invite only)": "Einkasvæði (einungis gegn boði)",
"Public room": "Almenningsspjallrás", "Public room": "Almenningsspjallrás",
@ -907,7 +876,6 @@
"Want to add a new room instead?": "Viltu frekar bæta við nýrri spjallrás?", "Want to add a new room instead?": "Viltu frekar bæta við nýrri spjallrás?",
"Add existing rooms": "Bæta við fyrirliggjandi spjallrásum", "Add existing rooms": "Bæta við fyrirliggjandi spjallrásum",
"Server name": "Heiti þjóns", "Server name": "Heiti þjóns",
"Matrix": "Matrix",
"Looks good": "Lítur vel út", "Looks good": "Lítur vel út",
"QR Code": "QR-kóði", "QR Code": "QR-kóði",
"Create options": "Búa til valkosti", "Create options": "Búa til valkosti",
@ -924,11 +892,8 @@
"other": "%(count)s atkvæði" "other": "%(count)s atkvæði"
}, },
"Show image": "Birta mynd", "Show image": "Birta mynd",
"Go": "Fara",
"Decrypting": "Afkóðun", "Decrypting": "Afkóðun",
"Downloading": "Sæki", "Downloading": "Sæki",
"Last month": "Í síðasta mánuði",
"Last week": "Síðustu viku",
"Missed call": "Ósvarað símtal", "Missed call": "Ósvarað símtal",
"An unknown error occurred": "Óþekkt villa kom upp", "An unknown error occurred": "Óþekkt villa kom upp",
"Connection failed": "Tenging mistókst", "Connection failed": "Tenging mistókst",
@ -1006,7 +971,6 @@
"Space members": "Meðlimir svæðis", "Space members": "Meðlimir svæðis",
"Upgrade required": "Uppfærsla er nauðsynleg", "Upgrade required": "Uppfærsla er nauðsynleg",
"Large": "Stórt", "Large": "Stórt",
"Manage": "Stjórna",
"Display Name": "Birtingarnafn", "Display Name": "Birtingarnafn",
"Select all": "Velja allt", "Select all": "Velja allt",
"Deselect all": "Afvelja allt", "Deselect all": "Afvelja allt",
@ -1051,10 +1015,7 @@
"Hide sidebar": "Fela hliðarspjald", "Hide sidebar": "Fela hliðarspjald",
"Dial": "Hringja", "Dial": "Hringja",
"Unknown Command": "Óþekkt skipun", "Unknown Command": "Óþekkt skipun",
"All rooms you're in will appear in Home.": "Allar spjallrásir sem þú ert í munu birtast á forsíðu.",
"Show all rooms in Home": "Sýna allar spjallrásir á forsíðu",
"Match system theme": "Samsvara þema kerfis", "Match system theme": "Samsvara þema kerfis",
"Show stickers button": "Birta límmerkjahnapp",
"Messaging": "Skilaboð", "Messaging": "Skilaboð",
"%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s", "%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s",
"File Attached": "Viðhengd skrá", "File Attached": "Viðhengd skrá",
@ -1131,8 +1092,6 @@
"Image size in the timeline": "Stærð myndar í tímalínunni", "Image size in the timeline": "Stærð myndar í tímalínunni",
"Hint: Begin your message with <code>//</code> to start it with a slash.": "Vísbending: Byrjaðu skilaboðin þín með <code>//</code> til að þau byrji með skástriki.", "Hint: Begin your message with <code>//</code> to start it with a slash.": "Vísbending: Byrjaðu skilaboðin þín með <code>//</code> til að þau byrji með skástriki.",
"Show hidden events in timeline": "Birta falda atburði í tímalínu", "Show hidden events in timeline": "Birta falda atburði í tímalínu",
"Use Ctrl + F to search timeline": "Notaðu Ctrl + F til að leita í tímalínu",
"Use Command + F to search timeline": "Notaðu Command + F til að leita í tímalínu",
"You are now ignoring %(userId)s": "Þú ert núna að hunsa %(userId)s", "You are now ignoring %(userId)s": "Þú ert núna að hunsa %(userId)s",
"Unbans user with given ID": "Tekur bann af notanda með uppgefið auðkenni", "Unbans user with given ID": "Tekur bann af notanda með uppgefið auðkenni",
"Bans user with given id": "Bannar notanda með uppgefið auðkenni", "Bans user with given id": "Bannar notanda með uppgefið auðkenni",
@ -1504,7 +1463,6 @@
"New passwords don't match": "Nýju lykilorðin eru ekki eins", "New passwords don't match": "Nýju lykilorðin eru ekki eins",
"No display name": "Ekkert birtingarnafn", "No display name": "Ekkert birtingarnafn",
"Access": "Aðgangur", "Access": "Aðgangur",
"Send typing notifications": "Senda skriftilkynningar",
"Back to thread": "Til baka í spjallþráð", "Back to thread": "Til baka í spjallþráð",
"Waiting for answer": "Bíð eftir svari", "Waiting for answer": "Bíð eftir svari",
"Verify this session": "Sannprófa þessa setu", "Verify this session": "Sannprófa þessa setu",
@ -1573,7 +1531,6 @@
"Disconnect from the identity server <idserver />?": "Aftengjast frá auðkennisþjóni <idserver />?", "Disconnect from the identity server <idserver />?": "Aftengjast frá auðkennisþjóni <idserver />?",
"Disconnect identity server": "Aftengja auðkennisþjón", "Disconnect identity server": "Aftengja auðkennisþjón",
"Mirror local video feed": "Spegla staðværu myndmerki", "Mirror local video feed": "Spegla staðværu myndmerki",
"Show typing notifications": "Sýna skriftilkynningar",
"Jump to last message": "Fara í síðustu skilaboðin", "Jump to last message": "Fara í síðustu skilaboðin",
"Jump to first message": "Fara í fyrstu skilaboðin", "Jump to first message": "Fara í fyrstu skilaboðin",
"Jump to end of the composer": "Hoppa á enda skrifreits", "Jump to end of the composer": "Hoppa á enda skrifreits",
@ -1599,14 +1556,6 @@
"Hey you. You're the best!": "Hæ þú. Þú ert algjört æði!", "Hey you. You're the best!": "Hæ þú. Þú ert algjört æði!",
"Jump to first invite.": "Fara í fyrsta boð.", "Jump to first invite.": "Fara í fyrsta boð.",
"Jump to first unread room.": "Fara í fyrstu ólesnu spjallrásIna.", "Jump to first unread room.": "Fara í fyrstu ólesnu spjallrásIna.",
"Show shortcuts to recently viewed rooms above the room list": "Sýna flýtileiðir í nýskoðaðar spjallrásir fyrir ofan listann yfir spjallrásir",
"Enable big emoji in chat": "Virkja stór tákn í spjalli",
"Show line numbers in code blocks": "Sýna línunúmer í kóðablokkum",
"Expand code blocks by default": "Fletta sjálfgefið út textablokkum með kóða",
"Enable automatic language detection for syntax highlighting": "Virkja greiningu á forritunarmálum fyrir málskipunarlitun",
"Show read receipts sent by other users": "Birta leskvittanir frá öðrum notendum",
"Show display name changes": "Sýna breytingar á birtingarnafni",
"Show a placeholder for removed messages": "Birta frátökutákn fyrir fjarlægð skilaboð",
"Use a more compact 'Modern' layout": "Nota þjappaðri 'nútímalegri' framsetningu", "Use a more compact 'Modern' layout": "Nota þjappaðri 'nútímalegri' framsetningu",
"Show polls button": "Birta hnapp fyrir kannanir", "Show polls button": "Birta hnapp fyrir kannanir",
"Force complete": "Þvinga klárun", "Force complete": "Þvinga klárun",
@ -1680,7 +1629,6 @@
"Collapse room list section": "Fella saman hluta spjallrásalista", "Collapse room list section": "Fella saman hluta spjallrásalista",
"Select room from the room list": "Veldu spjallrás úr spjallrásalistanum", "Select room from the room list": "Veldu spjallrás úr spjallrásalistanum",
"Dismiss read marker and jump to bottom": "Hunsa lesmerki og hoppa neðst", "Dismiss read marker and jump to bottom": "Hunsa lesmerki og hoppa neðst",
"Accessibility": "Auðveldað aðgengi",
"Indexed rooms:": "Spjallrásir í efnisyfirliti:", "Indexed rooms:": "Spjallrásir í efnisyfirliti:",
"Indexed messages:": "Skilaboð í efnisyfirliti:", "Indexed messages:": "Skilaboð í efnisyfirliti:",
"Currently indexing: %(currentRoom)s": "Set í efnisyfirlit: %(currentRoom)s", "Currently indexing: %(currentRoom)s": "Set í efnisyfirlit: %(currentRoom)s",
@ -1736,21 +1684,13 @@
"Autocomplete delay (ms)": "Töf við sjálfvirka klárun (ms)", "Autocomplete delay (ms)": "Töf við sjálfvirka klárun (ms)",
"Show tray icon and minimise window to it on close": "Sýna táknmynd í kerfisbakka og lágmarka forritið niður í hana þegar því er lokað", "Show tray icon and minimise window to it on close": "Sýna táknmynd í kerfisbakka og lágmarka forritið niður í hana þegar því er lokað",
"Always show the window menu bar": "Alltaf að sýna valmyndastiku glugga", "Always show the window menu bar": "Alltaf að sýna valmyndastiku glugga",
"Warn before quitting": "Aðvara áður en hætt er",
"Start automatically after system login": "Ræsa sjálfvirkt við innskráningu í kerfi",
"Enable email notifications for %(email)s": "Virkja tilkynningar í tölvupósti fyrir %(email)s", "Enable email notifications for %(email)s": "Virkja tilkynningar í tölvupósti fyrir %(email)s",
"Anyone in a space can find and join. You can select multiple spaces.": "Hver sem er í svæði getur fundið og tekið þátt. Þú getur valið mörg svæði.", "Anyone in a space can find and join. You can select multiple spaces.": "Hver sem er í svæði getur fundið og tekið þátt. Þú getur valið mörg svæði.",
"Anyone in <spaceName/> can find and join. You can select other spaces too.": "Hver sem er í <spaceName/> getur fundið og tekið þátt. Þú getur einnig valið önnur svæði.", "Anyone in <spaceName/> can find and join. You can select other spaces too.": "Hver sem er í <spaceName/> getur fundið og tekið þátt. Þú getur einnig valið önnur svæði.",
"Anyone in a space can find and join. <a>Edit which spaces can access here.</a>": "Hver sem er í svæði getur fundið og tekið þátt. <a>Breyttu hér því hvaða svæði hafa aðgang.</a>", "Anyone in a space can find and join. <a>Edit which spaces can access here.</a>": "Hver sem er í svæði getur fundið og tekið þátt. <a>Breyttu hér því hvaða svæði hafa aðgang.</a>",
"Enable guest access": "Leyfa aðgang gesta", "Enable guest access": "Leyfa aðgang gesta",
"Show chat effects (animations when receiving e.g. confetti)": "Sýna hreyfingar í spjalli (t.d. þegar tekið er við skrauti)",
"Show previews/thumbnails for images": "Birta forskoðun/smámyndir fyrir myndir",
"Prompt before sending invites to potentially invalid matrix IDs": "Spyrja áður en boð eru send á mögulega ógild matrix-auðkenni",
"Enable widget screenshots on supported widgets": "Virkja skjámyndir viðmótshluta í studdum viðmótshlutum", "Enable widget screenshots on supported widgets": "Virkja skjámyndir viðmótshluta í studdum viðmótshlutum",
"Automatically replace plain text Emoji": "Skipta sjálfkrafa út Emoji-táknum á hreinum texta",
"Surround selected text when typing special characters": "Umlykja valinn texta þegar sértákn eru skrifuð", "Surround selected text when typing special characters": "Umlykja valinn texta þegar sértákn eru skrifuð",
"Show join/leave messages (invites/removes/bans unaffected)": "Birta taka-þátt/hætta skilaboð (hefur ekki áhrif á boð/fjarlægingu/bönn)",
"Enable Emoji suggestions while typing": "Virkja uppástungur tákna á meðan skrifað er",
"Integrations are disabled": "Samþættingar eru óvirkar", "Integrations are disabled": "Samþættingar eru óvirkar",
"Integration manager": "Samþættingarstýring", "Integration manager": "Samþættingarstýring",
"%(creator)s created this DM.": "%(creator)s bjó til oþessi beinu skilaboð.", "%(creator)s created this DM.": "%(creator)s bjó til oþessi beinu skilaboð.",
@ -1820,7 +1760,6 @@
"Automatically send debug logs on any error": "Senda atvikaskrár sjálfkrafa við allar villur", "Automatically send debug logs on any error": "Senda atvikaskrár sjálfkrafa við allar villur",
"Developer mode": "Forritarahamur", "Developer mode": "Forritarahamur",
"IRC display name width": "Breidd IRC-birtingarnafns", "IRC display name width": "Breidd IRC-birtingarnafns",
"Insert a trailing colon after user mentions at the start of a message": "Setja tvípunkt á eftir þar sem minnst er á notanda í upphafi skilaboða",
"%(brand)s URL": "%(brand)s URL", "%(brand)s URL": "%(brand)s URL",
"Cancel search": "Hætta við leitina", "Cancel search": "Hætta við leitina",
"Drop a Pin": "Sleppa pinna", "Drop a Pin": "Sleppa pinna",
@ -1885,10 +1824,8 @@
"one": "%(count)s seta", "one": "%(count)s seta",
"other": "%(count)s setur" "other": "%(count)s setur"
}, },
"Not trusted": "Ekki treyst",
"Export chat": "Flytja út spjall", "Export chat": "Flytja út spjall",
"Pinned": "Fest", "Pinned": "Fest",
"Maximise": "Hámarka",
"Share User": "Deila notanda", "Share User": "Deila notanda",
"Server isn't responding": "Netþjónninn er ekki að svara", "Server isn't responding": "Netþjónninn er ekki að svara",
"You're all caught up.": "Þú hefur klárað að lesa allt.", "You're all caught up.": "Þú hefur klárað að lesa allt.",
@ -1924,13 +1861,7 @@
"Sorry, the poll did not end. Please try again.": "Því miður, könnuninni lauk ekki. Prófaðu aftur.", "Sorry, the poll did not end. Please try again.": "Því miður, könnuninni lauk ekki. Prófaðu aftur.",
"Failed to end poll": "Mistókst að ljúka könnun", "Failed to end poll": "Mistókst að ljúka könnun",
"The poll has ended. No votes were cast.": "Könnuninni er lokið. Engin atkvæði voru greidd.", "The poll has ended. No votes were cast.": "Könnuninni er lokið. Engin atkvæði voru greidd.",
"Value in this room:": "Gildi á þessari spjallrás:",
"Setting definition:": "Skilgreining stillingar:",
"Value in this room": "Gildi á þessari spjallrás",
"Setting ID": "Auðkenni stillingar",
"There was an error finding this widget.": "Það kom upp villa við að finna þennan viðmótshluta.",
"Active Widgets": "Virkir viðmótshlutar", "Active Widgets": "Virkir viðmótshlutar",
"Event Content": "Efni atburðar",
"Search for spaces": "Leita að svæðum", "Search for spaces": "Leita að svæðum",
"Want to add a new space instead?": "Viltu frekar bæta við nýju svæði?", "Want to add a new space instead?": "Viltu frekar bæta við nýju svæði?",
"Add existing space": "Bæta við fyrirliggjandi svæði", "Add existing space": "Bæta við fyrirliggjandi svæði",
@ -2217,7 +2148,6 @@
"Failed to upgrade room": "Mistókst að uppfæra spjallrás", "Failed to upgrade room": "Mistókst að uppfæra spjallrás",
"Export Chat": "Flytja út spjall", "Export Chat": "Flytja út spjall",
"Exporting your data": "Útflutningur gagnanna þinna", "Exporting your data": "Útflutningur gagnanna þinna",
"Event Type": "Tegund atburðar",
"Error - Mixed content": "Villa - blandað efni", "Error - Mixed content": "Villa - blandað efni",
"Error loading Widget": "Villa við að hlaða inn viðmótshluta", "Error loading Widget": "Villa við að hlaða inn viðmótshluta",
"Failed to fetch your location. Please try again later.": "Mistókst að sækja staðsetninguna þína. Reyndu aftur síðar.", "Failed to fetch your location. Please try again later.": "Mistókst að sækja staðsetninguna þína. Reyndu aftur síðar.",
@ -2250,27 +2180,7 @@
"Start audio stream": "Hefja hljóðstreymi", "Start audio stream": "Hefja hljóðstreymi",
"Unable to start audio streaming.": "Get ekki ræst hljóðstreymi.", "Unable to start audio streaming.": "Get ekki ræst hljóðstreymi.",
"Resend %(unsentCount)s reaction(s)": "Endursenda %(unsentCount)s reaction(s)", "Resend %(unsentCount)s reaction(s)": "Endursenda %(unsentCount)s reaction(s)",
"Requester": "Beiðandi",
"Methods": "Aðferðir",
"Timeout": "Tímamörk",
"Phase": "Fasi",
"Transaction": "Færsluaðgerð",
"Cancelled": "Hætt við",
"Started": "Hafið",
"Ready": "Tilbúið",
"Requested": "Umbeðið",
"Unsent": "Ósent", "Unsent": "Ósent",
"Edit values": "Breyta gildum",
"Failed to save settings.": "Mistókst að vista stillingar.",
"Number of users": "Fjöldi notenda",
"Server": "Netþjónn",
"Server Versions": "Útgáfur þjóna",
"Client Versions": "Útgáfur biðlaraforrita",
"Failed to load.": "Mistókst að hlaða inn.",
"Capabilities": "Geta",
"Send custom state event": "Senda sérsniðinn stöðuatburð",
"Failed to send event!": "Mistókst að senda atburð!",
"Doesn't look like valid JSON.": "Þetta lítur ekki út eins og gilt JSON.",
"Forgotten or lost all recovery methods? <a>Reset all</a>": "Gleymdirðu eða týndir öllum aðferðum til endurheimtu? <a>Endurstilla allt</a>", "Forgotten or lost all recovery methods? <a>Reset all</a>": "Gleymdirðu eða týndir öllum aðferðum til endurheimtu? <a>Endurstilla allt</a>",
"Wrong file type": "Röng skráartegund", "Wrong file type": "Röng skráartegund",
"This widget would like to:": "Þessi viðmótshluti vill:", "This widget would like to:": "Þessi viðmótshluti vill:",
@ -2453,16 +2363,6 @@
"You are the only person here. If you leave, no one will be able to join in the future, including you.": "Þú ert eini eintaklingurinn hérna. Ef þú ferð út, mun enginn framar geta tekið þátt, að þér meðtöldum.", "You are the only person here. If you leave, no one will be able to join in the future, including you.": "Þú ert eini eintaklingurinn hérna. Ef þú ferð út, mun enginn framar geta tekið þátt, að þér meðtöldum.",
"Add an email to be able to reset your password.": "Bættu við tölvupóstfangi til að geta endurstillt lykilorðið þitt.", "Add an email to be able to reset your password.": "Bættu við tölvupóstfangi til að geta endurstillt lykilorðið þitt.",
"Thread options": "Valkostir spjallþráðar", "Thread options": "Valkostir spjallþráðar",
"No verification requests found": "Engar staðfestingarbeiðnir fundust",
"Observe only": "Aðeins fylgjast með",
"Values at explicit levels in this room:": "Gildi á skilgreindum stigum í þessari spjallrás:",
"Values at explicit levels:": "Gildi á skilgreindum stigum:",
"Values at explicit levels in this room": "Gildi á skilgreindum stigum í þessari spjallrás",
"Values at explicit levels": "Gildi á skilgreindum stigum",
"Settable at room": "Stillanlegt fyrir hverja spjallrás",
"Settable at global": "Stillanlegt víðvært",
"This UI does NOT check the types of the values. Use at your own risk.": "Þetta viðmót athugar EKKI tegundir gildanna. Notist á eigin ábyrgð.",
"Save setting values": "Vista gildi valkosta",
"Unable to load backup status": "Tókst ekki að hlaða inn stöðu öryggisafritunar dulritunarlykla", "Unable to load backup status": "Tókst ekki að hlaða inn stöðu öryggisafritunar dulritunarlykla",
"%(completed)s of %(total)s keys restored": "%(completed)s af %(total)s lyklum endurheimtir", "%(completed)s of %(total)s keys restored": "%(completed)s af %(total)s lyklum endurheimtir",
"Restoring keys from backup": "Endurheimti lykla úr öryggisafriti", "Restoring keys from backup": "Endurheimti lykla úr öryggisafriti",
@ -2752,7 +2652,6 @@
"sends hearts": "sendir hjörtu", "sends hearts": "sendir hjörtu",
"Sends the given message with hearts": "Sendir skilaboðin með hjörtum", "Sends the given message with hearts": "Sendir skilaboðin með hjörtum",
"Enable hardware acceleration": "Virkja vélbúnaðarhröðun", "Enable hardware acceleration": "Virkja vélbúnaðarhröðun",
"Enable Markdown": "Virkja Markdown",
"Connection lost": "Tenging rofnaði", "Connection lost": "Tenging rofnaði",
"Jump to the given date in the timeline": "Hoppa í uppgefna dagsetningu á tímalínunni", "Jump to the given date in the timeline": "Hoppa í uppgefna dagsetningu á tímalínunni",
"Threads help keep your conversations on-topic and easy to track.": "Spjallþræðir hjálpa til við að halda samræðum við efnið og gerir auðveldara að rekja þær.", "Threads help keep your conversations on-topic and easy to track.": "Spjallþræðir hjálpa til við að halda samræðum við efnið og gerir auðveldara að rekja þær.",
@ -2778,7 +2677,6 @@
"Create room": "Búa til spjallrás", "Create room": "Búa til spjallrás",
"Create video room": "Búa til myndspjallrás", "Create video room": "Búa til myndspjallrás",
"Add new server…": "Bæta við nýjum þjóni…", "Add new server…": "Bæta við nýjum þjóni…",
"Minimise": "Lágmarka",
"%(count)s participants": { "%(count)s participants": {
"one": "1 þáttakandi", "one": "1 þáttakandi",
"other": "%(count)s þátttakendur" "other": "%(count)s þátttakendur"
@ -2845,10 +2743,8 @@
"Create a video room": "Búa til myndspjallrás", "Create a video room": "Búa til myndspjallrás",
"Get it on F-Droid": "Ná í á F-Droid", "Get it on F-Droid": "Ná í á F-Droid",
"Get it on Google Play": "Ná í á Google Play", "Get it on Google Play": "Ná í á Google Play",
"Android": "Android",
"Download on the App Store": "Sækja á App Store forritasafni", "Download on the App Store": "Sækja á App Store forritasafni",
"%(qrCode)s or %(appLinks)s": "%(qrCode)s eða %(appLinks)s", "%(qrCode)s or %(appLinks)s": "%(qrCode)s eða %(appLinks)s",
"iOS": "iOS",
"Download %(brand)s Desktop": "Sækja %(brand)s Desktop fyrir vinnutölvur", "Download %(brand)s Desktop": "Sækja %(brand)s Desktop fyrir vinnutölvur",
"Show: Matrix rooms": "Birta: Matrix-spjallrásir", "Show: Matrix rooms": "Birta: Matrix-spjallrásir",
"Remove server “%(roomServer)s”": "Fjarlægja netþjóninn “%(roomServer)s”", "Remove server “%(roomServer)s”": "Fjarlægja netþjóninn “%(roomServer)s”",
@ -2869,27 +2765,20 @@
"Unverified sessions": "Óstaðfestar setur", "Unverified sessions": "Óstaðfestar setur",
"Unverified session": "Óstaðfest seta", "Unverified session": "Óstaðfest seta",
"Verified session": "Staðfest seta", "Verified session": "Staðfest seta",
"Unverified": "Óstaðfest",
"Verified": "Staðfest",
"Push notifications": "Ýti-tilkynningar", "Push notifications": "Ýti-tilkynningar",
"Session details": "Nánar um setuna", "Session details": "Nánar um setuna",
"IP address": "IP-vistfang", "IP address": "IP-vistfang",
"Device": "Tæki",
"Last activity": "Síðasta virkni", "Last activity": "Síðasta virkni",
"Rename session": "Endurnefna setu", "Rename session": "Endurnefna setu",
"Current session": "Núverandi seta", "Current session": "Núverandi seta",
"Other sessions": "Aðrar setur", "Other sessions": "Aðrar setur",
"Sessions": "Setur", "Sessions": "Setur",
"Enable hardware acceleration (restart %(appName)s to take effect)": "Virkja vélbúnaðarhröðun (endurræstu %(appName)s til að breytingar taki gildi)",
"Your server doesn't support disabling sending read receipts.": "Netþjónninn þinn styður ekki að sending leskvittana sé gerð óvirk.", "Your server doesn't support disabling sending read receipts.": "Netþjónninn þinn styður ekki að sending leskvittana sé gerð óvirk.",
"Share your activity and status with others.": "Deila virkni og stöðu þinni með öðrum.", "Share your activity and status with others.": "Deila virkni og stöðu þinni með öðrum.",
"Deactivating your account is a permanent action — be careful!": "Að gera aðganginn þinn óvirkan er endanleg aðgerð - farðu varlega!", "Deactivating your account is a permanent action — be careful!": "Að gera aðganginn þinn óvirkan er endanleg aðgerð - farðu varlega!",
"Your password was successfully changed.": "Það tókst að breyta lykilorðinu þínu.", "Your password was successfully changed.": "Það tókst að breyta lykilorðinu þínu.",
"Welcome to %(brand)s": "Velkomin í %(brand)s",
"Welcome": "Velkomin/n",
"Find and invite your friends": "Finndu og bjóddu vinum þínum", "Find and invite your friends": "Finndu og bjóddu vinum þínum",
"You made it!": "Þú hafðir það!", "You made it!": "Þú hafðir það!",
"Send read receipts": "Senda leskvittanir",
"Mapbox logo": "Mapbox-táknmerki", "Mapbox logo": "Mapbox-táknmerki",
"Location not available": "Staðsetning ekki tiltæk", "Location not available": "Staðsetning ekki tiltæk",
"Find my location": "Finna staðsetningu mína", "Find my location": "Finna staðsetningu mína",
@ -2991,7 +2880,6 @@
"You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Þú getur ekki afturkallað þessa aðgerð, þar sem þú ert að lækka sjálfa/n þig í tign, og ef þú ert síðasti notandinn með nógu mikil völd á þessari spjallrás, verður ómögulegt að ná aftur stjórn á henni.", "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.": "Þú getur ekki afturkallað þessa aðgerð, þar sem þú ert að lækka sjálfa/n þig í tign, og ef þú ert síðasti notandinn með nógu mikil völd á þessari spjallrás, verður ómögulegt að ná aftur stjórn á henni.",
"Select the roles required to change various parts of the room": "Veldu þau hlutverk sem krafist er til að breyta ýmsum þáttum spjallrásarinnar", "Select the roles required to change various parts of the room": "Veldu þau hlutverk sem krafist er til að breyta ýmsum þáttum spjallrásarinnar",
"Enable notifications for this account": "Virkja tilkynningar fyrir þennan notandaaðgang", "Enable notifications for this account": "Virkja tilkynningar fyrir þennan notandaaðgang",
"Secure messaging for friends and family": "Örugg skilaboð fyrir vini og fjölskyldu",
"Requires compatible homeserver.": "Krefst samhæfðs heimaþjóns.", "Requires compatible homeserver.": "Krefst samhæfðs heimaþjóns.",
"Noise suppression": "Truflanabæling", "Noise suppression": "Truflanabæling",
"Echo cancellation": "Útrýming bergmáls", "Echo cancellation": "Útrýming bergmáls",
@ -3051,24 +2939,11 @@
"Hide details": "Fela nánari upplýsingar", "Hide details": "Fela nánari upplýsingar",
"Browser": "Vafri", "Browser": "Vafri",
"Operating system": "Stýrikerfi", "Operating system": "Stýrikerfi",
"Model": "Gerð",
"URL": "Slóð (URL)", "URL": "Slóð (URL)",
"Version": "Útgáfa",
"Application": "Forrit",
"Connection": "Tenging", "Connection": "Tenging",
"Video settings": "Myndstillingar", "Video settings": "Myndstillingar",
"Voice settings": "Raddstillingar", "Voice settings": "Raddstillingar",
"Search users in this room…": "Leita að notendum á þessari spjallrás…", "Search users in this room…": "Leita að notendum á þessari spjallrás…",
"Complete these to get the most out of %(brand)s": "Kláraðu þetta til að fá sem mest út úr %(brand)s",
"You did it!": "Þú kláraðir þetta!",
"Only %(count)s steps to go": {
"one": "Aðeins %(count)s skref í viðbót",
"other": "Aðeins %(count)s skref í viðbót"
},
"Find your people": "Finndu fólkið þitt",
"Find your co-workers": "Finndu samstarfsaðilana þína",
"Secure messaging for work": "Örugg skilaboð í vinnunni",
"Start your first chat": "Byrjaðu fyrsta spjallið þitt",
"Fill screen": "Fylla skjá", "Fill screen": "Fylla skjá",
"Low bandwidth mode": "Hamur fyrir litla bandbreidd", "Low bandwidth mode": "Hamur fyrir litla bandbreidd",
"Automatic gain control": "Sjálfvirk stýring styrkaukningar", "Automatic gain control": "Sjálfvirk stýring styrkaukningar",
@ -3144,7 +3019,6 @@
"Enable notifications for this device": "Virkja tilkynningar á þessu tæki", "Enable notifications for this device": "Virkja tilkynningar á þessu tæki",
"Give one or multiple users in this room more privileges": "Gefðu einum eða fleiri notendum á þessari spjallrás auknar heimildir", "Give one or multiple users in this room more privileges": "Gefðu einum eða fleiri notendum á þessari spjallrás auknar heimildir",
"Add privileged users": "Bæta við notendum með auknar heimildir", "Add privileged users": "Bæta við notendum með auknar heimildir",
"Community ownership": "Samfélagslegt eignarhald",
"Dont miss a reply or important message": "Ekki missa af svari eða áríðandi skilaboðum", "Dont miss a reply or important message": "Ekki missa af svari eða áríðandi skilaboðum",
"Dont miss a thing by taking %(brand)s with you": "Ekki missa af neinu og taktu %(brand)s með þér", "Dont miss a thing by taking %(brand)s with you": "Ekki missa af neinu og taktu %(brand)s með þér",
"Find and invite your community members": "Finndu og bjóddu meðlimum í samfélaginu þínu", "Find and invite your community members": "Finndu og bjóddu meðlimum í samfélaginu þínu",
@ -3198,21 +3072,38 @@
"beta": "Beta-prófunarútgáfa", "beta": "Beta-prófunarútgáfa",
"attachment": "Viðhengi", "attachment": "Viðhengi",
"appearance": "Útlit", "appearance": "Útlit",
"guest": "Gestur",
"legal": "Lagalegir fyrirvarar",
"credits": "Framlög",
"faq": "Algengar spurningar",
"access_token": "Aðgangsteikn",
"preferences": "Stillingar",
"presence": "Viðvera",
"timeline": "Tímalína", "timeline": "Tímalína",
"privacy": "Friðhelgi",
"camera": "Myndavél",
"microphone": "Hljóðnemi",
"emoji": "Tjáningartáknmynd",
"random": "Slembið",
"support": "Aðstoð", "support": "Aðstoð",
"space": "Bil" "space": "Bil",
"random": "Slembið",
"privacy": "Friðhelgi",
"presence": "Viðvera",
"preferences": "Stillingar",
"microphone": "Hljóðnemi",
"legal": "Lagalegir fyrirvarar",
"guest": "Gestur",
"faq": "Algengar spurningar",
"emoji": "Tjáningartáknmynd",
"credits": "Framlög",
"camera": "Myndavél",
"access_token": "Aðgangsteikn",
"someone": "Einhver",
"welcome": "Velkomin/n",
"encrypted": "Dulritað",
"application": "Forrit",
"version": "Útgáfa",
"device": "Tæki",
"model": "Gerð",
"verified": "Staðfest",
"unverified": "Óstaðfest",
"matrix": "Matrix",
"ios": "iOS",
"android": "Android",
"trusted": "Treyst",
"not_trusted": "Ekki treyst",
"accessibility": "Auðveldað aðgengi",
"capabilities": "Geta",
"server": "Netþjónn"
}, },
"action": { "action": {
"continue": "Halda áfram", "continue": "Halda áfram",
@ -3284,22 +3175,33 @@
"apply": "Virkja", "apply": "Virkja",
"add": "Bæta við", "add": "Bæta við",
"accept": "Samþykkja", "accept": "Samþykkja",
"disconnect": "Aftengjast",
"change": "Breyta",
"subscribe": "Skrá",
"unsubscribe": "Afskrá",
"approve": "Samþykkja",
"complete": "Fullklára",
"revoke": "Afturkalla",
"rename": "Endurnefna",
"view_all": "Skoða allt", "view_all": "Skoða allt",
"unsubscribe": "Afskrá",
"subscribe": "Skrá",
"show_all": "Sýna allt", "show_all": "Sýna allt",
"show": "Sýna", "show": "Sýna",
"revoke": "Afturkalla",
"review": "Yfirfara", "review": "Yfirfara",
"restore": "Endurheimta", "restore": "Endurheimta",
"rename": "Endurnefna",
"register": "Nýskrá",
"play": "Spila", "play": "Spila",
"pause": "Bið", "pause": "Bið",
"register": "Nýskrá" "disconnect": "Aftengjast",
"complete": "Fullklára",
"change": "Breyta",
"approve": "Samþykkja",
"manage": "Stjórna",
"go": "Fara",
"import": "Flytja inn",
"export": "Flytja út",
"refresh": "Endurlesa",
"minimise": "Lágmarka",
"maximise": "Hámarka",
"mention": "Minnst á",
"submit": "Senda inn",
"send_report": "Senda kæru",
"clear": "Hreinsa"
}, },
"a11y": { "a11y": {
"user_menu": "Valmynd notandans" "user_menu": "Valmynd notandans"
@ -3364,8 +3266,8 @@
"restricted": "Takmarkað", "restricted": "Takmarkað",
"moderator": "Umsjónarmaður", "moderator": "Umsjónarmaður",
"admin": "Stjórnandi", "admin": "Stjórnandi",
"custom": "Sérsniðið (%(level)s)", "mod": "Umsjón",
"mod": "Umsjón" "custom": "Sérsniðið (%(level)s)"
}, },
"bug_reporting": { "bug_reporting": {
"introduction": "Ef þú hefur tilkynnt vandamál í gegnum GitHub, þá geta atvikaskrár hjálpað okkur við að finna ástæður vandamálanna. ", "introduction": "Ef þú hefur tilkynnt vandamál í gegnum GitHub, þá geta atvikaskrár hjálpað okkur við að finna ástæður vandamálanna. ",
@ -3388,6 +3290,110 @@
"short_seconds": "%(value)ss", "short_seconds": "%(value)ss",
"short_days_hours_minutes_seconds": "%(days)sd %(hours)sk %(minutes)sm %(seconds)ss", "short_days_hours_minutes_seconds": "%(days)sd %(hours)sk %(minutes)sm %(seconds)ss",
"short_hours_minutes_seconds": "%(hours)sk %(minutes)sm %(seconds)ss", "short_hours_minutes_seconds": "%(hours)sk %(minutes)sm %(seconds)ss",
"short_minutes_seconds": "%(minutes)sm %(seconds)ss" "short_minutes_seconds": "%(minutes)sm %(seconds)ss",
"last_week": "Síðustu viku",
"last_month": "Í síðasta mánuði"
},
"onboarding": {
"personal_messaging_title": "Örugg skilaboð fyrir vini og fjölskyldu",
"personal_messaging_action": "Byrjaðu fyrsta spjallið þitt",
"work_messaging_title": "Örugg skilaboð í vinnunni",
"work_messaging_action": "Finndu samstarfsaðilana þína",
"community_messaging_title": "Samfélagslegt eignarhald",
"community_messaging_action": "Finndu fólkið þitt",
"welcome_to_brand": "Velkomin í %(brand)s",
"only_n_steps_to_go": {
"one": "Aðeins %(count)s skref í viðbót",
"other": "Aðeins %(count)s skref í viðbót"
},
"you_did_it": "Þú kláraðir þetta!",
"complete_these": "Kláraðu þetta til að fá sem mest út úr %(brand)s"
},
"devtools": {
"event_type": "Tegund atburðar",
"state_key": "Stöðulykill",
"invalid_json": "Þetta lítur ekki út eins og gilt JSON.",
"failed_to_send": "Mistókst að senda atburð!",
"event_sent": "Atburður sendur!",
"event_content": "Efni atburðar",
"spaces": {
"one": "<svæði>",
"other": "<%(count)s svæði>"
},
"empty_string": "<auður strengur>",
"send_custom_state_event": "Senda sérsniðinn stöðuatburð",
"failed_to_load": "Mistókst að hlaða inn.",
"client_versions": "Útgáfur biðlaraforrita",
"server_versions": "Útgáfur þjóna",
"number_of_users": "Fjöldi notenda",
"failed_to_save": "Mistókst að vista stillingar.",
"save_setting_values": "Vista gildi valkosta",
"setting_colon": "Stilling:",
"caution_colon": "Varúð:",
"use_at_own_risk": "Þetta viðmót athugar EKKI tegundir gildanna. Notist á eigin ábyrgð.",
"setting_definition": "Skilgreining stillingar:",
"level": "Stig",
"settable_global": "Stillanlegt víðvært",
"settable_room": "Stillanlegt fyrir hverja spjallrás",
"values_explicit": "Gildi á skilgreindum stigum",
"values_explicit_room": "Gildi á skilgreindum stigum í þessari spjallrás",
"edit_values": "Breyta gildum",
"value_colon": "Gildi:",
"value_this_room_colon": "Gildi á þessari spjallrás:",
"values_explicit_colon": "Gildi á skilgreindum stigum:",
"values_explicit_this_room_colon": "Gildi á skilgreindum stigum í þessari spjallrás:",
"setting_id": "Auðkenni stillingar",
"value": "Gildi",
"value_in_this_room": "Gildi á þessari spjallrás",
"edit_setting": "Breyta stillingu",
"phase_requested": "Umbeðið",
"phase_ready": "Tilbúið",
"phase_started": "Hafið",
"phase_cancelled": "Hætt við",
"phase_transaction": "Færsluaðgerð",
"phase": "Fasi",
"timeout": "Tímamörk",
"methods": "Aðferðir",
"requester": "Beiðandi",
"observe_only": "Aðeins fylgjast með",
"no_verification_requests_found": "Engar staðfestingarbeiðnir fundust",
"failed_to_find_widget": "Það kom upp villa við að finna þennan viðmótshluta."
},
"settings": {
"show_breadcrumbs": "Sýna flýtileiðir í nýskoðaðar spjallrásir fyrir ofan listann yfir spjallrásir",
"all_rooms_home_description": "Allar spjallrásir sem þú ert í munu birtast á forsíðu.",
"use_command_f_search": "Notaðu Command + F til að leita í tímalínu",
"use_control_f_search": "Notaðu Ctrl + F til að leita í tímalínu",
"use_12_hour_format": "Birta tímamerki á 12 stunda sniði (t.d. 2:30 fh)",
"always_show_message_timestamps": "Alltaf birta tímamerki skilaboða",
"send_read_receipts": "Senda leskvittanir",
"send_typing_notifications": "Senda skriftilkynningar",
"replace_plain_emoji": "Skipta sjálfkrafa út Emoji-táknum á hreinum texta",
"enable_markdown": "Virkja Markdown",
"emoji_autocomplete": "Virkja uppástungur tákna á meðan skrifað er",
"use_command_enter_send_message": "Notaðu Command + Enter til að senda skilaboð",
"use_control_enter_send_message": "Notaðu Ctrl + Enter til að senda skilaboð",
"all_rooms_home": "Sýna allar spjallrásir á forsíðu",
"show_stickers_button": "Birta límmerkjahnapp",
"insert_trailing_colon_mentions": "Setja tvípunkt á eftir þar sem minnst er á notanda í upphafi skilaboða",
"automatic_language_detection_syntax_highlight": "Virkja greiningu á forritunarmálum fyrir málskipunarlitun",
"code_block_expand_default": "Fletta sjálfgefið út textablokkum með kóða",
"code_block_line_numbers": "Sýna línunúmer í kóðablokkum",
"inline_url_previews_default": "Sjálfgefið virkja forskoðun innfelldra vefslóða",
"autoplay_gifs": "Spila GIF-myndir sjálfkrafa",
"autoplay_videos": "Spila myndskeið sjálfkrafa",
"image_thumbnails": "Birta forskoðun/smámyndir fyrir myndir",
"show_typing_notifications": "Sýna skriftilkynningar",
"show_redaction_placeholder": "Birta frátökutákn fyrir fjarlægð skilaboð",
"show_read_receipts": "Birta leskvittanir frá öðrum notendum",
"show_join_leave": "Birta taka-þátt/hætta skilaboð (hefur ekki áhrif á boð/fjarlægingu/bönn)",
"show_displayname_changes": "Sýna breytingar á birtingarnafni",
"show_chat_effects": "Sýna hreyfingar í spjalli (t.d. þegar tekið er við skrauti)",
"big_emoji": "Virkja stór tákn í spjalli",
"jump_to_bottom_on_send": "Hoppa neðst á tímalínuna þegar þú sendir skilaboð",
"prompt_invite": "Spyrja áður en boð eru send á mögulega ógild matrix-auðkenni",
"hardware_acceleration": "Virkja vélbúnaðarhröðun (endurræstu %(appName)s til að breytingar taki gildi)",
"start_automatically": "Ræsa sjálfvirkt við innskráningu í kerfi",
"warn_quit": "Aðvara áður en hætt er"
} }
} }

View file

@ -15,7 +15,6 @@
"You may need to manually permit %(brand)s to access your microphone/webcam": "Potresti dover permettere manualmente a %(brand)s di accedere al tuo microfono/webcam", "You may need to manually permit %(brand)s to access your microphone/webcam": "Potresti dover permettere manualmente a %(brand)s di accedere al tuo microfono/webcam",
"Default Device": "Dispositivo Predefinito", "Default Device": "Dispositivo Predefinito",
"Advanced": "Avanzato", "Advanced": "Avanzato",
"Always show message timestamps": "Mostra sempre l'orario dei messaggi",
"Authentication": "Autenticazione", "Authentication": "Autenticazione",
"This email address is already in use": "Questo indirizzo e-mail è già in uso", "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", "This phone number is already in use": "Questo numero di telefono è già in uso",
@ -81,7 +80,6 @@
"%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s ha rimosso il nome della stanza.", "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s ha rimosso il nome della stanza.",
"%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s ha modificato il nome della stanza in %(roomName)s.", "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s ha modificato il nome della stanza in %(roomName)s.",
"%(senderDisplayName)s sent an image.": "%(senderDisplayName)s ha inviato un'immagine.", "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s ha inviato un'immagine.",
"Someone": "Qualcuno",
"%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s ha mandato un invito a %(targetDisplayName)s per unirsi alla stanza.", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s ha mandato un invito a %(targetDisplayName)s per unirsi alla stanza.",
"%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s ha reso visibile la futura cronologia della stanza a tutti i membri della stanza, dal momento del loro invito.", "%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s ha reso visibile la futura cronologia della stanza a tutti i membri della stanza, dal momento del loro invito.",
"%(senderName)s made future room history visible to all room members, from the point they joined.": "%(senderName)s ha reso visibile la futura cronologia della stanza a tutti i membri della stanza, dal momento in cui sono entrati.", "%(senderName)s made future room history visible to all room members, from the point they joined.": "%(senderName)s ha reso visibile la futura cronologia della stanza a tutti i membri della stanza, dal momento in cui sono entrati.",
@ -100,14 +98,9 @@
"Your browser does not support the required cryptography extensions": "Il tuo browser non supporta l'estensione crittografica richiesta", "Your browser does not support the required cryptography extensions": "Il tuo browser non supporta l'estensione crittografica richiesta",
"Not a valid %(brand)s keyfile": "Non è una chiave di %(brand)s valida", "Not a valid %(brand)s keyfile": "Non è una chiave di %(brand)s valida",
"Authentication check failed: incorrect password?": "Controllo di autenticazione fallito: password sbagliata?", "Authentication check failed: incorrect password?": "Controllo di autenticazione fallito: password sbagliata?",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Mostra gli orari nel formato 12 ore (es. 2:30pm)",
"Enable automatic language detection for syntax highlighting": "Attiva la rilevazione automatica della lingua per l'evidenziazione della sintassi",
"Automatically replace plain text Emoji": "Sostituisci automaticamente le emoji testuali",
"Enable inline URL previews by default": "Attiva le anteprime URL in modo predefinito",
"Enable URL previews for this room (only affects you)": "Attiva le anteprime URL in questa stanza (riguarda solo te)", "Enable URL previews for this room (only affects you)": "Attiva le anteprime URL in questa stanza (riguarda solo te)",
"Enable URL previews by default for participants in this room": "Attiva le anteprime URL in modo predefinito per i partecipanti in questa stanza", "Enable URL previews by default for participants in this room": "Attiva le anteprime URL in modo predefinito per i partecipanti in questa stanza",
"Incorrect verification code": "Codice di verifica sbagliato", "Incorrect verification code": "Codice di verifica sbagliato",
"Submit": "Invia",
"Phone": "Telefono", "Phone": "Telefono",
"No display name": "Nessun nome visibile", "No display name": "Nessun nome visibile",
"New passwords don't match": "Le nuove password non corrispondono", "New passwords don't match": "Le nuove password non corrispondono",
@ -128,7 +121,6 @@
"Are you sure?": "Sei sicuro?", "Are you sure?": "Sei sicuro?",
"You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Non potrai annullare questa modifica dato che stai promuovendo l'utente al tuo stesso grado.", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Non potrai annullare questa modifica dato che stai promuovendo l'utente al tuo stesso grado.",
"Unignore": "Non ignorare più", "Unignore": "Non ignorare più",
"Mention": "Cita",
"and %(count)s others...": { "and %(count)s others...": {
"other": "e altri %(count)s ...", "other": "e altri %(count)s ...",
"one": "e un altro..." "one": "e un altro..."
@ -354,7 +346,6 @@
"Cryptography": "Crittografia", "Cryptography": "Crittografia",
"Check for update": "Controlla aggiornamenti", "Check for update": "Controlla aggiornamenti",
"Reject all %(invitedRooms)s invites": "Rifiuta tutti gli inviti da %(invitedRooms)s", "Reject all %(invitedRooms)s invites": "Rifiuta tutti gli inviti da %(invitedRooms)s",
"Start automatically after system login": "Esegui automaticamente all'avvio del sistema",
"No media permissions": "Nessuna autorizzazione per i media", "No media permissions": "Nessuna autorizzazione per i media",
"Email": "Email", "Email": "Email",
"Profile": "Profilo", "Profile": "Profilo",
@ -388,12 +379,10 @@
"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.": "Questa procedura ti permette di esportare in un file locale le chiavi per i messaggi che hai ricevuto nelle stanze criptate. Potrai poi importare il file in un altro client Matrix in futuro, in modo che anche quel client possa decifrare quei messaggi.", "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.": "Questa procedura ti permette di esportare in un file locale le chiavi per i messaggi che hai ricevuto nelle stanze criptate. Potrai poi importare il file in un altro client Matrix in futuro, in modo che anche quel client possa decifrare quei messaggi.",
"Enter passphrase": "Inserisci password", "Enter passphrase": "Inserisci password",
"Confirm passphrase": "Conferma password", "Confirm passphrase": "Conferma password",
"Export": "Esporta",
"Import room keys": "Importa chiavi della stanza", "Import room keys": "Importa chiavi della stanza",
"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.": "Questa procedura ti permette di importare le chiavi di crittografia precedentemente esportate da un altro client Matrix. Potrai poi decifrare tutti i messaggi che quel client poteva decifrare.", "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.": "Questa procedura ti permette di importare le chiavi di crittografia precedentemente esportate da un altro client Matrix. Potrai poi decifrare tutti i messaggi che quel client poteva decifrare.",
"The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Il file esportato sarà protetto da una password. Dovresti inserire la password qui, per decifrarlo.", "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Il file esportato sarà protetto da una password. Dovresti inserire la password qui, per decifrarlo.",
"File to import": "File da importare", "File to import": "File da importare",
"Import": "Importa",
"Failed to remove tag %(tagName)s from room": "Rimozione etichetta %(tagName)s dalla stanza fallita", "Failed to remove tag %(tagName)s from room": "Rimozione etichetta %(tagName)s dalla stanza fallita",
"Failed to add tag %(tagName)s to room": "Aggiunta etichetta %(tagName)s alla stanza fallita", "Failed to add tag %(tagName)s to room": "Aggiunta etichetta %(tagName)s alla stanza fallita",
"Stickerpack": "Pacchetto adesivi", "Stickerpack": "Pacchetto adesivi",
@ -429,7 +418,6 @@
"You cannot delete this message. (%(code)s)": "Non puoi eliminare questo messaggio. (%(code)s)", "You cannot delete this message. (%(code)s)": "Non puoi eliminare questo messaggio. (%(code)s)",
"All messages": "Tutti i messaggi", "All messages": "Tutti i messaggi",
"Call invitation": "Invito ad una chiamata", "Call invitation": "Invito ad una chiamata",
"State Key": "Chiave dello stato",
"What's new?": "Cosa c'è di nuovo?", "What's new?": "Cosa c'è di nuovo?",
"When I'm invited to a room": "Quando vengo invitato/a in una stanza", "When I'm invited to a room": "Quando vengo invitato/a in una stanza",
"Invite to this room": "Invita in questa stanza", "Invite to this room": "Invita in questa stanza",
@ -442,14 +430,10 @@
"Low Priority": "Priorità bassa", "Low Priority": "Priorità bassa",
"What's New": "Novità", "What's New": "Novità",
"Off": "Spento", "Off": "Spento",
"Event Type": "Tipo di Evento",
"Thank you!": "Grazie!", "Thank you!": "Grazie!",
"Event sent!": "Evento inviato!",
"Event Content": "Contenuto dell'Evento",
"Missing roomId.": "ID stanza mancante.", "Missing roomId.": "ID stanza mancante.",
"Enable widget screenshots on supported widgets": "Attiva le schermate dei widget sui widget supportati", "Enable widget screenshots on supported widgets": "Attiva le schermate dei widget sui widget supportati",
"Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Impossibile caricare l'evento a cui si è risposto, o non esiste o non hai il permesso di visualizzarlo.", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Impossibile caricare l'evento a cui si è risposto, o non esiste o non hai il permesso di visualizzarlo.",
"Refresh": "Aggiorna",
"We encountered an error trying to restore your previous session.": "Abbiamo riscontrato un errore tentando di ripristinare la tua sessione precedente.", "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", "Send analytics data": "Invia dati statistici",
"Clear Storage and Sign Out": "Elimina l'archiviazione e disconnetti", "Clear Storage and Sign Out": "Elimina l'archiviazione e disconnetti",
@ -572,7 +556,6 @@
"Set up Secure Messages": "Imposta i messaggi sicuri", "Set up Secure Messages": "Imposta i messaggi sicuri",
"Go to Settings": "Vai alle impostazioni", "Go to Settings": "Vai alle impostazioni",
"Unrecognised address": "Indirizzo non riconosciuto", "Unrecognised address": "Indirizzo non riconosciuto",
"Prompt before sending invites to potentially invalid matrix IDs": "Chiedi prima di inviare inviti a possibili ID matrix non validi",
"The following users may not exist": "I seguenti utenti potrebbero non esistere", "The following users may not exist": "I seguenti utenti potrebbero non esistere",
"Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Impossibile trovare profili per gli ID Matrix elencati sotto - vuoi comunque invitarli?", "Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Impossibile trovare profili per gli ID Matrix elencati sotto - vuoi comunque invitarli?",
"Invite anyway and never warn me again": "Invitali lo stesso e non avvisarmi più", "Invite anyway and never warn me again": "Invitali lo stesso e non avvisarmi più",
@ -598,12 +581,6 @@
}, },
"%(names)s and %(lastPerson)s are typing …": "%(names)s e %(lastPerson)s stanno scrivendo …", "%(names)s and %(lastPerson)s are typing …": "%(names)s e %(lastPerson)s stanno scrivendo …",
"The user must be unbanned before they can be invited.": "L'utente non deve essere bandito per essere invitato.", "The user must be unbanned before they can be invited.": "L'utente non deve essere bandito per essere invitato.",
"Enable Emoji suggestions while typing": "Attiva suggerimenti Emoji durante la digitazione",
"Show a placeholder for removed messages": "Mostra un segnaposto per i messaggi rimossi",
"Show display name changes": "Mostra i cambi di nomi visualizzati",
"Show read receipts sent by other users": "Mostra ricevute di lettura inviate da altri utenti",
"Enable big emoji in chat": "Attiva gli emoji grandi in chat",
"Send typing notifications": "Invia notifiche di scrittura",
"Messages containing my username": "Messaggi contenenti il mio nome utente", "Messages containing my username": "Messaggi contenenti il mio nome utente",
"The other party cancelled the verification.": "L'altra parte ha annullato la verifica.", "The other party cancelled the verification.": "L'altra parte ha annullato la verifica.",
"Verified!": "Verificato!", "Verified!": "Verificato!",
@ -733,7 +710,6 @@
"Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Le modifiche a chi può leggere la cronologia si applicheranno solo ai messaggi futuri in questa stanza. La visibilità della cronologia esistente rimarrà invariata.", "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Le modifiche a chi può leggere la cronologia si applicheranno solo ai messaggi futuri in questa stanza. La visibilità della cronologia esistente rimarrà invariata.",
"Encryption": "Crittografia", "Encryption": "Crittografia",
"Once enabled, encryption cannot be disabled.": "Una volta attivata, la crittografia non può essere disattivata.", "Once enabled, encryption cannot be disabled.": "Una volta attivata, la crittografia non può essere disattivata.",
"Encrypted": "Cifrato",
"Error updating main address": "Errore di aggiornamento indirizzo principale", "Error updating main address": "Errore di aggiornamento indirizzo principale",
"There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Si è verificato un errore aggiornando l'indirizzo principale della stanza. Potrebbe non essere permesso dal server o un problema temporaneo.", "There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Si è verificato un errore aggiornando l'indirizzo principale della stanza. Potrebbe non essere permesso dal server o un problema temporaneo.",
"Main address": "Indirizzo principale", "Main address": "Indirizzo principale",
@ -982,9 +958,7 @@
"Please fill why you're reporting.": "Inserisci il motivo della segnalazione.", "Please fill why you're reporting.": "Inserisci il motivo della segnalazione.",
"Report Content to Your Homeserver Administrator": "Segnala il contenuto all'amministratore dell'homeserver", "Report Content to Your Homeserver Administrator": "Segnala il contenuto all'amministratore dell'homeserver",
"Reporting this message will send its unique 'event ID' to the administrator of your homeserver. If messages in this room are encrypted, your homeserver administrator will not be able to read the message text or view any files or images.": "La segnalazione di questo messaggio invierà il suo 'ID evento' univoco all'amministratore del tuo homeserver. Se i messaggi della stanza sono cifrati, l'amministratore non potrà leggere il messaggio o vedere file e immagini.", "Reporting this message will send its unique 'event ID' to the administrator of your homeserver. If messages in this room are encrypted, your homeserver administrator will not be able to read the message text or view any files or images.": "La segnalazione di questo messaggio invierà il suo 'ID evento' univoco all'amministratore del tuo homeserver. Se i messaggi della stanza sono cifrati, l'amministratore non potrà leggere il messaggio o vedere file e immagini.",
"Send report": "Invia segnalazione",
"Explore rooms": "Esplora stanze", "Explore rooms": "Esplora stanze",
"Show previews/thumbnails for images": "Mostra anteprime/miniature per le immagini",
"Clear cache and reload": "Svuota la cache e ricarica", "Clear cache and reload": "Svuota la cache e ricarica",
"%(count)s unread messages including mentions.": { "%(count)s unread messages including mentions.": {
"other": "%(count)s messaggi non letti incluse le citazioni.", "other": "%(count)s messaggi non letti incluse le citazioni.",
@ -1073,8 +1047,6 @@
"%(name)s cancelled": "%(name)s ha annullato", "%(name)s cancelled": "%(name)s ha annullato",
"%(name)s wants to verify": "%(name)s vuole verificare", "%(name)s wants to verify": "%(name)s vuole verificare",
"You sent a verification request": "Hai inviato una richiesta di verifica", "You sent a verification request": "Hai inviato una richiesta di verifica",
"Trusted": "Fidato",
"Not trusted": "Non fidato",
"Messages in this room are end-to-end encrypted.": "I messaggi in questa stanza sono cifrati end-to-end.", "Messages in this room are end-to-end encrypted.": "I messaggi in questa stanza sono cifrati end-to-end.",
"Any of the following data may be shared:": "Possono essere condivisi tutti i seguenti dati:", "Any of the following data may be shared:": "Possono essere condivisi tutti i seguenti dati:",
"Your display name": "Il tuo nome visualizzato", "Your display name": "Il tuo nome visualizzato",
@ -1150,7 +1122,6 @@
"Recent Conversations": "Conversazioni recenti", "Recent Conversations": "Conversazioni recenti",
"Show more": "Mostra altro", "Show more": "Mostra altro",
"Direct Messages": "Messaggi diretti", "Direct Messages": "Messaggi diretti",
"Go": "Vai",
"a few seconds ago": "pochi secondi fa", "a few seconds ago": "pochi secondi fa",
"about a minute ago": "circa un minuto fa", "about a minute ago": "circa un minuto fa",
"%(num)s minutes ago": "%(num)s minuti fa", "%(num)s minutes ago": "%(num)s minuti fa",
@ -1197,7 +1168,6 @@
"They don't match": "Non corrispondono", "They don't match": "Non corrispondono",
"This bridge was provisioned by <user />.": "Questo bridge è stato fornito da <user />.", "This bridge was provisioned by <user />.": "Questo bridge è stato fornito da <user />.",
"Show less": "Mostra meno", "Show less": "Mostra meno",
"Manage": "Gestisci",
"Securely cache encrypted messages locally for them to appear in search results.": "Tieni in cache localmente i messaggi cifrati in modo sicuro affinché appaiano nei risultati di ricerca.", "Securely cache encrypted messages locally for them to appear in search results.": "Tieni in cache localmente i messaggi cifrati in modo sicuro affinché appaiano nei risultati di ricerca.",
"%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with <nativeLink>search components added</nativeLink>.": "A %(brand)s mancano alcuni componenti richiesti per tenere in cache i messaggi cifrati in modo sicuro. Se vuoi sperimentare questa funzionalità, compila un %(brand)s Desktop personale con <nativeLink>i componenti di ricerca aggiunti</nativeLink>.", "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with <nativeLink>search components added</nativeLink>.": "A %(brand)s mancano alcuni componenti richiesti per tenere in cache i messaggi cifrati in modo sicuro. Se vuoi sperimentare questa funzionalità, compila un %(brand)s Desktop personale con <nativeLink>i componenti di ricerca aggiunti</nativeLink>.",
"Verifies a user, session, and pubkey tuple": "Verifica un utente, una sessione e una tupla pubblica", "Verifies a user, session, and pubkey tuple": "Verifica un utente, una sessione e una tupla pubblica",
@ -1267,7 +1237,6 @@
"Message downloading sleep time(ms)": "Tempo di attesa scaricamento messaggi (ms)", "Message downloading sleep time(ms)": "Tempo di attesa scaricamento messaggi (ms)",
"Cancel entering passphrase?": "Annullare l'inserimento della password?", "Cancel entering passphrase?": "Annullare l'inserimento della password?",
"Indexed rooms:": "Stanze indicizzate:", "Indexed rooms:": "Stanze indicizzate:",
"Show typing notifications": "Mostra notifiche di scrittura",
"Scan this unique code": "Scansiona questo codice univoco", "Scan this unique code": "Scansiona questo codice univoco",
"Compare unique emoji": "Confronta emoji univoci", "Compare unique emoji": "Confronta emoji univoci",
"Compare a unique set of emoji if you don't have a camera on either device": "Confrontate un set di emoji univoci se non avete una fotocamera sui dispositivi", "Compare a unique set of emoji if you don't have a camera on either device": "Confrontate un set di emoji univoci se non avete una fotocamera sui dispositivi",
@ -1287,7 +1256,6 @@
"Use your account or create a new one to continue.": "Usa il tuo account o creane uno nuovo per continuare.", "Use your account or create a new one to continue.": "Usa il tuo account o creane uno nuovo per continuare.",
"Create Account": "Crea account", "Create Account": "Crea account",
"Displays information about a user": "Mostra le informazioni di un utente", "Displays information about a user": "Mostra le informazioni di un utente",
"Show shortcuts to recently viewed rooms above the room list": "Mostra scorciatoie per le stanze viste di recente sopra l'elenco stanze",
"Cancelling…": "Annullamento…", "Cancelling…": "Annullamento…",
"To report a Matrix-related security issue, please read the Matrix.org <a>Security Disclosure Policy</a>.": "Per segnalare un problema di sicurezza relativo a Matrix, leggi la <a>Politica di divulgazione della sicurezza</a> di Matrix.org .", "To report a Matrix-related security issue, please read the Matrix.org <a>Security Disclosure Policy</a>.": "Per segnalare un problema di sicurezza relativo a Matrix, leggi la <a>Politica di divulgazione della sicurezza</a> di Matrix.org .",
"Mark all as read": "Segna tutto come letto", "Mark all as read": "Segna tutto come letto",
@ -1325,7 +1293,6 @@
"Can't find this server or its room list": "Impossibile trovare questo server o l'elenco delle sue stanze", "Can't find this server or its room list": "Impossibile trovare questo server o l'elenco delle sue stanze",
"All rooms": "Tutte le stanze", "All rooms": "Tutte le stanze",
"Your server": "Il tuo server", "Your server": "Il tuo server",
"Matrix": "Matrix",
"Add a new server": "Aggiungi un nuovo server", "Add a new server": "Aggiungi un nuovo server",
"Enter the name of a new server you want to explore.": "Inserisci il nome di un nuovo server che vuoi esplorare.", "Enter the name of a new server you want to explore.": "Inserisci il nome di un nuovo server che vuoi esplorare.",
"Server name": "Nome server", "Server name": "Nome server",
@ -1960,8 +1927,6 @@
"Return to call": "Torna alla chiamata", "Return to call": "Torna alla chiamata",
"sends confetti": "invia coriandoli", "sends confetti": "invia coriandoli",
"Sends the given message with confetti": "Invia il messaggio in questione con coriandoli", "Sends the given message with confetti": "Invia il messaggio in questione con coriandoli",
"Use Ctrl + Enter to send a message": "Usa Ctrl + Invio per inviare un messaggio",
"Use Command + Enter to send a message": "Usa Comando + Invio per inviare un messaggio",
"See <b>%(msgtype)s</b> messages posted to your active room": "Vedi messaggi <b>%(msgtype)s</b> inviati alla tua stanza attiva", "See <b>%(msgtype)s</b> messages posted to your active room": "Vedi messaggi <b>%(msgtype)s</b> inviati alla tua stanza attiva",
"See <b>%(msgtype)s</b> messages posted to this room": "Vedi messaggi <b>%(msgtype)s</b> inviati a questa stanza", "See <b>%(msgtype)s</b> messages posted to this room": "Vedi messaggi <b>%(msgtype)s</b> inviati a questa stanza",
"Send <b>%(msgtype)s</b> messages as you in your active room": "Invia messaggi <b>%(msgtype)s</b> a tuo nome nella tua stanza attiva", "Send <b>%(msgtype)s</b> messages as you in your active room": "Invia messaggi <b>%(msgtype)s</b> a tuo nome nella tua stanza attiva",
@ -2001,7 +1966,6 @@
"Transfer": "Trasferisci", "Transfer": "Trasferisci",
"Failed to transfer call": "Trasferimento chiamata fallito", "Failed to transfer call": "Trasferimento chiamata fallito",
"A call can only be transferred to a single user.": "Una chiamata può essere trasferita solo ad un singolo utente.", "A call can only be transferred to a single user.": "Una chiamata può essere trasferita solo ad un singolo utente.",
"There was an error finding this widget.": "Si è verificato un errore trovando i widget.",
"Active Widgets": "Widget attivi", "Active Widgets": "Widget attivi",
"Open dial pad": "Apri tastierino", "Open dial pad": "Apri tastierino",
"Dial pad": "Tastierino", "Dial pad": "Tastierino",
@ -2043,27 +2007,6 @@
"We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "Abbiamo chiesto al browser di ricordare quale homeserver usi per farti accedere, ma sfortunatamente l'ha dimenticato. Vai alla pagina di accesso e riprova.", "We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "Abbiamo chiesto al browser di ricordare quale homeserver usi per farti accedere, ma sfortunatamente l'ha dimenticato. Vai alla pagina di accesso e riprova.",
"We couldn't log you in": "Non abbiamo potuto farti accedere", "We couldn't log you in": "Non abbiamo potuto farti accedere",
"Recently visited rooms": "Stanze visitate di recente", "Recently visited rooms": "Stanze visitate di recente",
"Show line numbers in code blocks": "Mostra numeri di riga nei blocchi di codice",
"Expand code blocks by default": "Espandi blocchi di codice in modo predefinito",
"Show stickers button": "Mostra pulsante adesivi",
"Values at explicit levels in this room:": "Valori a livelli espliciti in questa stanza:",
"Values at explicit levels:": "Valori a livelli espliciti:",
"Value in this room:": "Valore in questa stanza:",
"Value:": "Valore:",
"Save setting values": "Salva valori impostazione",
"Values at explicit levels in this room": "Valori a livelli espliciti in questa stanza",
"Values at explicit levels": "Valori a livelli espliciti",
"Settable at room": "Impostabile per stanza",
"Settable at global": "Impostabile globalmente",
"Level": "Livello",
"Setting definition:": "Definizione impostazione:",
"This UI does NOT check the types of the values. Use at your own risk.": "Questa interfaccia NON controlla i tipi dei valori. Usa a tuo rischio.",
"Caution:": "Attenzione:",
"Setting:": "Impostazione:",
"Value in this room": "Valore in questa stanza",
"Value": "Valore",
"Setting ID": "ID impostazione",
"Show chat effects (animations when receiving e.g. confetti)": "Mostra effetti chat (animazioni quando si ricevono ad es. coriandoli)",
"Original event source": "Sorgente dell'evento originale", "Original event source": "Sorgente dell'evento originale",
"Decrypted event source": "Sorgente dell'evento decifrato", "Decrypted event source": "Sorgente dell'evento decifrato",
"Invite by username": "Invita per nome utente", "Invite by username": "Invita per nome utente",
@ -2116,7 +2059,6 @@
"Invite only, best for yourself or teams": "Solo su invito, la scelta migliore per te o i team", "Invite only, best for yourself or teams": "Solo su invito, la scelta migliore per te o i team",
"Open space for anyone, best for communities": "Spazio aperto a tutti, la scelta migliore per le comunità", "Open space for anyone, best for communities": "Spazio aperto a tutti, la scelta migliore per le comunità",
"Create a space": "Crea uno spazio", "Create a space": "Crea uno spazio",
"Jump to the bottom of the timeline when you send a message": "Salta in fondo alla linea temporale quando invii un messaggio",
"This homeserver has been blocked by its administrator.": "Questo homeserver è stato bloccato dal suo amministratore.", "This homeserver has been blocked by its administrator.": "Questo homeserver è stato bloccato dal suo amministratore.",
"You're already in a call with this person.": "Sei già in una chiamata con questa persona.", "You're already in a call with this person.": "Sei già in una chiamata con questa persona.",
"Already in call": "Già in una chiamata", "Already in call": "Già in una chiamata",
@ -2160,7 +2102,6 @@
"one": "%(count)s persona che conosci è già entrata" "one": "%(count)s persona che conosci è già entrata"
}, },
"Add existing rooms": "Aggiungi stanze esistenti", "Add existing rooms": "Aggiungi stanze esistenti",
"Warn before quitting": "Avvisa prima di uscire",
"Invited people will be able to read old messages.": "Le persone invitate potranno leggere i vecchi messaggi.", "Invited people will be able to read old messages.": "Le persone invitate potranno leggere i vecchi messaggi.",
"You most likely do not want to reset your event index store": "Probabilmente non hai bisogno di reinizializzare il tuo archivio indice degli eventi", "You most likely do not want to reset your event index store": "Probabilmente non hai bisogno di reinizializzare il tuo archivio indice degli eventi",
"Avatar": "Avatar", "Avatar": "Avatar",
@ -2265,7 +2206,6 @@
"e.g. my-space": "es. mio-spazio", "e.g. my-space": "es. mio-spazio",
"Silence call": "Silenzia la chiamata", "Silence call": "Silenzia la chiamata",
"Sound on": "Audio attivo", "Sound on": "Audio attivo",
"Show all rooms in Home": "Mostra tutte le stanze nella pagina principale",
"%(senderName)s changed the <a>pinned messages</a> for the room.": "%(senderName)s ha cambiato i <a>messaggi ancorati</a> della stanza.", "%(senderName)s changed the <a>pinned messages</a> for the room.": "%(senderName)s ha cambiato i <a>messaggi ancorati</a> della stanza.",
"%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s ha revocato l'invito per %(targetName)s", "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s ha revocato l'invito per %(targetName)s",
"%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s ha revocato l'invito per %(targetName)s: %(reason)s", "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s ha revocato l'invito per %(targetName)s: %(reason)s",
@ -2343,8 +2283,6 @@
"An error occurred whilst saving your notification preferences.": "Si è verificato un errore durante il salvataggio delle tue preferenze di notifica.", "An error occurred whilst saving your notification preferences.": "Si è verificato un errore durante il salvataggio delle tue preferenze di notifica.",
"Error saving notification preferences": "Errore nel salvataggio delle preferenze di notifica", "Error saving notification preferences": "Errore nel salvataggio delle preferenze di notifica",
"Messages containing keywords": "Messaggi contenenti parole chiave", "Messages containing keywords": "Messaggi contenenti parole chiave",
"Use Ctrl + F to search timeline": "Usa Ctrl + F per cercare nella linea temporale",
"Use Command + F to search timeline": "Usa Comando + F per cercare nella linea temporale",
"Transfer Failed": "Trasferimento fallito", "Transfer Failed": "Trasferimento fallito",
"Unable to transfer call": "Impossibile trasferire la chiamata", "Unable to transfer call": "Impossibile trasferire la chiamata",
"Error downloading audio": "Errore di scaricamento dell'audio", "Error downloading audio": "Errore di scaricamento dell'audio",
@ -2422,7 +2360,6 @@
"Your camera is turned off": "La tua fotocamera è spenta", "Your camera is turned off": "La tua fotocamera è spenta",
"%(sharerName)s is presenting": "%(sharerName)s sta presentando", "%(sharerName)s is presenting": "%(sharerName)s sta presentando",
"You are presenting": "Stai presentando", "You are presenting": "Stai presentando",
"All rooms you're in will appear in Home.": "Tutte le stanze in cui sei appariranno nella pagina principale.",
"Decrypting": "Decifrazione", "Decrypting": "Decifrazione",
"Missed call": "Chiamata persa", "Missed call": "Chiamata persa",
"Call declined": "Chiamata rifiutata", "Call declined": "Chiamata rifiutata",
@ -2454,8 +2391,6 @@
"Are you sure you want to add encryption to this public room?": "Vuoi veramente aggiungere la crittografia a questa stanza pubblica?", "Are you sure you want to add encryption to this public room?": "Vuoi veramente aggiungere la crittografia a questa stanza pubblica?",
"The above, but in any room you are joined or invited to as well": "Quanto sopra, ma anche in qualsiasi stanza tu sia entrato/a o invitato/a", "The above, but in any room you are joined or invited to as well": "Quanto sopra, ma anche in qualsiasi stanza tu sia entrato/a o invitato/a",
"The above, but in <Room /> as well": "Quanto sopra, ma anche in <Room />", "The above, but in <Room /> as well": "Quanto sopra, ma anche in <Room />",
"Autoplay videos": "Auto-riproduci i video",
"Autoplay GIFs": "Auto-riproduci le GIF",
"%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s ha tolto un messaggio ancorato da questa stanza. Vedi tutti i messaggi ancorati.", "%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s ha tolto un messaggio ancorato da questa stanza. Vedi tutti i messaggi ancorati.",
"%(senderName)s unpinned <a>a message</a> from this room. See all <b>pinned messages</b>.": "%(senderName)s ha tolto un <a>messaggio ancorato</a> da questa stanza. Vedi tutti i <b>messaggi ancorati</b>.", "%(senderName)s unpinned <a>a message</a> from this room. See all <b>pinned messages</b>.": "%(senderName)s ha tolto un <a>messaggio ancorato</a> da questa stanza. Vedi tutti i <b>messaggi ancorati</b>.",
"%(senderName)s pinned a message to this room. See all pinned messages.": "%(senderName)s ha ancorato un messaggio a questa stanza. Vedi tutti i messaggi ancorati.", "%(senderName)s pinned a message to this room. See all pinned messages.": "%(senderName)s ha ancorato un messaggio a questa stanza. Vedi tutti i messaggi ancorati.",
@ -2660,7 +2595,6 @@
"Spaces you know that contain this space": "Spazi di cui sai che contengono questo spazio", "Spaces you know that contain this space": "Spazi di cui sai che contengono questo spazio",
"Pin to sidebar": "Fissa nella barra laterale", "Pin to sidebar": "Fissa nella barra laterale",
"Quick settings": "Impostazioni rapide", "Quick settings": "Impostazioni rapide",
"Clear": "Svuota",
"You may contact me if you want to follow up or to let me test out upcoming ideas": "Potete contattarmi se volete rispondermi o per farmi provare nuove idee in arrivo", "You may contact me if you want to follow up or to let me test out upcoming ideas": "Potete contattarmi se volete rispondermi o per farmi provare nuove idee in arrivo",
"Chat": "Chat", "Chat": "Chat",
"Home options": "Opzioni pagina iniziale", "Home options": "Opzioni pagina iniziale",
@ -2750,7 +2684,6 @@
"Verify this device": "Verifica questo dispositivo", "Verify this device": "Verifica questo dispositivo",
"Unable to verify this device": "Impossibile verificare questo dispositivo", "Unable to verify this device": "Impossibile verificare questo dispositivo",
"Verify other device": "Verifica altro dispositivo", "Verify other device": "Verifica altro dispositivo",
"Edit setting": "Modifica impostazione",
"Expand map": "Espandi mappa", "Expand map": "Espandi mappa",
"You cancelled verification on your other device.": "Hai annullato la verifica nell'altro dispositivo.", "You cancelled verification on your other device.": "Hai annullato la verifica nell'altro dispositivo.",
"Almost there! Is your other device showing the same shield?": "Quasi fatto! L'altro dispositivo sta mostrando lo stesso scudo?", "Almost there! Is your other device showing the same shield?": "Quasi fatto! L'altro dispositivo sta mostrando lo stesso scudo?",
@ -2796,7 +2729,6 @@
"You were removed from %(roomName)s by %(memberName)s": "Sei stato rimosso da %(roomName)s da %(memberName)s", "You were removed from %(roomName)s by %(memberName)s": "Sei stato rimosso da %(roomName)s da %(memberName)s",
"Remove users": "Rimuovi utenti", "Remove users": "Rimuovi utenti",
"Keyboard": "Tastiera", "Keyboard": "Tastiera",
"Show join/leave messages (invites/removes/bans unaffected)": "Mostra messaggi di entrata/uscita (non influenza inviti/rimozioni/ban)",
"Remove, ban, or invite people to your active room, and make you leave": "Buttare fuori, bandire o invitare persone nella tua stanza attiva e farti uscire", "Remove, ban, or invite people to your active room, and make you leave": "Buttare fuori, bandire o invitare persone nella tua stanza attiva e farti uscire",
"Remove, ban, or invite people to this room, and make you leave": "Buttare fuori, bandire o invitare persone in questa stanza e farti uscire", "Remove, ban, or invite people to this room, and make you leave": "Buttare fuori, bandire o invitare persone in questa stanza e farti uscire",
"%(senderName)s removed %(targetName)s": "%(senderName)s ha rimosso %(targetName)s", "%(senderName)s removed %(targetName)s": "%(senderName)s ha rimosso %(targetName)s",
@ -2845,8 +2777,6 @@
"Pick a date to jump to": "Scegli una data in cui saltare", "Pick a date to jump to": "Scegli una data in cui saltare",
"Jump to date": "Salta alla data", "Jump to date": "Salta alla data",
"The beginning of the room": "L'inizio della stanza", "The beginning of the room": "L'inizio della stanza",
"Last month": "Ultimo mese",
"Last week": "Ultima settimana",
"If you know what you're doing, Element is open-source, be sure to check out our GitHub (https://github.com/vector-im/element-web/) and contribute!": "Se sai quello che stai facendo, Element è open source, assicurati di controllare il nostro GitHub (https://github.com/vector-im/element-web/) e contribuisci!", "If you know what you're doing, Element is open-source, be sure to check out our GitHub (https://github.com/vector-im/element-web/) and contribute!": "Se sai quello che stai facendo, Element è open source, assicurati di controllare il nostro GitHub (https://github.com/vector-im/element-web/) e contribuisci!",
"If someone told you to copy/paste something here, there is a high likelihood you're being scammed!": "Se qualcuno ti ha detto di copiare/incollare qualcosa qui, è molto probabile che ti stia truffando!", "If someone told you to copy/paste something here, there is a high likelihood you're being scammed!": "Se qualcuno ti ha detto di copiare/incollare qualcosa qui, è molto probabile che ti stia truffando!",
"Wait!": "Aspetta!", "Wait!": "Aspetta!",
@ -2877,13 +2807,7 @@
"one": "%(severalUsers)shanno rimosso un messaggio", "one": "%(severalUsers)shanno rimosso un messaggio",
"other": "%(severalUsers)shanno rimosso %(count)s messaggi" "other": "%(severalUsers)shanno rimosso %(count)s messaggi"
}, },
"Maximise": "Espandi",
"Automatically send debug logs when key backup is not functioning": "Invia automaticamente log di debug quando il backup delle chiavi non funziona", "Automatically send debug logs when key backup is not functioning": "Invia automaticamente log di debug quando il backup delle chiavi non funziona",
"<empty string>": "<stringa vuota>",
"<%(count)s spaces>": {
"one": "<spazio>",
"other": "<%(count)s spazi>"
},
"Join %(roomAddress)s": "Entra in %(roomAddress)s", "Join %(roomAddress)s": "Entra in %(roomAddress)s",
"Edit poll": "Modifica sondaggio", "Edit poll": "Modifica sondaggio",
"Sorry, you can't edit a poll after votes have been cast.": "Spiacenti, non puoi modificare un sondaggio dopo che sono stati inviati voti.", "Sorry, you can't edit a poll after votes have been cast.": "Spiacenti, non puoi modificare un sondaggio dopo che sono stati inviati voti.",
@ -2897,7 +2821,6 @@
"Open thread": "Apri conversazione", "Open thread": "Apri conversazione",
"Open user settings": "Apri impostazioni utente", "Open user settings": "Apri impostazioni utente",
"Switch to space by number": "Passa allo spazio per numero", "Switch to space by number": "Passa allo spazio per numero",
"Accessibility": "Accessibilità",
"Search Dialog": "Finestra di ricerca", "Search Dialog": "Finestra di ricerca",
"Export Cancelled": "Esportazione annullata", "Export Cancelled": "Esportazione annullata",
"What location type do you want to share?": "Che tipo di posizione vuoi condividere?", "What location type do you want to share?": "Che tipo di posizione vuoi condividere?",
@ -2920,7 +2843,6 @@
"one": "%(severalUsers)shanno cambiato i <a>messaggi ancorati</a> della stanza", "one": "%(severalUsers)shanno cambiato i <a>messaggi ancorati</a> della stanza",
"other": "%(severalUsers)shanno cambiato i <a>messaggi ancorati</a> della stanza %(count)s volte" "other": "%(severalUsers)shanno cambiato i <a>messaggi ancorati</a> della stanza %(count)s volte"
}, },
"Insert a trailing colon after user mentions at the start of a message": "Inserisci dei due punti dopo le citazioni degli utenti all'inizio di un messaggio",
"Show polls button": "Mostra pulsante sondaggi", "Show polls button": "Mostra pulsante sondaggi",
"We'll create rooms for each of them.": "Creeremo stanze per ognuno di essi.", "We'll create rooms for each of them.": "Creeremo stanze per ognuno di essi.",
"Click to drop a pin": "Clicca per lasciare una puntina", "Click to drop a pin": "Clicca per lasciare una puntina",
@ -2955,31 +2877,7 @@
"Next recently visited room or space": "Successiva stanza o spazio visitati di recente", "Next recently visited room or space": "Successiva stanza o spazio visitati di recente",
"Previous recently visited room or space": "Precedente stanza o spazio visitati di recente", "Previous recently visited room or space": "Precedente stanza o spazio visitati di recente",
"Event ID: %(eventId)s": "ID evento: %(eventId)s", "Event ID: %(eventId)s": "ID evento: %(eventId)s",
"No verification requests found": "Nessuna richiesta di verifica trovata",
"Observe only": "Osserva solo",
"Requester": "Richiedente",
"Methods": "Metodi",
"Timeout": "Scadenza",
"Phase": "Fase",
"Transaction": "Transazione",
"Cancelled": "Annullato",
"Started": "Iniziato",
"Ready": "Pronto",
"Requested": "Richiesto",
"Unsent": "Non inviato", "Unsent": "Non inviato",
"Edit values": "Modifica valori",
"Failed to save settings.": "Salvataggio impostazioni fallito.",
"Number of users": "Numero di utenti",
"Server": "Server",
"Server Versions": "Versioni server",
"Client Versions": "Versioni client",
"Failed to load.": "Caricamento fallito.",
"Capabilities": "Capacità",
"Send custom state event": "Invia evento di stato personalizzato",
"Failed to send event!": "Invio dell'evento fallito!",
"Doesn't look like valid JSON.": "Non sembra essere un JSON valido.",
"Send custom room account data event": "Invia evento dati di account della stanza personalizzato",
"Send custom account data event": "Invia evento dati di account personalizzato",
"Room ID: %(roomId)s": "ID stanza: %(roomId)s", "Room ID: %(roomId)s": "ID stanza: %(roomId)s",
"Server info": "Info server", "Server info": "Info server",
"Settings explorer": "Esploratore di impostazioni", "Settings explorer": "Esploratore di impostazioni",
@ -3060,7 +2958,6 @@
}, },
"sends hearts": "invia cuori", "sends hearts": "invia cuori",
"Sends the given message with hearts": "Invia il messaggio con cuori", "Sends the given message with hearts": "Invia il messaggio con cuori",
"Enable Markdown": "Attiva markdown",
"Jump to the given date in the timeline": "Salta alla data scelta nella linea temporale", "Jump to the given date in the timeline": "Salta alla data scelta nella linea temporale",
"Updated %(humanizedUpdateTime)s": "Aggiornato %(humanizedUpdateTime)s", "Updated %(humanizedUpdateTime)s": "Aggiornato %(humanizedUpdateTime)s",
"Hide my messages from new joiners": "Nascondi i miei messaggi ai nuovi membri", "Hide my messages from new joiners": "Nascondi i miei messaggi ai nuovi membri",
@ -3121,13 +3018,11 @@
"Check if you want to hide all current and future messages from this user.": "Seleziona se vuoi nascondere tutti i messaggi attuali e futuri di questo utente.", "Check if you want to hide all current and future messages from this user.": "Seleziona se vuoi nascondere tutti i messaggi attuali e futuri di questo utente.",
"Ignore user": "Ignora utente", "Ignore user": "Ignora utente",
"Read receipts": "Ricevuta di lettura", "Read receipts": "Ricevuta di lettura",
"Enable hardware acceleration (restart %(appName)s to take effect)": "Attiva accelerazione hardware (riavvia %(appName)s per applicare)",
"Failed to set direct message tag": "Impostazione etichetta chat diretta fallita", "Failed to set direct message tag": "Impostazione etichetta chat diretta fallita",
"You were disconnected from the call. (Error: %(message)s)": "Sei stato disconnesso dalla chiamata. (Errore: %(message)s)", "You were disconnected from the call. (Error: %(message)s)": "Sei stato disconnesso dalla chiamata. (Errore: %(message)s)",
"Connection lost": "Connessione persa", "Connection lost": "Connessione persa",
"Deactivating your account is a permanent action — be careful!": "La disattivazione dell'account è permanente - attenzione!", "Deactivating your account is a permanent action — be careful!": "La disattivazione dell'account è permanente - attenzione!",
"Un-maximise": "Demassimizza", "Un-maximise": "Demassimizza",
"Minimise": "Riduci",
"Some results may be hidden": "Alcuni risultati potrebbero essere nascosti", "Some results may be hidden": "Alcuni risultati potrebbero essere nascosti",
"Copy invite link": "Copia collegamento di invito", "Copy invite link": "Copia collegamento di invito",
"If you can't see who you're looking for, send them your invite link.": "Se non vedi chi stai cercando, mandagli il tuo collegamento di invito.", "If you can't see who you're looking for, send them your invite link.": "Se non vedi chi stai cercando, mandagli il tuo collegamento di invito.",
@ -3185,21 +3080,6 @@
"Saved Items": "Elementi salvati", "Saved Items": "Elementi salvati",
"Choose a locale": "Scegli una lingua", "Choose a locale": "Scegli una lingua",
"Spell check": "Controllo ortografico", "Spell check": "Controllo ortografico",
"Complete these to get the most out of %(brand)s": "Completa questi per ottenere il meglio da %(brand)s",
"You did it!": "Ce l'hai fatta!",
"Only %(count)s steps to go": {
"one": "Solo %(count)s passo per iniziare",
"other": "Solo %(count)s passi per iniziare"
},
"Welcome to %(brand)s": "Benvenuti in %(brand)s",
"Find your people": "Trova la tua gente",
"Keep ownership and control of community discussion.\nScale to support millions, with powerful moderation and interoperability.": "Mantieni il possesso e il controllo delle discussioni nella comunità.\nScalabile per supportarne milioni, con solida moderazione e interoperabilità.",
"Community ownership": "Possesso della comunità",
"Find your co-workers": "Trova i tuoi colleghi",
"Secure messaging for work": "Messaggi sicuri per il lavoro",
"Start your first chat": "Inizia la prima conversazione",
"With free end-to-end encrypted messaging, and unlimited voice and video calls, %(brand)s is a great way to stay in touch.": "Con messaggi gratis cifrati end-to-end e chiamate voce e video illimitate, %(brand)s è un ottimo modo per restare in contatto.",
"Secure messaging for friends and family": "Messaggi sicuri per amici e famiglia",
"Enable notifications": "Attiva le notifiche", "Enable notifications": "Attiva le notifiche",
"Dont miss a reply or important message": "Non perderti una risposta o un messaggio importante", "Dont miss a reply or important message": "Non perderti una risposta o un messaggio importante",
"Turn on notifications": "Attiva le notifiche", "Turn on notifications": "Attiva le notifiche",
@ -3219,9 +3099,7 @@
"App Store® and the Apple logo® are trademarks of Apple Inc.": "App Store® e il logo Apple® sono marchi registrati di Apple Inc.", "App Store® and the Apple logo® are trademarks of Apple Inc.": "App Store® e il logo Apple® sono marchi registrati di Apple Inc.",
"Get it on F-Droid": "Ottienilo su F-Droid", "Get it on F-Droid": "Ottienilo su F-Droid",
"Get it on Google Play": "Ottienilo su Google Play", "Get it on Google Play": "Ottienilo su Google Play",
"Android": "Android",
"Download on the App Store": "Scarica dall'App Store", "Download on the App Store": "Scarica dall'App Store",
"iOS": "iOS",
"Download %(brand)s Desktop": "Scarica %(brand)s Desktop", "Download %(brand)s Desktop": "Scarica %(brand)s Desktop",
"Download %(brand)s": "Scarica %(brand)s", "Download %(brand)s": "Scarica %(brand)s",
"We're creating a room with %(names)s": "Stiamo creando una stanza con %(names)s", "We're creating a room with %(names)s": "Stiamo creando una stanza con %(names)s",
@ -3230,13 +3108,9 @@
"Sessions": "Sessioni", "Sessions": "Sessioni",
"Your server doesn't support disabling sending read receipts.": "Il tuo server non supporta la disattivazione delle conferme di lettura.", "Your server doesn't support disabling sending read receipts.": "Il tuo server non supporta la disattivazione delle conferme di lettura.",
"Share your activity and status with others.": "Condividi la tua attività e lo stato con gli altri.", "Share your activity and status with others.": "Condividi la tua attività e lo stato con gli altri.",
"Send read receipts": "Invia le conferme di lettura",
"Unverified": "Non verificato",
"Verified": "Verificato",
"Inactive for %(inactiveAgeDays)s+ days": "Inattivo da %(inactiveAgeDays)s+ giorni", "Inactive for %(inactiveAgeDays)s+ days": "Inattivo da %(inactiveAgeDays)s+ giorni",
"Session details": "Dettagli sessione", "Session details": "Dettagli sessione",
"IP address": "Indirizzo IP", "IP address": "Indirizzo IP",
"Device": "Dispositivo",
"For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Per una maggiore sicurezza, verifica le tue sessioni e disconnetti quelle che non riconosci o che non usi più.", "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Per una maggiore sicurezza, verifica le tue sessioni e disconnetti quelle che non riconosci o che non usi più.",
"Other sessions": "Altre sessioni", "Other sessions": "Altre sessioni",
"Verify or sign out from this session for best security and reliability.": "Verifica o disconnetti questa sessione per una migliore sicurezza e affidabilità.", "Verify or sign out from this session for best security and reliability.": "Verifica o disconnetti questa sessione per una migliore sicurezza e affidabilità.",
@ -3261,7 +3135,6 @@
"Unverified sessions": "Sessioni non verificate", "Unverified sessions": "Sessioni non verificate",
"For best security, sign out from any session that you don't recognize or use anymore.": "Per una maggiore sicurezza, disconnetti tutte le sessioni che non riconosci o che non usi più.", "For best security, sign out from any session that you don't recognize or use anymore.": "Per una maggiore sicurezza, disconnetti tutte le sessioni che non riconosci o che non usi più.",
"Verified sessions": "Sessioni verificate", "Verified sessions": "Sessioni verificate",
"Welcome": "Benvenuti",
"Dont miss a thing by taking %(brand)s with you": "Non perderti niente portando %(brand)s con te", "Dont miss a thing by taking %(brand)s with you": "Non perderti niente portando %(brand)s con te",
"Show shortcut to welcome checklist above the room list": "Mostra scorciatoia per l'elenco di benvenuto sopra la lista stanze", "Show shortcut to welcome checklist above the room list": "Mostra scorciatoia per l'elenco di benvenuto sopra la lista stanze",
"<b>It's not recommended to add encryption to public rooms.</b> Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.": "<b>Non è consigliabile aggiungere la crittografia alle stanze pubbliche.</b>Chiunque può trovare ed entrare in stanze pubbliche, quindi chiunque può leggere i messaggi. Non avrai alcun beneficio dalla crittografia e non potrai disattivarla in seguito. Cifrare i messaggi in una stanza pubblica renderà più lenti l'invio e la ricezione dei messaggi.", "<b>It's not recommended to add encryption to public rooms.</b> Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.": "<b>Non è consigliabile aggiungere la crittografia alle stanze pubbliche.</b>Chiunque può trovare ed entrare in stanze pubbliche, quindi chiunque può leggere i messaggi. Non avrai alcun beneficio dalla crittografia e non potrai disattivarla in seguito. Cifrare i messaggi in una stanza pubblica renderà più lenti l'invio e la ricezione dei messaggi.",
@ -3309,8 +3182,6 @@
"%(name)s started a video call": "%(name)s ha iniziato una videochiamata", "%(name)s started a video call": "%(name)s ha iniziato una videochiamata",
"Record the client name, version, and url to recognise sessions more easily in session manager": "Registra il nome, la versione e l'url del client per riconoscere le sessioni più facilmente nel gestore di sessioni", "Record the client name, version, and url to recognise sessions more easily in session manager": "Registra il nome, la versione e l'url del client per riconoscere le sessioni più facilmente nel gestore di sessioni",
"URL": "URL", "URL": "URL",
"Version": "Versione",
"Application": "Applicazione",
"Unknown session type": "Tipo di sessione sconosciuta", "Unknown session type": "Tipo di sessione sconosciuta",
"Web session": "Sessione web", "Web session": "Sessione web",
"Mobile session": "Sessione mobile", "Mobile session": "Sessione mobile",
@ -3323,7 +3194,6 @@
"Spotlight": "Riflettore", "Spotlight": "Riflettore",
"Freedom": "Libertà", "Freedom": "Libertà",
"Operating system": "Sistema operativo", "Operating system": "Sistema operativo",
"Model": "Modello",
"Fill screen": "Riempi schermo", "Fill screen": "Riempi schermo",
"Video call started": "Videochiamata iniziata", "Video call started": "Videochiamata iniziata",
"Unknown room": "Stanza sconosciuta", "Unknown room": "Stanza sconosciuta",
@ -3486,19 +3356,6 @@
"Manage account": "Gestisci account", "Manage account": "Gestisci account",
"Your account details are managed separately at <code>%(hostname)s</code>.": "I dettagli del tuo account sono gestiti separatamente su <code>%(hostname)s</code>.", "Your account details are managed separately at <code>%(hostname)s</code>.": "I dettagli del tuo account sono gestiti separatamente su <code>%(hostname)s</code>.",
"Unable to decrypt voice broadcast": "Impossibile decifrare la trasmissione vocale", "Unable to decrypt voice broadcast": "Impossibile decifrare la trasmissione vocale",
"Thread Id: ": "ID conversazione: ",
"Threads timeline": "Linea temporale conversazioni",
"Sender: ": "Mittente: ",
"Type: ": "Tipo: ",
"ID: ": "ID: ",
"Last event:": "Ultimo evento:",
"No receipt found": "Nessuna ricevuta trovata",
"User read up to: ": "L'utente ha letto fino: ",
"Dot: ": "Punto: ",
"Highlight: ": "Evidenziazione: ",
"Total: ": "Totale: ",
"Main timeline": "Linea temporale principale",
"Room status": "Stato della stanza",
"Notifications debug": "Debug notifiche", "Notifications debug": "Debug notifiche",
"unknown": "sconosciuto", "unknown": "sconosciuto",
"Red": "Rosso", "Red": "Rosso",
@ -3556,13 +3413,6 @@
"Secure Backup successful": "Backup Sicuro completato", "Secure Backup successful": "Backup Sicuro completato",
"Your keys are now being backed up from this device.": "Viene ora fatto il backup delle tue chiavi da questo dispositivo.", "Your keys are now being backed up from this device.": "Viene ora fatto il backup delle tue chiavi da questo dispositivo.",
"Loading polls": "Caricamento sondaggi", "Loading polls": "Caricamento sondaggi",
"Room is <strong>not encrypted 🚨</strong>": "La stanza <strong>non è crittografata 🚨</strong>",
"Room is <strong>encrypted ✅</strong>": "La stanza è <strong>crittografata ✅</strong>",
"Notification state is <strong>%(notificationState)s</strong>": "Lo stato di notifica è <strong>%(notificationState)s</strong>",
"Room unread status: <strong>%(status)s</strong>": "Stato \"non letto\" nella stanza: <strong>%(status)s</strong>",
"Room unread status: <strong>%(status)s</strong>, count: <strong>%(count)s</strong>": {
"other": "Stato \"non letto\" nella stanza: <strong>%(status)s</strong>, conteggio: <strong>%(count)s</strong>"
},
"Ended a poll": "Terminato un sondaggio", "Ended a poll": "Terminato un sondaggio",
"Due to decryption errors, some votes may not be counted": "A causa di errori di decifrazione, alcuni voti potrebbero non venire contati", "Due to decryption errors, some votes may not be counted": "A causa di errori di decifrazione, alcuni voti potrebbero non venire contati",
"Answered elsewhere": "Risposto altrove", "Answered elsewhere": "Risposto altrove",
@ -3570,7 +3420,6 @@
"Room directory": "Elenco delle stanze", "Room directory": "Elenco delle stanze",
"Identity server is <code>%(identityServerUrl)s</code>": "Il server d'identità è <code>%(identityServerUrl)s</code>", "Identity server is <code>%(identityServerUrl)s</code>": "Il server d'identità è <code>%(identityServerUrl)s</code>",
"Homeserver is <code>%(homeserverUrl)s</code>": "L'homeserver è <code>%(homeserverUrl)s</code>", "Homeserver is <code>%(homeserverUrl)s</code>": "L'homeserver è <code>%(homeserverUrl)s</code>",
"Show NSFW content": "Mostra contenuti per adulti",
"If you know a room address, try joining through that instead.": "Se conosci un indirizzo della stanza, prova ad entrare tramite quello.", "If you know a room address, try joining through that instead.": "Se conosci un indirizzo della stanza, prova ad entrare tramite quello.",
"You attempted to join using a room ID without providing a list of servers to join through. Room IDs are internal identifiers and cannot be used to join a room without additional information.": "Hai provato ad entrare usando un ID stanza senza fornire una lista di server attraverso cui entrare. Gli ID stanza sono identificativi interni e non possono essere usati per entrare in una stanza senza informazioni aggiuntive.", "You attempted to join using a room ID without providing a list of servers to join through. Room IDs are internal identifiers and cannot be used to join a room without additional information.": "Hai provato ad entrare usando un ID stanza senza fornire una lista di server attraverso cui entrare. Gli ID stanza sono identificativi interni e non possono essere usati per entrare in una stanza senza informazioni aggiuntive.",
"Yes, it was me": "Sì, ero io", "Yes, it was me": "Sì, ero io",
@ -3624,7 +3473,6 @@
"Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it.": "Impossibile trovare la vecchia versione della stanza (ID stanza: %(roomId)s) e non ci è stato fornito 'via_servers' per cercarla.", "Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it.": "Impossibile trovare la vecchia versione della stanza (ID stanza: %(roomId)s) e non ci è stato fornito 'via_servers' per cercarla.",
"Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it. It's possible that guessing the server from the room ID will work. If you want to try, click this link:": "Impossibile trovare la vecchia versione della stanza (ID stanza: %(roomId)s) e non ci è stato fornito 'via_servers' per cercarla. È possibile che indovinare il server dall'ID della stanza possa funzionare. Se vuoi provare, clicca questo link:", "Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it. It's possible that guessing the server from the room ID will work. If you want to try, click this link:": "Impossibile trovare la vecchia versione della stanza (ID stanza: %(roomId)s) e non ci è stato fornito 'via_servers' per cercarla. È possibile che indovinare il server dall'ID della stanza possa funzionare. Se vuoi provare, clicca questo link:",
"Formatting": "Formattazione", "Formatting": "Formattazione",
"Start messages with <code>/plain</code> to send without markdown.": "Inizia i messaggi con <code>/plain</code> per inviarli senza markdown.",
"No identity access token found": "Nessun token di accesso d'identità trovato", "No identity access token found": "Nessun token di accesso d'identità trovato",
"Identity server not set": "Server d'identità non impostato", "Identity server not set": "Server d'identità non impostato",
"The add / bind with MSISDN flow is misconfigured": "L'aggiunta / bind con il flusso MSISDN è mal configurata", "The add / bind with MSISDN flow is misconfigured": "L'aggiunta / bind con il flusso MSISDN è mal configurata",
@ -3670,9 +3518,6 @@
"Messages here are end-to-end encrypted. Verify %(displayName)s in their profile - tap on their profile picture.": "Qui i messaggi sono cifrati end-to-end. Verifica %(displayName)s nel suo profilo - tocca la sua immagine.", "Messages here are end-to-end encrypted. Verify %(displayName)s in their profile - tap on their profile picture.": "Qui i messaggi sono cifrati end-to-end. Verifica %(displayName)s nel suo profilo - tocca la sua immagine.",
"Anyone can request to join, but admins or moderators need to grant access. You can change this later.": "Chiunque può chiedere di entrare, ma gli admin o i moderatori devono concedere l'accesso. Puoi cambiarlo in seguito.", "Anyone can request to join, but admins or moderators need to grant access. You can change this later.": "Chiunque può chiedere di entrare, ma gli admin o i moderatori devono concedere l'accesso. Puoi cambiarlo in seguito.",
"Thread Root ID: %(threadRootId)s": "ID root del thread: %(threadRootId)s", "Thread Root ID: %(threadRootId)s": "ID root del thread: %(threadRootId)s",
"User read up to (ignoreSynthetic): ": "L'utente ha letto fino a (ignoreSynthetic): ",
"User read up to (m.read.private): ": "L'utente ha letto fino a (m.read.private): ",
"See history": "Vedi cronologia",
"This homeserver doesn't offer any login flows that are supported by this client.": "Questo homeserver non offre alcuna procedura di accesso supportata da questo client.", "This homeserver doesn't offer any login flows that are supported by this client.": "Questo homeserver non offre alcuna procedura di accesso supportata da questo client.",
"Something went wrong.": "Qualcosa è andato storto.", "Something went wrong.": "Qualcosa è andato storto.",
"Changes your profile picture in this current room only": "Cambia la tua immagine del profilo solo nella stanza attuale", "Changes your profile picture in this current room only": "Cambia la tua immagine del profilo solo nella stanza attuale",
@ -3682,7 +3527,6 @@
"Next group of messages": "Gruppo di messaggi successivo", "Next group of messages": "Gruppo di messaggi successivo",
"Exported Data": "Dati esportati", "Exported Data": "Dati esportati",
"Notification Settings": "Impostazioni di notifica", "Notification Settings": "Impostazioni di notifica",
"Show current profile picture and name for users in message history": "Mostra immagine del profilo e nomi attuali degli utenti nella cronologia dei messaggi",
"Email Notifications": "Notifiche email", "Email Notifications": "Notifiche email",
"Email summary": "Riepilogo email", "Email summary": "Riepilogo email",
"I want to be notified for (Default Setting)": "Voglio ricevere una notifica per (impostazione predefinita)", "I want to be notified for (Default Setting)": "Voglio ricevere una notifica per (impostazione predefinita)",
@ -3706,7 +3550,6 @@
"one": "%(oneUser)sha cambiato la propria immagine del profilo" "one": "%(oneUser)sha cambiato la propria immagine del profilo"
}, },
"Views room with given address": "Visualizza la stanza con l'indirizzo dato", "Views room with given address": "Visualizza la stanza con l'indirizzo dato",
"Show profile picture changes": "Mostra cambiamenti dell'immagine del profilo",
"Ask to join": "Chiedi di entrare", "Ask to join": "Chiedi di entrare",
"Select which emails you want to send summaries to. Manage your emails in <button>General</button>.": "Seleziona a quali email vuoi inviare i riepiloghi. Gestisci le email in <button>Generale</button>.", "Select which emails you want to send summaries to. Manage your emails in <button>General</button>.": "Seleziona a quali email vuoi inviare i riepiloghi. Gestisci le email in <button>Generale</button>.",
"Show message preview in desktop notification": "Mostra l'anteprima dei messaggi nelle notifiche desktop", "Show message preview in desktop notification": "Mostra l'anteprima dei messaggi nelle notifiche desktop",
@ -3716,7 +3559,6 @@
"Upgrade room": "Aggiorna stanza", "Upgrade room": "Aggiorna stanza",
"The exported file will allow anyone who can read it to decrypt any encrypted messages that you can see, so you should be careful to keep it secure. To help with this, you should enter a unique passphrase below, which will only be used to encrypt the exported data. It will only be possible to import the data by using the same passphrase.": "Il file esportato permetterà a chiunque possa leggerlo di decifrare tutti i messaggi criptati che vedi, quindi dovresti conservarlo in modo sicuro. Per aiutarti, potresti inserire una password dedicata sotto, che verrà usata per criptare i dati esportati. Sarà possibile importare i dati solo usando la stessa password.", "The exported file will allow anyone who can read it to decrypt any encrypted messages that you can see, so you should be careful to keep it secure. To help with this, you should enter a unique passphrase below, which will only be used to encrypt the exported data. It will only be possible to import the data by using the same passphrase.": "Il file esportato permetterà a chiunque possa leggerlo di decifrare tutti i messaggi criptati che vedi, quindi dovresti conservarlo in modo sicuro. Per aiutarti, potresti inserire una password dedicata sotto, che verrà usata per criptare i dati esportati. Sarà possibile importare i dati solo usando la stessa password.",
"People cannot join unless access is granted.": "Nessuno può entrare previo consenso di accesso.", "People cannot join unless access is granted.": "Nessuno può entrare previo consenso di accesso.",
"User read up to (m.read.private;ignoreSynthetic): ": "L'utente ha letto fino a (m.read.private;ignoreSynthetic): ",
"%(senderDisplayName)s changed the join rule to ask to join.": "%(senderDisplayName)s ha cambiato la regola di accesso in \"Chiedi di entrare\".", "%(senderDisplayName)s changed the join rule to ask to join.": "%(senderDisplayName)s ha cambiato la regola di accesso in \"Chiedi di entrare\".",
"You need to be granted access to this room in order to view or participate in the conversation. You can send a request to join below.": "Ti deve venire dato l'accesso alla stanza per potere vedere o partecipare alla conversazione. Puoi inviare una richiesta di accesso sotto.", "You need to be granted access to this room in order to view or participate in the conversation. You can send a request to join below.": "Ti deve venire dato l'accesso alla stanza per potere vedere o partecipare alla conversazione. Puoi inviare una richiesta di accesso sotto.",
"Ask to join %(roomName)s?": "Chiedi di entrare in %(roomName)s?", "Ask to join %(roomName)s?": "Chiedi di entrare in %(roomName)s?",
@ -3786,21 +3628,38 @@
"beta": "Beta", "beta": "Beta",
"attachment": "Allegato", "attachment": "Allegato",
"appearance": "Aspetto", "appearance": "Aspetto",
"guest": "Ospite",
"legal": "Informazioni legali",
"credits": "Crediti",
"faq": "FAQ",
"access_token": "Token di accesso",
"preferences": "Preferenze",
"presence": "Presenza",
"timeline": "Linea temporale", "timeline": "Linea temporale",
"privacy": "Privacy",
"camera": "Videocamera",
"microphone": "Microfono",
"emoji": "Emoji",
"random": "Casuale",
"support": "Supporto", "support": "Supporto",
"space": "Spazio" "space": "Spazio",
"random": "Casuale",
"privacy": "Privacy",
"presence": "Presenza",
"preferences": "Preferenze",
"microphone": "Microfono",
"legal": "Informazioni legali",
"guest": "Ospite",
"faq": "FAQ",
"emoji": "Emoji",
"credits": "Crediti",
"camera": "Videocamera",
"access_token": "Token di accesso",
"someone": "Qualcuno",
"welcome": "Benvenuti",
"encrypted": "Cifrato",
"application": "Applicazione",
"version": "Versione",
"device": "Dispositivo",
"model": "Modello",
"verified": "Verificato",
"unverified": "Non verificato",
"matrix": "Matrix",
"ios": "iOS",
"android": "Android",
"trusted": "Fidato",
"not_trusted": "Non fidato",
"accessibility": "Accessibilità",
"capabilities": "Capacità",
"server": "Server"
}, },
"action": { "action": {
"continue": "Continua", "continue": "Continua",
@ -3873,24 +3732,35 @@
"apply": "Applica", "apply": "Applica",
"add": "Aggiungi", "add": "Aggiungi",
"accept": "Accetta", "accept": "Accetta",
"disconnect": "Disconnetti",
"change": "Cambia",
"subscribe": "Iscriviti",
"unsubscribe": "Disiscriviti",
"approve": "Approva",
"deny": "Nega",
"proceed": "Procedi",
"complete": "Completa",
"revoke": "Revoca",
"rename": "Rinomina",
"view_all": "Vedi tutto", "view_all": "Vedi tutto",
"unsubscribe": "Disiscriviti",
"subscribe": "Iscriviti",
"show_all": "Mostra tutto", "show_all": "Mostra tutto",
"show": "Mostra", "show": "Mostra",
"revoke": "Revoca",
"review": "Controlla", "review": "Controlla",
"restore": "Ripristina", "restore": "Ripristina",
"rename": "Rinomina",
"register": "Registrati",
"proceed": "Procedi",
"play": "Riproduci", "play": "Riproduci",
"pause": "Pausa", "pause": "Pausa",
"register": "Registrati" "disconnect": "Disconnetti",
"deny": "Nega",
"complete": "Completa",
"change": "Cambia",
"approve": "Approva",
"manage": "Gestisci",
"go": "Vai",
"import": "Importa",
"export": "Esporta",
"refresh": "Aggiorna",
"minimise": "Riduci",
"maximise": "Espandi",
"mention": "Cita",
"submit": "Invia",
"send_report": "Invia segnalazione",
"clear": "Svuota"
}, },
"a11y": { "a11y": {
"user_menu": "Menu utente" "user_menu": "Menu utente"
@ -3978,8 +3848,8 @@
"restricted": "Limitato", "restricted": "Limitato",
"moderator": "Moderatore", "moderator": "Moderatore",
"admin": "Amministratore", "admin": "Amministratore",
"custom": "Personalizzato (%(level)s)", "mod": "Moderatore",
"mod": "Moderatore" "custom": "Personalizzato (%(level)s)"
}, },
"bug_reporting": { "bug_reporting": {
"introduction": "Se hai inviato un errore via GitHub, i log di debug possono aiutarci ad individuare il problema. ", "introduction": "Se hai inviato un errore via GitHub, i log di debug possono aiutarci ad individuare il problema. ",
@ -4004,6 +3874,142 @@
"short_seconds": "%(value)ss", "short_seconds": "%(value)ss",
"short_days_hours_minutes_seconds": "%(days)sg %(hours)so %(minutes)sm %(seconds)ss", "short_days_hours_minutes_seconds": "%(days)sg %(hours)so %(minutes)sm %(seconds)ss",
"short_hours_minutes_seconds": "%(hours)so %(minutes)sm %(seconds)ss", "short_hours_minutes_seconds": "%(hours)so %(minutes)sm %(seconds)ss",
"short_minutes_seconds": "%(minutes)sm %(seconds)ss" "short_minutes_seconds": "%(minutes)sm %(seconds)ss",
"last_week": "Ultima settimana",
"last_month": "Ultimo mese"
},
"onboarding": {
"personal_messaging_title": "Messaggi sicuri per amici e famiglia",
"free_e2ee_messaging_unlimited_voip": "Con messaggi gratis cifrati end-to-end e chiamate voce e video illimitate, %(brand)s è un ottimo modo per restare in contatto.",
"personal_messaging_action": "Inizia la prima conversazione",
"work_messaging_title": "Messaggi sicuri per il lavoro",
"work_messaging_action": "Trova i tuoi colleghi",
"community_messaging_title": "Possesso della comunità",
"community_messaging_action": "Trova la tua gente",
"welcome_to_brand": "Benvenuti in %(brand)s",
"only_n_steps_to_go": {
"one": "Solo %(count)s passo per iniziare",
"other": "Solo %(count)s passi per iniziare"
},
"you_did_it": "Ce l'hai fatta!",
"complete_these": "Completa questi per ottenere il meglio da %(brand)s",
"community_messaging_description": "Mantieni il possesso e il controllo delle discussioni nella comunità.\nScalabile per supportarne milioni, con solida moderazione e interoperabilità."
},
"devtools": {
"send_custom_account_data_event": "Invia evento dati di account personalizzato",
"send_custom_room_account_data_event": "Invia evento dati di account della stanza personalizzato",
"event_type": "Tipo di Evento",
"state_key": "Chiave dello stato",
"invalid_json": "Non sembra essere un JSON valido.",
"failed_to_send": "Invio dell'evento fallito!",
"event_sent": "Evento inviato!",
"event_content": "Contenuto dell'Evento",
"user_read_up_to": "L'utente ha letto fino: ",
"no_receipt_found": "Nessuna ricevuta trovata",
"user_read_up_to_ignore_synthetic": "L'utente ha letto fino a (ignoreSynthetic): ",
"user_read_up_to_private": "L'utente ha letto fino a (m.read.private): ",
"user_read_up_to_private_ignore_synthetic": "L'utente ha letto fino a (m.read.private;ignoreSynthetic): ",
"room_status": "Stato della stanza",
"room_unread_status_count": {
"other": "Stato \"non letto\" nella stanza: <strong>%(status)s</strong>, conteggio: <strong>%(count)s</strong>"
},
"notification_state": "Lo stato di notifica è <strong>%(notificationState)s</strong>",
"room_encrypted": "La stanza è <strong>crittografata ✅</strong>",
"room_not_encrypted": "La stanza <strong>non è crittografata 🚨</strong>",
"main_timeline": "Linea temporale principale",
"threads_timeline": "Linea temporale conversazioni",
"room_notifications_total": "Totale: ",
"room_notifications_highlight": "Evidenziazione: ",
"room_notifications_dot": "Punto: ",
"room_notifications_last_event": "Ultimo evento:",
"room_notifications_type": "Tipo: ",
"room_notifications_sender": "Mittente: ",
"room_notifications_thread_id": "ID conversazione: ",
"spaces": {
"one": "<spazio>",
"other": "<%(count)s spazi>"
},
"empty_string": "<stringa vuota>",
"room_unread_status": "Stato \"non letto\" nella stanza: <strong>%(status)s</strong>",
"id": "ID: ",
"send_custom_state_event": "Invia evento di stato personalizzato",
"see_history": "Vedi cronologia",
"failed_to_load": "Caricamento fallito.",
"client_versions": "Versioni client",
"server_versions": "Versioni server",
"number_of_users": "Numero di utenti",
"failed_to_save": "Salvataggio impostazioni fallito.",
"save_setting_values": "Salva valori impostazione",
"setting_colon": "Impostazione:",
"caution_colon": "Attenzione:",
"use_at_own_risk": "Questa interfaccia NON controlla i tipi dei valori. Usa a tuo rischio.",
"setting_definition": "Definizione impostazione:",
"level": "Livello",
"settable_global": "Impostabile globalmente",
"settable_room": "Impostabile per stanza",
"values_explicit": "Valori a livelli espliciti",
"values_explicit_room": "Valori a livelli espliciti in questa stanza",
"edit_values": "Modifica valori",
"value_colon": "Valore:",
"value_this_room_colon": "Valore in questa stanza:",
"values_explicit_colon": "Valori a livelli espliciti:",
"values_explicit_this_room_colon": "Valori a livelli espliciti in questa stanza:",
"setting_id": "ID impostazione",
"value": "Valore",
"value_in_this_room": "Valore in questa stanza",
"edit_setting": "Modifica impostazione",
"phase_requested": "Richiesto",
"phase_ready": "Pronto",
"phase_started": "Iniziato",
"phase_cancelled": "Annullato",
"phase_transaction": "Transazione",
"phase": "Fase",
"timeout": "Scadenza",
"methods": "Metodi",
"requester": "Richiedente",
"observe_only": "Osserva solo",
"no_verification_requests_found": "Nessuna richiesta di verifica trovata",
"failed_to_find_widget": "Si è verificato un errore trovando i widget."
},
"settings": {
"show_breadcrumbs": "Mostra scorciatoie per le stanze viste di recente sopra l'elenco stanze",
"all_rooms_home_description": "Tutte le stanze in cui sei appariranno nella pagina principale.",
"use_command_f_search": "Usa Comando + F per cercare nella linea temporale",
"use_control_f_search": "Usa Ctrl + F per cercare nella linea temporale",
"use_12_hour_format": "Mostra gli orari nel formato 12 ore (es. 2:30pm)",
"always_show_message_timestamps": "Mostra sempre l'orario dei messaggi",
"send_read_receipts": "Invia le conferme di lettura",
"send_typing_notifications": "Invia notifiche di scrittura",
"replace_plain_emoji": "Sostituisci automaticamente le emoji testuali",
"enable_markdown": "Attiva markdown",
"emoji_autocomplete": "Attiva suggerimenti Emoji durante la digitazione",
"use_command_enter_send_message": "Usa Comando + Invio per inviare un messaggio",
"use_control_enter_send_message": "Usa Ctrl + Invio per inviare un messaggio",
"all_rooms_home": "Mostra tutte le stanze nella pagina principale",
"enable_markdown_description": "Inizia i messaggi con <code>/plain</code> per inviarli senza markdown.",
"show_stickers_button": "Mostra pulsante adesivi",
"insert_trailing_colon_mentions": "Inserisci dei due punti dopo le citazioni degli utenti all'inizio di un messaggio",
"automatic_language_detection_syntax_highlight": "Attiva la rilevazione automatica della lingua per l'evidenziazione della sintassi",
"code_block_expand_default": "Espandi blocchi di codice in modo predefinito",
"code_block_line_numbers": "Mostra numeri di riga nei blocchi di codice",
"inline_url_previews_default": "Attiva le anteprime URL in modo predefinito",
"autoplay_gifs": "Auto-riproduci le GIF",
"autoplay_videos": "Auto-riproduci i video",
"image_thumbnails": "Mostra anteprime/miniature per le immagini",
"show_typing_notifications": "Mostra notifiche di scrittura",
"show_redaction_placeholder": "Mostra un segnaposto per i messaggi rimossi",
"show_read_receipts": "Mostra ricevute di lettura inviate da altri utenti",
"show_join_leave": "Mostra messaggi di entrata/uscita (non influenza inviti/rimozioni/ban)",
"show_displayname_changes": "Mostra i cambi di nomi visualizzati",
"show_chat_effects": "Mostra effetti chat (animazioni quando si ricevono ad es. coriandoli)",
"show_avatar_changes": "Mostra cambiamenti dell'immagine del profilo",
"big_emoji": "Attiva gli emoji grandi in chat",
"jump_to_bottom_on_send": "Salta in fondo alla linea temporale quando invii un messaggio",
"disable_historical_profile": "Mostra immagine del profilo e nomi attuali degli utenti nella cronologia dei messaggi",
"show_nsfw_content": "Mostra contenuti per adulti",
"prompt_invite": "Chiedi prima di inviare inviti a possibili ID matrix non validi",
"hardware_acceleration": "Attiva accelerazione hardware (riavvia %(appName)s per applicare)",
"start_automatically": "Esegui automaticamente all'avvio del sistema",
"warn_quit": "Avvisa prima di uscire"
} }
} }

View file

@ -9,9 +9,7 @@
"Create new room": "新しいルームを作成", "Create new room": "新しいルームを作成",
"New Password": "新しいパスワード", "New Password": "新しいパスワード",
"Failed to change password. Is your password correct?": "パスワードの変更に失敗しました。パスワードは正しいですか?", "Failed to change password. Is your password correct?": "パスワードの変更に失敗しました。パスワードは正しいですか?",
"Always show message timestamps": "メッセージの時刻を常に表示",
"Filter room members": "ルームのメンバーを絞り込む", "Filter room members": "ルームのメンバーを絞り込む",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "発言時刻を12時間形式で表示2:30午後",
"Upload avatar": "アバターをアップロード", "Upload avatar": "アバターをアップロード",
"No Microphones detected": "マイクが検出されません", "No Microphones detected": "マイクが検出されません",
"No Webcams detected": "Webカメラが検出されません", "No Webcams detected": "Webカメラが検出されません",
@ -60,19 +58,15 @@
"Source URL": "ソースのURL", "Source URL": "ソースのURL",
"Filter results": "結果を絞り込む", "Filter results": "結果を絞り込む",
"Noisy": "音量大", "Noisy": "音量大",
"Event sent!": "イベントを送信しました!",
"Preparing to send logs": "ログを送信する準備をしています", "Preparing to send logs": "ログを送信する準備をしています",
"Toolbox": "ツールボックス", "Toolbox": "ツールボックス",
"State Key": "ステートキー",
"What's new?": "新着", "What's new?": "新着",
"Logs sent": "ログが送信されました", "Logs sent": "ログが送信されました",
"Show message in desktop notification": "デスクトップ通知にメッセージの内容を表示", "Show message in desktop notification": "デスクトップ通知にメッセージの内容を表示",
"Error encountered (%(errorDetail)s).": "エラーが発生しました(%(errorDetail)s。", "Error encountered (%(errorDetail)s).": "エラーが発生しました(%(errorDetail)s。",
"Event Type": "イベントの種類",
"What's New": "新着", "What's New": "新着",
"Thank you!": "ありがとうございます!", "Thank you!": "ありがとうございます!",
"Developer Tools": "開発者ツール", "Developer Tools": "開発者ツール",
"Event Content": "イベントの内容",
"You cannot place a call with yourself.": "自分自身に通話を発信することはできません。", "You cannot place a call with yourself.": "自分自身に通話を発信することはできません。",
"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": "このルームでグループ通話を開始する権限がありません",
@ -146,7 +140,6 @@
"%(senderDisplayName)s sent an image.": "%(senderDisplayName)sが画像を送信しました。", "%(senderDisplayName)s sent an image.": "%(senderDisplayName)sが画像を送信しました。",
"%(senderName)s set the main address for this room to %(address)s.": "%(senderName)sがこのルームのメインアドレスを%(address)sに設定しました。", "%(senderName)s set the main address for this room to %(address)s.": "%(senderName)sがこのルームのメインアドレスを%(address)sに設定しました。",
"%(senderName)s removed the main address for this room.": "%(senderName)sがこのルームのメインアドレスを削除しました。", "%(senderName)s removed the main address for this room.": "%(senderName)sがこのルームのメインアドレスを削除しました。",
"Someone": "誰か",
"%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)sが%(targetDisplayName)sをこのルームに招待しました。", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)sが%(targetDisplayName)sをこのルームに招待しました。",
"%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)sが、今後のルームの履歴を「メンバーのみ招待された時点以降」閲覧可能に設定しました。", "%(senderName)s made future room history visible to all room members, from the point they 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, from the point they joined.": "%(senderName)sが、今後のルームの履歴を「メンバーのみ参加した時点以降」閲覧可能に設定しました。",
@ -168,15 +161,12 @@
"Not a valid %(brand)s keyfile": "有効な%(brand)sキーファイルではありません", "Not a valid %(brand)s keyfile": "有効な%(brand)sキーファイルではありません",
"Authentication check failed: incorrect password?": "認証に失敗しました:間違ったパスワード?", "Authentication check failed: incorrect password?": "認証に失敗しました:間違ったパスワード?",
"Please contact your homeserver administrator.": "ホームサーバー管理者に連絡してください。", "Please contact your homeserver administrator.": "ホームサーバー管理者に連絡してください。",
"Enable automatic language detection for syntax highlighting": "構文強調表示の自動言語検出を有効にする",
"Mirror local video feed": "ビデオ映像のミラー効果(反転)を有効にする", "Mirror local video feed": "ビデオ映像のミラー効果(反転)を有効にする",
"Send analytics data": "分析データを送信", "Send analytics data": "分析データを送信",
"Enable inline URL previews by default": "既定でインラインURLプレビューを有効にする",
"Enable URL previews for this room (only affects you)": "このルームのURLプレビューを有効にするあなたにのみ適用", "Enable URL previews for this room (only affects you)": "このルームのURLプレビューを有効にするあなたにのみ適用",
"Enable URL previews by default for participants in this room": "このルームの参加者のために既定でURLプレビューを有効にする", "Enable URL previews by default for participants in this room": "このルームの参加者のために既定でURLプレビューを有効にする",
"Enable widget screenshots on supported widgets": "サポートされているウィジェットで、ウィジェットのスクリーンショットを有効にする", "Enable widget screenshots on supported widgets": "サポートされているウィジェットで、ウィジェットのスクリーンショットを有効にする",
"Incorrect verification code": "認証コードが誤っています", "Incorrect verification code": "認証コードが誤っています",
"Submit": "送信",
"Phone": "電話", "Phone": "電話",
"No display name": "表示名がありません", "No display name": "表示名がありません",
"New passwords don't match": "新しいパスワードが一致しません", "New passwords don't match": "新しいパスワードが一致しません",
@ -192,7 +182,6 @@
"Drop file here to upload": "アップロードするファイルをここにドロップしてください", "Drop file here to upload": "アップロードするファイルをここにドロップしてください",
"This event could not be displayed": "このイベントは表示できませんでした", "This event could not be displayed": "このイベントは表示できませんでした",
"Call Failed": "呼び出しに失敗しました", "Call Failed": "呼び出しに失敗しました",
"Automatically replace plain text Emoji": "自動的にプレーンテキストの絵文字を置き換える",
"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": "降格する",
@ -411,11 +400,9 @@
"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": "古いバージョンのルームでユーザーが投稿できないよう設定し、新しいルームに移動するようユーザーに通知するメッセージを投稿",
"Mention": "メンション",
"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": "以前のメッセージを閲覧できるように、新しいルームの先頭に古いルームへのリンクを設定",
"Clear Storage and Sign Out": "ストレージをクリアし、サインアウト", "Clear Storage and Sign Out": "ストレージをクリアし、サインアウト",
"Send Logs": "ログを送信", "Send Logs": "ログを送信",
"Refresh": "再読み込み",
"Unable to restore session": "セッションを復元できません", "Unable to restore session": "セッションを復元できません",
"We encountered an error trying to restore your previous session.": "以前のセッションを復元する際にエラーが発生しました。", "We encountered an error trying to restore your previous session.": "以前のセッションを復元する際にエラーが発生しました。",
"If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "以前に%(brand)sの最新バージョンを使用していた場合、セッションはこのバージョンと互換性がない可能性があります。このウィンドウを閉じて、最新のバージョンに戻ってください。", "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "以前に%(brand)sの最新バージョンを使用していた場合、セッションはこのバージョンと互換性がない可能性があります。このウィンドウを閉じて、最新のバージョンに戻ってください。",
@ -473,7 +460,6 @@
"Cryptography": "暗号", "Cryptography": "暗号",
"Check for update": "更新を確認", "Check for update": "更新を確認",
"Reject all %(invitedRooms)s invites": "%(invitedRooms)sの全ての招待を拒否", "Reject all %(invitedRooms)s invites": "%(invitedRooms)sの全ての招待を拒否",
"Start automatically after system login": "システムログイン後に自動的に起動",
"No media permissions": "メディア権限がありません", "No media permissions": "メディア権限がありません",
"You may need to manually permit %(brand)s to access your microphone/webcam": "マイクまたはWebカメラにアクセスするために、手動で%(brand)sを許可する必要があるかもしれません", "You may need to manually permit %(brand)s to access your microphone/webcam": "マイクまたはWebカメラにアクセスするために、手動で%(brand)sを許可する必要があるかもしれません",
"No Audio Outputs detected": "音声出力が検出されません", "No Audio Outputs detected": "音声出力が検出されません",
@ -504,12 +490,10 @@
"This process allows you to export the keys for messages you have received in encrypted rooms to a local file. You will then be able to import the file into another Matrix client in the future, so that client will also be able to decrypt these messages.": "このプロセスでは、暗号化されたルームで受信したメッセージの鍵をローカルファイルにエクスポートできます。その後、クライアントがこれらのメッセージを復号化できるように、鍵のファイルを別のMatrixクライアントにインポートすることができます。", "This process allows you to export the keys for messages you have received in encrypted rooms to a local file. You will then be able to import the file into another Matrix client in the future, so that client will also be able to decrypt these messages.": "このプロセスでは、暗号化されたルームで受信したメッセージの鍵をローカルファイルにエクスポートできます。その後、クライアントがこれらのメッセージを復号化できるように、鍵のファイルを別のMatrixクライアントにインポートすることができます。",
"Enter passphrase": "パスフレーズを入力", "Enter passphrase": "パスフレーズを入力",
"Confirm passphrase": "パスフレーズを確認", "Confirm passphrase": "パスフレーズを確認",
"Export": "エクスポート",
"Import room keys": "ルームの鍵をインポート", "Import room keys": "ルームの鍵をインポート",
"This process allows you to import encryption keys that you had previously exported from another Matrix client. You will then be able to decrypt any messages that the other client could decrypt.": "このプロセスでは、以前に別のMatrixクライアントからエクスポートした暗号鍵をインポートできます。これにより、他のクライアントが解読できる全てのメッセージを解読することができます。", "This process allows you to import encryption keys that you had previously exported from another Matrix client. You will then be able to decrypt any messages that the other client could decrypt.": "このプロセスでは、以前に別のMatrixクライアントからエクスポートした暗号鍵をインポートできます。これにより、他のクライアントが解読できる全てのメッセージを解読することができます。",
"The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "エクスポートされたファイルはパスフレーズで保護されています。ファイルを復号化するには、パスフレーズを以下に入力してください。", "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "エクスポートされたファイルはパスフレーズで保護されています。ファイルを復号化するには、パスフレーズを以下に入力してください。",
"File to import": "インポートするファイル", "File to import": "インポートするファイル",
"Import": "インポート",
"Failed to remove tag %(tagName)s from room": "ルームからタグ %(tagName)s を削除できませんでした", "Failed to remove tag %(tagName)s from room": "ルームからタグ %(tagName)s を削除できませんでした",
"Failed to add tag %(tagName)s to room": "ルームにタグ %(tagName)s を追加できませんでした", "Failed to add tag %(tagName)s to room": "ルームにタグ %(tagName)s を追加できませんでした",
"Unignore": "無視を解除", "Unignore": "無視を解除",
@ -588,11 +572,6 @@
"This is a very common password": "これはとてもよく使われるパスワードです", "This is a very common password": "これはとてもよく使われるパスワードです",
"This is similar to a commonly used password": "これはよく使われるパスワードに似ています", "This is similar to a commonly used password": "これはよく使われるパスワードに似ています",
"A word by itself is easy to guess": "単語1つだけだと簡単に推測されます", "A word by itself is easy to guess": "単語1つだけだと簡単に推測されます",
"Enable Emoji suggestions while typing": "入力中に絵文字を提案",
"Show display name changes": "表示名の変更を表示",
"Show read receipts sent by other users": "他のユーザーの開封確認メッセージを表示",
"Enable big emoji in chat": "チャットで大きな絵文字を有効にする",
"Send typing notifications": "入力中通知を送信",
"Phone numbers": "電話番号", "Phone numbers": "電話番号",
"Language and region": "言語と地域", "Language and region": "言語と地域",
"General": "一般", "General": "一般",
@ -609,7 +588,6 @@
"Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "履歴の閲覧権限に関する変更は、今後、このルームで表示されるメッセージにのみ適用されます。既存の履歴の見え方には影響しません。", "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "履歴の閲覧権限に関する変更は、今後、このルームで表示されるメッセージにのみ適用されます。既存の履歴の見え方には影響しません。",
"Encryption": "暗号化", "Encryption": "暗号化",
"Once enabled, encryption cannot be disabled.": "いったん有効にすると、暗号化を無効にすることはできません。", "Once enabled, encryption cannot be disabled.": "いったん有効にすると、暗号化を無効にすることはできません。",
"Encrypted": "暗号化",
"Email Address": "メールアドレス", "Email Address": "メールアドレス",
"Main address": "メインアドレス", "Main address": "メインアドレス",
"Create a private room": "非公開ルームを作成", "Create a private room": "非公開ルームを作成",
@ -698,7 +676,6 @@
"Message edits": "メッセージの編集履歴", "Message edits": "メッセージの編集履歴",
"Report Content to Your Homeserver Administrator": "あなたのホームサーバーの管理者にコンテンツを報告", "Report Content to Your Homeserver Administrator": "あなたのホームサーバーの管理者にコンテンツを報告",
"Reporting this message will send its unique 'event ID' to the administrator of your homeserver. If messages in this room are encrypted, your homeserver administrator will not be able to read the message text or view any files or images.": "このメッセージを報告すると、このメッセージの一意の「イベントID」があなたのホームサーバーの管理者に送信されます。このルーム内のメッセージが暗号化されている場合、ホームサーバーの管理者はメッセージのテキストを読んだり、ファイルや画像を表示したりすることはできません。", "Reporting this message will send its unique 'event ID' to the administrator of your homeserver. If messages in this room are encrypted, your homeserver administrator will not be able to read the message text or view any files or images.": "このメッセージを報告すると、このメッセージの一意の「イベントID」があなたのホームサーバーの管理者に送信されます。このルーム内のメッセージが暗号化されている場合、ホームサーバーの管理者はメッセージのテキストを読んだり、ファイルや画像を表示したりすることはできません。",
"Send report": "報告を送信",
"Sign out and remove encryption keys?": "サインアウトして、暗号鍵を削除しますか?", "Sign out and remove encryption keys?": "サインアウトして、暗号鍵を削除しますか?",
"Terms of Service": "利用規約", "Terms of Service": "利用規約",
"To continue you need to accept the terms of this service.": "続行するには、このサービスの利用規約に同意する必要があります。", "To continue you need to accept the terms of this service.": "続行するには、このサービスの利用規約に同意する必要があります。",
@ -721,8 +698,6 @@
"Encryption upgrade available": "暗号化のアップグレードが利用できます", "Encryption upgrade available": "暗号化のアップグレードが利用できます",
"Not Trusted": "信頼されていません", "Not Trusted": "信頼されていません",
"Later": "後で", "Later": "後で",
"Trusted": "信頼済",
"Not trusted": "信頼されていません",
"%(count)s verified sessions": { "%(count)s verified sessions": {
"other": "%(count)s件の認証済のセッション", "other": "%(count)s件の認証済のセッション",
"one": "1件の認証済のセッション" "one": "1件の認証済のセッション"
@ -742,10 +717,8 @@
"You signed in to a new session without verifying it:": "あなたのこのセッションはまだ認証されていません:", "You signed in to a new session without verifying it:": "あなたのこのセッションはまだ認証されていません:",
"%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s%(userId)sは未認証のセッションにサインインしました", "%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s%(userId)sは未認証のセッションにサインインしました",
"Recent Conversations": "最近会話したユーザー", "Recent Conversations": "最近会話したユーザー",
"Go": "続行",
"Session already verified!": "このセッションは認証済です!", "Session already verified!": "このセッションは認証済です!",
"WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and session %(deviceId)s is \"%(fprint)s\" which does not match the provided key \"%(fingerprint)s\". This could mean your communications are being intercepted!": "警告:鍵の認証に失敗しました!提供された鍵「%(fingerprint)s」は、%(userId)sおよびセッション %(deviceId)s の署名鍵「%(fprint)s」と一致しません。通信が傍受されているおそれがあります", "WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and session %(deviceId)s is \"%(fprint)s\" which does not match the provided key \"%(fingerprint)s\". This could mean your communications are being intercepted!": "警告:鍵の認証に失敗しました!提供された鍵「%(fingerprint)s」は、%(userId)sおよびセッション %(deviceId)s の署名鍵「%(fprint)s」と一致しません。通信が傍受されているおそれがあります",
"Show typing notifications": "入力中通知を表示",
"Your homeserver does not support cross-signing.": "あなたのホームサーバーはクロス署名に対応していません。", "Your homeserver does not support cross-signing.": "あなたのホームサーバーはクロス署名に対応していません。",
"in memory": "メモリー内", "in memory": "メモリー内",
"not found": "ありません", "not found": "ありません",
@ -758,7 +731,6 @@
"in account data": "アカウントデータ内", "in account data": "アカウントデータ内",
"Homeserver feature support:": "ホームサーバーの対応状況:", "Homeserver feature support:": "ホームサーバーの対応状況:",
"exists": "対応", "exists": "対応",
"Manage": "管理",
"Custom theme URL": "ユーザー定義のテーマのURL", "Custom theme URL": "ユーザー定義のテーマのURL",
"Add theme": "テーマの追加", "Add theme": "テーマの追加",
"Account management": "アカウントの管理", "Account management": "アカウントの管理",
@ -801,10 +773,6 @@
"Summary": "概要", "Summary": "概要",
"Document": "ドキュメント", "Document": "ドキュメント",
"Other users may not trust it": "他のユーザーはこのセッションを信頼しない可能性があります", "Other users may not trust it": "他のユーザーはこのセッションを信頼しない可能性があります",
"Show a placeholder for removed messages": "削除されたメッセージに関する通知を表示",
"Prompt before sending invites to potentially invalid matrix IDs": "不正の可能性があるMatrix IDに招待を送信する前に確認",
"Show shortcuts to recently viewed rooms above the room list": "ルームの一覧の上に、最近表示したルームのショートカットを表示",
"Show previews/thumbnails for images": "画像のプレビューまたはサムネイルを表示",
"Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "あなたのアカウントではクロス署名の認証情報が機密ストレージに保存されていますが、このセッションでは信頼されていません。", "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "あなたのアカウントではクロス署名の認証情報が機密ストレージに保存されていますが、このセッションでは信頼されていません。",
"This session is <b>not backing up your keys</b>, but you do have an existing backup you can restore from and add to going forward.": "このセッションでは<b>鍵をバックアップしていません</b>が、復元に使用したり、今後鍵を追加したりできるバックアップがあります。", "This session is <b>not backing up your keys</b>, but you do have an existing backup you can restore from and add to going forward.": "このセッションでは<b>鍵をバックアップしていません</b>が、復元に使用したり、今後鍵を追加したりできるバックアップがあります。",
"Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "サインアウトする前に、このセッションにだけある鍵を失わないよう、セッションを鍵のバックアップに接続しましょう。", "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "サインアウトする前に、このセッションにだけある鍵を失わないよう、セッションを鍵のバックアップに接続しましょう。",
@ -862,7 +830,6 @@
"Scroll to most recent messages": "最新のメッセージを表示", "Scroll to most recent messages": "最新のメッセージを表示",
"All rooms": "全てのルーム", "All rooms": "全てのルーム",
"Your server": "あなたのサーバー", "Your server": "あなたのサーバー",
"Matrix": "Matrix",
"Add a new server": "新しいサーバーを追加", "Add a new server": "新しいサーバーを追加",
"Server name": "サーバー名", "Server name": "サーバー名",
"<a>Log in</a> to your new account.": "新しいアカウントに<a>ログイン</a>しましょう。", "<a>Log in</a> to your new account.": "新しいアカウントに<a>ログイン</a>しましょう。",
@ -945,7 +912,6 @@
"Integrations are disabled": "インテグレーションが無効になっています", "Integrations are disabled": "インテグレーションが無効になっています",
"Manage integrations": "インテグレーションを管理", "Manage integrations": "インテグレーションを管理",
"Enter a new identity server": "新しいIDサーバーを入力", "Enter a new identity server": "新しいIDサーバーを入力",
"Use Ctrl + Enter to send a message": "Ctrl+Enterでメッセージを送信",
"Backup key cached:": "バックアップキーのキャッシュ:", "Backup key cached:": "バックアップキーのキャッシュ:",
"Backup key stored:": "バックアップキーの保存:", "Backup key stored:": "バックアップキーの保存:",
"Algorithm:": "アルゴリズム:", "Algorithm:": "アルゴリズム:",
@ -1617,15 +1583,10 @@
"My Ban List": "マイブロックリスト", "My Ban List": "マイブロックリスト",
"Downloading logs": "ログをダウンロードしています", "Downloading logs": "ログをダウンロードしています",
"Uploading logs": "ログをアップロードしています", "Uploading logs": "ログをアップロードしています",
"Show chat effects (animations when receiving e.g. confetti)": "チャットのエフェクトを表示(紙吹雪などを受け取ったときのアニメーション)",
"IRC display name width": "IRCの表示名の幅", "IRC display name width": "IRCの表示名の幅",
"How fast should messages be downloaded.": "メッセージをダウンロードする速度。", "How fast should messages be downloaded.": "メッセージをダウンロードする速度。",
"Enable message search in encrypted rooms": "暗号化されたルームでメッセージの検索を有効にする", "Enable message search in encrypted rooms": "暗号化されたルームでメッセージの検索を有効にする",
"Show hidden events in timeline": "タイムラインで非表示のイベントを表示", "Show hidden events in timeline": "タイムラインで非表示のイベントを表示",
"Use Command + Enter to send a message": "Command+Enterでメッセージを送信",
"Show line numbers in code blocks": "コードのブロックに行番号を表示",
"Expand code blocks by default": "コードのブロックを既定で展開",
"Show stickers button": "ステッカーボタンを表示",
"Change notification settings": "通知設定を変更", "Change notification settings": "通知設定を変更",
"%(senderName)s: %(stickerName)s": "%(senderName)s%(stickerName)s", "%(senderName)s: %(stickerName)s": "%(senderName)s%(stickerName)s",
"%(senderName)s: %(message)s": "%(senderName)s%(message)s", "%(senderName)s: %(message)s": "%(senderName)s%(message)s",
@ -1737,7 +1698,6 @@
"Invite only, best for yourself or teams": "招待者のみ参加可能。個人やチーム向け", "Invite only, best for yourself or teams": "招待者のみ参加可能。個人やチーム向け",
"Open space for anyone, best for communities": "誰でも参加できる公開スペース。コミュニティー向け", "Open space for anyone, best for communities": "誰でも参加できる公開スペース。コミュニティー向け",
"Create a space": "スペースを作成", "Create a space": "スペースを作成",
"Jump to the bottom of the timeline when you send a message": "メッセージを送信する際にタイムラインの最下部に移動",
"This homeserver has been blocked by its administrator.": "このホームサーバーは管理者によりブロックされています。", "This homeserver has been blocked by its administrator.": "このホームサーバーは管理者によりブロックされています。",
"You're already in a call with this person.": "既にこの人と通話中です。", "You're already in a call with this person.": "既にこの人と通話中です。",
"Already in call": "既に通話中です", "Already in call": "既に通話中です",
@ -1789,12 +1749,8 @@
"Failed to save space settings.": "スペースの設定を保存できませんでした。", "Failed to save space settings.": "スペースの設定を保存できませんでした。",
"Transfer Failed": "転送に失敗しました", "Transfer Failed": "転送に失敗しました",
"Unable to transfer call": "通話を転送できません", "Unable to transfer call": "通話を転送できません",
"All rooms you're in will appear in Home.": "あなたが参加している全てのルームがホームに表示されます。",
"Show all rooms in Home": "ホームに全てのルームを表示",
"Images, GIFs and videos": "画像・GIF・動画", "Images, GIFs and videos": "画像・GIF・動画",
"Displaying time": "表示時刻", "Displaying time": "表示時刻",
"Use Command + F to search timeline": "Command+Fでタイムラインを検索",
"Use Ctrl + F to search timeline": "Ctrl+Fでタイムラインを検索",
"Keyboard shortcuts": "キーボードショートカット", "Keyboard shortcuts": "キーボードショートカット",
"Messages containing keywords": "指定のキーワードを含むメッセージ", "Messages containing keywords": "指定のキーワードを含むメッセージ",
"Mentions & keywords": "メンションとキーワード", "Mentions & keywords": "メンションとキーワード",
@ -1934,7 +1890,6 @@
"Add option": "選択肢を追加", "Add option": "選択肢を追加",
"Write an option": "選択肢を記入", "Write an option": "選択肢を記入",
"Use <arrows/> to scroll": "<arrows/>でスクロール", "Use <arrows/> to scroll": "<arrows/>でスクロール",
"Clear": "消去",
"Public rooms": "公開ルーム", "Public rooms": "公開ルーム",
"Use \"%(query)s\" to search": "「%(query)s」のキーワードで検索", "Use \"%(query)s\" to search": "「%(query)s」のキーワードで検索",
"Join %(roomAddress)s": "%(roomAddress)sに参加", "Join %(roomAddress)s": "%(roomAddress)sに参加",
@ -1960,8 +1915,6 @@
"Reply in thread": "スレッドで返信", "Reply in thread": "スレッドで返信",
"Decrypting": "復号化しています", "Decrypting": "復号化しています",
"Downloading": "ダウンロードしています", "Downloading": "ダウンロードしています",
"Last month": "先月",
"Last week": "先週",
"An unknown error occurred": "不明なエラーが発生しました", "An unknown error occurred": "不明なエラーが発生しました",
"unknown person": "不明な人間", "unknown person": "不明な人間",
"Jump to oldest unread message": "最も古い未読メッセージに移動", "Jump to oldest unread message": "最も古い未読メッセージに移動",
@ -2001,9 +1954,6 @@
"Submit logs": "ログを提出", "Submit logs": "ログを提出",
"Click to view edits": "クリックすると変更履歴を表示", "Click to view edits": "クリックすると変更履歴を表示",
"Can't load this message": "このメッセージを読み込めません", "Can't load this message": "このメッセージを読み込めません",
"Show join/leave messages (invites/removes/bans unaffected)": "参加/退出のメッセージを表示(招待/削除/ブロックには影響しません)",
"Autoplay videos": "動画を自動再生",
"Autoplay GIFs": "GIFアニメーションを自動再生",
"Use a more compact 'Modern' layout": "よりコンパクトな「モダン」レイアウトを使用", "Use a more compact 'Modern' layout": "よりコンパクトな「モダン」レイアウトを使用",
"Large": "大", "Large": "大",
"Image size in the timeline": "タイムライン上での画像のサイズ", "Image size in the timeline": "タイムライン上での画像のサイズ",
@ -2219,8 +2169,6 @@
}, },
"Feedback sent! Thanks, we appreciate it!": "フィードバックを送信しました!ありがとうございました!", "Feedback sent! Thanks, we appreciate it!": "フィードバックを送信しました!ありがとうございました!",
"This is a beta feature": "この機能はベータ版です", "This is a beta feature": "この機能はベータ版です",
"Maximise": "最大化",
"<empty string>": "<空の文字列>",
"Can't edit poll": "アンケートは編集できません", "Can't edit poll": "アンケートは編集できません",
"Poll type": "アンケートの種類", "Poll type": "アンケートの種類",
"Open poll": "投票の際に結果を公開", "Open poll": "投票の際に結果を公開",
@ -2231,7 +2179,6 @@
"If disabled, messages from encrypted rooms won't appear in search results.": "無効にすると、暗号化されたルームのメッセージは検索結果に表示されません。", "If disabled, messages from encrypted rooms won't appear in search results.": "無効にすると、暗号化されたルームのメッセージは検索結果に表示されません。",
"Not currently indexing messages for any room.": "現在、どのルームのメッセージのインデックスも作成していません。", "Not currently indexing messages for any room.": "現在、どのルームのメッセージのインデックスも作成していません。",
"Currently indexing: %(currentRoom)s": "現在インデックス中のルーム:%(currentRoom)s", "Currently indexing: %(currentRoom)s": "現在インデックス中のルーム:%(currentRoom)s",
"Accessibility": "アクセシビリティー",
"Switch to space by number": "スペースを番号で切り替える", "Switch to space by number": "スペースを番号で切り替える",
"Open user settings": "ユーザーの設定を開く", "Open user settings": "ユーザーの設定を開く",
"We were unable to understand the given date (%(inputDate)s). Try using the format YYYY-MM-DD.": "指定した日時(%(inputDate)sを理解できませんでした。YYYY-MM-DDのフォーマットを使用してください。", "We were unable to understand the given date (%(inputDate)s). Try using the format YYYY-MM-DD.": "指定した日時(%(inputDate)sを理解できませんでした。YYYY-MM-DDのフォーマットを使用してください。",
@ -2266,10 +2213,6 @@
"one": "%(oneUser)sは変更を加えませんでした", "one": "%(oneUser)sは変更を加えませんでした",
"other": "%(oneUser)sが%(count)s回変更を加えませんでした" "other": "%(oneUser)sが%(count)s回変更を加えませんでした"
}, },
"<%(count)s spaces>": {
"one": "<スペース>",
"other": "<%(count)s個のスペース>"
},
"Results will be visible when the poll is ended": "アンケートが終了するまで結果は表示できません", "Results will be visible when the poll is ended": "アンケートが終了するまで結果は表示できません",
"Open thread": "スレッドを開く", "Open thread": "スレッドを開く",
"Pinned": "固定メッセージ", "Pinned": "固定メッセージ",
@ -2290,10 +2233,6 @@
"Share %(name)s": "%(name)sを共有", "Share %(name)s": "%(name)sを共有",
"Application window": "アプリケーションのウィンドウ", "Application window": "アプリケーションのウィンドウ",
"Verification Request": "認証の要求", "Verification Request": "認証の要求",
"Value:": "値:",
"Value": "値",
"Setting ID": "設定のID",
"Level": "レベル",
"Exporting your data": "データをエクスポートしています", "Exporting your data": "データをエクスポートしています",
"Feedback sent": "フィードバックを送信しました", "Feedback sent": "フィードバックを送信しました",
"You may contact me if you want to follow up or to let me test out upcoming ideas": "追加で確認が必要な事項や、テストすべき新しいアイデアがある場合は、連絡可", "You may contact me if you want to follow up or to let me test out upcoming ideas": "追加で確認が必要な事項や、テストすべき新しいアイデアがある場合は、連絡可",
@ -2455,9 +2394,6 @@
"Your export was successful. Find it in your Downloads folder.": "エクスポートに成功しました。ダウンロード先のフォルダーを確認してください。", "Your export was successful. Find it in your Downloads folder.": "エクスポートに成功しました。ダウンロード先のフォルダーを確認してください。",
"Enter a number between %(min)s and %(max)s": "%(min)sから%(max)sまでの間の数字を入力してください", "Enter a number between %(min)s and %(max)s": "%(min)sから%(max)sまでの間の数字を入力してください",
"Export Cancelled": "エクスポートをキャンセルしました", "Export Cancelled": "エクスポートをキャンセルしました",
"Caution:": "注意:",
"Setting:": "設定:",
"Edit setting": "設定を編集",
"Are you sure you want to deactivate your account? This is irreversible.": "アカウントを無効化してよろしいですか?この操作は元に戻すことができません。", "Are you sure you want to deactivate your account? This is irreversible.": "アカウントを無効化してよろしいですか?この操作は元に戻すことができません。",
"Want to add an existing space instead?": "代わりに既存のスペースを追加しますか?", "Want to add an existing space instead?": "代わりに既存のスペースを追加しますか?",
"Space visibility": "スペースの見え方", "Space visibility": "スペースの見え方",
@ -2591,7 +2527,6 @@
"Confirm your account deactivation by using Single Sign On to prove your identity.": "シングルサインオンを使用して本人確認を行い、アカウントの無効化を承認してください。", "Confirm your account deactivation by using Single Sign On to prove your identity.": "シングルサインオンを使用して本人確認を行い、アカウントの無効化を承認してください。",
"The poll has ended. Top answer: %(topAnswer)s": "アンケートが終了しました。最も多い投票数を獲得した選択肢:%(topAnswer)s", "The poll has ended. Top answer: %(topAnswer)s": "アンケートが終了しました。最も多い投票数を獲得した選択肢:%(topAnswer)s",
"The poll has ended. No votes were cast.": "アンケートが終了しました。投票はありませんでした。", "The poll has ended. No votes were cast.": "アンケートが終了しました。投票はありませんでした。",
"Value in this room:": "このルームでの値:",
"Confirm logging out these devices by using Single Sign On to prove your identity.": { "Confirm logging out these devices by using Single Sign On to prove your identity.": {
"one": "シングルサインオンを使用して本人確認を行い、端末からのログアウトを承認してください。", "one": "シングルサインオンを使用して本人確認を行い、端末からのログアウトを承認してください。",
"other": "シングルサインオンを使用して本人確認を行い、端末からのログアウトを承認してください。" "other": "シングルサインオンを使用して本人確認を行い、端末からのログアウトを承認してください。"
@ -2650,7 +2585,6 @@
"We were unable to access your microphone. Please check your browser settings and try again.": "マイクにアクセスできませんでした。ブラウザーの設定を確認して、もう一度やり直してください。", "We were unable to access your microphone. Please check your browser settings and try again.": "マイクにアクセスできませんでした。ブラウザーの設定を確認して、もう一度やり直してください。",
"Unable to access your microphone": "マイクを使用できません", "Unable to access your microphone": "マイクを使用できません",
"Are you sure you want to add encryption to this public room?": "公開ルームに暗号化を追加してよろしいですか?", "Are you sure you want to add encryption to this public room?": "公開ルームに暗号化を追加してよろしいですか?",
"Warn before quitting": "終了する際に警告",
"Olm version:": "Olmのバージョン", "Olm version:": "Olmのバージョン",
"There was an error loading your notification settings.": "通知設定を読み込む際にエラーが発生しました。", "There was an error loading your notification settings.": "通知設定を読み込む際にエラーが発生しました。",
"Error saving notification preferences": "通知の設定を保存する際にエラーが発生しました", "Error saving notification preferences": "通知の設定を保存する際にエラーが発生しました",
@ -2678,7 +2612,6 @@
"It looks like you don't have a Security Key or any other devices you can verify against. This device will not be able to access old encrypted messages. In order to verify your identity on this device, you'll need to reset your verification keys.": "セキュリティーキーもしくは認証可能な端末が設定されていません。この端末では、以前暗号化されたメッセージにアクセスすることができません。この端末で本人確認を行うには、認証用の鍵を再設定する必要があります。", "It looks like you don't have a Security Key or any other devices you can verify against. This device will not be able to access old encrypted messages. In order to verify your identity on this device, you'll need to reset your verification keys.": "セキュリティーキーもしくは認証可能な端末が設定されていません。この端末では、以前暗号化されたメッセージにアクセスすることができません。この端末で本人確認を行うには、認証用の鍵を再設定する必要があります。",
"<inviter/> invites you": "<inviter/>があなたを招待しています", "<inviter/> invites you": "<inviter/>があなたを招待しています",
"Decrypted event source": "復号化したイベントのソースコード", "Decrypted event source": "復号化したイベントのソースコード",
"Save setting values": "設定の値を保存",
"Signature upload failed": "署名のアップロードに失敗しました", "Signature upload failed": "署名のアップロードに失敗しました",
"Remove for everyone": "全員から削除", "Remove for everyone": "全員から削除",
"Failed to re-authenticate": "再認証に失敗しました", "Failed to re-authenticate": "再認証に失敗しました",
@ -2725,7 +2658,6 @@
"a new master key signature": "新しいマスターキーの署名", "a new master key signature": "新しいマスターキーの署名",
"This widget may use cookies.": "このウィジェットはクッキーを使用する可能性があります。", "This widget may use cookies.": "このウィジェットはクッキーを使用する可能性があります。",
"Report the entire room": "ルーム全体を報告", "Report the entire room": "ルーム全体を報告",
"Value in this room": "このルームでの値",
"Visible to space members": "スペースの参加者に表示", "Visible to space members": "スペースの参加者に表示",
"Search names and descriptions": "名前と説明文を検索", "Search names and descriptions": "名前と説明文を検索",
"Currently joining %(count)s rooms": { "Currently joining %(count)s rooms": {
@ -2740,12 +2672,10 @@
"You'll need to authenticate with the server to confirm the upgrade.": "サーバーをアップグレードするには認証が必要です。", "You'll need to authenticate with the server to confirm the upgrade.": "サーバーをアップグレードするには認証が必要です。",
"Unable to query secret storage status": "機密ストレージの状態を読み込めません", "Unable to query secret storage status": "機密ストレージの状態を読み込めません",
"If you didn't remove the recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.": "復元方法を削除しなかった場合、攻撃者があなたのアカウントにアクセスしようとしている可能性があります。設定画面でアカウントのパスワードを至急変更し、新しい復元方法を設定してください。", "If you didn't remove the recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.": "復元方法を削除しなかった場合、攻撃者があなたのアカウントにアクセスしようとしている可能性があります。設定画面でアカウントのパスワードを至急変更し、新しい復元方法を設定してください。",
"Insert a trailing colon after user mentions at the start of a message": "ユーザーをメンションする際にコロンを挿入",
"Your browser likely removed this data when running low on disk space.": "ディスクの空き容量が少なかったため、ブラウザーはこのデータを削除しました。", "Your browser likely removed this data when running low on disk space.": "ディスクの空き容量が少なかったため、ブラウザーはこのデータを削除しました。",
"You are about to leave <spaceName/>.": "<spaceName/>から退出しようとしています。", "You are about to leave <spaceName/>.": "<spaceName/>から退出しようとしています。",
"You're the only admin of some of the rooms or spaces you wish to leave. Leaving them will leave them without any admins.": "あなたは、退出しようとしているいくつかのルームとスペースの唯一の管理者です。退出すると、誰もそれらを管理できなくなります。", "You're the only admin of some of the rooms or spaces you wish to leave. Leaving them will leave them without any admins.": "あなたは、退出しようとしているいくつかのルームとスペースの唯一の管理者です。退出すると、誰もそれらを管理できなくなります。",
"You're the only admin of this space. Leaving it will mean no one has control over it.": "あなたはこのスペースの唯一の管理者です。退出すると、誰もそれを管理できなくなります。", "You're the only admin of this space. Leaving it will mean no one has control over it.": "あなたはこのスペースの唯一の管理者です。退出すると、誰もそれを管理できなくなります。",
"There was an error finding this widget.": "このウィジェットを発見する際にエラーが発生しました。",
"Server did not return valid authentication information.": "サーバーは正しい認証情報を返しませんでした。", "Server did not return valid authentication information.": "サーバーは正しい認証情報を返しませんでした。",
"Server did not require any authentication": "サーバーは認証を要求しませんでした", "Server did not require any authentication": "サーバーは認証を要求しませんでした",
"Some session data, including encrypted message keys, is missing. Sign out and sign in to fix this, restoring keys from backup.": "暗号化されたメッセージの鍵を含むセッションのデータが見つかりません。サインアウトして改めてサインインすると、バックアップから鍵を回復します。", "Some session data, including encrypted message keys, is missing. Sign out and sign in to fix this, restoring keys from backup.": "暗号化されたメッセージの鍵を含むセッションのデータが見つかりません。サインアウトして改めてサインインすると、バックアップから鍵を回復します。",
@ -2776,7 +2706,6 @@
"one": "%(oneUser)sがこのルームの<a>固定メッセージ</a>を変更しました" "one": "%(oneUser)sがこのルームの<a>固定メッセージ</a>を変更しました"
}, },
"They'll still be able to access whatever you're not an admin of.": "あなたが管理者ではないスペースやルームには、引き続きアクセスできます。", "They'll still be able to access whatever you're not an admin of.": "あなたが管理者ではないスペースやルームには、引き続きアクセスできます。",
"Setting definition:": "設定の定義:",
"Restore your key backup to upgrade your encryption": "鍵のバックアップを復元し、暗号化をアップグレードしてください", "Restore your key backup to upgrade your encryption": "鍵のバックアップを復元し、暗号化をアップグレードしてください",
"This session has detected that your Security Phrase and key for Secure Messages have been removed.": "セキュリティーフレーズと、セキュアメッセージの鍵が削除されました。", "This session has detected that your Security Phrase and key for Secure Messages have been removed.": "セキュリティーフレーズと、セキュアメッセージの鍵が削除されました。",
"If you did this accidentally, you can setup Secure Messages on this session which will re-encrypt this session's message history with a new recovery method.": "偶然削除してしまった場合は、このセッションで、メッセージの暗号化を設定することができます。設定すると、新しい復元方法でセッションのデータを改めて暗号化します。", "If you did this accidentally, you can setup Secure Messages on this session which will re-encrypt this session's message history with a new recovery method.": "偶然削除してしまった場合は、このセッションで、メッセージの暗号化を設定することができます。設定すると、新しい復元方法でセッションのデータを改めて暗号化します。",
@ -2917,20 +2846,6 @@
"You can use the custom server options to sign into other Matrix servers by specifying a different homeserver URL. This allows you to use %(brand)s with an existing Matrix account on a different homeserver.": "異なるホームサーバーのURLを設定すると、他のMatrixのサーバーにサインインできます。それにより、異なるホームサーバーにある既存のMatrixのアカウントを%(brand)sで使用できます。", "You can use the custom server options to sign into other Matrix servers by specifying a different homeserver URL. This allows you to use %(brand)s with an existing Matrix account on a different homeserver.": "異なるホームサーバーのURLを設定すると、他のMatrixのサーバーにサインインできます。それにより、異なるホームサーバーにある既存のMatrixのアカウントを%(brand)sで使用できます。",
"Server info": "サーバーの情報", "Server info": "サーバーの情報",
"Room ID: %(roomId)s": "ルームID%(roomId)s", "Room ID: %(roomId)s": "ルームID%(roomId)s",
"Send custom room account data event": "ルームアカウントのユーザー定義のデータイベントを送信",
"Send custom account data event": "アカウントのユーザー定義のデータイベントを送信",
"Doesn't look like valid JSON.": "正しいJSONではありません。",
"Failed to send event!": "イベントの送信に失敗しました!",
"Send custom state event": "ユーザー定義のステートイベントを送信",
"Failed to load.": "読み込みに失敗しました。",
"Client Versions": "クライアントのバージョン",
"Server Versions": "サーバーのバージョン",
"Server": "サーバー",
"Number of users": "ユーザー数",
"Failed to save settings.": "設定の保存に失敗しました。",
"Timeout": "タイムアウト",
"Methods": "方法",
"No verification requests found": "認証リクエストがありません",
"Event ID: %(eventId)s": "イベントID%(eventId)s", "Event ID: %(eventId)s": "イベントID%(eventId)s",
"Upgrade this space to the recommended room version": "このスペースを推奨のバージョンにアップグレード", "Upgrade this space to the recommended room version": "このスペースを推奨のバージョンにアップグレード",
"View older version of %(spaceName)s.": "%(spaceName)sの以前のバージョンを表示。", "View older version of %(spaceName)s.": "%(spaceName)sの以前のバージョンを表示。",
@ -2947,7 +2862,6 @@
"Disinvite from room": "ルームへの招待を取り消す", "Disinvite from room": "ルームへの招待を取り消す",
"<b>Tip:</b> Use “%(replyInThread)s” when hovering over a message.": "<b>ヒント:</b>メッセージの「%(replyInThread)s」機能を使用すると新しいスレッドを開始できます。", "<b>Tip:</b> Use “%(replyInThread)s” when hovering over a message.": "<b>ヒント:</b>メッセージの「%(replyInThread)s」機能を使用すると新しいスレッドを開始できます。",
"No live locations": "位置情報(ライブ)がありません", "No live locations": "位置情報(ライブ)がありません",
"Enable Markdown": "マークダウンを有効にする",
"View list": "一覧を表示", "View list": "一覧を表示",
"View List": "一覧を表示", "View List": "一覧を表示",
"Mute microphone": "マイクをミュート", "Mute microphone": "マイクをミュート",
@ -2985,10 +2899,8 @@
}, },
"Remember my selection for this widget": "このウィジェットに関する選択を記憶", "Remember my selection for this widget": "このウィジェットに関する選択を記憶",
"Unable to load commit detail: %(msg)s": "コミットの詳細を読み込めません:%(msg)s", "Unable to load commit detail: %(msg)s": "コミットの詳細を読み込めません:%(msg)s",
"Capabilities": "機能",
"Toggle Code Block": "コードブロックの表示を切り替える", "Toggle Code Block": "コードブロックの表示を切り替える",
"Toggle Link": "リンクを切り替える", "Toggle Link": "リンクを切り替える",
"Send read receipts": "開封確認メッセージを送信",
"Explore public spaces in the new search dialog": "新しい検索ダイアログで公開スペースを探す", "Explore public spaces in the new search dialog": "新しい検索ダイアログで公開スペースを探す",
"You were disconnected from the call. (Error: %(message)s)": "通話から切断されました。(エラー:%(message)s", "You were disconnected from the call. (Error: %(message)s)": "通話から切断されました。(エラー:%(message)s",
"Connection lost": "接続が切断されました", "Connection lost": "接続が切断されました",
@ -3004,7 +2916,6 @@
"Spell check": "スペルチェック", "Spell check": "スペルチェック",
"Your password was successfully changed.": "パスワードを変更しました。", "Your password was successfully changed.": "パスワードを変更しました。",
"Developer tools": "開発者ツール", "Developer tools": "開発者ツール",
"Welcome": "ようこそ",
"Enable notifications": "通知を有効にする", "Enable notifications": "通知を有効にする",
"Find friends": "友達を見つける", "Find friends": "友達を見つける",
"Noise suppression": "雑音抑制", "Noise suppression": "雑音抑制",
@ -3023,7 +2934,6 @@
"Modal Widget": "モーダルウィジェット", "Modal Widget": "モーダルウィジェット",
"You will no longer be able to log in": "ログインできなくなります", "You will no longer be able to log in": "ログインできなくなります",
"Friends and family": "友達と家族", "Friends and family": "友達と家族",
"Minimise": "最小化",
"Joining…": "参加しています…", "Joining…": "参加しています…",
"Show Labs settings": "ラボの設定を表示", "Show Labs settings": "ラボの設定を表示",
"Private room": "非公開ルーム", "Private room": "非公開ルーム",
@ -3034,7 +2944,6 @@
"Verified session": "認証済のセッション", "Verified session": "認証済のセッション",
"IP address": "IPアドレス", "IP address": "IPアドレス",
"Browser": "ブラウザー", "Browser": "ブラウザー",
"Version": "バージョン",
"Click the button below to confirm your identity.": "本人確認のため、下のボタンをクリックしてください。", "Click the button below to confirm your identity.": "本人確認のため、下のボタンをクリックしてください。",
"Ignore user": "ユーザーを無視", "Ignore user": "ユーザーを無視",
"Proxy URL (optional)": "プロクシーのURL任意", "Proxy URL (optional)": "プロクシーのURL任意",
@ -3044,7 +2953,6 @@
"one": "%(count)s人の参加者" "one": "%(count)s人の参加者"
}, },
"%(securityKey)s or %(recoveryFile)s": "%(securityKey)sまたは%(recoveryFile)s", "%(securityKey)s or %(recoveryFile)s": "%(securityKey)sまたは%(recoveryFile)s",
"Edit values": "値の編集",
"Input devices": "入力装置", "Input devices": "入力装置",
"Output devices": "出力装置", "Output devices": "出力装置",
"Cameras": "カメラ", "Cameras": "カメラ",
@ -3098,9 +3006,6 @@
"Your firewall or anti-virus is blocking the request.": "ファイアーウォールまたはアンチウイルスソフトがリクエストをブロックしています。", "Your firewall or anti-virus is blocking the request.": "ファイアーウォールまたはアンチウイルスソフトがリクエストをブロックしています。",
"We're creating a room with %(names)s": "%(names)sという名前のルームを作成しています", "We're creating a room with %(names)s": "%(names)sという名前のルームを作成しています",
"Enable notifications for this account": "このアカウントで通知を有効にする", "Enable notifications for this account": "このアカウントで通知を有効にする",
"Welcome to %(brand)s": "%(brand)sにようこそ",
"Find your co-workers": "同僚を見つける",
"Start your first chat": "最初のチャットを始めましょう",
"%(count)s people joined": { "%(count)s people joined": {
"one": "%(count)s人が参加しました", "one": "%(count)s人が参加しました",
"other": "%(count)s人が参加しました" "other": "%(count)s人が参加しました"
@ -3124,10 +3029,7 @@
"Stop and close": "停止して閉じる", "Stop and close": "停止して閉じる",
"Session details": "セッションの詳細", "Session details": "セッションの詳細",
"Operating system": "オペレーティングシステム", "Operating system": "オペレーティングシステム",
"Model": "形式",
"Device": "端末",
"URL": "URL", "URL": "URL",
"Application": "アプリケーション",
"Renaming sessions": "セッション名の変更", "Renaming sessions": "セッション名の変更",
"Call type": "通話の種類", "Call type": "通話の種類",
"You do not have sufficient permissions to change this.": "この変更に必要な権限がありません。", "You do not have sufficient permissions to change this.": "この変更に必要な権限がありません。",
@ -3148,19 +3050,13 @@
"Show formatting": "フォーマットを表示", "Show formatting": "フォーマットを表示",
"Updated %(humanizedUpdateTime)s": "%(humanizedUpdateTime)sに更新", "Updated %(humanizedUpdateTime)s": "%(humanizedUpdateTime)sに更新",
"Joining the beta will reload %(brand)s.": "ベータ版に参加すると%(brand)sをリロードします。", "Joining the beta will reload %(brand)s.": "ベータ版に参加すると%(brand)sをリロードします。",
"Phase": "フェーズ",
"Transaction": "トランザクション",
"Unsent": "未送信", "Unsent": "未送信",
"Settable at global": "全体で設定可能",
"Settable at room": "ルームの中で設定可能",
"Google Play and the Google Play logo are trademarks of Google LLC.": "Google PlayとGoogle PlayロゴはGoogle LLC.の商標です。", "Google Play and the Google Play logo are trademarks of Google LLC.": "Google PlayとGoogle PlayロゴはGoogle LLC.の商標です。",
"App Store® and the Apple logo® are trademarks of Apple Inc.": "App Store®とAppleロゴ®はApple Incの商標です。", "App Store® and the Apple logo® are trademarks of Apple Inc.": "App Store®とAppleロゴ®はApple Incの商標です。",
"Get it on F-Droid": "F-Droidで入手", "Get it on F-Droid": "F-Droidで入手",
"Download on the App Store": "App Storeでダウンロード", "Download on the App Store": "App Storeでダウンロード",
"Get it on Google Play": "Google Playで入手", "Get it on Google Play": "Google Playで入手",
"Android": "Android",
"%(qrCode)s or %(appLinks)s": "%(qrCode)sまたは%(appLinks)s", "%(qrCode)s or %(appLinks)s": "%(qrCode)sまたは%(appLinks)s",
"iOS": "iOS",
"Not all selected were added": "選択されたもの全てが追加されてはいません", "Not all selected were added": "選択されたもの全てが追加されてはいません",
"Show: Matrix rooms": "表示Matrixルーム", "Show: Matrix rooms": "表示Matrixルーム",
"Add new server…": "新しいサーバーを追加…", "Add new server…": "新しいサーバーを追加…",
@ -3178,8 +3074,6 @@
"Web session": "Webセッション", "Web session": "Webセッション",
"Mobile session": "モバイル端末セッション", "Mobile session": "モバイル端末セッション",
"Desktop session": "デスクトップセッション", "Desktop session": "デスクトップセッション",
"Unverified": "未認証",
"Verified": "認証済",
"Cant start a call": "通話を開始できません", "Cant start a call": "通話を開始できません",
"Failed to read events": "イベントの受信に失敗しました", "Failed to read events": "イベントの受信に失敗しました",
"Failed to send event": "イベントの送信に失敗しました", "Failed to send event": "イベントの送信に失敗しました",
@ -3187,7 +3081,6 @@
"Hide details": "詳細を非表示にする", "Hide details": "詳細を非表示にする",
"Security recommendations": "セキュリティーに関する勧告", "Security recommendations": "セキュリティーに関する勧告",
"Unverified session": "未認証のセッション", "Unverified session": "未認証のセッション",
"Community ownership": "コミュニティーの手に",
"Text": "テキスト", "Text": "テキスト",
"Freedom": "自由", "Freedom": "自由",
"%(count)s sessions selected": { "%(count)s sessions selected": {
@ -3211,7 +3104,6 @@
"other": "%(count)s個のセッションからサインアウトしてよろしいですか" "other": "%(count)s個のセッションからサインアウトしてよろしいですか"
}, },
"Bulk options": "一括オプション", "Bulk options": "一括オプション",
"Enable hardware acceleration (restart %(appName)s to take effect)": "ハードウェアアクセラレーションを有効にする(%(appName)sを再起動すると有効になります",
"Your server doesn't support disabling sending read receipts.": "あなたのサーバーは開封確認メッセージの送信防止をサポートしていません。", "Your server doesn't support disabling sending read receipts.": "あなたのサーバーは開封確認メッセージの送信防止をサポートしていません。",
"Change input device": "入力端末を変更", "Change input device": "入力端末を変更",
"Yes, end my recording": "はい、録音を終了してください", "Yes, end my recording": "はい、録音を終了してください",
@ -3250,7 +3142,6 @@
"30s forward": "30秒進める", "30s forward": "30秒進める",
"30s backward": "30秒戻す", "30s backward": "30秒戻す",
"Change layout": "レイアウトを変更", "Change layout": "レイアウトを変更",
"Cancelled": "キャンセル済",
"Create a link": "リンクを作成", "Create a link": "リンクを作成",
"Edit link": "リンクを編集", "Edit link": "リンクを編集",
"Unable to decrypt message": "メッセージを復号化できません", "Unable to decrypt message": "メッセージを復号化できません",
@ -3263,14 +3154,6 @@
"An error occurred whilst sharing your live location": "位置情報(ライブ)を共有している際にエラーが発生しました", "An error occurred whilst sharing your live location": "位置情報(ライブ)を共有している際にエラーが発生しました",
"An error occurred while stopping your live location": "位置情報(ライブ)を停止する際にエラーが発生しました", "An error occurred while stopping your live location": "位置情報(ライブ)を停止する際にエラーが発生しました",
"Leaving the beta will reload %(brand)s.": "ベータ版を終了すると%(brand)sをリロードします。", "Leaving the beta will reload %(brand)s.": "ベータ版を終了すると%(brand)sをリロードします。",
"Only %(count)s steps to go": {
"one": "あと%(count)sつのステップです",
"other": "あと%(count)sつのステップです"
},
"You did it!": "完了しました!",
"Find your people": "知人を見つける",
"Secure messaging for work": "仕事で安全なメッセージングを",
"Secure messaging for friends and family": "友達や家族と安全なメッセージングを",
"Failed to set direct message tag": "ダイレクトメッセージのタグの設定に失敗しました", "Failed to set direct message tag": "ダイレクトメッセージのタグの設定に失敗しました",
"Download %(brand)s Desktop": "%(brand)sデスクトップをダウンロード", "Download %(brand)s Desktop": "%(brand)sデスクトップをダウンロード",
"Online community members": "オンラインコミュニティーのメンバー", "Online community members": "オンラインコミュニティーのメンバー",
@ -3289,8 +3172,6 @@
"Verified sessions": "認証済のセッション", "Verified sessions": "認証済のセッション",
"Search for": "検索", "Search for": "検索",
"%(timeRemaining)s left": "残り%(timeRemaining)s", "%(timeRemaining)s left": "残り%(timeRemaining)s",
"Started": "開始済",
"Requested": "要求済",
"If you can't find the room you're looking for, ask for an invite or create a new room.": "探しているルームが見つからない場合、招待を要求するか新しいルームを作成してください。", "If you can't find the room you're looking for, ask for an invite or create a new room.": "探しているルームが見つからない場合、招待を要求するか新しいルームを作成してください。",
"If you can't see who you're looking for, send them your invite link.": "探している相手が見つからなければ、招待リンクを送信してください。", "If you can't see who you're looking for, send them your invite link.": "探している相手が見つからなければ、招待リンクを送信してください。",
"View servers in room": "ルームでサーバーを表示", "View servers in room": "ルームでサーバーを表示",
@ -3367,8 +3248,6 @@
"Its what youre here for, so lets get to it": "友達を見つけて、チャットを開始しましょう", "Its what youre here for, so lets get to it": "友達を見つけて、チャットを開始しましょう",
"Dont miss a thing by taking %(brand)s with you": "%(brand)sを持ち歩いて、情報を見逃さないようにしましょう", "Dont miss a thing by taking %(brand)s with you": "%(brand)sを持ち歩いて、情報を見逃さないようにしましょう",
"Get stuff done by finding your teammates": "同僚を見つけて、仕事を片付けましょう", "Get stuff done by finding your teammates": "同僚を見つけて、仕事を片付けましょう",
"Complete these to get the most out of %(brand)s": "以下を完了し、%(brand)sを最大限に活用しましょう",
"With free end-to-end encrypted messaging, and unlimited voice and video calls, %(brand)s is a great way to stay in touch.": "自由なエンドツーエンド暗号化のメッセージのやり取りと音声・ビデオ通話で、%(brand)sは連絡を取るのに最適な手段です。",
"Decrypted source unavailable": "復号化したソースコードが利用できません", "Decrypted source unavailable": "復号化したソースコードが利用できません",
"Thread root ID: %(threadRootId)s": "スレッドのルートID%(threadRootId)s", "Thread root ID: %(threadRootId)s": "スレッドのルートID%(threadRootId)s",
"Reset your password": "パスワードを再設定", "Reset your password": "パスワードを再設定",
@ -3416,7 +3295,6 @@
"Sign in instead": "サインイン", "Sign in instead": "サインイン",
"Ignore %(user)s": "%(user)sを無視", "Ignore %(user)s": "%(user)sを無視",
"Join the room to participate": "ルームに参加", "Join the room to participate": "ルームに参加",
"Threads timeline": "スレッドのタイムライン",
"Are you sure you want to stop your live broadcast? This will end the broadcast and the full recording will be available in the room.": "ライブ配信を終了してよろしいですか?配信を終了し、録音をこのルームで利用できるよう設定します。", "Are you sure you want to stop your live broadcast? This will end the broadcast and the full recording will be available in the room.": "ライブ配信を終了してよろしいですか?配信を終了し、録音をこのルームで利用できるよう設定します。",
"Consult first": "初めに相談", "Consult first": "初めに相談",
"Notifications debug": "通知のデバッグ", "Notifications debug": "通知のデバッグ",
@ -3431,16 +3309,10 @@
"Red": "赤色", "Red": "赤色",
"Grey": "灰色", "Grey": "灰色",
"Unable to decrypt voice broadcast": "音声配信を復号化できません", "Unable to decrypt voice broadcast": "音声配信を復号化できません",
"Sender: ": "送信者: ",
"Room status": "ルームの状態",
"Too many attempts in a short time. Retry after %(timeout)s.": "再試行の数が多すぎます。%(timeout)s後に再度試してください。", "Too many attempts in a short time. Retry after %(timeout)s.": "再試行の数が多すぎます。%(timeout)s後に再度試してください。",
"Start at the sign in screen": "サインインの画面で開始", "Start at the sign in screen": "サインインの画面で開始",
"Linking with this device is not supported.": "この端末とのリンクはサポートしていません。", "Linking with this device is not supported.": "この端末とのリンクはサポートしていません。",
"The linking wasn't completed in the required time.": "時間内にリンクが完了しませんでした。", "The linking wasn't completed in the required time.": "時間内にリンクが完了しませんでした。",
"Values at explicit levels in this room:": "このルーム内の明示的なレベルでの値:",
"Values at explicit levels:": "明示的なレベルでの値:",
"Values at explicit levels in this room": "このルーム内の明示的なレベルでの値",
"Values at explicit levels": "明示的なレベルでの値",
"If you do, please note that none of your messages will be deleted, but the search experience might be degraded for a few moments whilst the index is recreated": "メッセージは削除されませんが、インデックスを再構成している間、検索のパフォーマンスが低下します", "If you do, please note that none of your messages will be deleted, but the search experience might be degraded for a few moments whilst the index is recreated": "メッセージは削除されませんが、インデックスを再構成している間、検索のパフォーマンスが低下します",
"Recent changes that have not yet been received": "まだ受信していない最近の変更", "Recent changes that have not yet been received": "まだ受信していない最近の変更",
"Your server isn't responding to some of your requests. Below are some of the most likely reasons.": "サーバーはいくつかのリクエストに応答していません。以下に考えられる理由を表示します。", "Your server isn't responding to some of your requests. Below are some of the most likely reasons.": "サーバーはいくつかのリクエストに応答していません。以下に考えられる理由を表示します。",
@ -3461,20 +3333,9 @@
"This widget would like to:": "ウィジェットによる要求:", "This widget would like to:": "ウィジェットによる要求:",
"To help us prevent this in future, please <a>send us logs</a>.": "今後これが起こらないようにするために、<a>ログを送信</a>してください。", "To help us prevent this in future, please <a>send us logs</a>.": "今後これが起こらないようにするために、<a>ログを送信</a>してください。",
"Sliding Sync configuration": "スライド式同期の設定", "Sliding Sync configuration": "スライド式同期の設定",
"Thread Id: ": "スレッドID ",
"Type: ": "種類: ",
"ID: ": "ID ",
"Last event:": "最新のイベント:",
"Dot: ": "ドット: ",
"Highlight: ": "ハイライト: ",
"Total: ": "合計: ",
"Main timeline": "メインのタイムライン",
"Remove search filter for %(filter)s": "%(filter)sの検索フィルターを削除", "Remove search filter for %(filter)s": "%(filter)sの検索フィルターを削除",
"Some results may be hidden": "いくつかの結果が表示されていない可能性があります", "Some results may be hidden": "いくつかの結果が表示されていない可能性があります",
"Check if you want to hide all current and future messages from this user.": "このユーザーのメッセージを非表示にするかどうか確認してください。", "Check if you want to hide all current and future messages from this user.": "このユーザーのメッセージを非表示にするかどうか確認してください。",
"Observe only": "観察のみ",
"Ready": "準備ができました",
"This UI does NOT check the types of the values. Use at your own risk.": "このユーザーインターフェースは、値の種類を確認しません。自己責任で使用してください。",
"The widget will verify your user ID, but won't be able to perform actions for you:": "ウィジェットはあなたのユーザーIDを認証しますが、操作を行うことはできません", "The widget will verify your user ID, but won't be able to perform actions for you:": "ウィジェットはあなたのユーザーIDを認証しますが、操作を行うことはできません",
"In %(spaceName)s.": "スペース %(spaceName)s内。", "In %(spaceName)s.": "スペース %(spaceName)s内。",
"In spaces %(space1Name)s and %(space2Name)s.": "スペース %(space1Name)sと%(space2Name)s内。", "In spaces %(space1Name)s and %(space2Name)s.": "スペース %(space1Name)sと%(space2Name)s内。",
@ -3495,13 +3356,9 @@
"Your server lacks native support, you must specify a proxy": "あなたのサーバーはネイティブでサポートしていません。プロクシーを指定してください", "Your server lacks native support, you must specify a proxy": "あなたのサーバーはネイティブでサポートしていません。プロクシーを指定してください",
"Your server lacks native support": "あなたのサーバーはネイティブでサポートしていません", "Your server lacks native support": "あなたのサーバーはネイティブでサポートしていません",
"Your server has native support": "あなたのサーバーはネイティブでサポートしています", "Your server has native support": "あなたのサーバーはネイティブでサポートしています",
"No receipt found": "開封確認が見つかりません",
"User read up to: ": "ユーザーの既読状況: ",
"Declining…": "拒否しています…", "Declining…": "拒否しています…",
"Requester": "リクエストしたユーザー",
"Enable %(brand)s as an additional calling option in this room": "%(brand)sをこのルームの追加の通話手段として有効にする", "Enable %(brand)s as an additional calling option in this room": "%(brand)sをこのルームの追加の通話手段として有効にする",
"This session is backing up your keys.": "このセッションは鍵をバックアップしています。", "This session is backing up your keys.": "このセッションは鍵をバックアップしています。",
"Keep ownership and control of community discussion.\nScale to support millions, with powerful moderation and interoperability.": "コミュニティーの会話の所有権とコントロールを維持しましょう。\n強力なモデレートと相互運用性で、数百万人のユーザーまでサポートできます。",
"There are no past polls in this room": "このルームに過去のアンケートはありません", "There are no past polls in this room": "このルームに過去のアンケートはありません",
"There are no active polls in this room": "このルームに実施中のアンケートはありません", "There are no active polls in this room": "このルームに実施中のアンケートはありません",
"<b>Warning</b>: upgrading a room will <i>not automatically migrate room members to the new version of the room.</i> We'll post a link to the new room in the old version of the room - room members will have to click this link to join the new room.": "<b>警告</b>: ルームをアップグレードしても、<i>ルームのメンバーが新しいバージョンのルームに自動的に移行されることはありません。</i> 古いバージョンのルームに、新しいルームへのリンクを投稿します。ルームのメンバーは、そのリンクをクリックして新しいルームに参加する必要があります。", "<b>Warning</b>: upgrading a room will <i>not automatically migrate room members to the new version of the room.</i> We'll post a link to the new room in the old version of the room - room members will have to click this link to join the new room.": "<b>警告</b>: ルームをアップグレードしても、<i>ルームのメンバーが新しいバージョンのルームに自動的に移行されることはありません。</i> 古いバージョンのルームに、新しいルームへのリンクを投稿します。ルームのメンバーは、そのリンクをクリックして新しいルームに参加する必要があります。",
@ -3597,21 +3454,38 @@
"beta": "ベータ版", "beta": "ベータ版",
"attachment": "添付ファイル", "attachment": "添付ファイル",
"appearance": "外観", "appearance": "外観",
"guest": "ゲスト",
"legal": "法的情報",
"credits": "クレジット",
"faq": "よくある質問",
"access_token": "アクセストークン",
"preferences": "環境設定",
"presence": "プレゼンス(ステータス表示)",
"timeline": "タイムライン", "timeline": "タイムライン",
"privacy": "プライバシー",
"camera": "カメラ",
"microphone": "マイク",
"emoji": "絵文字",
"random": "ランダム",
"support": "サポート", "support": "サポート",
"space": "スペース" "space": "スペース",
"random": "ランダム",
"privacy": "プライバシー",
"presence": "プレゼンス(ステータス表示)",
"preferences": "環境設定",
"microphone": "マイク",
"legal": "法的情報",
"guest": "ゲスト",
"faq": "よくある質問",
"emoji": "絵文字",
"credits": "クレジット",
"camera": "カメラ",
"access_token": "アクセストークン",
"someone": "誰か",
"welcome": "ようこそ",
"encrypted": "暗号化",
"application": "アプリケーション",
"version": "バージョン",
"device": "端末",
"model": "形式",
"verified": "認証済",
"unverified": "未認証",
"matrix": "Matrix",
"ios": "iOS",
"android": "Android",
"trusted": "信頼済",
"not_trusted": "信頼されていません",
"accessibility": "アクセシビリティー",
"capabilities": "機能",
"server": "サーバー"
}, },
"action": { "action": {
"continue": "続行", "continue": "続行",
@ -3683,22 +3557,33 @@
"apply": "適用", "apply": "適用",
"add": "追加", "add": "追加",
"accept": "同意", "accept": "同意",
"disconnect": "切断",
"change": "変更",
"subscribe": "購読",
"unsubscribe": "購読の解除",
"approve": "同意",
"complete": "完了",
"revoke": "取り消す",
"rename": "表示名を変更",
"view_all": "全て表示", "view_all": "全て表示",
"unsubscribe": "購読の解除",
"subscribe": "購読",
"show_all": "全て表示", "show_all": "全て表示",
"show": "表示", "show": "表示",
"revoke": "取り消す",
"review": "確認", "review": "確認",
"restore": "復元", "restore": "復元",
"rename": "表示名を変更",
"register": "登録",
"play": "再生", "play": "再生",
"pause": "一時停止", "pause": "一時停止",
"register": "登録" "disconnect": "切断",
"complete": "完了",
"change": "変更",
"approve": "同意",
"manage": "管理",
"go": "続行",
"import": "インポート",
"export": "エクスポート",
"refresh": "再読み込み",
"minimise": "最小化",
"maximise": "最大化",
"mention": "メンション",
"submit": "送信",
"send_report": "報告を送信",
"clear": "消去"
}, },
"a11y": { "a11y": {
"user_menu": "ユーザーメニュー" "user_menu": "ユーザーメニュー"
@ -3773,8 +3658,8 @@
"restricted": "制限", "restricted": "制限",
"moderator": "モデレーター", "moderator": "モデレーター",
"admin": "管理者", "admin": "管理者",
"custom": "ユーザー定義(%(level)s", "mod": "モデレーター",
"mod": "モデレーター" "custom": "ユーザー定義(%(level)s"
}, },
"bug_reporting": { "bug_reporting": {
"introduction": "もしGitHubで不具合を報告した場合は、デバッグログが問題の解決に役立ちます。 ", "introduction": "もしGitHubで不具合を報告した場合は、デバッグログが問題の解決に役立ちます。 ",
@ -3799,6 +3684,127 @@
"short_seconds": "%(value)s秒", "short_seconds": "%(value)s秒",
"short_days_hours_minutes_seconds": "%(days)s日%(hours)s時%(minutes)s分%(seconds)s秒", "short_days_hours_minutes_seconds": "%(days)s日%(hours)s時%(minutes)s分%(seconds)s秒",
"short_hours_minutes_seconds": "%(hours)s時%(minutes)s分%(seconds)s秒", "short_hours_minutes_seconds": "%(hours)s時%(minutes)s分%(seconds)s秒",
"short_minutes_seconds": "%(minutes)s分%(seconds)s秒" "short_minutes_seconds": "%(minutes)s分%(seconds)s秒",
"last_week": "先週",
"last_month": "先月"
},
"onboarding": {
"personal_messaging_title": "友達や家族と安全なメッセージングを",
"free_e2ee_messaging_unlimited_voip": "自由なエンドツーエンド暗号化のメッセージのやり取りと音声・ビデオ通話で、%(brand)sは連絡を取るのに最適な手段です。",
"personal_messaging_action": "最初のチャットを始めましょう",
"work_messaging_title": "仕事で安全なメッセージングを",
"work_messaging_action": "同僚を見つける",
"community_messaging_title": "コミュニティーの手に",
"community_messaging_action": "知人を見つける",
"welcome_to_brand": "%(brand)sにようこそ",
"only_n_steps_to_go": {
"one": "あと%(count)sつのステップです",
"other": "あと%(count)sつのステップです"
},
"you_did_it": "完了しました!",
"complete_these": "以下を完了し、%(brand)sを最大限に活用しましょう",
"community_messaging_description": "コミュニティーの会話の所有権とコントロールを維持しましょう。\n強力なモデレートと相互運用性で、数百万人のユーザーまでサポートできます。"
},
"devtools": {
"send_custom_account_data_event": "アカウントのユーザー定義のデータイベントを送信",
"send_custom_room_account_data_event": "ルームアカウントのユーザー定義のデータイベントを送信",
"event_type": "イベントの種類",
"state_key": "ステートキー",
"invalid_json": "正しいJSONではありません。",
"failed_to_send": "イベントの送信に失敗しました!",
"event_sent": "イベントを送信しました!",
"event_content": "イベントの内容",
"user_read_up_to": "ユーザーの既読状況: ",
"no_receipt_found": "開封確認が見つかりません",
"room_status": "ルームの状態",
"main_timeline": "メインのタイムライン",
"threads_timeline": "スレッドのタイムライン",
"room_notifications_total": "合計: ",
"room_notifications_highlight": "ハイライト: ",
"room_notifications_dot": "ドット: ",
"room_notifications_last_event": "最新のイベント:",
"room_notifications_type": "種類: ",
"room_notifications_sender": "送信者: ",
"room_notifications_thread_id": "スレッドID ",
"spaces": {
"one": "<スペース>",
"other": "<%(count)s個のスペース>"
},
"empty_string": "<空の文字列>",
"id": "ID ",
"send_custom_state_event": "ユーザー定義のステートイベントを送信",
"failed_to_load": "読み込みに失敗しました。",
"client_versions": "クライアントのバージョン",
"server_versions": "サーバーのバージョン",
"number_of_users": "ユーザー数",
"failed_to_save": "設定の保存に失敗しました。",
"save_setting_values": "設定の値を保存",
"setting_colon": "設定:",
"caution_colon": "注意:",
"use_at_own_risk": "このユーザーインターフェースは、値の種類を確認しません。自己責任で使用してください。",
"setting_definition": "設定の定義:",
"level": "レベル",
"settable_global": "全体で設定可能",
"settable_room": "ルームの中で設定可能",
"values_explicit": "明示的なレベルでの値",
"values_explicit_room": "このルーム内の明示的なレベルでの値",
"edit_values": "値の編集",
"value_colon": "値:",
"value_this_room_colon": "このルームでの値:",
"values_explicit_colon": "明示的なレベルでの値:",
"values_explicit_this_room_colon": "このルーム内の明示的なレベルでの値:",
"setting_id": "設定のID",
"value": "値",
"value_in_this_room": "このルームでの値",
"edit_setting": "設定を編集",
"phase_requested": "要求済",
"phase_ready": "準備ができました",
"phase_started": "開始済",
"phase_cancelled": "キャンセル済",
"phase_transaction": "トランザクション",
"phase": "フェーズ",
"timeout": "タイムアウト",
"methods": "方法",
"requester": "リクエストしたユーザー",
"observe_only": "観察のみ",
"no_verification_requests_found": "認証リクエストがありません",
"failed_to_find_widget": "このウィジェットを発見する際にエラーが発生しました。"
},
"settings": {
"show_breadcrumbs": "ルームの一覧の上に、最近表示したルームのショートカットを表示",
"all_rooms_home_description": "あなたが参加している全てのルームがホームに表示されます。",
"use_command_f_search": "Command+Fでタイムラインを検索",
"use_control_f_search": "Ctrl+Fでタイムラインを検索",
"use_12_hour_format": "発言時刻を12時間形式で表示2:30午後",
"always_show_message_timestamps": "メッセージの時刻を常に表示",
"send_read_receipts": "開封確認メッセージを送信",
"send_typing_notifications": "入力中通知を送信",
"replace_plain_emoji": "自動的にプレーンテキストの絵文字を置き換える",
"enable_markdown": "マークダウンを有効にする",
"emoji_autocomplete": "入力中に絵文字を提案",
"use_command_enter_send_message": "Command+Enterでメッセージを送信",
"use_control_enter_send_message": "Ctrl+Enterでメッセージを送信",
"all_rooms_home": "ホームに全てのルームを表示",
"show_stickers_button": "ステッカーボタンを表示",
"insert_trailing_colon_mentions": "ユーザーをメンションする際にコロンを挿入",
"automatic_language_detection_syntax_highlight": "構文強調表示の自動言語検出を有効にする",
"code_block_expand_default": "コードのブロックを既定で展開",
"code_block_line_numbers": "コードのブロックに行番号を表示",
"inline_url_previews_default": "既定でインラインURLプレビューを有効にする",
"autoplay_gifs": "GIFアニメーションを自動再生",
"autoplay_videos": "動画を自動再生",
"image_thumbnails": "画像のプレビューまたはサムネイルを表示",
"show_typing_notifications": "入力中通知を表示",
"show_redaction_placeholder": "削除されたメッセージに関する通知を表示",
"show_read_receipts": "他のユーザーの開封確認メッセージを表示",
"show_join_leave": "参加/退出のメッセージを表示(招待/削除/ブロックには影響しません)",
"show_displayname_changes": "表示名の変更を表示",
"show_chat_effects": "チャットのエフェクトを表示(紙吹雪などを受け取ったときのアニメーション)",
"big_emoji": "チャットで大きな絵文字を有効にする",
"jump_to_bottom_on_send": "メッセージを送信する際にタイムラインの最下部に移動",
"prompt_invite": "不正の可能性があるMatrix IDに招待を送信する前に確認",
"hardware_acceleration": "ハードウェアアクセラレーションを有効にする(%(appName)sを再起動すると有効になります",
"start_automatically": "システムログイン後に自動的に起動",
"warn_quit": "終了する際に警告"
} }
} }

View file

@ -82,7 +82,6 @@
"%(senderDisplayName)s sent an image.": ".i pa pixra cu zilbe'i fi la'o zoi. %(senderDisplayName)s .zoi", "%(senderDisplayName)s sent an image.": ".i pa pixra cu zilbe'i fi la'o zoi. %(senderDisplayName)s .zoi",
"%(senderName)s set the main address for this room to %(address)s.": ".i gau la'o zoi. %(senderName)s .zoi zoi zoi. %(address)s .zoi co'a ralju le'i judri be le ve zilbe'i", "%(senderName)s set the main address for this room to %(address)s.": ".i gau la'o zoi. %(senderName)s .zoi zoi zoi. %(address)s .zoi co'a ralju le'i judri be le ve zilbe'i",
"%(senderName)s removed the main address for this room.": ".i gau la'o zoi. %(senderName)s .zoi da co'u ralju le'i judri be le ve zilbe'i", "%(senderName)s removed the main address for this room.": ".i gau la'o zoi. %(senderName)s .zoi da co'u ralju le'i judri be le ve zilbe'i",
"Someone": "da",
"%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": ".i la'o zoi. %(senderName)s .zoi friti le ka ziljmina le se zilbe'i kei la'o zoi. %(targetDisplayName)s .zoi", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": ".i la'o zoi. %(senderName)s .zoi friti le ka ziljmina le se zilbe'i kei la'o zoi. %(targetDisplayName)s .zoi",
"%(senderName)s made future room history visible to all room members, from the point they are invited.": ".i ro da poi pagbu le se zilbe'i zo'u gau la'o zoi. %(senderName)s .zoi da ka'e tcidu ro notci poi ba lo nu da te friti ba zilbe'i", "%(senderName)s made future room history visible to all room members, from the point they are invited.": ".i ro da poi pagbu le se zilbe'i zo'u gau la'o zoi. %(senderName)s .zoi da ka'e tcidu ro notci poi ba lo nu da te friti ba zilbe'i",
"%(senderName)s made future room history visible to all room members, from the point they joined.": ".i ro da poi pagbu le se zilbe'i zo'u gau la'o zoi. %(senderName)s .zoi da ka'e tcidu ro notci poi ba lo nu da ziljmina ba zilbe'i", "%(senderName)s made future room history visible to all room members, from the point they joined.": ".i ro da poi pagbu le se zilbe'i zo'u gau la'o zoi. %(senderName)s .zoi da ka'e tcidu ro notci poi ba lo nu da ziljmina ba zilbe'i",
@ -98,13 +97,8 @@
"Your browser does not support the required cryptography extensions": ".i le kibrbrauzero na ka'e pilno le mifra ciste poi jai sarcu", "Your browser does not support the required cryptography extensions": ".i le kibrbrauzero na ka'e pilno le mifra ciste poi jai sarcu",
"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", "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",
"Please contact your homeserver administrator.": ".i .e'o ko tavla lo admine be le samtcise'u", "Please contact your homeserver administrator.": ".i .e'o ko tavla lo admine be le samtcise'u",
"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",
"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",
"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", "Mirror local video feed": "lo du'u xu kau minra lo diklo vidvi",
"Send analytics data": "lo du'u xu kau benji lo se lanli datni", "Send analytics data": "lo du'u xu kau benji lo se lanli datni",
"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 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", "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",
"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", "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",
@ -118,7 +112,6 @@
"Call invitation": "nu da co'a fonjo'e do", "Call invitation": "nu da co'a fonjo'e do",
"Messages sent by bot": "nu da zilbe'i fi pa sampre", "Messages sent by bot": "nu da zilbe'i fi pa sampre",
"Incorrect verification code": ".i na'e drani ke lacri lerpoi", "Incorrect verification code": ".i na'e drani ke lacri lerpoi",
"Submit": "nu zilbe'i",
"Phone": "fonxa", "Phone": "fonxa",
"No display name": ".i na da cmene", "No display name": ".i na da cmene",
"New passwords don't match": ".i le'i lerpoijaspu poi cnino na simxu le ka du", "New passwords don't match": ".i le'i lerpoijaspu poi cnino na simxu le ka du",
@ -303,8 +296,6 @@
"Enter username": ".i ko cuxna fo le ka judri cmene", "Enter username": ".i ko cuxna fo le ka judri cmene",
"Messages in this room are end-to-end encrypted.": ".i ro zilbe'i be fo le cei'i cu mifra", "Messages in this room are end-to-end encrypted.": ".i ro zilbe'i be fo le cei'i cu mifra",
"Messages in this room are not end-to-end encrypted.": ".i na pa zilbe'i be fo le cei'i cu mifra", "Messages in this room are not end-to-end encrypted.": ".i na pa zilbe'i be fo le cei'i cu mifra",
"Trusted": "se lacri",
"Not trusted": "na se lacri",
"%(count)s verified sessions": { "%(count)s verified sessions": {
"other": ".i lacri %(count)s se samtcise'u", "other": ".i lacri %(count)s se samtcise'u",
"one": ".i lacri pa se samtcise'u" "one": ".i lacri pa se samtcise'u"
@ -362,7 +353,10 @@
"username": "judri cmene", "username": "judri cmene",
"light": "carmi", "light": "carmi",
"dark": "manku", "dark": "manku",
"emoji": "cinmo sinxa" "emoji": "cinmo sinxa",
"someone": "da",
"trusted": "se lacri",
"not_trusted": "na se lacri"
}, },
"action": { "action": {
"continue": "", "continue": "",
@ -393,7 +387,8 @@
"add": "jmina", "add": "jmina",
"accept": "nu fonjo'e", "accept": "nu fonjo'e",
"change": "nu basti", "change": "nu basti",
"register": "nu co'a na'o jaspu" "register": "nu co'a na'o jaspu",
"submit": "nu zilbe'i"
}, },
"labs": { "labs": {
"pinning": "lo du'u xu kau kakne lo nu mrilu lo vitno notci" "pinning": "lo du'u xu kau kakne lo nu mrilu lo vitno notci"
@ -404,5 +399,12 @@
"moderator": "vlipa so'o da", "moderator": "vlipa so'o da",
"admin": "vlipa so'i da", "admin": "vlipa so'i da",
"custom": "drata (%(level)s)" "custom": "drata (%(level)s)"
},
"settings": {
"use_12_hour_format": "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",
"replace_plain_emoji": "lo du'u xu kau zmiku basti lo cinmo lerpoi",
"automatic_language_detection_syntax_highlight": "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",
"inline_url_previews_default": "lo zmiselcu'a pe lo du'u xu kau zmiku purzga lo se urli"
} }
} }

View file

@ -33,7 +33,6 @@
"Usage": "Aseqdec", "Usage": "Aseqdec",
"Thank you!": "Tanemmirt!", "Thank you!": "Tanemmirt!",
"Reason": "Taɣẓint", "Reason": "Taɣẓint",
"Someone": "Albaɛḍ",
"Add another word or two. Uncommon words are better.": "Rnu awal-nniḍen neɣ sin. Awalen imexḍa ad lhun.", "Add another word or two. Uncommon words are better.": "Rnu awal-nniḍen neɣ sin. Awalen imexḍa ad lhun.",
"Later": "Ticki", "Later": "Ticki",
"Notifications": "Ilɣa", "Notifications": "Ilɣa",
@ -65,7 +64,6 @@
"Change Password": "Snifel Awal Uffir", "Change Password": "Snifel Awal Uffir",
"not found": "ulac-it", "not found": "ulac-it",
"Authentication": "Asesteb", "Authentication": "Asesteb",
"Manage": "Sefrek",
"Off": "Insa", "Off": "Insa",
"Display Name": "Sken isem", "Display Name": "Sken isem",
"Profile": "Amaɣnu", "Profile": "Amaɣnu",
@ -91,7 +89,6 @@
"Activity": "Armud", "Activity": "Armud",
"A-Z": "A-Z", "A-Z": "A-Z",
"Server error": "Tuccḍa n uqeddac", "Server error": "Tuccḍa n uqeddac",
"Trusted": "Yettwattkal",
"Are you sure?": "Tebɣiḍ s tidet?", "Are you sure?": "Tebɣiḍ s tidet?",
"Sunday": "Acer", "Sunday": "Acer",
"Monday": "Arim", "Monday": "Arim",
@ -121,10 +118,7 @@
"Removing…": "Tukksa…", "Removing…": "Tukksa…",
"Confirm Removal": "Sentem tukksa", "Confirm Removal": "Sentem tukksa",
"Send": "Azen", "Send": "Azen",
"Go": "Ddu",
"Session name": "Isem n tɣimit", "Session name": "Isem n tɣimit",
"Send report": "Azen aneqqis",
"Refresh": "Smiren",
"Email address": "Tansa n yimayl", "Email address": "Tansa n yimayl",
"Terms of Service": "Tiwtilin n useqdec", "Terms of Service": "Tiwtilin n useqdec",
"Service": "Ameẓlu", "Service": "Ameẓlu",
@ -134,7 +128,6 @@
"Source URL": "URL aɣbalu", "Source URL": "URL aɣbalu",
"Home": "Agejdan", "Home": "Agejdan",
"powered by Matrix": "s lmendad n Matrix", "powered by Matrix": "s lmendad n Matrix",
"Submit": "Azen",
"Email": "Imayl", "Email": "Imayl",
"Phone": "Tiliɣri", "Phone": "Tiliɣri",
"Passwords don't match": "Awalen uffiren ur mṣadan ara", "Passwords don't match": "Awalen uffiren ur mṣadan ara",
@ -146,8 +139,6 @@
"Create account": "Rnu amiḍan", "Create account": "Rnu amiḍan",
"Commands": "Tiludna", "Commands": "Tiludna",
"Users": "Iseqdacen", "Users": "Iseqdacen",
"Export": "Sifeḍ",
"Import": "Kter",
"Success!": "Tammug akken iwata!", "Success!": "Tammug akken iwata!",
"Navigation": "Tunigin", "Navigation": "Tunigin",
"Calls": "Isawalen", "Calls": "Isawalen",
@ -232,8 +223,6 @@
"What's new?": "D acu-t umaynut?", "What's new?": "D acu-t umaynut?",
"Please contact your homeserver administrator.": "Ttxil-k/m nermes anedbal-ik/im n usebter agejdan.", "Please contact your homeserver administrator.": "Ttxil-k/m nermes anedbal-ik/im n usebter agejdan.",
"Use custom size": "Seqdec teɣzi tudmawant", "Use custom size": "Seqdec teɣzi tudmawant",
"Send typing notifications": "Azen ilɣa yettuszemlen",
"Show typing notifications": "Azen ilɣa yettuszemlen",
"Unable to load! Check your network connectivity and try again.": "Yegguma ad d-yali! Senqed tuqqna-inek.inem ɣer uzeṭṭa syen tεerḍeḍ tikkelt-nniḍen.", "Unable to load! Check your network connectivity and try again.": "Yegguma ad d-yali! Senqed tuqqna-inek.inem ɣer uzeṭṭa syen tεerḍeḍ tikkelt-nniḍen.",
"Failure to create room": "Timerna n texxamt ur teddi ara", "Failure to create room": "Timerna n texxamt ur teddi ara",
"Call failed due to misconfigured server": "Ur yeddi ara usiwel ssebba n uqeddac ur nettuswel ara akken iwata", "Call failed due to misconfigured server": "Ur yeddi ara usiwel ssebba n uqeddac ur nettuswel ara akken iwata",
@ -248,7 +237,6 @@
"Set up": "Sbadu", "Set up": "Sbadu",
"Pencil": "Akeryun", "Pencil": "Akeryun",
"Online": "Srid", "Online": "Srid",
"Mention": "Abdar",
"Verify session": "Asenqed n tɣimit", "Verify session": "Asenqed n tɣimit",
"Message edits": "Tiẓrigin n yizen", "Message edits": "Tiẓrigin n yizen",
"Security Key": "Tasarut n tɣellist", "Security Key": "Tasarut n tɣellist",
@ -669,7 +657,6 @@
"other": "D %(count)s ugar..." "other": "D %(count)s ugar..."
}, },
"Enter a server name": "Sekcem isem n uqeddac", "Enter a server name": "Sekcem isem n uqeddac",
"Matrix": "Matrix",
"The following users may not exist": "Iseqdacen i d-iteddun yezmer ad ilin ulac-iten", "The following users may not exist": "Iseqdacen i d-iteddun yezmer ad ilin ulac-iten",
"Invite anyway": "Ɣas akken nced-d", "Invite anyway": "Ɣas akken nced-d",
"Preparing to send logs": "Aheyyi n tuzna n yiɣmisen", "Preparing to send logs": "Aheyyi n tuzna n yiɣmisen",
@ -681,7 +668,6 @@
"Continue With Encryption Disabled": "Kemmel s uwgelhen yensan", "Continue With Encryption Disabled": "Kemmel s uwgelhen yensan",
"Confirm your account deactivation by using Single Sign On to prove your identity.": "Sentem asensi n umiḍan s useqdec n unekcum asuf i ubeggen n timagit-ik·im.", "Confirm your account deactivation by using Single Sign On to prove your identity.": "Sentem asensi n umiḍan s useqdec n unekcum asuf i ubeggen n timagit-ik·im.",
"Confirm account deactivation": "Sentem asensi n umiḍan", "Confirm account deactivation": "Sentem asensi n umiḍan",
"Event sent!": "Tadyant tettwazen!",
"Filter results": "Igmaḍ n usizdeg", "Filter results": "Igmaḍ n usizdeg",
"Incoming Verification Request": "Tuttra n usenqed i d-ikecmen", "Incoming Verification Request": "Tuttra n usenqed i d-ikecmen",
"Confirm to continue": "Sentem i wakken ad tkemmleḍ", "Confirm to continue": "Sentem i wakken ad tkemmleḍ",
@ -961,10 +947,6 @@
"%(brand)s is securely caching encrypted messages locally for them to appear in search results:": "%(brand)s iteffer iznan iwgelhanen idiganen s wudem aɣelsan i wakken ad d-banen deg yigmaḍ n unadi:", "%(brand)s is securely caching encrypted messages locally for them to appear in search results:": "%(brand)s iteffer iznan iwgelhanen idiganen s wudem aɣelsan i wakken ad d-banen deg yigmaḍ n unadi:",
"Message downloading sleep time(ms)": "Akud n usgunfu n usali n yiznan (ms)", "Message downloading sleep time(ms)": "Akud n usgunfu n usali n yiznan (ms)",
"Dismiss read marker and jump to bottom": "Zgel ticreḍt n tɣuri, tɛeddiḍ d akessar", "Dismiss read marker and jump to bottom": "Zgel ticreḍt n tɣuri, tɛeddiḍ d akessar",
"Show display name changes": "Sken isnifal n yisem yettwaskanen",
"Show read receipts sent by other users": "Sken awwaḍen n tɣuri yettwaznen sɣur yiseqdacen-nniḍen",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Sken azemzakud s umasal 12 yisragen (am. 14:30)",
"Always show message timestamps": "Sken yal tikkelt azemzakud n yiznan",
"When I'm invited to a room": "Mi ara d-ttunecdeɣ ɣer texxamt", "When I'm invited to a room": "Mi ara d-ttunecdeɣ ɣer texxamt",
"This is your list of users/servers you have blocked - don't leave the room!": "Tagi d tabdart-ik·im n yiseqdacen/yiqeddacen i tesweḥleḍ - ur teffeɣ ara seg texxamt!", "This is your list of users/servers you have blocked - don't leave the room!": "Tagi d tabdart-ik·im n yiseqdacen/yiqeddacen i tesweḥleḍ - ur teffeɣ ara seg texxamt!",
"Verified!": "Yettwasenqed!", "Verified!": "Yettwasenqed!",
@ -987,7 +969,6 @@
"Email addresses": "Tansiwin n yimayl", "Email addresses": "Tansiwin n yimayl",
"Phone numbers": "Uṭṭunen n tiliɣri", "Phone numbers": "Uṭṭunen n tiliɣri",
"Language and region": "Tutlayt d temnaḍt", "Language and region": "Tutlayt d temnaḍt",
"Not trusted": "Ur yettwattkal ara",
"%(count)s verified sessions": { "%(count)s verified sessions": {
"other": "%(count)s isenqed tiɣimiyin", "other": "%(count)s isenqed tiɣimiyin",
"one": "1 n tɣimit i yettwasneqden" "one": "1 n tɣimit i yettwasneqden"
@ -1046,8 +1027,6 @@
"Your homeserver has exceeded its user limit.": "Aqeddac-inek·inem agejdan yewweḍ ɣer talast n useqdac.", "Your homeserver has exceeded its user limit.": "Aqeddac-inek·inem agejdan yewweḍ ɣer talast n useqdac.",
"Your homeserver has exceeded one of its resource limits.": "Aqeddac-inek·inem agejdan iɛedda yiwet seg tlisa-ines tiɣbula.", "Your homeserver has exceeded one of its resource limits.": "Aqeddac-inek·inem agejdan iɛedda yiwet seg tlisa-ines tiɣbula.",
"Contact your <a>server admin</a>.": "Nermes anedbal-inek·inem <a>n uqeddac</a>.", "Contact your <a>server admin</a>.": "Nermes anedbal-inek·inem <a>n uqeddac</a>.",
"Enable big emoji in chat": "Rmed imujit ameqqran deg udiwenni",
"Automatically replace plain text Emoji": "Semselsi iujit n uḍris aččuran s wudem awurman",
"Use a system font": "Seqdec tasefsit n unagraw", "Use a system font": "Seqdec tasefsit n unagraw",
"Size must be a number": "Teɣzi ilaq ad tili d uṭṭun", "Size must be a number": "Teɣzi ilaq ad tili d uṭṭun",
"Discovery": "Tagrut", "Discovery": "Tagrut",
@ -1102,7 +1081,6 @@
"Members only (since the point in time of selecting this option)": "Iɛeggalen kan (segmi yebda ufran n textiṛit-a)", "Members only (since the point in time of selecting this option)": "Iɛeggalen kan (segmi yebda ufran n textiṛit-a)",
"Members only (since they were invited)": "Iɛeggalen kan (segmi ara d-ttwanecden)", "Members only (since they were invited)": "Iɛeggalen kan (segmi ara d-ttwanecden)",
"Members only (since they joined)": "Iɛeggalen kan (segmi ara d-ttwarnun)", "Members only (since they joined)": "Iɛeggalen kan (segmi ara d-ttwarnun)",
"Encrypted": "Yettwawgelhen",
"Who can read history?": "Anwa i izemren ad d-iɣer amazray?", "Who can read history?": "Anwa i izemren ad d-iɣer amazray?",
"Unable to revoke sharing for email address": "Asefsex n beṭṭu n tansa n yimayl ur yeddi ara", "Unable to revoke sharing for email address": "Asefsex n beṭṭu n tansa n yimayl ur yeddi ara",
"Unable to share email address": "Beṭṭu n tansa n yimayl ur yeddi ara", "Unable to share email address": "Beṭṭu n tansa n yimayl ur yeddi ara",
@ -1193,12 +1171,8 @@
"You can register, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Tzemreḍ ad tjerrdeḍ, maca kra n tmahilin ur ttilint ara almi yuɣal-d uqeddac n tmagit. Ma mazal tettwaliḍ alɣu-a, senqed tawila-inek•inem neɣ nermes anedbal n uqeddac.", "You can register, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Tzemreḍ ad tjerrdeḍ, maca kra n tmahilin ur ttilint ara almi yuɣal-d uqeddac n tmagit. Ma mazal tettwaliḍ alɣu-a, senqed tawila-inek•inem neɣ nermes anedbal n uqeddac.",
"You can reset your password, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Tzemreḍ ad talseḍ awennez i wawal-ik•im uffir, maca kra n tmahilin ur ttilint ara almi yuɣal-d uqeddac n tmagit. Ma mazal tettwaliḍ alɣu-a, senqed tawila-inek•inem neɣ nermes anedbal n uqeddac.", "You can reset your password, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Tzemreḍ ad talseḍ awennez i wawal-ik•im uffir, maca kra n tmahilin ur ttilint ara almi yuɣal-d uqeddac n tmagit. Ma mazal tettwaliḍ alɣu-a, senqed tawila-inek•inem neɣ nermes anedbal n uqeddac.",
"You can log in, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Tzemreḍ ad teqqneḍ, maca kra n tmahilin ur ttilint ara almi yuɣal-d uqeddac n tmagit. Ma mazal tettwaliḍ alɣu-a senqed tawila-inek•inem neɣ nermes anedbal n uqeddac.", "You can log in, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Tzemreḍ ad teqqneḍ, maca kra n tmahilin ur ttilint ara almi yuɣal-d uqeddac n tmagit. Ma mazal tettwaliḍ alɣu-a senqed tawila-inek•inem neɣ nermes anedbal n uqeddac.",
"Enable Emoji suggestions while typing": "Rmed asumer n yimujiten deg wakud n tira",
"Show a placeholder for removed messages": "Sken-d iznan yettwakksen",
"Enable automatic language detection for syntax highlighting": "Rmed tifin tawurmant n tutlayt i useɣti n tira",
"Never send encrypted messages to unverified sessions in this room from this session": "Ur ttazen ara akk iznan yettwawgelhen ɣer tɣimiyin ur nettusenqad ara seg tɣimit-a", "Never send encrypted messages to unverified sessions in this room from this session": "Ur ttazen ara akk iznan yettwawgelhen ɣer tɣimiyin ur nettusenqad ara seg tɣimit-a",
"Enable URL previews by default for participants in this room": "Rmed tiskanin n URL s wudem amezwer i yimttekkiyen deg texxamt-a", "Enable URL previews by default for participants in this room": "Rmed tiskanin n URL s wudem amezwer i yimttekkiyen deg texxamt-a",
"Enable inline URL previews by default": "Rmed tiskanin n URL srid s wudem amezwer",
"Enable URL previews for this room (only affects you)": "Rmed tiskanin n URL i texxamt-a (i ak·akem-yeɛnan kan)", "Enable URL previews for this room (only affects you)": "Rmed tiskanin n URL i texxamt-a (i ak·akem-yeɛnan kan)",
"Enable widget screenshots on supported widgets": "Rmed tuṭṭfiwin n ugdil n uwiǧit deg yiwiǧiten yettwasferken", "Enable widget screenshots on supported widgets": "Rmed tuṭṭfiwin n ugdil n uwiǧit deg yiwiǧiten yettwasferken",
"Enter a new identity server": "Sekcem aqeddac n timagit amaynut", "Enter a new identity server": "Sekcem aqeddac n timagit amaynut",
@ -1240,9 +1214,6 @@
"Thumbs up": "Adebbuz d asawen", "Thumbs up": "Adebbuz d asawen",
"Forces the current outbound group session in an encrypted room to be discarded": "Ḥettem tiɣimit n ugraw ara d-yeffɣen akka tura deg texxamt tawgelhant ad tettwakkes", "Forces the current outbound group session in an encrypted room to be discarded": "Ḥettem tiɣimit n ugraw ara d-yeffɣen akka tura deg texxamt tawgelhant ad tettwakkes",
"Unexpected server error trying to leave the room": "Tuccḍa n uqeddac ur nettwaṛǧa ara lawan n tuffɣa seg texxamt", "Unexpected server error trying to leave the room": "Tuccḍa n uqeddac ur nettwaṛǧa ara lawan n tuffɣa seg texxamt",
"Prompt before sending invites to potentially invalid matrix IDs": "Suter send tuzna n tnubgiwin i yisulayen i izmren ad ilin d arimeɣta",
"Show shortcuts to recently viewed rooms above the room list": "Sken inegzumen i texxamin i d-ibanen melmi kan nnig tebdart n texxamt",
"Show previews/thumbnails for images": "Sken tiskanin/tinfulin i tugniwin",
"How fast should messages be downloaded.": "Acḥal i ilaq ad yili urured i wakken ad d-adren yiznan.", "How fast should messages be downloaded.": "Acḥal i ilaq ad yili urured i wakken ad d-adren yiznan.",
"Waiting for %(displayName)s to verify…": "Aṛaǧu n %(displayName)s i usenqed…", "Waiting for %(displayName)s to verify…": "Aṛaǧu n %(displayName)s i usenqed…",
"Securely cache encrypted messages locally for them to appear in search results.": "Ḥrez iznan iwgelhanen idiganen s wudem awurman i wakken ad d-banen deg yigmaḍ n unadi.", "Securely cache encrypted messages locally for them to appear in search results.": "Ḥrez iznan iwgelhanen idiganen s wudem awurman i wakken ad d-banen deg yigmaḍ n unadi.",
@ -1252,9 +1223,6 @@
"On": "Yermed", "On": "Yermed",
"Noisy": "Sɛan ṣṣut", "Noisy": "Sɛan ṣṣut",
"wait and try again later": "ṛǧu syen ɛreḍ tikkelt-nniḍen", "wait and try again later": "ṛǧu syen ɛreḍ tikkelt-nniḍen",
"Event Type": "Anaw n tedyant",
"State Key": "Tasarut n waddad",
"Event Content": "Agbur n tedyant",
"Please fill why you're reporting.": "Ttxil-k·m ini-aɣ-d ayɣer i d-tettazneḍ alɣu.", "Please fill why you're reporting.": "Ttxil-k·m ini-aɣ-d ayɣer i d-tettazneḍ alɣu.",
"Report Content to Your Homeserver Administrator": "Ttxil-k·m azen aneqqis i unedbal-ik·im n usebter agejdan", "Report Content to Your Homeserver Administrator": "Ttxil-k·m azen aneqqis i unedbal-ik·im n usebter agejdan",
"Security Phrase": "Tafyirt n tɣellist", "Security Phrase": "Tafyirt n tɣellist",
@ -1316,7 +1284,6 @@
"Subscribing to a ban list will cause you to join it!": "Amulteɣ ɣer tebdart n tegtin ad ak·akem-yawi ad tettekkiḍ deg-s!", "Subscribing to a ban list will cause you to join it!": "Amulteɣ ɣer tebdart n tegtin ad ak·akem-yawi ad tettekkiḍ deg-s!",
"If this isn't what you want, please use a different tool to ignore users.": "Ma yella ayagi mačči d ayen i tebɣiḍ, ttxil-k·m seqdec afecku-nniḍen i wakken ad tzegleḍ iseqdacen.", "If this isn't what you want, please use a different tool to ignore users.": "Ma yella ayagi mačči d ayen i tebɣiḍ, ttxil-k·m seqdec afecku-nniḍen i wakken ad tzegleḍ iseqdacen.",
"Room ID or address of ban list": "Asulay n texxamt neɣ tansa n tebdart n tegtin", "Room ID or address of ban list": "Asulay n texxamt neɣ tansa n tebdart n tegtin",
"Start automatically after system login": "Bdu s wudem awurman seld tuqqna ɣer unagraw",
"Always show the window menu bar": "Afeggag n wumuɣ n usfaylu eǧǧ-it yettban", "Always show the window menu bar": "Afeggag n wumuɣ n usfaylu eǧǧ-it yettban",
"Read Marker lifetime (ms)": "Ɣer tanzagt n tudert n tecreḍt (ms)", "Read Marker lifetime (ms)": "Ɣer tanzagt n tudert n tecreḍt (ms)",
"Read Marker off-screen lifetime (ms)": "Ɣer tanzagt n tudert n tecreḍt beṛṛa n ugdil (ms)", "Read Marker off-screen lifetime (ms)": "Ɣer tanzagt n tudert n tecreḍt beṛṛa n ugdil (ms)",
@ -1906,7 +1873,12 @@
"camera": "Takamiṛatt", "camera": "Takamiṛatt",
"microphone": "Asawaḍ", "microphone": "Asawaḍ",
"emoji": "Imujit", "emoji": "Imujit",
"space": "Tallunt" "space": "Tallunt",
"someone": "Albaɛḍ",
"encrypted": "Yettwawgelhen",
"matrix": "Matrix",
"trusted": "Yettwattkal",
"not_trusted": "Ur yettwattkal ara"
}, },
"action": { "action": {
"continue": "Kemmel", "continue": "Kemmel",
@ -1977,7 +1949,15 @@
"show_all": "Sken akk", "show_all": "Sken akk",
"review": "Senqed", "review": "Senqed",
"restore": "Err-d", "restore": "Err-d",
"register": "Jerred" "register": "Jerred",
"manage": "Sefrek",
"go": "Ddu",
"import": "Kter",
"export": "Sifeḍ",
"refresh": "Smiren",
"mention": "Abdar",
"submit": "Azen",
"send_report": "Azen aneqqis"
}, },
"a11y": { "a11y": {
"user_menu": "Umuɣ n useqdac" "user_menu": "Umuɣ n useqdac"
@ -2025,5 +2005,29 @@
"github_issue": "Ugur Github", "github_issue": "Ugur Github",
"download_logs": "Sider imisen", "download_logs": "Sider imisen",
"before_submitting": "Send ad tazneḍ iɣmisen-ik·im, ilaq <a>ad ternuḍ ugur deg Github</a> i wakken ad d-tgelmeḍ ugur-inek·inem." "before_submitting": "Send ad tazneḍ iɣmisen-ik·im, ilaq <a>ad ternuḍ ugur deg Github</a> i wakken ad d-tgelmeḍ ugur-inek·inem."
},
"devtools": {
"event_type": "Anaw n tedyant",
"state_key": "Tasarut n waddad",
"event_sent": "Tadyant tettwazen!",
"event_content": "Agbur n tedyant"
},
"settings": {
"show_breadcrumbs": "Sken inegzumen i texxamin i d-ibanen melmi kan nnig tebdart n texxamt",
"use_12_hour_format": "Sken azemzakud s umasal 12 yisragen (am. 14:30)",
"always_show_message_timestamps": "Sken yal tikkelt azemzakud n yiznan",
"send_typing_notifications": "Azen ilɣa yettuszemlen",
"replace_plain_emoji": "Semselsi iujit n uḍris aččuran s wudem awurman",
"emoji_autocomplete": "Rmed asumer n yimujiten deg wakud n tira",
"automatic_language_detection_syntax_highlight": "Rmed tifin tawurmant n tutlayt i useɣti n tira",
"inline_url_previews_default": "Rmed tiskanin n URL srid s wudem amezwer",
"image_thumbnails": "Sken tiskanin/tinfulin i tugniwin",
"show_typing_notifications": "Azen ilɣa yettuszemlen",
"show_redaction_placeholder": "Sken-d iznan yettwakksen",
"show_read_receipts": "Sken awwaḍen n tɣuri yettwaznen sɣur yiseqdacen-nniḍen",
"show_displayname_changes": "Sken isnifal n yisem yettwaskanen",
"big_emoji": "Rmed imujit ameqqran deg udiwenni",
"prompt_invite": "Suter send tuzna n tnubgiwin i yisulayen i izmren ad ilin d arimeɣta",
"start_automatically": "Bdu s wudem awurman seld tuqqna ɣer unagraw"
} }
} }

View file

@ -11,7 +11,6 @@
"No media permissions": "미디어 권한 없음", "No media permissions": "미디어 권한 없음",
"Default Device": "기본 기기", "Default Device": "기본 기기",
"Advanced": "고급", "Advanced": "고급",
"Always show message timestamps": "항상 메시지의 시간을 보이기",
"Authentication": "인증", "Authentication": "인증",
"A new password must be entered.": "새 비밀번호를 입력해주세요.", "A new password must be entered.": "새 비밀번호를 입력해주세요.",
"An error has occurred.": "오류가 발생했습니다.", "An error has occurred.": "오류가 발생했습니다.",
@ -55,7 +54,6 @@
"Download %(text)s": "%(text)s 다운로드", "Download %(text)s": "%(text)s 다운로드",
"Enter passphrase": "암호 입력", "Enter passphrase": "암호 입력",
"Error decrypting attachment": "첨부 파일 복호화 중 오류", "Error decrypting attachment": "첨부 파일 복호화 중 오류",
"Export": "내보내기",
"Export E2E room keys": "종단간 암호화 방 열쇠 내보내기", "Export E2E room keys": "종단간 암호화 방 열쇠 내보내기",
"Failed to ban user": "사용자 출입 금지에 실패함", "Failed to ban user": "사용자 출입 금지에 실패함",
"Failed to change power level": "권한 등급 변경에 실패함", "Failed to change power level": "권한 등급 변경에 실패함",
@ -75,7 +73,6 @@
"Hangup": "전화 끊기", "Hangup": "전화 끊기",
"Historical": "기록", "Historical": "기록",
"Home": "홈", "Home": "홈",
"Import": "가져오기",
"Import E2E room keys": "종단간 암호화 방 키 불러오기", "Import E2E room keys": "종단간 암호화 방 키 불러오기",
"Import room keys": "방 키 가져오기", "Import room keys": "방 키 가져오기",
"Incorrect username and/or password.": "사용자 이름 혹은 비밀번호가 맞지 않습니다.", "Incorrect username and/or password.": "사용자 이름 혹은 비밀번호가 맞지 않습니다.",
@ -130,11 +127,8 @@
"Server may be unavailable, overloaded, or you hit a bug.": "서버를 쓸 수 없거나 과부하거나, 오류입니다.", "Server may be unavailable, overloaded, or you hit a bug.": "서버를 쓸 수 없거나 과부하거나, 오류입니다.",
"Server unavailable, overloaded, or something else went wrong.": "서버를 쓸 수 없거나 과부하거나, 다른 문제가 있습니다.", "Server unavailable, overloaded, or something else went wrong.": "서버를 쓸 수 없거나 과부하거나, 다른 문제가 있습니다.",
"Session ID": "세션 ID", "Session ID": "세션 ID",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "시간을 12시간제로 보이기(예: 오후 2:30)",
"Signed Out": "로그아웃함", "Signed Out": "로그아웃함",
"Someone": "다른 사람",
"Start authentication": "인증 시작", "Start authentication": "인증 시작",
"Submit": "제출",
"This email address is already in use": "이 이메일 주소는 이미 사용 중입니다", "This email address is already in use": "이 이메일 주소는 이미 사용 중입니다",
"This email address was not found": "이 이메일 주소를 찾을 수 없음", "This email address was not found": "이 이메일 주소를 찾을 수 없음",
"The email address linked to your account must be entered.": "계정에 연결한 이메일 주소를 입력해야 합니다.", "The email address linked to your account must be entered.": "계정에 연결한 이메일 주소를 입력해야 합니다.",
@ -205,7 +199,6 @@
"other": "(~%(count)s개의 결과)" "other": "(~%(count)s개의 결과)"
}, },
"New Password": "새 비밀번호", "New Password": "새 비밀번호",
"Start automatically after system login": "컴퓨터를 시작할 때 자동으로 실행하기",
"Passphrases must match": "암호가 일치해야 함", "Passphrases must match": "암호가 일치해야 함",
"Passphrase must not be empty": "암호를 입력해야 함", "Passphrase must not be empty": "암호를 입력해야 함",
"Export room keys": "방 키 내보내기", "Export room keys": "방 키 내보내기",
@ -319,9 +312,6 @@
"%(widgetName)s widget added 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 위젯", "%(widgetName)s widget removed by %(senderName)s": "%(senderName)s님이 제거한 %(widgetName)s 위젯",
"Send analytics data": "정보 분석 데이터 보내기", "Send analytics data": "정보 분석 데이터 보내기",
"Enable inline URL previews by default": "기본으로 인라인 URL 미리 보기 사용하기",
"Enable automatic language detection for syntax highlighting": "구문 강조를 위해 자동 언어 감지 사용하기",
"Automatically replace plain text Emoji": "일반 문자로 된 이모지 자동으로 변환하기",
"Mirror local video feed": "보고 있는 비디오 전송 상태 비추기", "Mirror local video feed": "보고 있는 비디오 전송 상태 비추기",
"URL previews are enabled by default for participants in this room.": "기본으로 URL 미리 보기가 이 방에 참여한 사람들 모두에게 켜졌습니다.", "URL previews are enabled by default for participants in this room.": "기본으로 URL 미리 보기가 이 방에 참여한 사람들 모두에게 켜졌습니다.",
"URL previews are disabled by default for participants in this room.": "기본으로 URL 미리 보기가 이 방에 참여한 사람들 모두에게 꺼졌습니다.", "URL previews are disabled by default for participants in this room.": "기본으로 URL 미리 보기가 이 방에 참여한 사람들 모두에게 꺼졌습니다.",
@ -338,7 +328,6 @@
"Send an encrypted message…": "암호화된 메시지를 보내세요…", "Send an encrypted message…": "암호화된 메시지를 보내세요…",
"Send an encrypted reply…": "암호화된 메시지를 보내세요…", "Send an encrypted reply…": "암호화된 메시지를 보내세요…",
"Share Link to User": "사용자에게 링크 공유", "Share Link to User": "사용자에게 링크 공유",
"Mention": "언급",
"Unignore": "그만 무시하기", "Unignore": "그만 무시하기",
"Demote": "강등", "Demote": "강등",
"Demote yourself?": "자신을 강등하시겠습니까?", "Demote yourself?": "자신을 강등하시겠습니까?",
@ -428,9 +417,6 @@
"other": "%(count)s번 초대했습니다", "other": "%(count)s번 초대했습니다",
"one": "초대했습니다" "one": "초대했습니다"
}, },
"Event Content": "이벤트 내용",
"Event Type": "이벤트 종류",
"Event sent!": "이벤트를 보냈습니다!",
"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.": "응답한 이벤트를 불러오지 못했습니다, 존재하지 않거나 볼 수 있는 권한이 없습니다.",
"A text message has been sent to %(msisdn)s": "%(msisdn)s님에게 문자 메시지를 보냈습니다", "A text message has been sent to %(msisdn)s": "%(msisdn)s님에게 문자 메시지를 보냈습니다",
"was invited %(count)s times": { "was invited %(count)s times": {
@ -442,7 +428,6 @@
"Preparing to send logs": "로그 보내려고 준비 중", "Preparing to send logs": "로그 보내려고 준비 중",
"Logs sent": "로그 보내짐", "Logs sent": "로그 보내짐",
"Failed to send logs: ": "로그 보내기에 실패함: ", "Failed to send logs: ": "로그 보내기에 실패함: ",
"Refresh": "새로고침",
"Share Room": "방 공유", "Share Room": "방 공유",
"Share User": "사용자 공유", "Share User": "사용자 공유",
"Share Room Message": "방 메시지 공유", "Share Room Message": "방 메시지 공유",
@ -458,7 +443,6 @@
"Room Notification": "방 알림", "Room Notification": "방 알림",
"Notify the whole room": "방 전체에 알림", "Notify the whole room": "방 전체에 알림",
"To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "홈서버 %(homeserverDomain)s을(를) 계속 사용하기 위해서는 저희 이용 약관을 검토하고 동의해주세요.", "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "홈서버 %(homeserverDomain)s을(를) 계속 사용하기 위해서는 저희 이용 약관을 검토하고 동의해주세요.",
"State Key": "상태 키",
"Clear Storage and Sign Out": "저장소를 지우고 로그아웃", "Clear Storage and Sign Out": "저장소를 지우고 로그아웃",
"Send Logs": "로그 보내기", "Send Logs": "로그 보내기",
"We encountered an error trying to restore your previous session.": "이전 활동을 복구하는 중 에러가 발생했습니다.", "We encountered an error trying to restore your previous session.": "이전 활동을 복구하는 중 에러가 발생했습니다.",
@ -635,13 +619,6 @@
"Straight rows of keys are easy to guess": "키의 한 줄은 추측하기 쉽습니다", "Straight rows of keys are easy to guess": "키의 한 줄은 추측하기 쉽습니다",
"Short keyboard patterns are easy to guess": "짧은 키보드 패턴은 추측하기 쉽습니다", "Short keyboard patterns are easy to guess": "짧은 키보드 패턴은 추측하기 쉽습니다",
"You do not have the required permissions to use this command.": "이 명령어를 사용하기 위해 필요한 권한이 없습니다.", "You do not have the required permissions to use this command.": "이 명령어를 사용하기 위해 필요한 권한이 없습니다.",
"Enable Emoji suggestions while typing": "입력 중 이모지 제안 켜기",
"Show a placeholder for removed messages": "감춘 메시지의 자리 표시하기",
"Show display name changes": "표시 이름 변경 사항 보이기",
"Show read receipts sent by other users": "다른 사용자가 읽은 기록 보이기",
"Enable big emoji in chat": "대화에서 큰 이모지 켜기",
"Send typing notifications": "입력 알림 보내기",
"Prompt before sending invites to potentially invalid matrix IDs": "잠재적으로 올바르지 않은 Matrix ID로 초대를 보내기 전에 확인",
"Show hidden events in timeline": "타임라인에서 숨겨진 이벤트 보이기", "Show hidden events in timeline": "타임라인에서 숨겨진 이벤트 보이기",
"Messages containing my username": "내 사용자 이름이 있는 메시지", "Messages containing my username": "내 사용자 이름이 있는 메시지",
"Messages containing @room": "@room이(가) 있는 메시지", "Messages containing @room": "@room이(가) 있는 메시지",
@ -737,7 +714,6 @@
"Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "기록을 읽을 수 있는 사람의 변경 사항은 이 방에서 오직 이후 메시지부터 적용됩니다. 존재하는 기록의 가시성은 변하지 않습니다.", "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "기록을 읽을 수 있는 사람의 변경 사항은 이 방에서 오직 이후 메시지부터 적용됩니다. 존재하는 기록의 가시성은 변하지 않습니다.",
"Encryption": "암호화", "Encryption": "암호화",
"Once enabled, encryption cannot be disabled.": "일단 켜면, 암호화는 끌 수 없습니다.", "Once enabled, encryption cannot be disabled.": "일단 켜면, 암호화는 끌 수 없습니다.",
"Encrypted": "암호화됨",
"Unable to revoke sharing for email address": "이메일 주소 공유를 취소할 수 없음", "Unable to revoke sharing for email address": "이메일 주소 공유를 취소할 수 없음",
"Unable to share email address": "이메일 주소를 공유할 수 없음", "Unable to share email address": "이메일 주소를 공유할 수 없음",
"Discovery options will appear once you have added an email above.": "위에 이메일을 추가하면 검색 옵션에 나타납니다.", "Discovery options will appear once you have added an email above.": "위에 이메일을 추가하면 검색 옵션에 나타납니다.",
@ -972,7 +948,6 @@
"Please fill why you're reporting.": "왜 신고하는 지 이유를 적어주세요.", "Please fill why you're reporting.": "왜 신고하는 지 이유를 적어주세요.",
"Report Content to Your Homeserver Administrator": "홈서버 관리자에게 내용 신고하기", "Report Content to Your Homeserver Administrator": "홈서버 관리자에게 내용 신고하기",
"Reporting this message will send its unique 'event ID' to the administrator of your homeserver. If messages in this room are encrypted, your homeserver administrator will not be able to read the message text or view any files or images.": "이 메시지를 신고하면 고유 '이벤트 ID'를 홈서버의 관리자에게 보내게 됩니다. 이 방의 메시지가 암호화되어 있다면, 홈서버 관리자는 메시지 문자를 읽거나 파일 혹은 사진을 볼 수 없습니다.", "Reporting this message will send its unique 'event ID' to the administrator of your homeserver. If messages in this room are encrypted, your homeserver administrator will not be able to read the message text or view any files or images.": "이 메시지를 신고하면 고유 '이벤트 ID'를 홈서버의 관리자에게 보내게 됩니다. 이 방의 메시지가 암호화되어 있다면, 홈서버 관리자는 메시지 문자를 읽거나 파일 혹은 사진을 볼 수 없습니다.",
"Send report": "신고 보내기",
"Verify the link in your inbox": "메일함에 있는 링크로 확인", "Verify the link in your inbox": "메일함에 있는 링크로 확인",
"Read Marker lifetime (ms)": "이전 대화 경계선 표시 시간 (ms)", "Read Marker lifetime (ms)": "이전 대화 경계선 표시 시간 (ms)",
"Read Marker off-screen lifetime (ms)": "이전 대화 경계선 사라지는 시간 (ms)", "Read Marker off-screen lifetime (ms)": "이전 대화 경계선 사라지는 시간 (ms)",
@ -991,7 +966,6 @@
"Notification Autocomplete": "알림 자동 완성", "Notification Autocomplete": "알림 자동 완성",
"Room Autocomplete": "방 자동 완성", "Room Autocomplete": "방 자동 완성",
"User Autocomplete": "사용자 자동 완성", "User Autocomplete": "사용자 자동 완성",
"Show previews/thumbnails for images": "이미지로 미리 보기/썸네일 보이기",
"Show image": "이미지 보이기", "Show image": "이미지 보이기",
"Clear cache and reload": "캐시 지우기 및 새로고침", "Clear cache and reload": "캐시 지우기 및 새로고침",
"%(count)s unread messages including mentions.": { "%(count)s unread messages including mentions.": {
@ -1072,8 +1046,6 @@
"Subscribed lists": "구독 목록", "Subscribed lists": "구독 목록",
"Subscribing to a ban list will cause you to join it!": "차단 목록을 구독하면 차단 목록에 참여하게 됩니다!", "Subscribing to a ban list will cause you to join it!": "차단 목록을 구독하면 차단 목록에 참여하게 됩니다!",
"If this isn't what you want, please use a different tool to ignore users.": "이것을 원한 것이 아니라면, 사용자를 무시하는 다른 도구를 사용해주세요.", "If this isn't what you want, please use a different tool to ignore users.": "이것을 원한 것이 아니라면, 사용자를 무시하는 다른 도구를 사용해주세요.",
"Trusted": "신뢰함",
"Not trusted": "신뢰하지 않음",
"Messages in this room are end-to-end encrypted.": "이 방의 메시지는 종단간 암호화되었습니다.", "Messages in this room are end-to-end encrypted.": "이 방의 메시지는 종단간 암호화되었습니다.",
"You have ignored this user, so their message is hidden. <a>Show anyways.</a>": "이 사용자를 무시했습니다. 사용자의 메시지는 숨겨집니다. <a>무시하고 보이기.</a>", "You have ignored this user, so their message is hidden. <a>Show anyways.</a>": "이 사용자를 무시했습니다. 사용자의 메시지는 숨겨집니다. <a>무시하고 보이기.</a>",
"Any of the following data may be shared:": "다음 데이터가 공유됩니다:", "Any of the following data may be shared:": "다음 데이터가 공유됩니다:",
@ -1129,7 +1101,6 @@
"Private (invite only)": "비공개 (초대 필요)", "Private (invite only)": "비공개 (초대 필요)",
"Never send encrypted messages to unverified sessions in this room from this session": "이 채팅방의 현재 세션에서 확인되지 않은 세션으로 암호화된 메시지를 보내지 않음", "Never send encrypted messages to unverified sessions in this room from this session": "이 채팅방의 현재 세션에서 확인되지 않은 세션으로 암호화된 메시지를 보내지 않음",
"Decide who can view and join %(spaceName)s.": "누가 %(spaceName)s를 보거나 참여할 수 있는지 설정합니다.", "Decide who can view and join %(spaceName)s.": "누가 %(spaceName)s를 보거나 참여할 수 있는지 설정합니다.",
"Accessibility": "접근성",
"Access": "접근", "Access": "접근",
"Recommended for public spaces.": "공개 스페이스에 권장 합니다.", "Recommended for public spaces.": "공개 스페이스에 권장 합니다.",
"Allow people to preview your space before they join.": "스페이스에 참여하기 전에 미리볼 수 있도록 허용합니다.", "Allow people to preview your space before they join.": "스페이스에 참여하기 전에 미리볼 수 있도록 허용합니다.",
@ -1141,7 +1112,6 @@
"Explore Public Rooms": "공개 방 살펴보기", "Explore Public Rooms": "공개 방 살펴보기",
"Manage & explore rooms": "관리 및 방 목록 보기", "Manage & explore rooms": "관리 및 방 목록 보기",
"Space home": "스페이스 홈", "Space home": "스페이스 홈",
"Clear": "지우기",
"Search for": "검색 기준", "Search for": "검색 기준",
"Search for rooms or people": "방 또는 사람 검색", "Search for rooms or people": "방 또는 사람 검색",
"Search for rooms": "방 검색", "Search for rooms": "방 검색",
@ -1175,7 +1145,6 @@
"Send feedback": "피드백 보내기", "Send feedback": "피드백 보내기",
"Feedback sent": "피드백 보내기", "Feedback sent": "피드백 보내기",
"Feedback": "피드백", "Feedback": "피드백",
"Show all rooms in Home": "모든 방을 홈에서 보기",
"Leave all rooms": "모든 방에서 떠나기", "Leave all rooms": "모든 방에서 떠나기",
"Show all rooms": "모든 방 목록 보기", "Show all rooms": "모든 방 목록 보기",
"All rooms": "모든 방 목록", "All rooms": "모든 방 목록",
@ -1269,7 +1238,6 @@
"Deactivating your account is a permanent action — be careful!": "계정을 비활성화 하는 것은 취소할 수 없습니다. 조심하세요!", "Deactivating your account is a permanent action — be careful!": "계정을 비활성화 하는 것은 취소할 수 없습니다. 조심하세요!",
"Current session": "현재 세션", "Current session": "현재 세션",
"Verified sessions": "검증된 세션들", "Verified sessions": "검증된 세션들",
"Verified": "검증됨",
"Verified session": "검증된 세션", "Verified session": "검증된 세션",
"Room info": "방 정보", "Room info": "방 정보",
"Match system": "시스템 테마", "Match system": "시스템 테마",
@ -1277,8 +1245,6 @@
"Spell check": "맞춤법 검사", "Spell check": "맞춤법 검사",
"Unverified sessions": "검증되지 않은 세션들", "Unverified sessions": "검증되지 않은 세션들",
"Match system theme": "시스템 테마 사용", "Match system theme": "시스템 테마 사용",
"Unverified": "검증 되지 않음",
"Threads timeline": "스레드 타임라인",
"Sessions": "세션목록", "Sessions": "세션목록",
"Unverified session": "검증되지 않은 세션", "Unverified session": "검증되지 않은 세션",
"Favourited": "즐겨찾기 됨", "Favourited": "즐겨찾기 됨",
@ -1323,7 +1289,14 @@
"timeline": "타임라인", "timeline": "타임라인",
"camera": "카메라", "camera": "카메라",
"microphone": "마이크", "microphone": "마이크",
"emoji": "이모지" "emoji": "이모지",
"someone": "다른 사람",
"encrypted": "암호화됨",
"verified": "검증됨",
"unverified": "검증 되지 않음",
"trusted": "신뢰함",
"not_trusted": "신뢰하지 않음",
"accessibility": "접근성"
}, },
"action": { "action": {
"continue": "계속하기", "continue": "계속하기",
@ -1383,7 +1356,14 @@
"complete": "완료", "complete": "완료",
"revoke": "취소", "revoke": "취소",
"show_all": "전체 보기", "show_all": "전체 보기",
"register": "등록" "register": "등록",
"import": "가져오기",
"export": "내보내기",
"refresh": "새로고침",
"mention": "언급",
"submit": "제출",
"send_report": "신고 보내기",
"clear": "지우기"
}, },
"labs": { "labs": {
"pinning": "메시지 고정", "pinning": "메시지 고정",
@ -1414,5 +1394,29 @@
"send_logs": "로그 보내기", "send_logs": "로그 보내기",
"github_issue": "GitHub 이슈", "github_issue": "GitHub 이슈",
"before_submitting": "로그를 전송하기 전에, 문제를 설명하는 <a>GitHub 이슈를 만들어야 합니다</a>." "before_submitting": "로그를 전송하기 전에, 문제를 설명하는 <a>GitHub 이슈를 만들어야 합니다</a>."
},
"devtools": {
"event_type": "이벤트 종류",
"state_key": "상태 키",
"event_sent": "이벤트를 보냈습니다!",
"event_content": "이벤트 내용",
"threads_timeline": "스레드 타임라인"
},
"settings": {
"use_12_hour_format": "시간을 12시간제로 보이기(예: 오후 2:30)",
"always_show_message_timestamps": "항상 메시지의 시간을 보이기",
"send_typing_notifications": "입력 알림 보내기",
"replace_plain_emoji": "일반 문자로 된 이모지 자동으로 변환하기",
"emoji_autocomplete": "입력 중 이모지 제안 켜기",
"all_rooms_home": "모든 방을 홈에서 보기",
"automatic_language_detection_syntax_highlight": "구문 강조를 위해 자동 언어 감지 사용하기",
"inline_url_previews_default": "기본으로 인라인 URL 미리 보기 사용하기",
"image_thumbnails": "이미지로 미리 보기/썸네일 보이기",
"show_redaction_placeholder": "감춘 메시지의 자리 표시하기",
"show_read_receipts": "다른 사용자가 읽은 기록 보이기",
"show_displayname_changes": "표시 이름 변경 사항 보이기",
"big_emoji": "대화에서 큰 이모지 켜기",
"prompt_invite": "잠재적으로 올바르지 않은 Matrix ID로 초대를 보내기 전에 확인",
"start_automatically": "컴퓨터를 시작할 때 자동으로 실행하기"
} }
} }

View file

@ -399,7 +399,6 @@
"Your email address hasn't been verified yet": "ທີ່ຢູ່ອີເມວຂອງທ່ານຍັງບໍ່ໄດ້ຖືກຢືນຢັນເທື່ອ", "Your email address hasn't been verified yet": "ທີ່ຢູ່ອີເມວຂອງທ່ານຍັງບໍ່ໄດ້ຖືກຢືນຢັນເທື່ອ",
"Unable to share email address": "ບໍ່ສາມາດແບ່ງປັນທີ່ຢູ່ອີເມວໄດ້", "Unable to share email address": "ບໍ່ສາມາດແບ່ງປັນທີ່ຢູ່ອີເມວໄດ້",
"Unable to revoke sharing for email address": "ບໍ່ສາມາດຖອນການແບ່ງປັນສໍາລັບທີ່ຢູ່ອີເມວໄດ້", "Unable to revoke sharing for email address": "ບໍ່ສາມາດຖອນການແບ່ງປັນສໍາລັບທີ່ຢູ່ອີເມວໄດ້",
"Encrypted": "ເຂົ້າລະຫັດແລ້ວ",
"Once enabled, encryption cannot be disabled.": "ເມື່ອເປີດໃຊ້ແລ້ວ, ການເຂົ້າລະຫັດບໍ່ສາມາດຖືກປິດໃຊ້ງານໄດ້.", "Once enabled, encryption cannot be disabled.": "ເມື່ອເປີດໃຊ້ແລ້ວ, ການເຂົ້າລະຫັດບໍ່ສາມາດຖືກປິດໃຊ້ງານໄດ້.",
"Security & Privacy": "ຄວາມປອດໄພ & ຄວາມເປັນສ່ວນຕົວ", "Security & Privacy": "ຄວາມປອດໄພ & ຄວາມເປັນສ່ວນຕົວ",
"People with supported clients will be able to join the room without having a registered account.": "ຄົນທີ່ມີລູກຄ້າສະຫນັບສະຫນູນຈະສາມາດເຂົ້າຮ່ວມຫ້ອງໄດ້ໂດຍບໍ່ຕ້ອງມີບັນຊີລົງທະບຽນ.", "People with supported clients will be able to join the room without having a registered account.": "ຄົນທີ່ມີລູກຄ້າສະຫນັບສະຫນູນຈະສາມາດເຂົ້າຮ່ວມຫ້ອງໄດ້ໂດຍບໍ່ຕ້ອງມີບັນຊີລົງທະບຽນ.",
@ -523,8 +522,6 @@
"Room list": "ລາຍຊື່ຫ້ອງ", "Room list": "ລາຍຊື່ຫ້ອງ",
"Show tray icon and minimise window to it on close": "ສະແດງໄອຄອນ ແລະ ຫຍໍ້ຫນ້າຕ່າງໃຫ້ມັນຢູ່ໃກ້", "Show tray icon and minimise window to it on close": "ສະແດງໄອຄອນ ແລະ ຫຍໍ້ຫນ້າຕ່າງໃຫ້ມັນຢູ່ໃກ້",
"Always show the window menu bar": "ສະແດງແຖບເມນູໜ້າຕ່າງສະເໝີ", "Always show the window menu bar": "ສະແດງແຖບເມນູໜ້າຕ່າງສະເໝີ",
"Warn before quitting": "ເຕືອນກ່ອນຢຸດຕິ",
"Start automatically after system login": "ເລີ່ມອັດຕະໂນມັດຫຼັງຈາກເຂົ້າສູ່ລະບົບ",
"Room ID or address of ban list": "IDຫ້ອງ ຫຼື ທີ່ຢູ່ຂອງລາຍການຫ້າມ", "Room ID or address of ban list": "IDຫ້ອງ ຫຼື ທີ່ຢູ່ຂອງລາຍການຫ້າມ",
"If this isn't what you want, please use a different tool to ignore users.": "ຖ້າສິ່ງນີ້ບໍ່ແມ່ນສິ່ງທີ່ທ່ານຕ້ອງການ, ກະລຸນາໃຊ້ເຄື່ອງມືອື່ນເພື່ອລະເວັ້ນຜູ້ໃຊ້.", "If this isn't what you want, please use a different tool to ignore users.": "ຖ້າສິ່ງນີ້ບໍ່ແມ່ນສິ່ງທີ່ທ່ານຕ້ອງການ, ກະລຸນາໃຊ້ເຄື່ອງມືອື່ນເພື່ອລະເວັ້ນຜູ້ໃຊ້.",
"Subscribed lists": "ລາຍຊື່ທີ່ສະໝັກແລ້ວ", "Subscribed lists": "ລາຍຊື່ທີ່ສະໝັກແລ້ວ",
@ -657,7 +654,6 @@
"Umbrella": "ຄັນຮົ່ມ", "Umbrella": "ຄັນຮົ່ມ",
"Thumbs up": "ຍົກໂປ້", "Thumbs up": "ຍົກໂປ້",
"Santa": "ຊານຕາ", "Santa": "ຊານຕາ",
"Ready": "ຄວາມພ້ອມ/ພ້ອມ",
"Italics": "ໂຕໜັງສືອຽງ", "Italics": "ໂຕໜັງສືອຽງ",
"Home options": "ຕົວເລືອກໜ້າຫຼັກ", "Home options": "ຕົວເລືອກໜ້າຫຼັກ",
"%(spaceName)s menu": "ເມນູ %(spaceName)s", "%(spaceName)s menu": "ເມນູ %(spaceName)s",
@ -700,36 +696,7 @@
"Open in OpenStreetMap": "ເປີດໃນ OpenStreetMap", "Open in OpenStreetMap": "ເປີດໃນ OpenStreetMap",
"Hold": "ຖື", "Hold": "ຖື",
"Resume": "ປະຫວັດຫຍໍ້", "Resume": "ປະຫວັດຫຍໍ້",
"There was an error finding this widget.": "ມີຄວາມຜິດພາດໃນການຊອກຫາວິດເຈັດນີ້.",
"No verification requests found": "ບໍ່ພົບການຮ້ອງຂໍການຢັ້ງຢືນ",
"Observe only": "ສັງເກດເທົ່ານັ້ນ",
"Requester": "ຜູ້ຮ້ອງຂໍ",
"Methods": "ວິທີການ",
"Timeout": "ຫມົດເວລາ",
"Phase": "ໄລຍະ",
"Transaction": "ທຸລະກໍາ",
"Cancelled": "ຍົກເລີກ",
"Started": "ໄດ້ເລີ່ມແລ້ວ",
"Requested": "ຮ້ອງຂໍ",
"Unsent": "ຍັງບໍ່ໄດ້ສົ່ງ", "Unsent": "ຍັງບໍ່ໄດ້ສົ່ງ",
"Edit setting": "ແກ້ໄຂການຕັ້ງຄ່າ",
"Value in this room": "ຄ່າໃນຫ້ອງນີ້",
"Value": "ຄ່າ",
"Setting ID": "ການຕັ້ງຄ່າ ID",
"Values at explicit levels in this room:": "ຄ່າໃນລະດັບທີ່ຊັດເຈນຢູ່ໃນຫ້ອງນີ້:",
"Values at explicit levels:": "ຄ່າໃນລະດັບທີ່ຊັດເຈນ:",
"Value in this room:": "ຄ່າໃນຫ້ອງນີ້:",
"Value:": "ມູນຄ່າ:",
"Edit values": "ແກ້ໄຂຄ່າ",
"Values at explicit levels in this room": "ປະເມີນຄ່າໃນລະດັບທີ່ຊັດເຈນຢູ່ໃນຫ້ອງນີ້",
"Values at explicit levels": "ຄຸນຄ່າໃນລະດັບທີ່ຊັດເຈນ",
"Settable at room": "ຕັ້ງຄ່າໄດ້ຢູ່ທີ່ຫ້ອງ",
"Settable at global": "ຕັ້ງຄ່າໄດ້ໃນທົ່ວໂລກ",
"Level": "ລະດັບ",
"Setting definition:": "ຄໍານິຍາມການຕັ້ງຄ່າ:",
"This UI does NOT check the types of the values. Use at your own risk.": "UI ນີ້ບໍ່ໄດ້ກວດເບິ່ງປະເພດຂອງຄ່າ. ໃຊ້ຢູ່ໃນຄວາມສ່ຽງຂອງທ່ານເອງ.",
"Caution:": "ຂໍ້ຄວນລະວັງ:",
"Setting:": "ການຕັ້ງຄ່າ:",
"%(oneUser)schanged their name %(count)s times": { "%(oneUser)schanged their name %(count)s times": {
"one": "%(oneUser)sໄດ້ປ່ຽນຊື່ຂອງເຂົາເຈົ້າ", "one": "%(oneUser)sໄດ້ປ່ຽນຊື່ຂອງເຂົາເຈົ້າ",
"other": "%(oneUser)sປ່ຽນຊື່ຂອງເຂົາເຈົ້າ %(count)sຄັ້ງ" "other": "%(oneUser)sປ່ຽນຊື່ຂອງເຂົາເຈົ້າ %(count)sຄັ້ງ"
@ -802,8 +769,6 @@
"Remove recent messages": "ລຶບຂໍ້ຄວາມຫຼ້າສຸດອອກ", "Remove recent messages": "ລຶບຂໍ້ຄວາມຫຼ້າສຸດອອກ",
"Failed to remove user": "ລຶບຜູ້ໃຊ້ອອກບໍ່ສຳເລັດ", "Failed to remove user": "ລຶບຜູ້ໃຊ້ອອກບໍ່ສຳເລັດ",
"They'll still be able to access whatever you're not an admin of.": "ພວກເຂົາສາມາດເຂົ້າເຖິງອັນໃດກໍໄດ້ທີ່ທ່ານບໍ່ແມ່ນຜູ້ຄຸມລະບົບ.", "They'll still be able to access whatever you're not an admin of.": "ພວກເຂົາສາມາດເຂົ້າເຖິງອັນໃດກໍໄດ້ທີ່ທ່ານບໍ່ແມ່ນຜູ້ຄຸມລະບົບ.",
"Not trusted": "ເຊື່ອຖືບໍ່ໄດ້",
"Trusted": "ເຊື່ອຖືໄດ້",
"Room settings": "ການຕັ້ງຄ່າຫ້ອງ", "Room settings": "ການຕັ້ງຄ່າຫ້ອງ",
"Share room": "ແບ່ງປັນຫ້ອງ", "Share room": "ແບ່ງປັນຫ້ອງ",
"Export chat": "ສົ່ງການສົນທະນາອອກ", "Export chat": "ສົ່ງການສົນທະນາອອກ",
@ -815,7 +780,6 @@
"Set my room layout for everyone": "ກໍານົດຮູບແບບຫ້ອງຂອງຂ້ອຍສໍາລັບທຸກຄົນ", "Set my room layout for everyone": "ກໍານົດຮູບແບບຫ້ອງຂອງຂ້ອຍສໍາລັບທຸກຄົນ",
"Close this widget to view it in this panel": "ປິດວິດເຈັດນີ້ເພື່ອເບິ່ງມັນຢູ່ໃນແຜງນີ້", "Close this widget to view it in this panel": "ປິດວິດເຈັດນີ້ເພື່ອເບິ່ງມັນຢູ່ໃນແຜງນີ້",
"Unpin this widget to view it in this panel": "ຖອນປັກໝຸດວິດເຈັດນີ້ເພື່ອເບິ່ງມັນຢູ່ໃນແຜງນີ້", "Unpin this widget to view it in this panel": "ຖອນປັກໝຸດວິດເຈັດນີ້ເພື່ອເບິ່ງມັນຢູ່ໃນແຜງນີ້",
"Maximise": "ສູງສຸດ",
"You can only pin up to %(count)s widgets": { "You can only pin up to %(count)s widgets": {
"other": "ທ່ານສາມາດປັກໝຸດໄດ້ເຖິງ %(count)s widget ເທົ່ານັ້ນ" "other": "ທ່ານສາມາດປັກໝຸດໄດ້ເຖິງ %(count)s widget ເທົ່ານັ້ນ"
}, },
@ -1012,7 +976,6 @@
"You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the space it will be impossible to regain privileges.": "ທ່ານຈະບໍ່ສາມາດຍົກເລີກການປ່ຽນແປງນີ້ໄດ້ໃນຂະນະທີ່ທ່ານກໍາລັງ demoting ຕົວທ່ານເອງ, ຖ້າທ່ານເປັນຜູ້ໃຊ້ສິດທິພິເສດສຸດທ້າຍໃນຊ່ອງ, ມັນຈະເປັນໄປບໍ່ໄດ້ທີ່ຈະຄືນສິດທິພິເສດ.", "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the space it will be impossible to regain privileges.": "ທ່ານຈະບໍ່ສາມາດຍົກເລີກການປ່ຽນແປງນີ້ໄດ້ໃນຂະນະທີ່ທ່ານກໍາລັງ demoting ຕົວທ່ານເອງ, ຖ້າທ່ານເປັນຜູ້ໃຊ້ສິດທິພິເສດສຸດທ້າຍໃນຊ່ອງ, ມັນຈະເປັນໄປບໍ່ໄດ້ທີ່ຈະຄືນສິດທິພິເສດ.",
"Demote yourself?": "ຫຼຸດລະດັບຕົວເອງບໍ?", "Demote yourself?": "ຫຼຸດລະດັບຕົວເອງບໍ?",
"Share Link to User": "ແບ່ງປັນລິ້ງໄປຫາຜູ້ໃຊ້", "Share Link to User": "ແບ່ງປັນລິ້ງໄປຫາຜູ້ໃຊ້",
"Mention": "ກ່າວເຖິງ",
"Jump to read receipt": "ຂ້າມເພື່ອອ່ານໃບຮັບເງິນ", "Jump to read receipt": "ຂ້າມເພື່ອອ່ານໃບຮັບເງິນ",
"Hide sessions": "ເຊື່ອງsessions", "Hide sessions": "ເຊື່ອງsessions",
"%(count)s sessions": { "%(count)s sessions": {
@ -1190,7 +1153,6 @@
"Toggle Bold": "ສະຫຼັບຕົວໜາ", "Toggle Bold": "ສະຫຼັບຕົວໜາ",
"Autocomplete": "ຕື່ມຂໍ້ມູນອັດຕະໂນມັດ", "Autocomplete": "ຕື່ມຂໍ້ມູນອັດຕະໂນມັດ",
"Navigation": "ການນໍາທາງ", "Navigation": "ການນໍາທາງ",
"Accessibility": "ການເຂົ້າເຖິງ",
"Room List": "ລາຍການຫ້ອງ", "Room List": "ລາຍການຫ້ອງ",
"Calls": "ໂທ", "Calls": "ໂທ",
"Failed to add tag %(tagName)s to room": "ເພີ່ມແທັກ %(tagName)s ໃສ່ຫ້ອງບໍ່ສຳເລັດ", "Failed to add tag %(tagName)s to room": "ເພີ່ມແທັກ %(tagName)s ໃສ່ຫ້ອງບໍ່ສຳເລັດ",
@ -1214,7 +1176,6 @@
"If you didn't set the new recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.": "ຖ້າທ່ານບໍ່ໄດ້ກຳນົດວິທີການກູ້ຄືນໃໝ່, ຜູ້ໂຈມຕີອາດຈະພະຍາຍາມເຂົ້າເຖິງບັນຊີຂອງທ່ານ. ປ່ຽນລະຫັດຜ່ານບັນຊີຂອງທ່ານ ແລະກຳນົດ ວິທີການກູ້ຄືນໃໝ່ທັນທີໃນການຕັ້ງຄ່າ.", "If you didn't set the new recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.": "ຖ້າທ່ານບໍ່ໄດ້ກຳນົດວິທີການກູ້ຄືນໃໝ່, ຜູ້ໂຈມຕີອາດຈະພະຍາຍາມເຂົ້າເຖິງບັນຊີຂອງທ່ານ. ປ່ຽນລະຫັດຜ່ານບັນຊີຂອງທ່ານ ແລະກຳນົດ ວິທີການກູ້ຄືນໃໝ່ທັນທີໃນການຕັ້ງຄ່າ.",
"A new Security Phrase and key for Secure Messages have been detected.": "ກວດພົບປະໂຫຍກຄວາມປອດໄພໃໝ່ ແລະ ກະແຈສຳລັບຂໍ້ຄວາມທີ່ປອດໄພຖືກກວດພົບ.", "A new Security Phrase and key for Secure Messages have been detected.": "ກວດພົບປະໂຫຍກຄວາມປອດໄພໃໝ່ ແລະ ກະແຈສຳລັບຂໍ້ຄວາມທີ່ປອດໄພຖືກກວດພົບ.",
"New Recovery Method": "ວິທີການກູ້ຄືນໃຫມ່", "New Recovery Method": "ວິທີການກູ້ຄືນໃຫມ່",
"Import": "ນໍາເຂົ້າ",
"File to import": "ໄຟລ໌ທີ່ຈະນໍາເຂົ້າ", "File to import": "ໄຟລ໌ທີ່ຈະນໍາເຂົ້າ",
"The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "ໄຟລ໌ທີສົ່ງອອກຈະຖືກປ້ອງກັນດ້ວຍປະໂຫຍກລະຫັດຜ່ານ. ທ່ານຄວນໃສ່ລະຫັດຜ່ານທີ່ນີ້, ເພື່ອຖອດລະຫັດໄຟລ໌.", "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "ໄຟລ໌ທີສົ່ງອອກຈະຖືກປ້ອງກັນດ້ວຍປະໂຫຍກລະຫັດຜ່ານ. ທ່ານຄວນໃສ່ລະຫັດຜ່ານທີ່ນີ້, ເພື່ອຖອດລະຫັດໄຟລ໌.",
"This process allows you to import encryption keys that you had previously exported from another Matrix client. You will then be able to decrypt any messages that the other client could decrypt.": "ຂະບວນການນີ້ອະນຸຍາດໃຫ້ທ່ານນໍາເຂົ້າລະຫັດ ທີ່ທ່ານໄດ້ສົ່ງອອກຜ່ານມາຈາກລູກຄ້າ Matrix ອື່ນ. ຈາກນັ້ນທ່ານຈະສາມາດຖອດລະຫັດຂໍ້ຄວາມໃດໆທີ່ລູກຄ້າອື່ນສາມາດຖອດລະຫັດໄດ້.", "This process allows you to import encryption keys that you had previously exported from another Matrix client. You will then be able to decrypt any messages that the other client could decrypt.": "ຂະບວນການນີ້ອະນຸຍາດໃຫ້ທ່ານນໍາເຂົ້າລະຫັດ ທີ່ທ່ານໄດ້ສົ່ງອອກຜ່ານມາຈາກລູກຄ້າ Matrix ອື່ນ. ຈາກນັ້ນທ່ານຈະສາມາດຖອດລະຫັດຂໍ້ຄວາມໃດໆທີ່ລູກຄ້າອື່ນສາມາດຖອດລະຫັດໄດ້.",
@ -1383,7 +1344,6 @@
"%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)s ໄດ້ໂທດ້ວຍວິດີໂອ. (ບຣາວເຊີນີ້ບໍ່ຮອງຮັບ)", "%(senderName)s placed a video call. (not supported by this browser)": "%(senderName)s ໄດ້ໂທດ້ວຍວິດີໂອ. (ບຣາວເຊີນີ້ບໍ່ຮອງຮັບ)",
"%(senderName)s placed a video call.": "%(senderName)s ໂທດ້ວຍວິດີໂອ.", "%(senderName)s placed a video call.": "%(senderName)s ໂທດ້ວຍວິດີໂອ.",
"%(senderName)s placed a voice call.": "%(senderName)s ໂທອອກ.", "%(senderName)s placed a voice call.": "%(senderName)s ໂທອອກ.",
"Someone": "ບາງຄົນ",
"Displays action": "ສະແດງການດຳເນີນການ", "Displays action": "ສະແດງການດຳເນີນການ",
"Converts the DM to a room": "ປ່ຽນ DM ເປັນຫ້ອງ", "Converts the DM to a room": "ປ່ຽນ DM ເປັນຫ້ອງ",
"Converts the room to a DM": "ປ່ຽນຫ້ອງເປັນ DM", "Converts the room to a DM": "ປ່ຽນຫ້ອງເປັນ DM",
@ -1567,7 +1527,6 @@
"%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use <desktopLink>%(brand)s Desktop</desktopLink> for encrypted messages to appear in search results.": "%(brand)s ບໍ່ສາມາດເກັບຂໍ້ຄວາມທີ່ຖືກເຂົ້າລະຫັດໄວ້ຢ່າງປອດໄພຢູ່ໃນເຄື່ອງ ໃນຂະນະທີ່ກຳລັງດຳເນີນການໃນເວັບບຣາວເຊີ. ໃຊ້ <desktopLink>%(brand)s Desktop</desktopLink> ເພື່ອໃຫ້ຂໍ້ຄວາມເຂົ້າລະຫັດຈະປາກົດໃນຜົນການຊອກຫາ.", "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use <desktopLink>%(brand)s Desktop</desktopLink> for encrypted messages to appear in search results.": "%(brand)s ບໍ່ສາມາດເກັບຂໍ້ຄວາມທີ່ຖືກເຂົ້າລະຫັດໄວ້ຢ່າງປອດໄພຢູ່ໃນເຄື່ອງ ໃນຂະນະທີ່ກຳລັງດຳເນີນການໃນເວັບບຣາວເຊີ. ໃຊ້ <desktopLink>%(brand)s Desktop</desktopLink> ເພື່ອໃຫ້ຂໍ້ຄວາມເຂົ້າລະຫັດຈະປາກົດໃນຜົນການຊອກຫາ.",
"%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with <nativeLink>search components added</nativeLink>.": "%(brand)s ຂາດບາງອົງປະກອບທີ່ຕ້ອງການສໍາລັບການເກັບຂໍ້ຄວາມເຂົ້າລະຫັດໄວ້ຢ່າງປອດໄພຢູ່ໃນເຄື່ອງ. ຖ້າທ່ານຕ້ອງການທົດລອງໃຊ້ຄຸນສົມບັດນີ້, ສ້າງ %(brand)s Desktop ແບບກຳນົດເອງດ້ວຍການເພີ່ມ <nativeLink>ອົງປະກອບການຄົ້ນຫາ</nativeLink>.", "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with <nativeLink>search components added</nativeLink>.": "%(brand)s ຂາດບາງອົງປະກອບທີ່ຕ້ອງການສໍາລັບການເກັບຂໍ້ຄວາມເຂົ້າລະຫັດໄວ້ຢ່າງປອດໄພຢູ່ໃນເຄື່ອງ. ຖ້າທ່ານຕ້ອງການທົດລອງໃຊ້ຄຸນສົມບັດນີ້, ສ້າງ %(brand)s Desktop ແບບກຳນົດເອງດ້ວຍການເພີ່ມ <nativeLink>ອົງປະກອບການຄົ້ນຫາ</nativeLink>.",
"Securely cache encrypted messages locally for them to appear in search results.": "ເກັບຮັກສາຂໍ້ຄວາມທີ່ຖືກເຂົ້າລະຫັດໄວ້ຢ່າງປອດໄພຢູ່ໃນເຄື່ອງເພື່ອໃຫ້ປາກົດໃນຜົນການຄົ້ນຫາ.", "Securely cache encrypted messages locally for them to appear in search results.": "ເກັບຮັກສາຂໍ້ຄວາມທີ່ຖືກເຂົ້າລະຫັດໄວ້ຢ່າງປອດໄພຢູ່ໃນເຄື່ອງເພື່ອໃຫ້ປາກົດໃນຜົນການຄົ້ນຫາ.",
"Manage": "ຄຸ້ມຄອງ",
"Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": { "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": {
"one": "ຈັດເກັບຂໍ້ຄວາມທີ່ຖືກເຂົ້າລະຫັດໄວ້ຢ່າງປອດໄພຢູ່ໃນເຄື່ອງເພື່ອໃຫ້ປາກົດໃນຜົນການຊອກຫາ, ໂດຍໃຊ້ %(size)s ເພື່ອເກັບຂໍ້ຄວາມຈາກຫ້ອງ %(rooms)s.", "one": "ຈັດເກັບຂໍ້ຄວາມທີ່ຖືກເຂົ້າລະຫັດໄວ້ຢ່າງປອດໄພຢູ່ໃນເຄື່ອງເພື່ອໃຫ້ປາກົດໃນຜົນການຊອກຫາ, ໂດຍໃຊ້ %(size)s ເພື່ອເກັບຂໍ້ຄວາມຈາກຫ້ອງ %(rooms)s.",
"other": "ຈັດເກັບຂໍ້ຄວາມທີ່ຖືກເຂົ້າລະຫັດໄວ້ຢ່າງປອດໄພຢູ່ໃນເຄື່ອງເພື່ອໃຫ້ປາກົດໃນຜົນການຊອກຫາ, ໂດຍໃຊ້ %(size)s ເພື່ອເກັບຂໍ້ຄວາມຈາກ %(rooms)s ຫ້ອງ." "other": "ຈັດເກັບຂໍ້ຄວາມທີ່ຖືກເຂົ້າລະຫັດໄວ້ຢ່າງປອດໄພຢູ່ໃນເຄື່ອງເພື່ອໃຫ້ປາກົດໃນຜົນການຊອກຫາ, ໂດຍໃຊ້ %(size)s ເພື່ອເກັບຂໍ້ຄວາມຈາກ %(rooms)s ຫ້ອງ."
@ -1617,7 +1576,6 @@
"Enter password": "ໃສ່ລະຫັດຜ່ານ", "Enter password": "ໃສ່ລະຫັດຜ່ານ",
"Start authentication": "ເລີ່ມການພິສູດຢືນຢັນ", "Start authentication": "ເລີ່ມການພິສູດຢືນຢັນ",
"Something went wrong in confirming your identity. Cancel and try again.": "ມີບາງຢ່າງຜິດພາດໃນການຢືນຢັນຕົວຕົນຂອງທ່ານ. ຍົກເລີກແລ້ວລອງໃໝ່.", "Something went wrong in confirming your identity. Cancel and try again.": "ມີບາງຢ່າງຜິດພາດໃນການຢືນຢັນຕົວຕົນຂອງທ່ານ. ຍົກເລີກແລ້ວລອງໃໝ່.",
"Submit": "ສົ່ງ",
"Please enter the code it contains:": "ກະລຸນາໃສ່ລະຫັດທີ່ມີຢູ່:", "Please enter the code it contains:": "ກະລຸນາໃສ່ລະຫັດທີ່ມີຢູ່:",
"A text message has been sent to %(msisdn)s": "ຂໍ້ຄວາມໄດ້ຖືກສົ່ງໄປຫາ %(msisdn)s", "A text message has been sent to %(msisdn)s": "ຂໍ້ຄວາມໄດ້ຖືກສົ່ງໄປຫາ %(msisdn)s",
"Token incorrect": "ໂທເຄັນບໍ່ຖືກຕ້ອງ", "Token incorrect": "ໂທເຄັນບໍ່ຖືກຕ້ອງ",
@ -1640,25 +1598,8 @@
"Updated %(humanizedUpdateTime)s": "ອັບເດດ %(humanizedUpdateTime)s", "Updated %(humanizedUpdateTime)s": "ອັບເດດ %(humanizedUpdateTime)s",
"Space home": "ພຶ້ນທີ່ home", "Space home": "ພຶ້ນທີ່ home",
"Resend %(unsentCount)s reaction(s)": "ສົ່ງການໂຕ້ຕອບ %(unsentCount)s ຄືນໃໝ່", "Resend %(unsentCount)s reaction(s)": "ສົ່ງການໂຕ້ຕອບ %(unsentCount)s ຄືນໃໝ່",
"Save setting values": "ບັນທຶກຄ່າການຕັ້ງຄ່າ",
"Failed to save settings.": "ການບັນທຶກການຕັ້ງຄ່າບໍ່ສຳເລັດ.",
"Number of users": "ຈໍານວນຜູ້ໃຊ້",
"Server": "ເຊີບເວີ",
"Server Versions": "ເວີຊັ່ນເຊີບເວີ",
"Client Versions": "ລຸ້ນຂອງລູກຄ້າ",
"Failed to load.": "ໂຫຼດບໍ່ສຳເລັດ.",
"Capabilities": "ຄວາມສາມາດ",
"Send custom state event": "ສົ່ງທາງລັດແບບກຳນົດເອງ",
"No results found": "ບໍ່ພົບຜົນການຊອກຫາ", "No results found": "ບໍ່ພົບຜົນການຊອກຫາ",
"Filter results": "ການກັ່ນຕອງຜົນຮັບ", "Filter results": "ການກັ່ນຕອງຜົນຮັບ",
"Event Content": "ເນື້ອໃນວຽກ",
"Event sent!": "ສົ່ງວຽກແລ້ວ!",
"Failed to send event!": "ສົ່ງນັດໝາຍບໍ່ສຳເລັດ!",
"Doesn't look like valid JSON.": "ເບິ່ງຄືວ່າ JSON ບໍ່ຖືກຕ້ອງ.",
"State Key": "ປຸມລັດ",
"Event Type": "ປະເພດວຽກ",
"Send custom room account data event": "ສົ່ງຂໍ້ມູນບັນຊີຫ້ອງແບບກຳນົດເອງ",
"Send custom account data event": "ສົ່ງຂໍ້ມູນບັນຊີແບບກຳນົດເອງທຸກເຫດການ",
"If you've forgotten your Security Key you can <button>set up new recovery options</button>": "ຖ້າທ່ານລືມກະແຈຄວາມປອດໄພຂອງທ່ານ ທ່ານສາມາດ <button>ຕັ້ງຄ່າຕົວເລືອກການຟື້ນຕົວໃຫມ່</button>", "If you've forgotten your Security Key you can <button>set up new recovery options</button>": "ຖ້າທ່ານລືມກະແຈຄວາມປອດໄພຂອງທ່ານ ທ່ານສາມາດ <button>ຕັ້ງຄ່າຕົວເລືອກການຟື້ນຕົວໃຫມ່</button>",
"Access your secure message history and set up secure messaging by entering your Security Key.": "ເຂົ້າເຖິງປະຫວັດຂໍ້ຄວາມທີ່ປອດໄພຂອງທ່ານ ແລະ ຕັ້ງຄ່າການສົ່ງຂໍ້ຄວາມທີ່ປອດໄພໂດຍການໃສ່ກະແຈຄວາມປອດໄພຂອງທ່ານ.", "Access your secure message history and set up secure messaging by entering your Security Key.": "ເຂົ້າເຖິງປະຫວັດຂໍ້ຄວາມທີ່ປອດໄພຂອງທ່ານ ແລະ ຕັ້ງຄ່າການສົ່ງຂໍ້ຄວາມທີ່ປອດໄພໂດຍການໃສ່ກະແຈຄວາມປອດໄພຂອງທ່ານ.",
"Not a valid Security Key": "ກະແຈຄວາມປອດໄພບໍ່ຖືກຕ້ອງ", "Not a valid Security Key": "ກະແຈຄວາມປອດໄພບໍ່ຖືກຕ້ອງ",
@ -1738,7 +1679,6 @@
"To help us prevent this in future, please <a>send us logs</a>.": "ເພື່ອຊ່ວຍພວກເຮົາປ້ອງກັນສິ່ງນີ້ໃນອະນາຄົດ, ກະລຸນາ <a>ສົ່ງບັນທຶກໃຫ້ພວກເຮົາ</a>.", "To help us prevent this in future, please <a>send us logs</a>.": "ເພື່ອຊ່ວຍພວກເຮົາປ້ອງກັນສິ່ງນີ້ໃນອະນາຄົດ, ກະລຸນາ <a>ສົ່ງບັນທຶກໃຫ້ພວກເຮົາ</a>.",
"Search Dialog": "ຊອກຫາ ກ່ອງໂຕ້ຕອບ", "Search Dialog": "ຊອກຫາ ກ່ອງໂຕ້ຕອບ",
"Use <arrows/> to scroll": "ໃຊ້ <arrows/> ເພື່ອເລື່ອນ", "Use <arrows/> to scroll": "ໃຊ້ <arrows/> ເພື່ອເລື່ອນ",
"Clear": "ຈະແຈ້ງ",
"Recent searches": "ການຄົ້ນຫາທີ່ຜ່ານມາ", "Recent searches": "ການຄົ້ນຫາທີ່ຜ່ານມາ",
"To search messages, look for this icon at the top of a room <icon/>": "ເພື່ອຊອກຫາຂໍ້ຄວາມ, ຊອກຫາໄອຄອນນີ້ຢູ່ເທິງສຸດຂອງຫ້ອງ <icon/>", "To search messages, look for this icon at the top of a room <icon/>": "ເພື່ອຊອກຫາຂໍ້ຄວາມ, ຊອກຫາໄອຄອນນີ້ຢູ່ເທິງສຸດຂອງຫ້ອງ <icon/>",
"Other searches": "ການຄົ້ນຫາອື່ນໆ", "Other searches": "ການຄົ້ນຫາອື່ນໆ",
@ -2056,7 +1996,6 @@
"Please enter a name for the room": "ກະລຸນາໃສ່ຊື່ຫ້ອງ", "Please enter a name for the room": "ກະລຸນາໃສ່ຊື່ຫ້ອງ",
"Clear all data": "ລຶບລ້າງຂໍ້ມູນທັງໝົດ", "Clear all data": "ລຶບລ້າງຂໍ້ມູນທັງໝົດ",
"Feedback sent": "ສົ່ງຄຳຕິຊົມແລ້ວ", "Feedback sent": "ສົ່ງຄຳຕິຊົມແລ້ວ",
"Export": "ສົ່ງອອກ",
"Include Attachments": "ລວມເອົາໄຟລ໌ຄັດຕິດ", "Include Attachments": "ລວມເອົາໄຟລ໌ຄັດຕິດ",
"Size Limit": "ຂະໜາດຈຳກັດ", "Size Limit": "ຂະໜາດຈຳກັດ",
"Format": "ຮູບແບບ", "Format": "ຮູບແບບ",
@ -2102,21 +2041,14 @@
"Automatically send debug logs on decryption errors": "ສົ່ງບັນທຶກການດີບັ໊ກໂດຍອັດຕະໂນມັດໃນຄວາມຜິດພາດການຖອດລະຫັດ", "Automatically send debug logs on decryption errors": "ສົ່ງບັນທຶກການດີບັ໊ກໂດຍອັດຕະໂນມັດໃນຄວາມຜິດພາດການຖອດລະຫັດ",
"Automatically send debug logs on any error": "ສົ່ງບັນທຶກ ບັນຫາບັກ ໂດຍອັດຕະໂນມັດກ່ຽວກັບຂໍ້ຜິດພາດໃດໆ", "Automatically send debug logs on any error": "ສົ່ງບັນທຶກ ບັນຫາບັກ ໂດຍອັດຕະໂນມັດກ່ຽວກັບຂໍ້ຜິດພາດໃດໆ",
"Developer mode": "ຮູບແບບນັກພັດທະນາ", "Developer mode": "ຮູບແບບນັກພັດທະນາ",
"All rooms you're in will appear in Home.": "ຫ້ອງທັງໝົດທີ່ທ່ານຢູ່ຈະປາກົດຢູ່ໃນໜ້າ Home.",
"Show all rooms in Home": "ສະແດງຫ້ອງທັງໝົດໃນໜ້າ Home",
"Show chat effects (animations when receiving e.g. confetti)": "ສະແດງຜົນກະທົບການສົນທະນາ (ພາບເຄື່ອນໄຫວໃນເວລາທີ່ໄດ້ຮັບເຊັ່ນ: confetti)",
"IRC display name width": "ຄວາມກວ້າງຂອງຊື່ສະແດງ IRC", "IRC display name width": "ຄວາມກວ້າງຂອງຊື່ສະແດງ IRC",
"Manually verify all remote sessions": "ຢັ້ງຢືນທຸກລະບົບທາງໄກດ້ວຍຕົນເອງ", "Manually verify all remote sessions": "ຢັ້ງຢືນທຸກລະບົບທາງໄກດ້ວຍຕົນເອງ",
"How fast should messages be downloaded.": "ຂໍ້ຄວາມຄວນຖືກດາວໂຫຼດໄວເທົ່າໃດ.", "How fast should messages be downloaded.": "ຂໍ້ຄວາມຄວນຖືກດາວໂຫຼດໄວເທົ່າໃດ.",
"Enable message search in encrypted rooms": "ເປີດໃຊ້ການຊອກຫາຂໍ້ຄວາມຢູ່ໃນຫ້ອງທີ່ຖືກເຂົ້າລະຫັດ", "Enable message search in encrypted rooms": "ເປີດໃຊ້ການຊອກຫາຂໍ້ຄວາມຢູ່ໃນຫ້ອງທີ່ຖືກເຂົ້າລະຫັດ",
"Show previews/thumbnails for images": "ສະແດງຕົວຢ່າງ/ຮູບຕົວຢ່າງສຳລັບຮູບພາບ",
"Show hidden events in timeline": "ສະແດງເຫດການທີ່ເຊື່ອງໄວ້ໃນທາມລາຍ", "Show hidden events in timeline": "ສະແດງເຫດການທີ່ເຊື່ອງໄວ້ໃນທາມລາຍ",
"Show shortcuts to recently viewed rooms above the room list": "ສະແດງທາງລັດໄປຫາຫ້ອງທີ່ເບິ່ງເມື່ອບໍ່ດົນມານີ້ຂ້າງເທິງລາຍການຫ້ອງ",
"Prompt before sending invites to potentially invalid matrix IDs": "ເຕືອນກ່ອນທີ່ຈະສົ່ງຄໍາເຊີນໄປຫາ ID matrix ທີ່ອາດຈະບໍ່ຖືກຕ້ອງ",
"Enable widget screenshots on supported widgets": "ເປີດໃຊ້ widget ຖ່າຍໜ້າຈໍໃນ widget ທີ່ຮອງຮັບ", "Enable widget screenshots on supported widgets": "ເປີດໃຊ້ widget ຖ່າຍໜ້າຈໍໃນ widget ທີ່ຮອງຮັບ",
"Enable URL previews by default for participants in this room": "ເປີດໃຊ້ການສະແດງຕົວຢ່າງ URL ໂດຍຄ່າເລີ່ມຕົ້ນສໍາລັບຜູ້ເຂົ້າຮ່ວມໃນຫ້ອງນີ້", "Enable URL previews by default for participants in this room": "ເປີດໃຊ້ການສະແດງຕົວຢ່າງ URL ໂດຍຄ່າເລີ່ມຕົ້ນສໍາລັບຜູ້ເຂົ້າຮ່ວມໃນຫ້ອງນີ້",
"Enable URL previews for this room (only affects you)": "ເປີດໃຊ້ຕົວຢ່າງ URL ສໍາລັບຫ້ອງນີ້ (ມີຜົນຕໍ່ທ່ານເທົ່ານັ້ນ)", "Enable URL previews for this room (only affects you)": "ເປີດໃຊ້ຕົວຢ່າງ URL ສໍາລັບຫ້ອງນີ້ (ມີຜົນຕໍ່ທ່ານເທົ່ານັ້ນ)",
"Enable inline URL previews by default": "ເປີດໃຊ້ການສະແດງຕົວຢ່າງ URL ໃນແຖວຕາມຄ່າເລີ່ມຕົ້ນ",
"Never send encrypted messages to unverified sessions in this room from this session": "ບໍ່ສົ່ງຂໍ້ຄວາມເຂົ້າລະຫັດໄປຫາລະບົບທີ່ບໍ່ໄດ້ຢືນຢັນໃນຫ້ອງນີ້ຈາກລະບົບນີ້", "Never send encrypted messages to unverified sessions in this room from this session": "ບໍ່ສົ່ງຂໍ້ຄວາມເຂົ້າລະຫັດໄປຫາລະບົບທີ່ບໍ່ໄດ້ຢືນຢັນໃນຫ້ອງນີ້ຈາກລະບົບນີ້",
"Never send encrypted messages to unverified sessions from this session": "ບໍ່ສົ່ງຂໍ້ຄວາມເຂົ້າລະຫັດໄປຫາລະບົບທີ່ບໍ່ໄດ້ຢືນຢັນຈາກລະບົບນີ້", "Never send encrypted messages to unverified sessions from this session": "ບໍ່ສົ່ງຂໍ້ຄວາມເຂົ້າລະຫັດໄປຫາລະບົບທີ່ບໍ່ໄດ້ຢືນຢັນຈາກລະບົບນີ້",
"Send analytics data": "ສົ່ງຂໍ້ມູນການວິເຄາະ", "Send analytics data": "ສົ່ງຂໍ້ມູນການວິເຄາະ",
@ -2124,33 +2056,9 @@
"Use a system font": "ໃຊ້ຕົວອັກສອນຂອງລະບົບ", "Use a system font": "ໃຊ້ຕົວອັກສອນຂອງລະບົບ",
"Match system theme": "ລະບົບຈັບຄູ່ຫົວຂໍ້", "Match system theme": "ລະບົບຈັບຄູ່ຫົວຂໍ້",
"Mirror local video feed": "ເບິ່ງຟີດວິດີໂອທ້ອງຖິ່ນ", "Mirror local video feed": "ເບິ່ງຟີດວິດີໂອທ້ອງຖິ່ນ",
"Enable Markdown": "ເປີດໃຊ້ Markdown",
"Automatically replace plain text Emoji": "ປ່ຽນແທນ Emoji ຂໍ້ຄວາມທຳມະດາໂດຍອັດຕະໂນມັດ",
"Surround selected text when typing special characters": "ອ້ອມຮອບຂໍ້ຄວາມທີ່ເລືອກໃນເວລາພິມຕົວອັກສອນພິເສດ", "Surround selected text when typing special characters": "ອ້ອມຮອບຂໍ້ຄວາມທີ່ເລືອກໃນເວລາພິມຕົວອັກສອນພິເສດ",
"Use Ctrl + Enter to send a message": "ໃຊ້ Ctrl + Enter ເພື່ອສົ່ງຂໍ້ຄວາມ",
"Use Command + Enter to send a message": "ໃຊ້ Command + Enter ເພື່ອສົ່ງຂໍ້ຄວາມ",
"Use Ctrl + F to search timeline": "ໃຊ້ Ctrl + F ເພື່ອຊອກຫາເສັ້ນເວລາ",
"Use Command + F to search timeline": "ໃຊ້ຄໍາສັ່ງ + F ເພື່ອຊອກຫາເສັ້ນເວລາ",
"Show typing notifications": "ສະແດງການແຈ້ງເຕືອນການພິມ",
"Send typing notifications": "ສົ່ງການແຈ້ງເຕືອນການພິມ",
"Enable big emoji in chat": "ເປີດໃຊ້ emoji ໃຫຍ່ໃນການສົນທະນາ",
"Jump to the bottom of the timeline when you send a message": "ໄປຫາລຸ່ມສຸດຂອງທາມລາຍເມື່ອທ່ານສົ່ງຂໍ້ຄວາມ",
"Show line numbers in code blocks": "ສະແດງຕົວເລກແຖວຢູ່ໃນບລັອກລະຫັດ",
"Expand code blocks by default": "ຂະຫຍາຍບລັອກລະຫັດຕາມຄ່າເລີ່ມຕົ້ນ",
"Enable automatic language detection for syntax highlighting": "ເປີດໃຊ້ການກວດຫາພາສາອັດຕະໂນມັດສຳລັບການເນັ້ນໄວຍະກອນ",
"Autoplay videos": "ຫຼິ້ນວິດີໂອອັດຕະໂນມັດ",
"Autoplay GIFs": "ຫຼິ້ນ GIFs ອັດຕະໂນມັດ",
"Always show message timestamps": "ສະແດງເວລາຂອງຂໍ້ຄວາມສະເໝີ",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "ສະແດງເວລາໃນຮູບແບບ 12 ຊົ່ວໂມງ (ເຊັ່ນ: 2:30 ໂມງແລງ)",
"Show read receipts sent by other users": "ສະແດງໃບຮັບຮອງການອ່ານທີ່ສົ່ງໂດຍຜູ້ໃຊ້ອື່ນ",
"Show display name changes": "ສະແດງການປ່ຽນແປງຊື່",
"Show join/leave messages (invites/removes/bans unaffected)": "ສະແດງໃຫ້ເຫັນການເຂົ້າຮ່ວມ / ອອກຈາກຂໍ້ຄວາມ (ການເຊື້ອເຊີນ / ເອົາ / ຫ້າມ ບໍ່ໄຫ້ມີຜົນກະທົບ)",
"Show a placeholder for removed messages": "ສະແດງຕົວຍຶດຕຳແໜ່ງສໍາລັບຂໍ້ຄວາມທີ່ຖືກລົບອອກ",
"Use a more compact 'Modern' layout": "ໃຊ້ຮູບແບບ 'ທັນສະໄຫມ' ທີ່ກະທັດຮັດກວ່າ", "Use a more compact 'Modern' layout": "ໃຊ້ຮູບແບບ 'ທັນສະໄຫມ' ທີ່ກະທັດຮັດກວ່າ",
"Insert a trailing colon after user mentions at the start of a message": "ຈໍ້າສອງເມັດພາຍຫຼັງຈາກຜູ້ໃຊ້ກ່າວເຖິງໃນຕອນເລີ່ມຕົ້ນຂອງຂໍ້ຄວາມ",
"Show polls button": "ສະແດງປຸ່ມແບບສຳຫຼວດ", "Show polls button": "ສະແດງປຸ່ມແບບສຳຫຼວດ",
"Show stickers button": "ສະແດງປຸ່ມສະຕິກເກີ",
"Enable Emoji suggestions while typing": "ເປີດໃຊ້ການແນະນຳອີໂມຈິໃນຂະນະທີ່ພິມ",
"Use custom size": "ໃຊ້ຂະຫນາດທີ່ກໍາຫນົດເອງ", "Use custom size": "ໃຊ້ຂະຫນາດທີ່ກໍາຫນົດເອງ",
"Font size": "ຂະໜາດຕົວອັກສອນ", "Font size": "ຂະໜາດຕົວອັກສອນ",
"Leave the beta": "ອອກຈາກເບຕ້າ", "Leave the beta": "ອອກຈາກເບຕ້າ",
@ -2827,7 +2735,6 @@
"Turn off camera": "ປິດກ້ອງຖ່າຍຮູບ", "Turn off camera": "ປິດກ້ອງຖ່າຍຮູບ",
"Video devices": "ອຸປະກອນວິດີໂອ", "Video devices": "ອຸປະກອນວິດີໂອ",
"Error processing audio message": "ການປະມວນຜົນຂໍ້ຄວາມສຽງຜິດພາດ", "Error processing audio message": "ການປະມວນຜົນຂໍ້ຄວາມສຽງຜິດພາດ",
"Go": "ໄປ",
"Pick a date to jump to": "ເລືອກວັນທີເພື່ອໄປຫາ", "Pick a date to jump to": "ເລືອກວັນທີເພື່ອໄປຫາ",
"Message pending moderation": "ຂໍ້ຄວາມທີ່ລໍຖ້າການກວດກາ", "Message pending moderation": "ຂໍ້ຄວາມທີ່ລໍຖ້າການກວດກາ",
"Message pending moderation: %(reason)s": "ຂໍ້ຄວາມທີ່ລໍຖ້າການກວດກາ: %(reason)s", "Message pending moderation: %(reason)s": "ຂໍ້ຄວາມທີ່ລໍຖ້າການກວດກາ: %(reason)s",
@ -2839,8 +2746,6 @@
"Downloading": "ກຳລັງດາວໂຫຼດ", "Downloading": "ກຳລັງດາວໂຫຼດ",
"Jump to date": "ໄປຫາວັນທີ", "Jump to date": "ໄປຫາວັນທີ",
"The beginning of the room": "ຈຸດເລີ່ມຕົ້ນຂອງຫ້ອງ", "The beginning of the room": "ຈຸດເລີ່ມຕົ້ນຂອງຫ້ອງ",
"Last month": "ເດືອນທີ່ແລ້ວ",
"Last week": "ອາທິດທີ່ແລ້ວ",
"Yesterday": "ມື້ວານນີ້", "Yesterday": "ມື້ວານນີ້",
"Today": "ມື້ນີ້", "Today": "ມື້ນີ້",
"Saturday": "ວັນເສົາ", "Saturday": "ວັນເສົາ",
@ -2945,7 +2850,6 @@
"Room Settings - %(roomName)s": "ການຕັ້ງຄ່າຫ້ອງ - %(roomName)s", "Room Settings - %(roomName)s": "ການຕັ້ງຄ່າຫ້ອງ - %(roomName)s",
"Reporting this message will send its unique 'event ID' to the administrator of your homeserver. If messages in this room are encrypted, your homeserver administrator will not be able to read the message text or view any files or images.": "ການລາຍງານຂໍ້ຄວາມນີ້ຈະສົ່ງ 'ID ເຫດການ' ທີ່ບໍ່ຊໍ້າກັນໄປຫາຜູ້ຄຸ້ມຄອງລະບົບເຊີບເວີຂອງທ່ານ. ຖ້າຂໍ້ຄວາມຢູ່ໃນຫ້ອງນີ້ຖືກເຂົ້າລະຫັດໄວ້, ຜູ້ຄຸ້ມຄອງລະບົບເຊີບເວີຂອງທ່ານຈະບໍ່ສາມາດອ່ານຂໍ້ຄວາມ ຫຼືເບິ່ງໄຟລ໌ ຫຼືຮູບພາບຕ່າງໆໄດ້.", "Reporting this message will send its unique 'event ID' to the administrator of your homeserver. If messages in this room are encrypted, your homeserver administrator will not be able to read the message text or view any files or images.": "ການລາຍງານຂໍ້ຄວາມນີ້ຈະສົ່ງ 'ID ເຫດການ' ທີ່ບໍ່ຊໍ້າກັນໄປຫາຜູ້ຄຸ້ມຄອງລະບົບເຊີບເວີຂອງທ່ານ. ຖ້າຂໍ້ຄວາມຢູ່ໃນຫ້ອງນີ້ຖືກເຂົ້າລະຫັດໄວ້, ຜູ້ຄຸ້ມຄອງລະບົບເຊີບເວີຂອງທ່ານຈະບໍ່ສາມາດອ່ານຂໍ້ຄວາມ ຫຼືເບິ່ງໄຟລ໌ ຫຼືຮູບພາບຕ່າງໆໄດ້.",
"Report Content to Your Homeserver Administrator": "ລາຍງານເນື້ອຫາໃຫ້ຜູ້ຄຸ້ມຄອງລະບົບ Homeserver ຂອງທ່ານ", "Report Content to Your Homeserver Administrator": "ລາຍງານເນື້ອຫາໃຫ້ຜູ້ຄຸ້ມຄອງລະບົບ Homeserver ຂອງທ່ານ",
"Send report": "ສົ່ງບົດລາຍງານ",
"Report the entire room": "ລາຍງານຫ້ອງທັງໝົດ", "Report the entire room": "ລາຍງານຫ້ອງທັງໝົດ",
"Spam or propaganda": "ຂໍ້ຄວາມຂີ້ເຫຍື້ອ ຫຼື ການໂຄສະນາເຜີຍແຜ່", "Spam or propaganda": "ຂໍ້ຄວາມຂີ້ເຫຍື້ອ ຫຼື ການໂຄສະນາເຜີຍແຜ່",
"Close preview": "ປິດຕົວຢ່າງ", "Close preview": "ປິດຕົວຢ່າງ",
@ -3011,18 +2915,12 @@
"a new cross-signing key signature": "ການລົງລາຍເຊັນ cross-signing ແບບໃໝ່", "a new cross-signing key signature": "ການລົງລາຍເຊັນ cross-signing ແບບໃໝ່",
"Thank you!": "ຂອບໃຈ!", "Thank you!": "ຂອບໃຈ!",
"Please pick a nature and describe what makes this message abusive.": "ກະລຸນາເລືອກລັກສະນະ ແລະ ການອະທິບາຍຂອງຂໍ້ຄວາມໃດໜຶ່ງທີ່ສຸພາບ.", "Please pick a nature and describe what makes this message abusive.": "ກະລຸນາເລືອກລັກສະນະ ແລະ ການອະທິບາຍຂອງຂໍ້ຄວາມໃດໜຶ່ງທີ່ສຸພາບ.",
"<empty string>": "<Empty string>",
"<%(count)s spaces>": {
"one": "<space>",
"other": "<%(count)s spaces>"
},
"Link to room": "ເຊື່ອມຕໍ່ທີ່ຫ້ອງ", "Link to room": "ເຊື່ອມຕໍ່ທີ່ຫ້ອງ",
"Link to selected message": "ເຊື່ອມຕໍ່ກັບຂໍ້ຄວາມທີ່ເລືອກ", "Link to selected message": "ເຊື່ອມຕໍ່ກັບຂໍ້ຄວາມທີ່ເລືອກ",
"Share Room Message": "ແບ່ງປັນຂໍ້ຄວາມໃນຫ້ອງ", "Share Room Message": "ແບ່ງປັນຂໍ້ຄວາມໃນຫ້ອງ",
"Share User": "ແບ່ງປັນຜູ້ໃຊ້", "Share User": "ແບ່ງປັນຜູ້ໃຊ້",
"If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "ຖ້າຫາກວ່າທ່ານເຄິຍໃຊ້ເວີຊັ້ນທີ່ໃໝ່ກວ່າຂອງ %(brand)s,ລະບົບຂອງທ່ານອາດຈະບໍ່ສອດຄ່ອງກັນໄດ້ກັບເວີຊັ້ນນີ້. ປິດໜ້າຕ່າງນີ້ແລ້ວກັບຄືນໄປຫາເວີຊັ້ນຫຼ້າສຸດ.", "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "ຖ້າຫາກວ່າທ່ານເຄິຍໃຊ້ເວີຊັ້ນທີ່ໃໝ່ກວ່າຂອງ %(brand)s,ລະບົບຂອງທ່ານອາດຈະບໍ່ສອດຄ່ອງກັນໄດ້ກັບເວີຊັ້ນນີ້. ປິດໜ້າຕ່າງນີ້ແລ້ວກັບຄືນໄປຫາເວີຊັ້ນຫຼ້າສຸດ.",
"Unable to restore session": "ບໍ່ສາມາດກູ້ລະບົບໄດ້", "Unable to restore session": "ບໍ່ສາມາດກູ້ລະບົບໄດ້",
"Refresh": "ໂຫຼດຫນ້າຈໍຄືນ",
"Continuing without email": "ສືບຕໍ່ໂດຍບໍ່ມີອີເມວ", "Continuing without email": "ສືບຕໍ່ໂດຍບໍ່ມີອີເມວ",
"Logs sent": "ສົ່ງບັນທຶກແລ້ວ", "Logs sent": "ສົ່ງບັນທຶກແລ້ວ",
"Preparing to send logs": "ກຳລັງກະກຽມສົ່ງບັນທຶກ", "Preparing to send logs": "ກຳລັງກະກຽມສົ່ງບັນທຶກ",
@ -3032,7 +2930,6 @@
"Close dialog": "ປິດກ່ອງໂຕ້ຕອບ", "Close dialog": "ປິດກ່ອງໂຕ້ຕອບ",
"Help us identify issues and improve %(analyticsOwner)s by sharing anonymous usage data. To understand how people use multiple devices, we'll generate a random identifier, shared by your devices.": "ຊ່ວຍພວກເຮົາລະບຸບັນຫາ ແລະ ປັບປຸງ %(analyticsOwner)s ໂດຍການແບ່ງປັນຂໍ້ມູນການນຳໃຊ້ທີ່ບໍ່ເປີດເຜີຍຊື່. ເພື່ອເຂົ້າໃຈວິທີທີ່ຄົນໃຊ້ຫຼາຍອຸປະກອນ, ພວກເຮົາຈະສ້າງຕົວລະບຸແບບສຸ່ມ, ແບ່ງປັນໂດຍອຸປະກອນຂອງທ່ານ.", "Help us identify issues and improve %(analyticsOwner)s by sharing anonymous usage data. To understand how people use multiple devices, we'll generate a random identifier, shared by your devices.": "ຊ່ວຍພວກເຮົາລະບຸບັນຫາ ແລະ ປັບປຸງ %(analyticsOwner)s ໂດຍການແບ່ງປັນຂໍ້ມູນການນຳໃຊ້ທີ່ບໍ່ເປີດເຜີຍຊື່. ເພື່ອເຂົ້າໃຈວິທີທີ່ຄົນໃຊ້ຫຼາຍອຸປະກອນ, ພວກເຮົາຈະສ້າງຕົວລະບຸແບບສຸ່ມ, ແບ່ງປັນໂດຍອຸປະກອນຂອງທ່ານ.",
"Not all selected were added": "ບໍ່ໄດ້ເລືອກທັງໝົດທີ່ຖືກເພີ່ມ", "Not all selected were added": "ບໍ່ໄດ້ເລືອກທັງໝົດທີ່ຖືກເພີ່ມ",
"Matrix": "Matrix",
"Looks good": "ດີ", "Looks good": "ດີ",
"And %(count)s more...": { "And %(count)s more...": {
"other": "ແລະ %(count)sອີກ..." "other": "ແລະ %(count)sອີກ..."
@ -3121,7 +3018,6 @@
}, },
"View related event": "ເບິ່ງເຫດການທີ່ກ່ຽວຂ້ອງ", "View related event": "ເບິ່ງເຫດການທີ່ກ່ຽວຂ້ອງ",
"Read receipts": "ຢັ້ງຢືນອ່ານແລ້ວ", "Read receipts": "ຢັ້ງຢືນອ່ານແລ້ວ",
"Enable hardware acceleration (restart %(appName)s to take effect)": "ເພີ່ມຂີດຄວາມສາມາດຂອງອຸປະກອນ (ບູສແອັບ %(appName)s ນີ້ໃໝ່ເພື່ອເຫັນຜົນ)",
"common": { "common": {
"about": "ກ່ຽວກັບ", "about": "ກ່ຽວກັບ",
"analytics": "ວິເຄາະ", "analytics": "ວິເຄາະ",
@ -3181,7 +3077,15 @@
"emoji": "ອີໂມຈິ", "emoji": "ອີໂມຈິ",
"random": "ສຸ່ມ", "random": "ສຸ່ມ",
"support": "ສະຫນັບສະຫນູນ", "support": "ສະຫນັບສະຫນູນ",
"space": "ຍະຫວ່າງ" "space": "ຍະຫວ່າງ",
"someone": "ບາງຄົນ",
"encrypted": "ເຂົ້າລະຫັດແລ້ວ",
"matrix": "Matrix",
"trusted": "ເຊື່ອຖືໄດ້",
"not_trusted": "ເຊື່ອຖືບໍ່ໄດ້",
"accessibility": "ການເຂົ້າເຖິງ",
"capabilities": "ຄວາມສາມາດ",
"server": "ເຊີບເວີ"
}, },
"action": { "action": {
"continue": "ສືບຕໍ່", "continue": "ສືບຕໍ່",
@ -3265,7 +3169,17 @@
"restore": "ກູ້ຄືນ", "restore": "ກູ້ຄືນ",
"play": "ຫຼິ້ນ", "play": "ຫຼິ້ນ",
"pause": "ຢຸດຊົ່ວຄາວ", "pause": "ຢຸດຊົ່ວຄາວ",
"register": "ລົງທະບຽນ" "register": "ລົງທະບຽນ",
"manage": "ຄຸ້ມຄອງ",
"go": "ໄປ",
"import": "ນໍາເຂົ້າ",
"export": "ສົ່ງອອກ",
"refresh": "ໂຫຼດຫນ້າຈໍຄືນ",
"maximise": "ສູງສຸດ",
"mention": "ກ່າວເຖິງ",
"submit": "ສົ່ງ",
"send_report": "ສົ່ງບົດລາຍງານ",
"clear": "ຈະແຈ້ງ"
}, },
"a11y": { "a11y": {
"user_menu": "ເມນູຜູ້ໃຊ້" "user_menu": "ເມນູຜູ້ໃຊ້"
@ -3328,6 +3242,96 @@
"short_days": "%(value)sd", "short_days": "%(value)sd",
"short_hours": "%(value)sh", "short_hours": "%(value)sh",
"short_minutes": "%(value)sm", "short_minutes": "%(value)sm",
"short_seconds": "%(value)ss" "short_seconds": "%(value)ss",
"last_week": "ອາທິດທີ່ແລ້ວ",
"last_month": "ເດືອນທີ່ແລ້ວ"
},
"devtools": {
"send_custom_account_data_event": "ສົ່ງຂໍ້ມູນບັນຊີແບບກຳນົດເອງທຸກເຫດການ",
"send_custom_room_account_data_event": "ສົ່ງຂໍ້ມູນບັນຊີຫ້ອງແບບກຳນົດເອງ",
"event_type": "ປະເພດວຽກ",
"state_key": "ປຸມລັດ",
"invalid_json": "ເບິ່ງຄືວ່າ JSON ບໍ່ຖືກຕ້ອງ.",
"failed_to_send": "ສົ່ງນັດໝາຍບໍ່ສຳເລັດ!",
"event_sent": "ສົ່ງວຽກແລ້ວ!",
"event_content": "ເນື້ອໃນວຽກ",
"spaces": {
"one": "<space>",
"other": "<%(count)s spaces>"
},
"empty_string": "<Empty string>",
"send_custom_state_event": "ສົ່ງທາງລັດແບບກຳນົດເອງ",
"failed_to_load": "ໂຫຼດບໍ່ສຳເລັດ.",
"client_versions": "ລຸ້ນຂອງລູກຄ້າ",
"server_versions": "ເວີຊັ່ນເຊີບເວີ",
"number_of_users": "ຈໍານວນຜູ້ໃຊ້",
"failed_to_save": "ການບັນທຶກການຕັ້ງຄ່າບໍ່ສຳເລັດ.",
"save_setting_values": "ບັນທຶກຄ່າການຕັ້ງຄ່າ",
"setting_colon": "ການຕັ້ງຄ່າ:",
"caution_colon": "ຂໍ້ຄວນລະວັງ:",
"use_at_own_risk": "UI ນີ້ບໍ່ໄດ້ກວດເບິ່ງປະເພດຂອງຄ່າ. ໃຊ້ຢູ່ໃນຄວາມສ່ຽງຂອງທ່ານເອງ.",
"setting_definition": "ຄໍານິຍາມການຕັ້ງຄ່າ:",
"level": "ລະດັບ",
"settable_global": "ຕັ້ງຄ່າໄດ້ໃນທົ່ວໂລກ",
"settable_room": "ຕັ້ງຄ່າໄດ້ຢູ່ທີ່ຫ້ອງ",
"values_explicit": "ຄຸນຄ່າໃນລະດັບທີ່ຊັດເຈນ",
"values_explicit_room": "ປະເມີນຄ່າໃນລະດັບທີ່ຊັດເຈນຢູ່ໃນຫ້ອງນີ້",
"edit_values": "ແກ້ໄຂຄ່າ",
"value_colon": "ມູນຄ່າ:",
"value_this_room_colon": "ຄ່າໃນຫ້ອງນີ້:",
"values_explicit_colon": "ຄ່າໃນລະດັບທີ່ຊັດເຈນ:",
"values_explicit_this_room_colon": "ຄ່າໃນລະດັບທີ່ຊັດເຈນຢູ່ໃນຫ້ອງນີ້:",
"setting_id": "ການຕັ້ງຄ່າ ID",
"value": "ຄ່າ",
"value_in_this_room": "ຄ່າໃນຫ້ອງນີ້",
"edit_setting": "ແກ້ໄຂການຕັ້ງຄ່າ",
"phase_requested": "ຮ້ອງຂໍ",
"phase_ready": "ຄວາມພ້ອມ/ພ້ອມ",
"phase_started": "ໄດ້ເລີ່ມແລ້ວ",
"phase_cancelled": "ຍົກເລີກ",
"phase_transaction": "ທຸລະກໍາ",
"phase": "ໄລຍະ",
"timeout": "ຫມົດເວລາ",
"methods": "ວິທີການ",
"requester": "ຜູ້ຮ້ອງຂໍ",
"observe_only": "ສັງເກດເທົ່ານັ້ນ",
"no_verification_requests_found": "ບໍ່ພົບການຮ້ອງຂໍການຢັ້ງຢືນ",
"failed_to_find_widget": "ມີຄວາມຜິດພາດໃນການຊອກຫາວິດເຈັດນີ້."
},
"settings": {
"show_breadcrumbs": "ສະແດງທາງລັດໄປຫາຫ້ອງທີ່ເບິ່ງເມື່ອບໍ່ດົນມານີ້ຂ້າງເທິງລາຍການຫ້ອງ",
"all_rooms_home_description": "ຫ້ອງທັງໝົດທີ່ທ່ານຢູ່ຈະປາກົດຢູ່ໃນໜ້າ Home.",
"use_command_f_search": "ໃຊ້ຄໍາສັ່ງ + F ເພື່ອຊອກຫາເສັ້ນເວລາ",
"use_control_f_search": "ໃຊ້ Ctrl + F ເພື່ອຊອກຫາເສັ້ນເວລາ",
"use_12_hour_format": "ສະແດງເວລາໃນຮູບແບບ 12 ຊົ່ວໂມງ (ເຊັ່ນ: 2:30 ໂມງແລງ)",
"always_show_message_timestamps": "ສະແດງເວລາຂອງຂໍ້ຄວາມສະເໝີ",
"send_typing_notifications": "ສົ່ງການແຈ້ງເຕືອນການພິມ",
"replace_plain_emoji": "ປ່ຽນແທນ Emoji ຂໍ້ຄວາມທຳມະດາໂດຍອັດຕະໂນມັດ",
"enable_markdown": "ເປີດໃຊ້ Markdown",
"emoji_autocomplete": "ເປີດໃຊ້ການແນະນຳອີໂມຈິໃນຂະນະທີ່ພິມ",
"use_command_enter_send_message": "ໃຊ້ Command + Enter ເພື່ອສົ່ງຂໍ້ຄວາມ",
"use_control_enter_send_message": "ໃຊ້ Ctrl + Enter ເພື່ອສົ່ງຂໍ້ຄວາມ",
"all_rooms_home": "ສະແດງຫ້ອງທັງໝົດໃນໜ້າ Home",
"show_stickers_button": "ສະແດງປຸ່ມສະຕິກເກີ",
"insert_trailing_colon_mentions": "ຈໍ້າສອງເມັດພາຍຫຼັງຈາກຜູ້ໃຊ້ກ່າວເຖິງໃນຕອນເລີ່ມຕົ້ນຂອງຂໍ້ຄວາມ",
"automatic_language_detection_syntax_highlight": "ເປີດໃຊ້ການກວດຫາພາສາອັດຕະໂນມັດສຳລັບການເນັ້ນໄວຍະກອນ",
"code_block_expand_default": "ຂະຫຍາຍບລັອກລະຫັດຕາມຄ່າເລີ່ມຕົ້ນ",
"code_block_line_numbers": "ສະແດງຕົວເລກແຖວຢູ່ໃນບລັອກລະຫັດ",
"inline_url_previews_default": "ເປີດໃຊ້ການສະແດງຕົວຢ່າງ URL ໃນແຖວຕາມຄ່າເລີ່ມຕົ້ນ",
"autoplay_gifs": "ຫຼິ້ນ GIFs ອັດຕະໂນມັດ",
"autoplay_videos": "ຫຼິ້ນວິດີໂອອັດຕະໂນມັດ",
"image_thumbnails": "ສະແດງຕົວຢ່າງ/ຮູບຕົວຢ່າງສຳລັບຮູບພາບ",
"show_typing_notifications": "ສະແດງການແຈ້ງເຕືອນການພິມ",
"show_redaction_placeholder": "ສະແດງຕົວຍຶດຕຳແໜ່ງສໍາລັບຂໍ້ຄວາມທີ່ຖືກລົບອອກ",
"show_read_receipts": "ສະແດງໃບຮັບຮອງການອ່ານທີ່ສົ່ງໂດຍຜູ້ໃຊ້ອື່ນ",
"show_join_leave": "ສະແດງໃຫ້ເຫັນການເຂົ້າຮ່ວມ / ອອກຈາກຂໍ້ຄວາມ (ການເຊື້ອເຊີນ / ເອົາ / ຫ້າມ ບໍ່ໄຫ້ມີຜົນກະທົບ)",
"show_displayname_changes": "ສະແດງການປ່ຽນແປງຊື່",
"show_chat_effects": "ສະແດງຜົນກະທົບການສົນທະນາ (ພາບເຄື່ອນໄຫວໃນເວລາທີ່ໄດ້ຮັບເຊັ່ນ: confetti)",
"big_emoji": "ເປີດໃຊ້ emoji ໃຫຍ່ໃນການສົນທະນາ",
"jump_to_bottom_on_send": "ໄປຫາລຸ່ມສຸດຂອງທາມລາຍເມື່ອທ່ານສົ່ງຂໍ້ຄວາມ",
"prompt_invite": "ເຕືອນກ່ອນທີ່ຈະສົ່ງຄໍາເຊີນໄປຫາ ID matrix ທີ່ອາດຈະບໍ່ຖືກຕ້ອງ",
"hardware_acceleration": "ເພີ່ມຂີດຄວາມສາມາດຂອງອຸປະກອນ (ບູສແອັບ %(appName)s ນີ້ໃໝ່ເພື່ອເຫັນຜົນ)",
"start_automatically": "ເລີ່ມອັດຕະໂນມັດຫຼັງຈາກເຂົ້າສູ່ລະບົບ",
"warn_quit": "ເຕືອນກ່ອນຢຸດຕິ"
} }
} }

View file

@ -27,7 +27,6 @@
"When I'm invited to a room": "Kai mane pakviečia į kambarį", "When I'm invited to a room": "Kai mane pakviečia į kambarį",
"Tuesday": "Antradienis", "Tuesday": "Antradienis",
"Search…": "Paieška…", "Search…": "Paieška…",
"Event sent!": "Įvykis išsiųstas!",
"Unnamed room": "Kambarys be pavadinimo", "Unnamed room": "Kambarys be pavadinimo",
"Saturday": "Šeštadienis", "Saturday": "Šeštadienis",
"Online": "Prisijungęs", "Online": "Prisijungęs",
@ -43,7 +42,6 @@
"unknown error code": "nežinomas klaidos kodas", "unknown error code": "nežinomas klaidos kodas",
"Call invitation": "Skambučio pakvietimas", "Call invitation": "Skambučio pakvietimas",
"Messages containing my display name": "Žinutės, kuriose yra mano rodomas vardas", "Messages containing my display name": "Žinutės, kuriose yra mano rodomas vardas",
"State Key": "Būklės raktas",
"What's new?": "Kas naujo?", "What's new?": "Kas naujo?",
"Invite to this room": "Pakviesti į šį kambarį", "Invite to this room": "Pakviesti į šį kambarį",
"You cannot delete this message. (%(code)s)": "Jūs negalite trinti šios žinutės. (%(code)s)", "You cannot delete this message. (%(code)s)": "Jūs negalite trinti šios žinutės. (%(code)s)",
@ -54,9 +52,7 @@
"Error encountered (%(errorDetail)s).": "Susidurta su klaida (%(errorDetail)s).", "Error encountered (%(errorDetail)s).": "Susidurta su klaida (%(errorDetail)s).",
"Low Priority": "Žemo prioriteto", "Low Priority": "Žemo prioriteto",
"Off": "Išjungta", "Off": "Išjungta",
"Event Type": "Įvykio tipas",
"Developer Tools": "Programuotojo Įrankiai", "Developer Tools": "Programuotojo Įrankiai",
"Event Content": "Įvykio turinys",
"Thank you!": "Ačiū!", "Thank you!": "Ačiū!",
"Call Failed": "Skambutis Nepavyko", "Call Failed": "Skambutis Nepavyko",
"Permission Required": "Reikalingas Leidimas", "Permission Required": "Reikalingas Leidimas",
@ -109,12 +105,8 @@
"%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s pakeitė temą į \"%(topic)s\".", "%(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 changed the room name to %(roomName)s.": "%(senderDisplayName)s pakeitė kambario pavadinimą į %(roomName)s.",
"%(senderDisplayName)s sent an image.": "%(senderDisplayName)s išsiuntė vaizdą.", "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s išsiuntė vaizdą.",
"Someone": "Kažkas",
"Unnamed Room": "Bevardis Kambarys", "Unnamed Room": "Bevardis Kambarys",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Rodyti laiko žymes 12 valandų formatu (pvz. 2:30pm)",
"Always show message timestamps": "Visada rodyti žinučių laiko žymes",
"Incorrect verification code": "Neteisingas patvirtinimo kodas", "Incorrect verification code": "Neteisingas patvirtinimo kodas",
"Submit": "Pateikti",
"Phone": "Telefonas", "Phone": "Telefonas",
"No display name": "Nėra rodomo vardo", "No display name": "Nėra rodomo vardo",
"New passwords don't match": "Nauji slaptažodžiai nesutampa", "New passwords don't match": "Nauji slaptažodžiai nesutampa",
@ -203,11 +195,9 @@
"Export room keys": "Eksportuoti kambario raktus", "Export room keys": "Eksportuoti kambario raktus",
"Enter passphrase": "Įveskite slaptafrazę", "Enter passphrase": "Įveskite slaptafrazę",
"Confirm passphrase": "Patvirtinkite slaptafrazę", "Confirm passphrase": "Patvirtinkite slaptafrazę",
"Export": "Eksportuoti",
"Import room keys": "Importuoti kambario raktus", "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ę.", "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", "File to import": "Failas, kurį importuoti",
"Import": "Importuoti",
"You do not have permission to start a conference call in this room": "Jūs neturite leidimo šiame kambaryje pradėti konferencinį pokalbį", "You do not have permission to start a conference call in this room": "Jūs neturite leidimo šiame kambaryje pradėti konferencinį pokalbį",
"Missing room_id in request": "Užklausoje trūksta room_id", "Missing room_id in request": "Užklausoje trūksta room_id",
"Missing user_id in request": "Užklausoje trūksta user_id", "Missing user_id in request": "Užklausoje trūksta user_id",
@ -247,7 +237,6 @@
"Usage": "Naudojimas", "Usage": "Naudojimas",
"%(senderName)s changed the pinned messages for the room.": "%(senderName)s pakeitė prisegtas kambario žinutes.", "%(senderName)s changed the pinned messages for the room.": "%(senderName)s pakeitė prisegtas kambario žinutes.",
"Please contact your homeserver administrator.": "Susisiekite su savo serverio administratoriumi.", "Please contact your homeserver administrator.": "Susisiekite su savo serverio administratoriumi.",
"Enable inline URL previews by default": "Įjungti URL nuorodų peržiūras kaip numatytasias",
"Enable URL previews for this room (only affects you)": "Įjungti URL nuorodų peržiūras šiame kambaryje (įtakoja tik jus)", "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 kaip numatytasias šiame kambaryje esantiems dalyviams", "Enable URL previews by default for participants in this room": "Įjungti URL nuorodų peržiūras kaip numatytasias šiame kambaryje esantiems dalyviams",
"Confirm password": "Patvirtinkite slaptažodį", "Confirm password": "Patvirtinkite slaptažodį",
@ -284,7 +273,6 @@
"Failed to upgrade room": "Nepavyko atnaujinti kambario", "Failed to upgrade room": "Nepavyko atnaujinti kambario",
"The room upgrade could not be completed": "Nepavyko užbaigti kambario atnaujinimo", "The room upgrade could not be completed": "Nepavyko užbaigti kambario atnaujinimo",
"Send Logs": "Siųsti žurnalus", "Send Logs": "Siųsti žurnalus",
"Refresh": "Įkelti iš naujo",
"Unable to restore session": "Nepavyko atkurti seanso", "Unable to restore session": "Nepavyko atkurti seanso",
"Invalid Email Address": "Neteisingas el. pašto adresas", "Invalid Email Address": "Neteisingas el. pašto adresas",
"You cannot place a call with yourself.": "Negalite skambinti patys sau.", "You cannot place a call with yourself.": "Negalite skambinti patys sau.",
@ -298,7 +286,6 @@
"other": "ir %(count)s kitų...", "other": "ir %(count)s kitų...",
"one": "ir dar vienas..." "one": "ir dar vienas..."
}, },
"Mention": "Paminėti",
"This room has been replaced and is no longer active.": "Šis kambarys buvo pakeistas ir daugiau nebėra aktyvus.", "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", "You do not have permission to post to this room": "Jūs neturite leidimų rašyti šiame kambaryje",
"System Alerts": "Sistemos įspėjimai", "System Alerts": "Sistemos įspėjimai",
@ -602,8 +589,6 @@
"Autocomplete": "Autorašymas", "Autocomplete": "Autorašymas",
"Verify this session": "Patvirtinti šį seansą", "Verify this session": "Patvirtinti šį seansą",
"%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": "%(senderDisplayName)s pakeitė kambario pavadinimą iš %(oldRoomName)s į %(newRoomName)s.", "%(senderDisplayName)s changed the room name from %(oldRoomName)s to %(newRoomName)s.": "%(senderDisplayName)s pakeitė kambario pavadinimą iš %(oldRoomName)s į %(newRoomName)s.",
"Show display name changes": "Rodyti rodomo vardo pakeitimus",
"Show read receipts sent by other users": "Rodyti kitų vartotojų siųstus perskaitymo kvitus",
"The other party cancelled the verification.": "Kita šalis atšaukė patvirtinimą.", "The other party cancelled the verification.": "Kita šalis atšaukė patvirtinimą.",
"Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "Užšifruotos žinutės yra apsaugotos visapusiu šifravimu. Tik jūs ir gavėjas(-ai) turi raktus šioms žinutėms perskaityti.", "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "Užšifruotos žinutės yra apsaugotos visapusiu šifravimu. Tik jūs ir gavėjas(-ai) turi raktus šioms žinutėms perskaityti.",
"Back up your keys before signing out to avoid losing them.": "Prieš atsijungdami sukurkite atsarginę savo raktų kopiją, kad išvengtumėte jų praradimo.", "Back up your keys before signing out to avoid losing them.": "Prieš atsijungdami sukurkite atsarginę savo raktų kopiją, kad išvengtumėte jų praradimo.",
@ -719,7 +704,6 @@
"Are you sure you want to sign out?": "Ar tikrai norite atsijungti?", "Are you sure you want to sign out?": "Ar tikrai norite atsijungti?",
"Report Content to Your Homeserver Administrator": "Pranešti apie turinį serverio administratoriui", "Report Content to Your Homeserver Administrator": "Pranešti apie turinį serverio administratoriui",
"Reporting this message will send its unique 'event ID' to the administrator of your homeserver. If messages in this room are encrypted, your homeserver administrator will not be able to read the message text or view any files or images.": "Pranešant apie šią netinkamą žinutę, serverio administratoriui bus nusiųstas unikalus 'įvykio ID'. Jei žinutės šiame kambaryje yra šifruotos, serverio administratorius negalės perskaityti žinutės teksto ar peržiūrėti failų arba paveikslėlių.", "Reporting this message will send its unique 'event ID' to the administrator of your homeserver. If messages in this room are encrypted, your homeserver administrator will not be able to read the message text or view any files or images.": "Pranešant apie šią netinkamą žinutę, serverio administratoriui bus nusiųstas unikalus 'įvykio ID'. Jei žinutės šiame kambaryje yra šifruotos, serverio administratorius negalės perskaityti žinutės teksto ar peržiūrėti failų arba paveikslėlių.",
"Send report": "Siųsti pranešimą",
"Are you sure you want to reject the invitation?": "Ar tikrai norite atmesti pakvietimą?", "Are you sure you want to reject the invitation?": "Ar tikrai norite atmesti pakvietimą?",
"Nice, strong password!": "Puiku, stiprus slaptažodis!", "Nice, strong password!": "Puiku, stiprus slaptažodis!",
"Old cryptography data detected": "Aptikti seni kriptografijos duomenys", "Old cryptography data detected": "Aptikti seni kriptografijos duomenys",
@ -767,9 +751,6 @@
"Invalid identity server discovery response": "Klaidingas tapatybės serverio radimo atsakas", "Invalid identity server discovery response": "Klaidingas tapatybės serverio radimo atsakas",
"Double check that your server supports the room version chosen and try again.": "Dar kartą įsitikinkite, kad jūsų serveris palaiko pasirinktą kambario versiją ir bandykite iš naujo.", "Double check that your server supports the room version chosen and try again.": "Dar kartą įsitikinkite, kad jūsų serveris palaiko pasirinktą kambario versiją ir bandykite iš naujo.",
"Session already verified!": "Seansas jau patvirtintas!", "Session already verified!": "Seansas jau patvirtintas!",
"Enable Emoji suggestions while typing": "Įjungti Jaustukų pasiūlymus rašant",
"Enable automatic language detection for syntax highlighting": "Įjungti automatinį kalbos aptikimą sintaksės paryškinimui",
"Enable big emoji in chat": "Įjungti didelius jaustukus pokalbiuose",
"Enable message search in encrypted rooms": "Įjungti žinučių paiešką užšifruotuose kambariuose", "Enable message search in encrypted rooms": "Įjungti žinučių paiešką užšifruotuose kambariuose",
"Verified!": "Patvirtinta!", "Verified!": "Patvirtinta!",
"You've successfully verified this user.": "Jūs sėkmingai patvirtinote šį vartotoją.", "You've successfully verified this user.": "Jūs sėkmingai patvirtinote šį vartotoją.",
@ -886,13 +867,7 @@
"Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or <a>enable unsafe scripts</a>.": "Neįmanoma prisijungti prie serverio per HTTP, kai naršyklės juostoje yra HTTPS URL. Naudokite HTTPS arba <a>įjunkite nesaugias rašmenas</a>.", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or <a>enable unsafe scripts</a>.": "Neįmanoma prisijungti prie serverio per HTTP, kai naršyklės juostoje yra HTTPS URL. Naudokite HTTPS arba <a>įjunkite nesaugias rašmenas</a>.",
"No media permissions": "Nėra medijos leidimų", "No media permissions": "Nėra medijos leidimų",
"Almost there! Is %(displayName)s showing the same shield?": "Beveik atlikta! Ar %(displayName)s rodo tokį patį skydą?", "Almost there! Is %(displayName)s showing the same shield?": "Beveik atlikta! Ar %(displayName)s rodo tokį patį skydą?",
"Show a placeholder for removed messages": "Rodyti pašalintų žinučių žymeklį",
"Send typing notifications": "Siųsti spausdinimo pranešimus",
"Automatically replace plain text Emoji": "Automatiškai pakeisti paprasto teksto Jaustukus",
"Mirror local video feed": "Atkartoti lokalų video tiekimą", "Mirror local video feed": "Atkartoti lokalų video tiekimą",
"Prompt before sending invites to potentially invalid matrix IDs": "Klausti prieš siunčiant pakvietimus galimai netinkamiems matrix ID",
"Show shortcuts to recently viewed rooms above the room list": "Rodyti neseniai peržiūrėtų kambarių nuorodas virš kambarių sąrašo",
"Show previews/thumbnails for images": "Rodyti vaizdų peržiūras/miniatiūras",
"IRC display name width": "IRC rodomo vardo plotis", "IRC display name width": "IRC rodomo vardo plotis",
"Encrypted messages in one-to-one chats": "Šifruotos žinutės privačiuose pokalbiuose", "Encrypted messages in one-to-one chats": "Šifruotos žinutės privačiuose pokalbiuose",
"When rooms are upgraded": "Kai atnaujinami kambariai", "When rooms are upgraded": "Kai atnaujinami kambariai",
@ -950,7 +925,6 @@
"Click the button below to confirm setting up encryption.": "Paspauskite mygtuką žemiau, kad patvirtintumėte šifravimo nustatymą.", "Click the button below to confirm setting up encryption.": "Paspauskite mygtuką žemiau, kad patvirtintumėte šifravimo nustatymą.",
"Restore your key backup to upgrade your encryption": "Atkurkite savo atsarginę raktų kopiją, kad atnaujintumėte šifravimą", "Restore your key backup to upgrade your encryption": "Atkurkite savo atsarginę raktų kopiją, kad atnaujintumėte šifravimą",
"Upgrade your encryption": "Atnaujinkite savo šifravimą", "Upgrade your encryption": "Atnaujinkite savo šifravimą",
"Show typing notifications": "Rodyti spausdinimo pranešimus",
"Show hidden events in timeline": "Rodyti paslėptus įvykius laiko juostoje", "Show hidden events in timeline": "Rodyti paslėptus įvykius laiko juostoje",
"Unable to load key backup status": "Nepavyko įkelti atsarginės raktų kopijos būklės", "Unable to load key backup status": "Nepavyko įkelti atsarginės raktų kopijos būklės",
"Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Prieš atsijungdami prijunkite šį seansą prie atsarginės raktų kopijos, kad neprarastumėte raktų, kurie gali būti tik šiame seanse.", "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Prieš atsijungdami prijunkite šį seansą prie atsarginės raktų kopijos, kad neprarastumėte raktų, kurie gali būti tik šiame seanse.",
@ -1058,7 +1032,6 @@
"The authenticity of this encrypted message can't be guaranteed on this device.": "Šiame įrenginyje negalima užtikrinti šios užšifruotos žinutės autentiškumo.", "The authenticity of this encrypted message can't be guaranteed on this device.": "Šiame įrenginyje negalima užtikrinti šios užšifruotos žinutės autentiškumo.",
"Unencrypted": "Neužšifruota", "Unencrypted": "Neužšifruota",
"Encrypted by an unverified session": "Užšifruota nepatvirtinto seanso", "Encrypted by an unverified session": "Užšifruota nepatvirtinto seanso",
"Encrypted": "Užšifruota",
"Securely cache encrypted messages locally for them to appear in search results.": "Šifruotas žinutes saugiai talpinkite lokaliai, kad jos būtų rodomos paieškos rezultatuose.", "Securely cache encrypted messages locally for them to appear in search results.": "Šifruotas žinutes saugiai talpinkite lokaliai, kad jos būtų rodomos paieškos rezultatuose.",
"Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Saugios žinutės su šiuo vartotoju yra visapusiškai užšifruotos ir negali būti perskaitytos trečiųjų šalių.", "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Saugios žinutės su šiuo vartotoju yra visapusiškai užšifruotos ir negali būti perskaitytos trečiųjų šalių.",
"Safeguard against losing access to encrypted messages & data": "Apsisaugokite nuo prieigos prie šifruotų žinučių ir duomenų praradimo", "Safeguard against losing access to encrypted messages & data": "Apsisaugokite nuo prieigos prie šifruotų žinučių ir duomenų praradimo",
@ -1202,7 +1175,6 @@
"Video conference started by %(senderName)s": "%(senderName)s pradėjo video konferenciją", "Video conference started by %(senderName)s": "%(senderName)s pradėjo video konferenciją",
"Video conference updated by %(senderName)s": "%(senderName)s atnaujino video konferenciją", "Video conference updated by %(senderName)s": "%(senderName)s atnaujino video konferenciją",
"Video conference ended by %(senderName)s": "%(senderName)s užbaigė video konferenciją", "Video conference ended by %(senderName)s": "%(senderName)s užbaigė video konferenciją",
"Start automatically after system login": "Pradėti automatiškai prisijungus prie sistemos",
"Room ID or address of ban list": "Kambario ID arba draudimų sąrašo adresas", "Room ID or address of ban list": "Kambario ID arba draudimų sąrašo adresas",
"If this isn't what you want, please use a different tool to ignore users.": "Jei tai nėra ko jūs norite, naudokite kitą įrankį vartotojams ignoruoti.", "If this isn't what you want, please use a different tool to ignore users.": "Jei tai nėra ko jūs norite, naudokite kitą įrankį vartotojams ignoruoti.",
"Subscribed lists": "Prenumeruojami sąrašai", "Subscribed lists": "Prenumeruojami sąrašai",
@ -1271,7 +1243,6 @@
"Room options": "Kambario parinktys", "Room options": "Kambario parinktys",
"%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use <desktopLink>%(brand)s Desktop</desktopLink> for encrypted messages to appear in search results.": "%(brand)s negali saugiai talpinti šifruotų žinučių lokaliai, kai veikia interneto naršyklėje. Naudokite <desktopLink>%(brand)s Desktop (darbastalio versija)</desktopLink>, kad šifruotos žinutės būtų rodomos paieškos rezultatuose.", "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use <desktopLink>%(brand)s Desktop</desktopLink> for encrypted messages to appear in search results.": "%(brand)s negali saugiai talpinti šifruotų žinučių lokaliai, kai veikia interneto naršyklėje. Naudokite <desktopLink>%(brand)s Desktop (darbastalio versija)</desktopLink>, kad šifruotos žinutės būtų rodomos paieškos rezultatuose.",
"%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with <nativeLink>search components added</nativeLink>.": "%(brand)s trūksta kai kurių komponentų, reikalingų saugiai talpinti šifruotas žinutes lokaliai. Jei norite eksperimentuoti su šia funkcija, sukurkite pasirinktinį %(brand)s Desktop (darbastalio versiją), su <nativeLink>pridėtais paieškos komponentais</nativeLink>.", "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with <nativeLink>search components added</nativeLink>.": "%(brand)s trūksta kai kurių komponentų, reikalingų saugiai talpinti šifruotas žinutes lokaliai. Jei norite eksperimentuoti su šia funkcija, sukurkite pasirinktinį %(brand)s Desktop (darbastalio versiją), su <nativeLink>pridėtais paieškos komponentais</nativeLink>.",
"Manage": "Tvarkyti",
"Master private key:": "Pagrindinis privatus raktas:", "Master private key:": "Pagrindinis privatus raktas:",
"not found in storage": "saugykloje nerasta", "not found in storage": "saugykloje nerasta",
"Cross-signing is not set up.": "Kryžminis pasirašymas nenustatytas.", "Cross-signing is not set up.": "Kryžminis pasirašymas nenustatytas.",
@ -1320,8 +1291,6 @@
"See when the avatar changes in this room": "Matyti kada šiame kambaryje pasikeičia pseudoportretas", "See when the avatar changes in this room": "Matyti kada šiame kambaryje pasikeičia pseudoportretas",
"Change the avatar of this room": "Pakeisti šio kambario pseudoportretą", "Change the avatar of this room": "Pakeisti šio kambario pseudoportretą",
"Can't connect to homeserver - please check your connectivity, ensure your <a>homeserver's SSL certificate</a> is trusted, and that a browser extension is not blocking requests.": "Nepavyksta prisijungti prie serverio - patikrinkite savo ryšį, įsitikinkite, kad jūsų <a>serverio SSL sertifikatas</a> yra patikimas ir, kad naršyklės plėtinys neužblokuoja užklausų.", "Can't connect to homeserver - please check your connectivity, ensure your <a>homeserver's SSL certificate</a> is trusted, and that a browser extension is not blocking requests.": "Nepavyksta prisijungti prie serverio - patikrinkite savo ryšį, įsitikinkite, kad jūsų <a>serverio SSL sertifikatas</a> yra patikimas ir, kad naršyklės plėtinys neužblokuoja užklausų.",
"Not trusted": "Nepatikimas",
"Trusted": "Patikimas",
"You've previously used a newer version of %(brand)s with this session. To use this version again with end to end encryption, you will need to sign out and back in again.": "Anksčiau šiame seanse naudojote naujesnę %(brand)s versiją. Norėdami vėl naudoti šią versiją su visapusiu šifravimu, turėsite atsijungti ir prisijungti iš naujo.", "You've previously used a newer version of %(brand)s with this session. To use this version again with end to end encryption, you will need to sign out and back in again.": "Anksčiau šiame seanse naudojote naujesnę %(brand)s versiją. Norėdami vėl naudoti šią versiją su visapusiu šifravimu, turėsite atsijungti ir prisijungti iš naujo.",
"To avoid losing your chat history, you must export your room keys before logging out. You will need to go back to the newer version of %(brand)s to do this": "Tam, kad neprarastumėte savo pokalbių istorijos, prieš atsijungdami turite eksportuoti kambario raktus. Norėdami tai padaryti, turėsite grįžti į naujesnę %(brand)s versiją", "To avoid losing your chat history, you must export your room keys before logging out. You will need to go back to the newer version of %(brand)s to do this": "Tam, kad neprarastumėte savo pokalbių istorijos, prieš atsijungdami turite eksportuoti kambario raktus. Norėdami tai padaryti, turėsite grįžti į naujesnę %(brand)s versiją",
"New version of %(brand)s is available": "Yra nauja %(brand)s versija", "New version of %(brand)s is available": "Yra nauja %(brand)s versija",
@ -1559,7 +1528,6 @@
"Invite to %(roomName)s": "Pakvietimas į %(roomName)s", "Invite to %(roomName)s": "Pakvietimas į %(roomName)s",
"Or send invite link": "Arba atsiųskite kvietimo nuorodą", "Or send invite link": "Arba atsiųskite kvietimo nuorodą",
"Some suggestions may be hidden for privacy.": "Kai kurie pasiūlymai gali būti paslėpti dėl privatumo.", "Some suggestions may be hidden for privacy.": "Kai kurie pasiūlymai gali būti paslėpti dėl privatumo.",
"Go": "Eiti",
"Start a conversation with someone using their name or username (like <userId/>).": "Pradėkite pokalbį su asmeniu naudodami jo vardą arba vartotojo vardą (pvz., <userId/>).", "Start a conversation with someone using their name or username (like <userId/>).": "Pradėkite pokalbį su asmeniu naudodami jo vardą arba vartotojo vardą (pvz., <userId/>).",
"Start a conversation with someone using their name, email address or username (like <userId/>).": "Pradėkite pokalbį su kažkuo naudodami jų vardą, el. pašto adresą arba vartotojo vardą (pvz., <userId/>).", "Start a conversation with someone using their name, email address or username (like <userId/>).": "Pradėkite pokalbį su kažkuo naudodami jų vardą, el. pašto adresą arba vartotojo vardą (pvz., <userId/>).",
"Recent Conversations": "Pastarieji pokalbiai", "Recent Conversations": "Pastarieji pokalbiai",
@ -1582,11 +1550,6 @@
"You don't have permission to do this": "Jūs neturite leidimo tai daryti", "You don't have permission to do this": "Jūs neturite leidimo tai daryti",
"Comment": "Komentaras", "Comment": "Komentaras",
"Feedback sent": "Atsiliepimas išsiųstas", "Feedback sent": "Atsiliepimas išsiųstas",
"Level": "Lygis",
"Setting:": "Nustatymas:",
"Value": "Reikšmė",
"Setting ID": "Nustatymo ID",
"There was an error finding this widget.": "Įvyko klaida ieškant šio valdiklio.",
"Active Widgets": "Aktyvūs Valdikliai", "Active Widgets": "Aktyvūs Valdikliai",
"Server did not return valid authentication information.": "Serveris negrąžino galiojančios autentifikavimo informacijos.", "Server did not return valid authentication information.": "Serveris negrąžino galiojančios autentifikavimo informacijos.",
"Server did not require any authentication": "Serveris nereikalavo jokio autentifikavimo", "Server did not require any authentication": "Serveris nereikalavo jokio autentifikavimo",
@ -1740,8 +1703,6 @@
"More": "Daugiau", "More": "Daugiau",
"Connecting": "Jungiamasi", "Connecting": "Jungiamasi",
"sends fireworks": "nusiunčia fejerverkus", "sends fireworks": "nusiunčia fejerverkus",
"All rooms you're in will appear in Home.": "Visi kambariai kuriuose esate, bus matomi Pradžioje.",
"Show all rooms in Home": "Rodyti visus kambarius Pradžioje",
"Their device couldn't start the camera or microphone": "Jų įrenginys negalėjo įjungti kameros arba mikrofono", "Their device couldn't start the camera or microphone": "Jų įrenginys negalėjo įjungti kameros arba mikrofono",
"Connection failed": "Nepavyko prisijungti", "Connection failed": "Nepavyko prisijungti",
"Could not connect media": "Nepavyko prijungti medijos", "Could not connect media": "Nepavyko prijungti medijos",
@ -1757,8 +1718,6 @@
"Downloading": "Atsiunčiama", "Downloading": "Atsiunčiama",
"Jump to date": "Peršokti į datą", "Jump to date": "Peršokti į datą",
"The beginning of the room": "Kambario pradžia", "The beginning of the room": "Kambario pradžia",
"Last month": "Paskutinis mėnuo",
"Last week": "Paskutinė savaitė",
"You cancelled verification on your other device.": "Atšaukėte patvirtinimą kitame įrenginyje.", "You cancelled verification on your other device.": "Atšaukėte patvirtinimą kitame įrenginyje.",
"In encrypted rooms, verify all users to ensure it's secure.": "Užšifruotuose kambariuose patvirtinkite visus naudotojus, kad įsitikintumėte, jog jie yra saugūs.", "In encrypted rooms, verify all users to ensure it's secure.": "Užšifruotuose kambariuose patvirtinkite visus naudotojus, kad įsitikintumėte, jog jie yra saugūs.",
"Almost there! Is your other device showing the same shield?": "Jau beveik! Ar kitas jūsų įrenginys rodo tą patį skydą?", "Almost there! Is your other device showing the same shield?": "Jau beveik! Ar kitas jūsų įrenginys rodo tą patį skydą?",
@ -1794,7 +1753,6 @@
"Set my room layout for everyone": "Nustatyti savo kambario išdėstymą visiems", "Set my room layout for everyone": "Nustatyti savo kambario išdėstymą visiems",
"Close this widget to view it in this panel": "Uždarykite šį valdiklį, kad galėtumėte jį peržiūrėti šiame skydelyje", "Close this widget to view it in this panel": "Uždarykite šį valdiklį, kad galėtumėte jį peržiūrėti šiame skydelyje",
"Unpin this widget to view it in this panel": "Atsekite šį valdiklį, kad galėtumėte jį peržiūrėti šiame skydelyje", "Unpin this widget to view it in this panel": "Atsekite šį valdiklį, kad galėtumėte jį peržiūrėti šiame skydelyje",
"Maximise": "Maksimizuoti",
"Chat": "Pokalbis", "Chat": "Pokalbis",
"If you have permissions, open the menu on any message and select <b>Pin</b> to stick them here.": "Jei turite leidimus, atidarykite bet kurios žinutės meniu ir pasirinkite <b>Prisegti</b>, kad juos čia priklijuotumėte.", "If you have permissions, open the menu on any message and select <b>Pin</b> to stick them here.": "Jei turite leidimus, atidarykite bet kurios žinutės meniu ir pasirinkite <b>Prisegti</b>, kad juos čia priklijuotumėte.",
"Yours, or the other users' session": "Jūsų arba kitų naudotojų sesija", "Yours, or the other users' session": "Jūsų arba kitų naudotojų sesija",
@ -1883,13 +1841,10 @@
"Unverified session": "Nepatvirtinta sesija", "Unverified session": "Nepatvirtinta sesija",
"This session is ready for secure messaging.": "Ši sesija paruošta saugiam žinučių siuntimui.", "This session is ready for secure messaging.": "Ši sesija paruošta saugiam žinučių siuntimui.",
"Verified session": "Patvirtinta sesija", "Verified session": "Patvirtinta sesija",
"Unverified": "Nepatvirtinta",
"Verified": "Patvirtinta",
"Inactive for %(inactiveAgeDays)s+ days": "Neaktyvus %(inactiveAgeDays)s+ dienas", "Inactive for %(inactiveAgeDays)s+ days": "Neaktyvus %(inactiveAgeDays)s+ dienas",
"Sign out of this session": "Atsijungti iš šios sesijos", "Sign out of this session": "Atsijungti iš šios sesijos",
"Session details": "Sesijos detalės", "Session details": "Sesijos detalės",
"IP address": "IP adresas", "IP address": "IP adresas",
"Device": "Įrenginys",
"Last activity": "Paskutinė veikla", "Last activity": "Paskutinė veikla",
"Rename session": "Pervadinti sesiją", "Rename session": "Pervadinti sesiją",
"Confirm signing out these devices": { "Confirm signing out these devices": {
@ -1961,7 +1916,6 @@
"Sessions": "Sesijos", "Sessions": "Sesijos",
"Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Bendrinti anoniminius duomenis, kurie padės mums nustatyti problemas. Nieko asmeniško. Jokių trečiųjų šalių.", "Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Bendrinti anoniminius duomenis, kurie padės mums nustatyti problemas. Nieko asmeniško. Jokių trečiųjų šalių.",
"You have no ignored users.": "Nėra ignoruojamų naudotojų.", "You have no ignored users.": "Nėra ignoruojamų naudotojų.",
"Enable hardware acceleration (restart %(appName)s to take effect)": "Įjungti aparatinį pagreitinimą (kad įsigaliotų, iš naujo paleiskite %(appName)s)",
"Images, GIFs and videos": "Paveikslėliai, GIF ir vaizdo įrašai", "Images, GIFs and videos": "Paveikslėliai, GIF ir vaizdo įrašai",
"Code blocks": "Kodo blokai", "Code blocks": "Kodo blokai",
"Your server doesn't support disabling sending read receipts.": "Jūsų serveris nepalaiko skaitymo kvitų siuntimo išjungimo.", "Your server doesn't support disabling sending read receipts.": "Jūsų serveris nepalaiko skaitymo kvitų siuntimo išjungimo.",
@ -2007,23 +1961,9 @@
"Space options": "Erdvės parinktys", "Space options": "Erdvės parinktys",
"Recommended for public spaces.": "Rekomenduojama viešosiose erdvėse.", "Recommended for public spaces.": "Rekomenduojama viešosiose erdvėse.",
"Allow people to preview your space before they join.": "Leisti žmonėms peržiūrėti jūsų erdvę prieš prisijungiant.", "Allow people to preview your space before they join.": "Leisti žmonėms peržiūrėti jūsų erdvę prieš prisijungiant.",
"Enable Markdown": "Įjungti Markdown",
"Surround selected text when typing special characters": "Apvesti pasirinktą tekstą rašant specialiuosius simbolius", "Surround selected text when typing special characters": "Apvesti pasirinktą tekstą rašant specialiuosius simbolius",
"Use Command + F to search timeline": "Naudokite Command + F ieškojimui laiko juostoje",
"Use Ctrl + Enter to send a message": "Naudokite Ctrl + Enter žinutės išsiuntimui",
"Use Command + Enter to send a message": "Naudokite Command + Enter žinutės išsiuntimui",
"Use Ctrl + F to search timeline": "Naudokite Ctrl + F ieškojimui laiko juostoje",
"Jump to the bottom of the timeline when you send a message": "Peršokti į laiko juostos apačią, kai siunčiate žinutę",
"Show line numbers in code blocks": "Rodyti eilučių numerius kodo blokuose",
"Expand code blocks by default": "Išplėsti kodo blokus pagal nutylėjimą",
"Autoplay videos": "Automatinis vaizdo įrašų paleidimas",
"Autoplay GIFs": "Automatinis GIF failų paleidimas",
"Show join/leave messages (invites/removes/bans unaffected)": "Rodyti prisijungimo/išėjimo žinutes (kvietimai/pašalinimai/blokavimai neturi įtakos)",
"Use a more compact 'Modern' layout": "Naudoti kompaktiškesnį 'Modernų' išdėstymą", "Use a more compact 'Modern' layout": "Naudoti kompaktiškesnį 'Modernų' išdėstymą",
"Insert a trailing colon after user mentions at the start of a message": "Įterpti dvitaškį po naudotojo paminėjimų žinutės pradžioje",
"Show polls button": "Rodyti apklausų mygtuką", "Show polls button": "Rodyti apklausų mygtuką",
"Show stickers button": "Rodyti lipdukų mygtuką",
"Send read receipts": "Siųsti skaitymo kvitus",
"Explore public spaces in the new search dialog": "Tyrinėkite viešas erdves naujajame paieškos lange", "Explore public spaces in the new search dialog": "Tyrinėkite viešas erdves naujajame paieškos lange",
"Leave the beta": "Palikti beta versiją", "Leave the beta": "Palikti beta versiją",
"Reply in thread": "Atsakyti temoje", "Reply in thread": "Atsakyti temoje",
@ -2099,22 +2039,6 @@
"Pin to sidebar": "Prisegti prie šoninės juostos", "Pin to sidebar": "Prisegti prie šoninės juostos",
"Developer tools": "Kūrėjo įrankiai", "Developer tools": "Kūrėjo įrankiai",
"Quick settings": "Greiti nustatymai", "Quick settings": "Greiti nustatymai",
"Complete these to get the most out of %(brand)s": "Užbaikite šiuos žingsnius, kad gautumėte daugiausiai iš %(brand)s",
"You did it!": "Jums pavyko!",
"Only %(count)s steps to go": {
"one": "Liko tik %(count)s žingsnis",
"other": "Liko tik %(count)s žingsniai"
},
"Welcome to %(brand)s": "Sveiki atvykę į %(brand)s",
"Find your people": "Rasti savo žmones",
"Keep ownership and control of community discussion.\nScale to support millions, with powerful moderation and interoperability.": "Išlaikykite bendruomenės diskusijų nuosavybę ir kontrolę.\nPlėskitės ir palaikykite milijonus žmonių, naudodami galingą moderavimą ir sąveiką.",
"Community ownership": "Bendruomenės nuosavybė",
"Find your co-workers": "Rasti savo bendradarbius",
"Secure messaging for work": "Saugūs pokalbiai darbui",
"Start your first chat": "Pradėkite pirmąjį pokalbį",
"With free end-to-end encrypted messaging, and unlimited voice and video calls, %(brand)s is a great way to stay in touch.": "%(brand)s - tai puikus būdas palaikyti ryšį: nemokamos visapusiškai šifruotos žinutės ir neriboti balso bei vaizdo skambučiai.",
"Secure messaging for friends and family": "Saugūs pokalbiai draugams ir šeimai",
"Welcome": "Sveiki atvykę",
"Waiting for you to verify on your other device…": "Laukiame, kol patvirtinsite kitame įrenginyje…", "Waiting for you to verify on your other device…": "Laukiame, kol patvirtinsite kitame įrenginyje…",
"Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Laukiama, kol patvirtinsite kitame įrenginyje, %(deviceName)s (%(deviceId)s)…", "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Laukiama, kol patvirtinsite kitame įrenginyje, %(deviceName)s (%(deviceId)s)…",
"Verify this device by confirming the following number appears on its screen.": "Patvirtinkite šį prietaisą patvirtindami, kad jo ekrane rodomas šis numeris.", "Verify this device by confirming the following number appears on its screen.": "Patvirtinkite šį prietaisą patvirtindami, kad jo ekrane rodomas šis numeris.",
@ -2177,12 +2101,10 @@
"You made it!": "Jums pavyko!", "You made it!": "Jums pavyko!",
"Enable hardware acceleration": "Įjungti aparatinį spartinimą", "Enable hardware acceleration": "Įjungti aparatinį spartinimą",
"Show tray icon and minimise window to it on close": "Rodyti dėklo piktogramą ir uždarius langą jį sumažinti į ją", "Show tray icon and minimise window to it on close": "Rodyti dėklo piktogramą ir uždarius langą jį sumažinti į ją",
"Warn before quitting": "Įspėti prieš išeinant",
"Automatically send debug logs when key backup is not functioning": "Automatiškai siųsti derinimo žurnalus, kai neveikia atsarginė raktų kopija", "Automatically send debug logs when key backup is not functioning": "Automatiškai siųsti derinimo žurnalus, kai neveikia atsarginė raktų kopija",
"Automatically send debug logs on decryption errors": "Automatiškai siųsti derinimo žurnalus apie iššifravimo klaidas", "Automatically send debug logs on decryption errors": "Automatiškai siųsti derinimo žurnalus apie iššifravimo klaidas",
"Automatically send debug logs on any error": "Automatiškai siųsti derinimo žurnalus esant bet kokiai klaidai", "Automatically send debug logs on any error": "Automatiškai siųsti derinimo žurnalus esant bet kokiai klaidai",
"Developer mode": "Kūrėjo režimas", "Developer mode": "Kūrėjo režimas",
"Show chat effects (animations when receiving e.g. confetti)": "Rodyti pokalbių efektus (animaciją, kai gaunate, pvz., konfeti)",
"%(senderName)s removed %(targetName)s": "%(senderName)s pašalino %(targetName)s", "%(senderName)s removed %(targetName)s": "%(senderName)s pašalino %(targetName)s",
"%(senderName)s removed %(targetName)s: %(reason)s": "%(senderName)s pašalino %(targetName)s: %(reason)s", "%(senderName)s removed %(targetName)s: %(reason)s": "%(senderName)s pašalino %(targetName)s: %(reason)s",
"Vietnam": "Vietnamas", "Vietnam": "Vietnamas",
@ -2386,18 +2308,26 @@
"dark": "Tamsi", "dark": "Tamsi",
"attachment": "Priedas", "attachment": "Priedas",
"appearance": "Išvaizda", "appearance": "Išvaizda",
"guest": "Svečias",
"legal": "Teisiniai",
"credits": "Padėka",
"faq": "DUK",
"access_token": "Prieigos žetonas",
"preferences": "Nuostatos",
"presence": "Esamumas",
"timeline": "Laiko juosta", "timeline": "Laiko juosta",
"privacy": "Privatumas", "privacy": "Privatumas",
"camera": "Kamera", "presence": "Esamumas",
"preferences": "Nuostatos",
"microphone": "Mikrofonas", "microphone": "Mikrofonas",
"emoji": "Jaustukai" "legal": "Teisiniai",
"guest": "Svečias",
"faq": "DUK",
"emoji": "Jaustukai",
"credits": "Padėka",
"camera": "Kamera",
"access_token": "Prieigos žetonas",
"someone": "Kažkas",
"welcome": "Sveiki atvykę",
"encrypted": "Užšifruota",
"device": "Įrenginys",
"verified": "Patvirtinta",
"unverified": "Nepatvirtinta",
"trusted": "Patikimas",
"not_trusted": "Nepatikimas"
}, },
"action": { "action": {
"continue": "Tęsti", "continue": "Tęsti",
@ -2464,20 +2394,29 @@
"back": "Atgal", "back": "Atgal",
"add": "Pridėti", "add": "Pridėti",
"accept": "Priimti", "accept": "Priimti",
"disconnect": "Atsijungti",
"change": "Keisti",
"subscribe": "Prenumeruoti",
"unsubscribe": "Atsisakyti prenumeratos",
"approve": "Patvirtinti",
"complete": "Užbaigti",
"revoke": "Panaikinti",
"rename": "Pervadinti",
"view_all": "Žiūrėti visus", "view_all": "Žiūrėti visus",
"unsubscribe": "Atsisakyti prenumeratos",
"subscribe": "Prenumeruoti",
"show_all": "Rodyti viską", "show_all": "Rodyti viską",
"show": "Rodyti", "show": "Rodyti",
"revoke": "Panaikinti",
"review": "Peržiūrėti", "review": "Peržiūrėti",
"restore": "Atkurti", "restore": "Atkurti",
"register": "Registruotis" "rename": "Pervadinti",
"register": "Registruotis",
"disconnect": "Atsijungti",
"complete": "Užbaigti",
"change": "Keisti",
"approve": "Patvirtinti",
"manage": "Tvarkyti",
"go": "Eiti",
"import": "Importuoti",
"export": "Eksportuoti",
"refresh": "Įkelti iš naujo",
"maximise": "Maksimizuoti",
"mention": "Paminėti",
"submit": "Pateikti",
"send_report": "Siųsti pranešimą"
}, },
"labs": { "labs": {
"video_rooms": "Vaizdo kambariai", "video_rooms": "Vaizdo kambariai",
@ -2520,8 +2459,8 @@
"restricted": "Apribotas", "restricted": "Apribotas",
"moderator": "Moderatorius", "moderator": "Moderatorius",
"admin": "Administratorius", "admin": "Administratorius",
"custom": "Pasirinktinis (%(level)s)", "mod": "Moderatorius",
"mod": "Moderatorius" "custom": "Pasirinktinis (%(level)s)"
}, },
"bug_reporting": { "bug_reporting": {
"introduction": "Jei per GitHub pateikėte klaidą, derinimo žurnalai gali padėti mums nustatyti problemą. ", "introduction": "Jei per GitHub pateikėte klaidą, derinimo žurnalai gali padėti mums nustatyti problemą. ",
@ -2541,6 +2480,73 @@
"short_days": "%(value)sd", "short_days": "%(value)sd",
"short_hours": "%(value)sval", "short_hours": "%(value)sval",
"short_minutes": "%(value)sm", "short_minutes": "%(value)sm",
"short_seconds": "%(value)ss" "short_seconds": "%(value)ss",
"last_week": "Paskutinė savaitė",
"last_month": "Paskutinis mėnuo"
},
"onboarding": {
"personal_messaging_title": "Saugūs pokalbiai draugams ir šeimai",
"free_e2ee_messaging_unlimited_voip": "%(brand)s - tai puikus būdas palaikyti ryšį: nemokamos visapusiškai šifruotos žinutės ir neriboti balso bei vaizdo skambučiai.",
"personal_messaging_action": "Pradėkite pirmąjį pokalbį",
"work_messaging_title": "Saugūs pokalbiai darbui",
"work_messaging_action": "Rasti savo bendradarbius",
"community_messaging_title": "Bendruomenės nuosavybė",
"community_messaging_action": "Rasti savo žmones",
"welcome_to_brand": "Sveiki atvykę į %(brand)s",
"only_n_steps_to_go": {
"one": "Liko tik %(count)s žingsnis",
"other": "Liko tik %(count)s žingsniai"
},
"you_did_it": "Jums pavyko!",
"complete_these": "Užbaikite šiuos žingsnius, kad gautumėte daugiausiai iš %(brand)s",
"community_messaging_description": "Išlaikykite bendruomenės diskusijų nuosavybę ir kontrolę.\nPlėskitės ir palaikykite milijonus žmonių, naudodami galingą moderavimą ir sąveiką."
},
"devtools": {
"event_type": "Įvykio tipas",
"state_key": "Būklės raktas",
"event_sent": "Įvykis išsiųstas!",
"event_content": "Įvykio turinys",
"setting_colon": "Nustatymas:",
"level": "Lygis",
"setting_id": "Nustatymo ID",
"value": "Reikšmė",
"failed_to_find_widget": "Įvyko klaida ieškant šio valdiklio."
},
"settings": {
"show_breadcrumbs": "Rodyti neseniai peržiūrėtų kambarių nuorodas virš kambarių sąrašo",
"all_rooms_home_description": "Visi kambariai kuriuose esate, bus matomi Pradžioje.",
"use_command_f_search": "Naudokite Command + F ieškojimui laiko juostoje",
"use_control_f_search": "Naudokite Ctrl + F ieškojimui laiko juostoje",
"use_12_hour_format": "Rodyti laiko žymes 12 valandų formatu (pvz. 2:30pm)",
"always_show_message_timestamps": "Visada rodyti žinučių laiko žymes",
"send_read_receipts": "Siųsti skaitymo kvitus",
"send_typing_notifications": "Siųsti spausdinimo pranešimus",
"replace_plain_emoji": "Automatiškai pakeisti paprasto teksto Jaustukus",
"enable_markdown": "Įjungti Markdown",
"emoji_autocomplete": "Įjungti Jaustukų pasiūlymus rašant",
"use_command_enter_send_message": "Naudokite Command + Enter žinutės išsiuntimui",
"use_control_enter_send_message": "Naudokite Ctrl + Enter žinutės išsiuntimui",
"all_rooms_home": "Rodyti visus kambarius Pradžioje",
"show_stickers_button": "Rodyti lipdukų mygtuką",
"insert_trailing_colon_mentions": "Įterpti dvitaškį po naudotojo paminėjimų žinutės pradžioje",
"automatic_language_detection_syntax_highlight": "Įjungti automatinį kalbos aptikimą sintaksės paryškinimui",
"code_block_expand_default": "Išplėsti kodo blokus pagal nutylėjimą",
"code_block_line_numbers": "Rodyti eilučių numerius kodo blokuose",
"inline_url_previews_default": "Įjungti URL nuorodų peržiūras kaip numatytasias",
"autoplay_gifs": "Automatinis GIF failų paleidimas",
"autoplay_videos": "Automatinis vaizdo įrašų paleidimas",
"image_thumbnails": "Rodyti vaizdų peržiūras/miniatiūras",
"show_typing_notifications": "Rodyti spausdinimo pranešimus",
"show_redaction_placeholder": "Rodyti pašalintų žinučių žymeklį",
"show_read_receipts": "Rodyti kitų vartotojų siųstus perskaitymo kvitus",
"show_join_leave": "Rodyti prisijungimo/išėjimo žinutes (kvietimai/pašalinimai/blokavimai neturi įtakos)",
"show_displayname_changes": "Rodyti rodomo vardo pakeitimus",
"show_chat_effects": "Rodyti pokalbių efektus (animaciją, kai gaunate, pvz., konfeti)",
"big_emoji": "Įjungti didelius jaustukus pokalbiuose",
"jump_to_bottom_on_send": "Peršokti į laiko juostos apačią, kai siunčiate žinutę",
"prompt_invite": "Klausti prieš siunčiant pakvietimus galimai netinkamiems matrix ID",
"hardware_acceleration": "Įjungti aparatinį pagreitinimą (kad įsigaliotų, iš naujo paleiskite %(appName)s)",
"start_automatically": "Pradėti automatiškai prisijungus prie sistemos",
"warn_quit": "Įspėti prieš išeinant"
} }
} }

View file

@ -8,7 +8,6 @@
"You may need to manually permit %(brand)s to access your microphone/webcam": "Jums varētu būt nepieciešams manuāli atļaut %(brand)s piekļuvi mikrofonam vai tīmekļa kamerai", "You may need to manually permit %(brand)s to access your microphone/webcam": "Jums varētu būt nepieciešams manuāli atļaut %(brand)s piekļuvi mikrofonam vai tīmekļa kamerai",
"Default Device": "Noklusējuma ierīce", "Default Device": "Noklusējuma ierīce",
"Advanced": "Papildu", "Advanced": "Papildu",
"Always show message timestamps": "Vienmēr rādīt ziņas laika zīmogu",
"Authentication": "Autentifikācija", "Authentication": "Autentifikācija",
"%(items)s and %(lastItem)s": "%(items)s un %(lastItem)s", "%(items)s and %(lastItem)s": "%(items)s un %(lastItem)s",
"A new password must be entered.": "Nepieciešams ievadīt jauno paroli.", "A new password must be entered.": "Nepieciešams ievadīt jauno paroli.",
@ -43,7 +42,6 @@
"Email address": "Epasta adrese", "Email address": "Epasta adrese",
"Enter passphrase": "Ievadiet frāzveida paroli", "Enter passphrase": "Ievadiet frāzveida paroli",
"Error decrypting attachment": "Kļūda atšifrējot pielikumu", "Error decrypting attachment": "Kļūda atšifrējot pielikumu",
"Export": "Eksportēt",
"Export E2E room keys": "Eksportēt istabas šifrēšanas atslēgas", "Export E2E room keys": "Eksportēt istabas šifrēšanas atslēgas",
"Failed to ban user": "Neizdevās nobanot/bloķēt (liegt pieeju) lietotāju", "Failed to ban user": "Neizdevās nobanot/bloķēt (liegt pieeju) lietotāju",
"Failed to change password. Is your password correct?": "Neizdevās nomainīt paroli. Vai tā ir pareiza?", "Failed to change password. Is your password correct?": "Neizdevās nomainīt paroli. Vai tā ir pareiza?",
@ -68,7 +66,6 @@
"Hangup": "Beigt zvanu", "Hangup": "Beigt zvanu",
"Historical": "Bijušie", "Historical": "Bijušie",
"Home": "Mājup", "Home": "Mājup",
"Import": "Importēt",
"Import E2E room keys": "Importēt E2E istabas atslēgas", "Import E2E room keys": "Importēt E2E istabas atslēgas",
"Incorrect username and/or password.": "Nepareizs lietotājvārds un/vai parole.", "Incorrect username and/or password.": "Nepareizs lietotājvārds un/vai parole.",
"Incorrect verification code": "Nepareizs verifikācijas kods", "Incorrect verification code": "Nepareizs verifikācijas kods",
@ -140,11 +137,8 @@
"Server may be unavailable, overloaded, or you hit a bug.": "Serveris ir nesasniedzams, pārslogots, vai arī esat saskārties ar kļūdu programmā.", "Server may be unavailable, overloaded, or you hit a bug.": "Serveris ir nesasniedzams, pārslogots, vai arī esat saskārties ar kļūdu programmā.",
"Server unavailable, overloaded, or something else went wrong.": "Serveris ir nesasniedzams, pārslogots, vai arī esi uzdūries kļūdai.", "Server unavailable, overloaded, or something else went wrong.": "Serveris ir nesasniedzams, pārslogots, vai arī esi uzdūries kļūdai.",
"Session ID": "Sesijas ID", "Session ID": "Sesijas ID",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Rādīt laiku 12 stundu formātā (piemēram 2:30pm)",
"Signed Out": "Izrakstījās", "Signed Out": "Izrakstījās",
"Someone": "Kāds",
"Start authentication": "Sākt autentifikāciju", "Start authentication": "Sākt autentifikāciju",
"Submit": "Iesniegt",
"This email address is already in use": "Šī epasta adrese jau tiek izmantota", "This email address is already in use": "Šī epasta adrese jau tiek izmantota",
"This email address was not found": "Šāda epasta adrese nav atrasta", "This email address was not found": "Šāda epasta adrese nav atrasta",
"The email address linked to your account must be entered.": "Ir jāievada jūsu kontam piesaistītā epasta adrese.", "The email address linked to your account must be entered.": "Ir jāievada jūsu kontam piesaistītā epasta adrese.",
@ -205,7 +199,6 @@
"Connectivity to the server has been lost.": "Savienojums ar serveri pārtrūka.", "Connectivity to the server has been lost.": "Savienojums ar serveri pārtrūka.",
"Sent messages will be stored until your connection has returned.": "Sūtītās ziņas tiks saglabātas līdz brīdim, kad savienojums tiks atjaunots.", "Sent messages will be stored until your connection has returned.": "Sūtītās ziņas tiks saglabātas līdz brīdim, kad savienojums tiks atjaunots.",
"New Password": "Jaunā parole", "New Password": "Jaunā parole",
"Start automatically after system login": "Startēt pie ierīces ielādes",
"Passphrases must match": "Frāzveida parolēm ir jāsakrīt", "Passphrases must match": "Frāzveida parolēm ir jāsakrīt",
"Passphrase must not be empty": "Frāzveida parole nevar būt tukša", "Passphrase must not be empty": "Frāzveida parole nevar būt tukša",
"Export room keys": "Eksportēt istabas atslēgas", "Export room keys": "Eksportēt istabas atslēgas",
@ -244,14 +237,12 @@
}, },
"Delete widget": "Dzēst vidžetu", "Delete widget": "Dzēst vidžetu",
"Define the power level of a user": "Definē lietotāja statusu", "Define the power level of a user": "Definē lietotāja statusu",
"Enable automatic language detection for syntax highlighting": "Iespējot automātisko valodas noteikšanu sintakses iezīmējumiem",
"Publish this room to the public in %(domain)s's room directory?": "Publicēt šo istabu publiskajā %(domain)s katalogā?", "Publish this room to the public in %(domain)s's room directory?": "Publicēt šo istabu publiskajā %(domain)s katalogā?",
"AM": "AM", "AM": "AM",
"PM": "PM", "PM": "PM",
"Unable to create widget.": "Neizdevās izveidot widžetu.", "Unable to create widget.": "Neizdevās izveidot widžetu.",
"You are not in this room.": "Tu neatrodies šajā istabā.", "You are not in this room.": "Tu neatrodies šajā istabā.",
"You do not have permission to do that in this room.": "Tev nav atļaujas šai darbībai šajā istabā.", "You do not have permission to do that in this room.": "Tev nav atļaujas šai darbībai šajā istabā.",
"Automatically replace plain text Emoji": "Automātiski aizstāt vienkāršā teksta emocijzīmes",
"%(widgetName)s widget added by %(senderName)s": "%(senderName)s pievienoja %(widgetName)s vidžetu", "%(widgetName)s widget added by %(senderName)s": "%(senderName)s pievienoja %(widgetName)s vidžetu",
"%(widgetName)s widget removed by %(senderName)s": "%(senderName)s dzēsa vidžetu %(widgetName)s", "%(widgetName)s widget removed by %(senderName)s": "%(senderName)s dzēsa vidžetu %(widgetName)s",
"Send": "Sūtīt", "Send": "Sūtīt",
@ -266,13 +257,11 @@
"%(senderName)s changed the pinned messages for the room.": "%(senderName)s nomainīja šajā istabā piespraustās ziņas.", "%(senderName)s changed the pinned messages for the room.": "%(senderName)s nomainīja šajā istabā piespraustās ziņas.",
"%(widgetName)s widget modified by %(senderName)s": "%(widgetName)s vidžets, kuru mainīja %(senderName)s", "%(widgetName)s widget modified by %(senderName)s": "%(widgetName)s vidžets, kuru mainīja %(senderName)s",
"Mirror local video feed": "Rādīt spoguļskatā kameras video", "Mirror local video feed": "Rādīt spoguļskatā kameras video",
"Enable inline URL previews by default": "Iespējot URL priekšskatījumus pēc noklusējuma",
"Enable URL previews for this room (only affects you)": "Iespējot URL priekšskatījumus šajā istabā (ietekmē tikai jūs pašu)", "Enable URL previews for this room (only affects you)": "Iespējot URL priekšskatījumus šajā istabā (ietekmē tikai jūs pašu)",
"Enable URL previews by default for participants in this room": "Iespējot URL priekšskatījumus pēc noklusējuma visiem šīs istabas dalībniekiem", "Enable URL previews by default for participants in this room": "Iespējot URL priekšskatījumus pēc noklusējuma visiem šīs istabas dalībniekiem",
"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.": "Jūs nevarēsiet atcelt šīs izmaiņas pēc sava statusa pazemināšanas. Gadījumā, ja esat pēdējais priviliģētais lietotājs istabā, būs neiespējami atgūt šīs privilēģijas.", "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.": "Jūs nevarēsiet atcelt šīs izmaiņas pēc sava statusa pazemināšanas. Gadījumā, ja esat pēdējais priviliģētais lietotājs istabā, būs neiespējami atgūt šīs privilēģijas.",
"Unignore": "Atcelt ignorēšanu", "Unignore": "Atcelt ignorēšanu",
"Jump to read receipt": "Pāriet uz pēdējo skatīto ziņu", "Jump to read receipt": "Pāriet uz pēdējo skatīto ziņu",
"Mention": "Pieminēt",
"Send an encrypted reply…": "Sūtīt šifrētu atbildi…", "Send an encrypted reply…": "Sūtīt šifrētu atbildi…",
"Send an encrypted message…": "Sūtīt šifrētu ziņu…", "Send an encrypted message…": "Sūtīt šifrētu ziņu…",
"%(duration)ss": "%(duration)s sek", "%(duration)ss": "%(duration)s sek",
@ -419,7 +408,6 @@
"Collecting app version information": "Tiek iegūta programmas versijas informācija", "Collecting app version information": "Tiek iegūta programmas versijas informācija",
"Tuesday": "Otrdiena", "Tuesday": "Otrdiena",
"Search…": "Meklēt…", "Search…": "Meklēt…",
"Event sent!": "Notikums nosūtīts!",
"Preparing to send logs": "Gatavojos nosūtīt atutošanas logfailus", "Preparing to send logs": "Gatavojos nosūtīt atutošanas logfailus",
"Saturday": "Sestdiena", "Saturday": "Sestdiena",
"Monday": "Pirmdiena", "Monday": "Pirmdiena",
@ -430,7 +418,6 @@
"You cannot delete this message. (%(code)s)": "Tu nevari dzēst šo ziņu. (%(code)s)", "You cannot delete this message. (%(code)s)": "Tu nevari dzēst šo ziņu. (%(code)s)",
"All messages": "Visas ziņas", "All messages": "Visas ziņas",
"Call invitation": "Uzaicinājuma zvans", "Call invitation": "Uzaicinājuma zvans",
"State Key": "Stāvokļa atslēga",
"What's new?": "Kas jauns?", "What's new?": "Kas jauns?",
"When I'm invited to a room": "Kad esmu uzaicināts/a istabā", "When I'm invited to a room": "Kad esmu uzaicināts/a istabā",
"Invite to this room": "Uzaicināt uz šo istabu", "Invite to this room": "Uzaicināt uz šo istabu",
@ -442,9 +429,7 @@
"Error encountered (%(errorDetail)s).": "Gadījās kļūda (%(errorDetail)s).", "Error encountered (%(errorDetail)s).": "Gadījās kļūda (%(errorDetail)s).",
"Low Priority": "Zema prioritāte", "Low Priority": "Zema prioritāte",
"Off": "Izslēgt", "Off": "Izslēgt",
"Event Type": "Notikuma tips",
"Developer Tools": "Izstrādātāja rīki", "Developer Tools": "Izstrādātāja rīki",
"Event Content": "Notikuma saturs",
"Thank you!": "Tencinam!", "Thank you!": "Tencinam!",
"Permission Required": "Nepieciešama atļauja", "Permission Required": "Nepieciešama atļauja",
"You do not have permission to start a conference call in this room": "Šajā istabā nav atļaujas sākt konferences zvanu", "You do not have permission to start a conference call in this room": "Šajā istabā nav atļaujas sākt konferences zvanu",
@ -466,9 +451,6 @@
"one": "%(names)s un vēl viens raksta…" "one": "%(names)s un vēl viens raksta…"
}, },
"%(names)s and %(lastPerson)s are typing …": "%(names)s un %(lastPerson)s raksta…", "%(names)s and %(lastPerson)s are typing …": "%(names)s un %(lastPerson)s raksta…",
"Enable Emoji suggestions while typing": "Iespējot emocijzīmju ieteikumus rakstīšanas laikā",
"Show typing notifications": "Rādīt paziņojumus par rakstīšanu",
"Send typing notifications": "Sūtīt paziņojumus par rakstīšanu",
"Philippines": "Filipīnas", "Philippines": "Filipīnas",
"%(displayName)s is typing …": "%(displayName)s raksta…", "%(displayName)s is typing …": "%(displayName)s raksta…",
"Got It": "Sapratu", "Got It": "Sapratu",
@ -477,8 +459,6 @@
"To be secure, do this in person or use a trusted way to communicate.": "Lai tas būtu droši, dariet to klātienē vai lietojiet kādu uzticamu saziņas veidu.", "To be secure, do this in person or use a trusted way to communicate.": "Lai tas būtu droši, dariet to klātienē vai lietojiet kādu uzticamu saziņas veidu.",
"For extra security, verify this user by checking a one-time code on both of your devices.": "Papildu drošībai verificējiet šo lietotāju, pārbaudot vienreizēju kodu abās ierīcēs.", "For extra security, verify this user by checking a one-time code on both of your devices.": "Papildu drošībai verificējiet šo lietotāju, pārbaudot vienreizēju kodu abās ierīcēs.",
"Not Trusted": "Neuzticama", "Not Trusted": "Neuzticama",
"Not trusted": "Neuzticama",
"Trusted": "Uzticama",
"Verify User": "Verificēt lietotāju", "Verify User": "Verificēt lietotāju",
"In encrypted rooms, your messages are secured and only you and the recipient have the unique keys to unlock them.": "Šifrētās istabās jūsu ziņas ir drošībā - tikai jums un saņēmējam ir unikālas atslēgas, lai ziņas atšifrētu.", "In encrypted rooms, your messages are secured and only you and the recipient have the unique keys to unlock them.": "Šifrētās istabās jūsu ziņas ir drošībā - tikai jums un saņēmējam ir unikālas atslēgas, lai ziņas atšifrētu.",
"Your messages are secured and only you and the recipient have the unique keys to unlock them.": "Jūsu ziņas ir drošībā - tikai jums un saņēmējam ir unikālas atslēgas, lai ziņas atšifrētu.", "Your messages are secured and only you and the recipient have the unique keys to unlock them.": "Jūsu ziņas ir drošībā - tikai jums un saņēmējam ir unikālas atslēgas, lai ziņas atšifrētu.",
@ -646,7 +626,6 @@
"Messages containing my username": "Ziņas, kuras satur manu lietotājvārdu", "Messages containing my username": "Ziņas, kuras satur manu lietotājvārdu",
"%(displayName)s created this room.": "%(displayName)s izveidoja šo istabu.", "%(displayName)s created this room.": "%(displayName)s izveidoja šo istabu.",
"IRC display name width": "IRC parādāmā vārda platums", "IRC display name width": "IRC parādāmā vārda platums",
"Show display name changes": "Rādīt parādāmā vārda izmaiņas",
"%(displayName)s cancelled verification.": "%(displayName)s atcēla verificēšanu.", "%(displayName)s cancelled verification.": "%(displayName)s atcēla verificēšanu.",
"Your display name": "Jūsu parādāmais vārds", "Your display name": "Jūsu parādāmais vārds",
"Enable audible notifications for this session": "Iespējot dzirdamus paziņojumus šai sesijai", "Enable audible notifications for this session": "Iespējot dzirdamus paziņojumus šai sesijai",
@ -678,7 +657,6 @@
"Default role": "Noklusējuma loma", "Default role": "Noklusējuma loma",
"Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Izmaiņas attiecībā uz to, kas var lasīt vēsturi, attieksies tikai uz nākamajiem ziņām šajā istabā. Esošās vēstures redzamība nemainīsies.", "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Izmaiņas attiecībā uz to, kas var lasīt vēsturi, attieksies tikai uz nākamajiem ziņām šajā istabā. Esošās vēstures redzamība nemainīsies.",
"Never send encrypted messages to unverified sessions in this room from this session": "Nesūtīt šifrētas ziņas no šīs sesijas neverificētām sesijām šajā istabā", "Never send encrypted messages to unverified sessions in this room from this session": "Nesūtīt šifrētas ziņas no šīs sesijas neverificētām sesijām šajā istabā",
"Encrypted": "Šifrēts",
"Enable room encryption": "Iespējot istabas šifrēšanu", "Enable room encryption": "Iespējot istabas šifrēšanu",
"Enable encryption?": "Iespējot šifrēšanu?", "Enable encryption?": "Iespējot šifrēšanu?",
"Encryption": "Šifrēšana", "Encryption": "Šifrēšana",
@ -760,7 +738,6 @@
"Animals & Nature": "Dzīvnieki un daba", "Animals & Nature": "Dzīvnieki un daba",
"Frequently Used": "Bieži lietotas", "Frequently Used": "Bieži lietotas",
"The authenticity of this encrypted message can't be guaranteed on this device.": "Šīs šifrētās ziņas autentiskums nevar tikt garantēts šajā ierīcē.", "The authenticity of this encrypted message can't be guaranteed on this device.": "Šīs šifrētās ziņas autentiskums nevar tikt garantēts šajā ierīcē.",
"Go": "Aiziet",
"%(num)s days ago": "%(num)s dienas iepriekš", "%(num)s days ago": "%(num)s dienas iepriekš",
"about a day ago": "aptuveni dienu iepriekš", "about a day ago": "aptuveni dienu iepriekš",
"%(num)s hours ago": "%(num)s stundas iepriekš", "%(num)s hours ago": "%(num)s stundas iepriekš",
@ -855,7 +832,6 @@
"Compare unique emoji": "Salīdziniet unikālās emocijzīmes", "Compare unique emoji": "Salīdziniet unikālās emocijzīmes",
"Scan this unique code": "Noskenējiet šo unikālo kodu", "Scan this unique code": "Noskenējiet šo unikālo kodu",
"The other party cancelled the verification.": "Pretējā puse pārtrauca verificēšanu.", "The other party cancelled the verification.": "Pretējā puse pārtrauca verificēšanu.",
"Show shortcuts to recently viewed rooms above the room list": "Rādīt saīsnes uz nesen skatītajām istabām istabu saraksta augšpusē",
"Send analytics data": "Sūtīt analītikas datus", "Send analytics data": "Sūtīt analītikas datus",
"%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s", "%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s",
"%(senderName)s: %(message)s": "%(senderName)s: %(message)s", "%(senderName)s: %(message)s": "%(senderName)s: %(message)s",
@ -1457,7 +1433,6 @@
"Link to most recent message": "Saite uz jaunāko ziņu", "Link to most recent message": "Saite uz jaunāko ziņu",
"Share Room": "Dalīties ar istabu", "Share Room": "Dalīties ar istabu",
"Report Content to Your Homeserver Administrator": "Ziņojums par saturu bāzes servera administratoram", "Report Content to Your Homeserver Administrator": "Ziņojums par saturu bāzes servera administratoram",
"Send report": "Nosūtīt ziņojumu",
"Report the entire room": "Ziņot par visu istabu", "Report the entire room": "Ziņot par visu istabu",
"Leave all rooms": "Pamest visas istabas", "Leave all rooms": "Pamest visas istabas",
"Invited people will be able to read old messages.": "Uzaicinātie cilvēki varēs lasīt vecās ziņas.", "Invited people will be able to read old messages.": "Uzaicinātie cilvēki varēs lasīt vecās ziņas.",
@ -1510,22 +1485,9 @@
"Invite people": "Uzaicināt cilvēkus", "Invite people": "Uzaicināt cilvēkus",
"Show all rooms": "Rādīt visas istabas", "Show all rooms": "Rādīt visas istabas",
"Corn": "Kukurūza", "Corn": "Kukurūza",
"Show previews/thumbnails for images": "Rādīt attēlu priekšskatījumus/sīktēlus",
"Show hidden events in timeline": "Rādīt slēptos notikumus laika skalā", "Show hidden events in timeline": "Rādīt slēptos notikumus laika skalā",
"Match system theme": "Pielāgoties sistēmas tēmai", "Match system theme": "Pielāgoties sistēmas tēmai",
"Surround selected text when typing special characters": "Iekļaut iezīmēto tekstu, rakstot speciālās rakstzīmes", "Surround selected text when typing special characters": "Iekļaut iezīmēto tekstu, rakstot speciālās rakstzīmes",
"Use Ctrl + Enter to send a message": "Lietot Ctrl + Enter ziņas nosūtīšanai",
"Use Command + Enter to send a message": "Lietot Command + Enter ziņas nosūtīšanai",
"Use Ctrl + F to search timeline": "Lietot Ctrl + F meklēšanai laika skalā",
"Use Command + F to search timeline": "Lietot Command + F meklēšanai laika skalā",
"Enable big emoji in chat": "Iespējot lielas emocijzīmes čatā",
"Jump to the bottom of the timeline when you send a message": "Nosūtot ziņu, pāriet uz laika skalas beigām",
"Show line numbers in code blocks": "Rādīt rindu numurus koda blokos",
"Expand code blocks by default": "Izvērst koda blokus pēc noklusējuma",
"Autoplay videos": "Automātski atskaņot videoklipus",
"Autoplay GIFs": "Automātiski atskaņot GIF",
"Show read receipts sent by other users": "Rādīt izlasīšanas apliecinājumus no citiem lietotājiem",
"Show a placeholder for removed messages": "Rādīt dzēstu ziņu vietturus",
"Use custom size": "Izmantot pielāgotu izmēru", "Use custom size": "Izmantot pielāgotu izmēru",
"Font size": "Šrifta izmērs", "Font size": "Šrifta izmērs",
"Call ended": "Zvans beidzās", "Call ended": "Zvans beidzās",
@ -1676,7 +1638,6 @@
"New video room": "Jauna video istaba", "New video room": "Jauna video istaba",
"Loading new room": "Ielādē jaunu istabu", "Loading new room": "Ielādē jaunu istabu",
"New room": "Jauna istaba", "New room": "Jauna istaba",
"Clear": "Notīrīt",
"Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Pārlūkprogrammas krātuves dzēšana var atrisināt problēmu, taču tas nozīmē, ka jūs izrakstīsieties un šifrēto čata vēsturi vairs nebūs iespējams nolasīt.", "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Pārlūkprogrammas krātuves dzēšana var atrisināt problēmu, taču tas nozīmē, ka jūs izrakstīsieties un šifrēto čata vēsturi vairs nebūs iespējams nolasīt.",
"Clear Storage and Sign Out": "Iztīrīt krātuvi un izrakstīties", "Clear Storage and Sign Out": "Iztīrīt krātuvi un izrakstīties",
"Clear cache and resync": "Iztīrīt kešatmiņu un atkārtoti sinhronizēt", "Clear cache and resync": "Iztīrīt kešatmiņu un atkārtoti sinhronizēt",
@ -1711,7 +1672,6 @@
"Search for spaces": "Meklēt vietas", "Search for spaces": "Meklēt vietas",
"Recently viewed": "Nesen skatītie", "Recently viewed": "Nesen skatītie",
"Who will you chat to the most?": "Ar ko jūs sarakstīsieties visvairāk?", "Who will you chat to the most?": "Ar ko jūs sarakstīsieties visvairāk?",
"Start your first chat": "Sāciet savu pirmo čatu",
"Start new chat": "Uzsākt jaunu čatu", "Start new chat": "Uzsākt jaunu čatu",
"Start a group chat": "Uzsākt grupas čatu", "Start a group chat": "Uzsākt grupas čatu",
"Send your first message to invite <displayName/> to chat": "Nosūtiet savu pirmo ziņu, lai uzaicinātu <displayName/> uz čatu", "Send your first message to invite <displayName/> to chat": "Nosūtiet savu pirmo ziņu, lai uzaicinātu <displayName/> uz čatu",
@ -1754,12 +1714,16 @@
"dark": "Tumša", "dark": "Tumša",
"attachment": "Pielikums", "attachment": "Pielikums",
"appearance": "Izskats", "appearance": "Izskats",
"timeline": "Laika skala",
"microphone": "Mikrofons",
"guest": "Viesis", "guest": "Viesis",
"faq": "BUJ", "faq": "BUJ",
"timeline": "Laika skala", "emoji": "Emocijzīmes",
"camera": "Kamera", "camera": "Kamera",
"microphone": "Mikrofons", "someone": "Kāds",
"emoji": "Emocijzīmes" "encrypted": "Šifrēts",
"trusted": "Uzticama",
"not_trusted": "Neuzticama"
}, },
"action": { "action": {
"continue": "Turpināt", "continue": "Turpināt",
@ -1820,7 +1784,14 @@
"accept": "Akceptēt", "accept": "Akceptēt",
"show_all": "Rādīt visu", "show_all": "Rādīt visu",
"review": "Pārlūkot", "review": "Pārlūkot",
"register": "Reģistrēties" "register": "Reģistrēties",
"go": "Aiziet",
"import": "Importēt",
"export": "Eksportēt",
"mention": "Pieminēt",
"submit": "Iesniegt",
"send_report": "Nosūtīt ziņojumu",
"clear": "Notīrīt"
}, },
"a11y": { "a11y": {
"user_menu": "Lietotāja izvēlne" "user_menu": "Lietotāja izvēlne"
@ -1849,5 +1820,40 @@
}, },
"time": { "time": {
"seconds_left": "%(seconds)s sekundes atlikušas" "seconds_left": "%(seconds)s sekundes atlikušas"
},
"onboarding": {
"personal_messaging_action": "Sāciet savu pirmo čatu"
},
"devtools": {
"event_type": "Notikuma tips",
"state_key": "Stāvokļa atslēga",
"event_sent": "Notikums nosūtīts!",
"event_content": "Notikuma saturs"
},
"settings": {
"show_breadcrumbs": "Rādīt saīsnes uz nesen skatītajām istabām istabu saraksta augšpusē",
"use_command_f_search": "Lietot Command + F meklēšanai laika skalā",
"use_control_f_search": "Lietot Ctrl + F meklēšanai laika skalā",
"use_12_hour_format": "Rādīt laiku 12 stundu formātā (piemēram 2:30pm)",
"always_show_message_timestamps": "Vienmēr rādīt ziņas laika zīmogu",
"send_typing_notifications": "Sūtīt paziņojumus par rakstīšanu",
"replace_plain_emoji": "Automātiski aizstāt vienkāršā teksta emocijzīmes",
"emoji_autocomplete": "Iespējot emocijzīmju ieteikumus rakstīšanas laikā",
"use_command_enter_send_message": "Lietot Command + Enter ziņas nosūtīšanai",
"use_control_enter_send_message": "Lietot Ctrl + Enter ziņas nosūtīšanai",
"automatic_language_detection_syntax_highlight": "Iespējot automātisko valodas noteikšanu sintakses iezīmējumiem",
"code_block_expand_default": "Izvērst koda blokus pēc noklusējuma",
"code_block_line_numbers": "Rādīt rindu numurus koda blokos",
"inline_url_previews_default": "Iespējot URL priekšskatījumus pēc noklusējuma",
"autoplay_gifs": "Automātiski atskaņot GIF",
"autoplay_videos": "Automātski atskaņot videoklipus",
"image_thumbnails": "Rādīt attēlu priekšskatījumus/sīktēlus",
"show_typing_notifications": "Rādīt paziņojumus par rakstīšanu",
"show_redaction_placeholder": "Rādīt dzēstu ziņu vietturus",
"show_read_receipts": "Rādīt izlasīšanas apliecinājumus no citiem lietotājiem",
"show_displayname_changes": "Rādīt parādāmā vārda izmaiņas",
"big_emoji": "Iespējot lielas emocijzīmes čatā",
"jump_to_bottom_on_send": "Nosūtot ziņu, pāriet uz laika skalas beigām",
"start_automatically": "Startēt pie ierīces ielādes"
} }
} }

View file

@ -135,7 +135,6 @@
"Add Email Address": "Legg til E-postadresse", "Add Email Address": "Legg til E-postadresse",
"Add Phone Number": "Legg til telefonnummer", "Add Phone Number": "Legg til telefonnummer",
"%(senderDisplayName)s sent an image.": "%(senderDisplayName)s sendte et bilde.", "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s sendte et bilde.",
"Someone": "Noen",
"%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s sendte en invitasjon til %(targetDisplayName)s om å bli med i rommet.", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s sendte en invitasjon til %(targetDisplayName)s om å bli med i rommet.",
"%(displayName)s is typing …": "%(displayName)s skriver …", "%(displayName)s is typing …": "%(displayName)s skriver …",
"%(names)s and %(count)s others are typing …": { "%(names)s and %(count)s others are typing …": {
@ -182,7 +181,6 @@
"New Password": "Nytt passord", "New Password": "Nytt passord",
"Confirm password": "Bekreft passord", "Confirm password": "Bekreft passord",
"Change Password": "Endre passordet", "Change Password": "Endre passordet",
"Manage": "Administrér",
"Display Name": "Visningsnavn", "Display Name": "Visningsnavn",
"Profile": "Profil", "Profile": "Profil",
"Email addresses": "E-postadresser", "Email addresses": "E-postadresser",
@ -200,7 +198,6 @@
"Permissions": "Tillatelser", "Permissions": "Tillatelser",
"Anyone": "Alle", "Anyone": "Alle",
"Encryption": "Kryptering", "Encryption": "Kryptering",
"Encrypted": "Kryptert",
"Unable to verify phone number.": "Klarte ikke å verifisere telefonnummeret.", "Unable to verify phone number.": "Klarte ikke å verifisere telefonnummeret.",
"Verification code": "Verifikasjonskode", "Verification code": "Verifikasjonskode",
"Email Address": "E-postadresse", "Email Address": "E-postadresse",
@ -249,8 +246,6 @@
"Filter results": "Filtrerresultater", "Filter results": "Filtrerresultater",
"Toolbox": "Verktøykasse", "Toolbox": "Verktøykasse",
"An error has occurred.": "En feil har oppstått.", "An error has occurred.": "En feil har oppstått.",
"Go": "Gå",
"Refresh": "Oppdater",
"Email address": "E-postadresse", "Email address": "E-postadresse",
"Share Room Message": "Del rommelding", "Share Room Message": "Del rommelding",
"Terms of Service": "Vilkår for bruk", "Terms of Service": "Vilkår for bruk",
@ -259,7 +254,6 @@
"Document": "Dokument", "Document": "Dokument",
"Cancel All": "Avbryt alt", "Cancel All": "Avbryt alt",
"Home": "Hjem", "Home": "Hjem",
"Submit": "Send",
"Email": "E-post", "Email": "E-post",
"Phone": "Telefon", "Phone": "Telefon",
"Enter password": "Skriv inn passord", "Enter password": "Skriv inn passord",
@ -269,30 +263,13 @@
"Create account": "Opprett konto", "Create account": "Opprett konto",
"Commands": "Kommandoer", "Commands": "Kommandoer",
"Users": "Brukere", "Users": "Brukere",
"Export": "Eksporter",
"Import": "Importer",
"Success!": "Suksess!", "Success!": "Suksess!",
"Set up": "Sett opp", "Set up": "Sett opp",
"Identity server has no terms of service": "Identitetstjeneren har ingen brukervilkår", "Identity server has no terms of service": "Identitetstjeneren har ingen brukervilkår",
"Enable Emoji suggestions while typing": "Skru på emoji-forslag mens du skriver",
"Show a placeholder for removed messages": "Vis en stattholder for fjernede meldinger",
"Show display name changes": "Vis visningsnavnendringer",
"Show read receipts sent by other users": "Vis lesekvitteringer sendt av andre brukere",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Vis tidsstempler i 12-timersformat (f.eks. 2:30pm)",
"Always show message timestamps": "Alltid vis meldingenes tidsstempler",
"Enable automatic language detection for syntax highlighting": "Skru på automatisk kodespråkoppdagelse for syntaksfremheving",
"Enable big emoji in chat": "Skru på store emojier i chatrom",
"Send typing notifications": "Send varsler om at du skriver",
"Show typing notifications": "Vis varsler om at det skrives",
"Automatically replace plain text Emoji": "Bytt automatisk ut råtekst-emojier",
"Mirror local video feed": "Speil den lokale videostrømmen", "Mirror local video feed": "Speil den lokale videostrømmen",
"Match system theme": "Bind fast til systemtemaet", "Match system theme": "Bind fast til systemtemaet",
"Send analytics data": "Send analytiske data", "Send analytics data": "Send analytiske data",
"Enable inline URL previews by default": "Skru på URL-forhåndsvisninger inni meldinger som standard",
"Prompt before sending invites to potentially invalid matrix IDs": "Si ifra før det sendes invitasjoner til potensielt ugyldige Matrix-ID-er",
"Show shortcuts to recently viewed rooms above the room list": "Vis snarveier til de nyligst viste rommene ovenfor romlisten",
"Show hidden events in timeline": "Vis skjulte hendelser i tidslinjen", "Show hidden events in timeline": "Vis skjulte hendelser i tidslinjen",
"Show previews/thumbnails for images": "Vis forhåndsvisninger for bilder",
"Messages containing my username": "Meldinger som nevner brukernavnet mitt", "Messages containing my username": "Meldinger som nevner brukernavnet mitt",
"Messages containing @room": "Medlinger som inneholder @room", "Messages containing @room": "Medlinger som inneholder @room",
"Encrypted messages in one-to-one chats": "Krypterte meldinger i samtaler under fire øyne", "Encrypted messages in one-to-one chats": "Krypterte meldinger i samtaler under fire øyne",
@ -464,7 +441,6 @@
"Session key": "Øktnøkkel", "Session key": "Øktnøkkel",
"Updating %(brand)s": "Oppdaterer %(brand)s", "Updating %(brand)s": "Oppdaterer %(brand)s",
"Message edits": "Meldingsredigeringer", "Message edits": "Meldingsredigeringer",
"Send report": "Send inn rapport",
"Upload files": "Last opp filer", "Upload files": "Last opp filer",
"Upload all": "Last opp alle", "Upload all": "Last opp alle",
"Upload Error": "Opplastingsfeil", "Upload Error": "Opplastingsfeil",
@ -562,8 +538,6 @@
"You have <a>enabled</a> URL previews by default.": "Du har <a>skrudd på</a> URL-forhåndsvisninger som standard.", "You have <a>enabled</a> URL previews by default.": "Du har <a>skrudd på</a> URL-forhåndsvisninger som standard.",
"You have <a>disabled</a> URL previews by default.": "Du har <a>skrudd av</a> URL-forhåndsvisninger som standard.", "You have <a>disabled</a> URL previews by default.": "Du har <a>skrudd av</a> URL-forhåndsvisninger som standard.",
"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 noen legger til en URL i meldingene deres, kan en URL-forhåndsvisning bli vist for å gi mere informasjonen om den lenken, f.eks. tittelen, beskrivelsen, og et bilde fra nettstedet.", "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 noen legger til en URL i meldingene deres, kan en URL-forhåndsvisning bli vist for å gi mere informasjonen om den lenken, f.eks. tittelen, beskrivelsen, og et bilde fra nettstedet.",
"Trusted": "Betrodd",
"Not trusted": "Ikke betrodd",
"Encryption not enabled": "Kryptering er ikke skrudd på", "Encryption not enabled": "Kryptering er ikke skrudd på",
"%(senderDisplayName)s changed the room avatar to <img/>": "%(senderDisplayName)s endret rommets avatar til <img/>", "%(senderDisplayName)s changed the room avatar to <img/>": "%(senderDisplayName)s endret rommets avatar til <img/>",
"Something went wrong!": "Noe gikk galt!", "Something went wrong!": "Noe gikk galt!",
@ -600,7 +574,6 @@
"And %(count)s more...": { "And %(count)s more...": {
"other": "Og %(count)s til..." "other": "Og %(count)s til..."
}, },
"Matrix": "Matrix",
"Logs sent": "Loggbøkene ble sendt", "Logs sent": "Loggbøkene ble sendt",
"Please enter a name for the room": "Vennligst skriv inn et navn for rommet", "Please enter a name for the room": "Vennligst skriv inn et navn for rommet",
"Create a public room": "Opprett et offentlig rom", "Create a public room": "Opprett et offentlig rom",
@ -608,7 +581,6 @@
"Topic (optional)": "Tema (valgfritt)", "Topic (optional)": "Tema (valgfritt)",
"Hide advanced": "Skjul avansert", "Hide advanced": "Skjul avansert",
"Show advanced": "Vis avansert", "Show advanced": "Vis avansert",
"Event Type": "Hendelsestype",
"Developer Tools": "Utviklerverktøy", "Developer Tools": "Utviklerverktøy",
"Recent Conversations": "Nylige samtaler", "Recent Conversations": "Nylige samtaler",
"Room Settings - %(roomName)s": "Rominnstillinger - %(roomName)s", "Room Settings - %(roomName)s": "Rominnstillinger - %(roomName)s",
@ -805,7 +777,6 @@
"Messages in this room are not end-to-end encrypted.": "Meldinger i dette rommet er ikke start-til-slutt-kryptert.", "Messages in this room are not end-to-end encrypted.": "Meldinger i dette rommet er ikke start-til-slutt-kryptert.",
"Use a different passphrase?": "Vil du bruke en annen passfrase?", "Use a different passphrase?": "Vil du bruke en annen passfrase?",
"Jump to read receipt": "Hopp til lesekvitteringen", "Jump to read receipt": "Hopp til lesekvitteringen",
"Mention": "Nevn",
"Dismiss read marker and jump to bottom": "Avføy lesekvitteringen og hopp ned til bunnen", "Dismiss read marker and jump to bottom": "Avføy lesekvitteringen og hopp ned til bunnen",
"Verify your other session using one of the options below.": "Verifiser den andre økten din med en av metodene nedenfor.", "Verify your other session using one of the options below.": "Verifiser den andre økten din med en av metodene nedenfor.",
"Use a few words, avoid common phrases": "Bruk noen få ord, unngå vanlig fraser", "Use a few words, avoid common phrases": "Bruk noen få ord, unngå vanlig fraser",
@ -848,7 +819,6 @@
"This address is available to use": "Denne adressen er allerede i bruk", "This address is available to use": "Denne adressen er allerede i bruk",
"Failed to send logs: ": "Mislyktes i å sende loggbøker: ", "Failed to send logs: ": "Mislyktes i å sende loggbøker: ",
"Incompatible Database": "Inkompatibel database", "Incompatible Database": "Inkompatibel database",
"Event Content": "Hendelsesinnhold",
"Integrations are disabled": "Integreringer er skrudd av", "Integrations are disabled": "Integreringer er skrudd av",
"Integrations not allowed": "Integreringer er ikke tillatt", "Integrations not allowed": "Integreringer er ikke tillatt",
"Confirm to continue": "Bekreft for å fortsette", "Confirm to continue": "Bekreft for å fortsette",
@ -941,7 +911,6 @@
"Use custom size": "Bruk tilpasset størrelse", "Use custom size": "Bruk tilpasset størrelse",
"Use Single Sign On to continue": "Bruk Single Sign On for å fortsette", "Use Single Sign On to continue": "Bruk Single Sign On for å fortsette",
"Appearance Settings only affect this %(brand)s session.": "Stilendringer gjelder kun i denne %(brand)s sesjonen.", "Appearance Settings only affect this %(brand)s session.": "Stilendringer gjelder kun i denne %(brand)s sesjonen.",
"Use Ctrl + Enter to send a message": "Bruk Ctrl + Enter for å sende en melding",
"Belgium": "Belgia", "Belgium": "Belgia",
"American Samoa": "Amerikansk Samoa", "American Samoa": "Amerikansk Samoa",
"United States": "USA", "United States": "USA",
@ -992,7 +961,6 @@
"Single Sign On": "Single Sign On", "Single Sign On": "Single Sign On",
"Confirm adding this phone number by using Single Sign On to prove your identity.": "Bekreft dette telefonnummeret ved å bruke Single Sign On for å bevise din identitet.", "Confirm adding this phone number by using Single Sign On to prove your identity.": "Bekreft dette telefonnummeret ved å bruke Single Sign On for å bevise din identitet.",
"Confirm adding this email address by using Single Sign On to prove your identity.": "Befrekt denne e-postadressen ved å bruke Single Sign On for å bevise din identitet.", "Confirm adding this email address by using Single Sign On to prove your identity.": "Befrekt denne e-postadressen ved å bruke Single Sign On for å bevise din identitet.",
"Show stickers button": "Vis klistremerkeknappen",
"Recently visited rooms": "Nylig besøkte rom", "Recently visited rooms": "Nylig besøkte rom",
"Edit devices": "Rediger enheter", "Edit devices": "Rediger enheter",
"Add existing room": "Legg til et eksisterende rom", "Add existing room": "Legg til et eksisterende rom",
@ -1013,7 +981,6 @@
"Private space": "Privat område", "Private space": "Privat område",
"Suggested": "Anbefalte", "Suggested": "Anbefalte",
"%(deviceId)s from %(ip)s": "%(deviceId)s fra %(ip)s", "%(deviceId)s from %(ip)s": "%(deviceId)s fra %(ip)s",
"Value:": "Verdi:",
"Leave Space": "Forlat området", "Leave Space": "Forlat området",
"Save Changes": "Lagre endringer", "Save Changes": "Lagre endringer",
"You don't have permission": "Du har ikke tillatelse", "You don't have permission": "Du har ikke tillatelse",
@ -1029,16 +996,11 @@
"Click to copy": "Klikk for å kopiere", "Click to copy": "Klikk for å kopiere",
"Share invite link": "Del invitasjonslenke", "Share invite link": "Del invitasjonslenke",
"Leave space": "Forlat området", "Leave space": "Forlat området",
"Warn before quitting": "Advar før avslutning",
"%(count)s people you know have already joined": { "%(count)s people you know have already joined": {
"other": "%(count)s personer du kjenner har allerede blitt med" "other": "%(count)s personer du kjenner har allerede blitt med"
}, },
"Add existing rooms": "Legg til eksisterende rom", "Add existing rooms": "Legg til eksisterende rom",
"Create a new room": "Opprett et nytt rom", "Create a new room": "Opprett et nytt rom",
"Value": "Verdi",
"Setting:": "Innstilling:",
"Caution:": "Advarsel:",
"Level": "Nivå",
"Skip for now": "Hopp over for nå", "Skip for now": "Hopp over for nå",
"Share %(name)s": "Del %(name)s", "Share %(name)s": "Del %(name)s",
"Just me": "Bare meg selv", "Just me": "Bare meg selv",
@ -1487,7 +1449,12 @@
"emoji": "Emoji", "emoji": "Emoji",
"random": "Tilfeldig", "random": "Tilfeldig",
"support": "Support", "support": "Support",
"space": "Mellomrom" "space": "Mellomrom",
"someone": "Noen",
"encrypted": "Kryptert",
"matrix": "Matrix",
"trusted": "Betrodd",
"not_trusted": "Ikke betrodd"
}, },
"action": { "action": {
"continue": "Fortsett", "continue": "Fortsett",
@ -1565,7 +1532,15 @@
"restore": "Gjenopprett", "restore": "Gjenopprett",
"play": "Spill av", "play": "Spill av",
"pause": "Pause", "pause": "Pause",
"register": "Registrer" "register": "Registrer",
"manage": "Administrér",
"go": "Gå",
"import": "Importer",
"export": "Eksporter",
"refresh": "Oppdater",
"mention": "Nevn",
"submit": "Send",
"send_report": "Send inn rapport"
}, },
"a11y": { "a11y": {
"user_menu": "Brukermeny" "user_menu": "Brukermeny"
@ -1609,5 +1584,34 @@
}, },
"time": { "time": {
"date_at_time": "%(date)s klokken %(time)s" "date_at_time": "%(date)s klokken %(time)s"
},
"devtools": {
"event_type": "Hendelsestype",
"event_content": "Hendelsesinnhold",
"setting_colon": "Innstilling:",
"caution_colon": "Advarsel:",
"level": "Nivå",
"value_colon": "Verdi:",
"value": "Verdi"
},
"settings": {
"show_breadcrumbs": "Vis snarveier til de nyligst viste rommene ovenfor romlisten",
"use_12_hour_format": "Vis tidsstempler i 12-timersformat (f.eks. 2:30pm)",
"always_show_message_timestamps": "Alltid vis meldingenes tidsstempler",
"send_typing_notifications": "Send varsler om at du skriver",
"replace_plain_emoji": "Bytt automatisk ut råtekst-emojier",
"emoji_autocomplete": "Skru på emoji-forslag mens du skriver",
"use_control_enter_send_message": "Bruk Ctrl + Enter for å sende en melding",
"show_stickers_button": "Vis klistremerkeknappen",
"automatic_language_detection_syntax_highlight": "Skru på automatisk kodespråkoppdagelse for syntaksfremheving",
"inline_url_previews_default": "Skru på URL-forhåndsvisninger inni meldinger som standard",
"image_thumbnails": "Vis forhåndsvisninger for bilder",
"show_typing_notifications": "Vis varsler om at det skrives",
"show_redaction_placeholder": "Vis en stattholder for fjernede meldinger",
"show_read_receipts": "Vis lesekvitteringer sendt av andre brukere",
"show_displayname_changes": "Vis visningsnavnendringer",
"big_emoji": "Skru på store emojier i chatrom",
"prompt_invite": "Si ifra før det sendes invitasjoner til potensielt ugyldige Matrix-ID-er",
"warn_quit": "Advar før avslutning"
} }
} }

View file

@ -2,7 +2,6 @@
"Account": "Account", "Account": "Account",
"Admin": "Beheerder", "Admin": "Beheerder",
"Advanced": "Geavanceerd", "Advanced": "Geavanceerd",
"Always show message timestamps": "Altijd tijdstempels van berichten tonen",
"Authentication": "Login bevestigen", "Authentication": "Login bevestigen",
"%(items)s and %(lastItem)s": "%(items)s en %(lastItem)s", "%(items)s and %(lastItem)s": "%(items)s en %(lastItem)s",
"and %(count)s others...": { "and %(count)s others...": {
@ -54,7 +53,6 @@
"Reason": "Reden", "Reason": "Reden",
"Reject invitation": "Uitnodiging weigeren", "Reject invitation": "Uitnodiging weigeren",
"Start authentication": "Authenticatie starten", "Start authentication": "Authenticatie starten",
"Submit": "Bevestigen",
"Sun": "Zo", "Sun": "Zo",
"Mon": "Ma", "Mon": "Ma",
"Tue": "Di", "Tue": "Di",
@ -92,7 +90,6 @@
"Displays action": "Toont actie", "Displays action": "Toont actie",
"Enter passphrase": "Wachtwoord invoeren", "Enter passphrase": "Wachtwoord invoeren",
"Error decrypting attachment": "Fout bij het ontsleutelen van de bijlage", "Error decrypting attachment": "Fout bij het ontsleutelen van de bijlage",
"Export": "Wegschrijven",
"Export E2E room keys": "E2E-kamersleutels exporteren", "Export E2E room keys": "E2E-kamersleutels exporteren",
"Failed to ban user": "Verbannen van persoon is mislukt", "Failed to ban user": "Verbannen van persoon is mislukt",
"Failed to change power level": "Wijzigen van machtsniveau is mislukt", "Failed to change power level": "Wijzigen van machtsniveau is mislukt",
@ -112,7 +109,6 @@
"Hangup": "Ophangen", "Hangup": "Ophangen",
"Historical": "Historisch", "Historical": "Historisch",
"Home": "Home", "Home": "Home",
"Import": "Inlezen",
"Import E2E room keys": "E2E-kamersleutels importeren", "Import E2E room keys": "E2E-kamersleutels importeren",
"Incorrect username and/or password.": "Onjuiste inlognaam en/of wachtwoord.", "Incorrect username and/or password.": "Onjuiste inlognaam en/of wachtwoord.",
"Incorrect verification code": "Onjuiste verificatiecode", "Incorrect verification code": "Onjuiste verificatiecode",
@ -151,9 +147,7 @@
"Server may be unavailable, overloaded, or you hit a bug.": "De server is misschien onbereikbaar of overbelast, of je bent een bug tegengekomen.", "Server may be unavailable, overloaded, or you hit a bug.": "De server is misschien onbereikbaar of overbelast, of je bent een bug tegengekomen.",
"Server unavailable, overloaded, or something else went wrong.": "De server is onbereikbaar of overbelast, of er is iets anders foutgegaan.", "Server unavailable, overloaded, or something else went wrong.": "De server is onbereikbaar of overbelast, of er is iets anders foutgegaan.",
"Session ID": "Sessie-ID", "Session ID": "Sessie-ID",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Tijd in 12-uursformaat tonen (bv. 2:30pm)",
"Signed Out": "Uitgelogd", "Signed Out": "Uitgelogd",
"Someone": "Iemand",
"This email address is already in use": "Dit e-mailadres is al in gebruik", "This email address is already in use": "Dit e-mailadres is al in gebruik",
"This email address was not found": "Dit e-mailadres is niet gevonden", "This email address was not found": "Dit e-mailadres is niet gevonden",
"The email address linked to your account must be entered.": "Het aan jouw account gekoppelde e-mailadres dient ingevoerd worden.", "The email address linked to your account must be entered.": "Het aan jouw account gekoppelde e-mailadres dient ingevoerd worden.",
@ -204,7 +198,6 @@
"other": "(~%(count)s resultaten)" "other": "(~%(count)s resultaten)"
}, },
"New Password": "Nieuw wachtwoord", "New Password": "Nieuw wachtwoord",
"Start automatically after system login": "Automatisch starten na systeemlogin",
"Passphrases must match": "Wachtwoorden moeten overeenkomen", "Passphrases must match": "Wachtwoorden moeten overeenkomen",
"Passphrase must not be empty": "Wachtwoord mag niet leeg zijn", "Passphrase must not be empty": "Wachtwoord mag niet leeg zijn",
"Export room keys": "Kamersleutels exporteren", "Export room keys": "Kamersleutels exporteren",
@ -244,14 +237,12 @@
"This will allow you to reset your password and receive notifications.": "Zo kan je een nieuw wachtwoord instellen en meldingen ontvangen.", "This will allow you to reset your password and receive notifications.": "Zo kan je een nieuw wachtwoord instellen en meldingen ontvangen.",
"Define the power level of a user": "Bepaal het machtsniveau van een persoon", "Define the power level of a user": "Bepaal het machtsniveau van een persoon",
"Delete widget": "Widget verwijderen", "Delete widget": "Widget verwijderen",
"Enable automatic language detection for syntax highlighting": "Automatische taaldetectie voor zinsbouwmarkeringen inschakelen",
"Publish this room to the public in %(domain)s's room directory?": "Deze kamer vermelden in de publieke kamersgids van %(domain)s?", "Publish this room to the public in %(domain)s's room directory?": "Deze kamer vermelden in de publieke kamersgids van %(domain)s?",
"AM": "AM", "AM": "AM",
"PM": "PM", "PM": "PM",
"Unable to create widget.": "Kan widget niet aanmaken.", "Unable to create widget.": "Kan widget niet aanmaken.",
"You are not in this room.": "Je maakt geen deel uit van deze kamer.", "You are not in this room.": "Je maakt geen deel uit van deze kamer.",
"You do not have permission to do that in this room.": "Je hebt geen rechten om dat in deze kamer te doen.", "You do not have permission to do that in this room.": "Je hebt geen rechten om dat in deze kamer te doen.",
"Automatically replace plain text Emoji": "Tekst automatisch vervangen door emoji",
"%(widgetName)s widget added by %(senderName)s": "%(widgetName)s-widget toegevoegd door %(senderName)s", "%(widgetName)s widget added by %(senderName)s": "%(widgetName)s-widget toegevoegd door %(senderName)s",
"%(widgetName)s widget removed by %(senderName)s": "%(widgetName)s-widget verwijderd door %(senderName)s", "%(widgetName)s widget removed by %(senderName)s": "%(widgetName)s-widget verwijderd door %(senderName)s",
"%(widgetName)s widget modified by %(senderName)s": "%(widgetName)s-widget aangepast door %(senderName)s", "%(widgetName)s widget modified by %(senderName)s": "%(widgetName)s-widget aangepast door %(senderName)s",
@ -268,14 +259,12 @@
"%(senderName)s changed the pinned messages for the room.": "%(senderName)s heeft de vastgeprikte boodschappen voor de kamer gewijzigd.", "%(senderName)s changed the pinned messages for the room.": "%(senderName)s heeft de vastgeprikte boodschappen voor de kamer gewijzigd.",
"Send": "Versturen", "Send": "Versturen",
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s %(day)s %(monthName)s %(fullYear)s", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s %(day)s %(monthName)s %(fullYear)s",
"Enable inline URL previews by default": "Inline URL-voorvertoning standaard inschakelen",
"Enable URL previews for this room (only affects you)": "URL-voorvertoning in dit kamer inschakelen (geldt alleen voor jou)", "Enable URL previews for this room (only affects you)": "URL-voorvertoning in dit kamer inschakelen (geldt alleen voor jou)",
"Enable URL previews by default for participants in this room": "URL-voorvertoning voor alle deelnemers aan deze kamer standaard inschakelen", "Enable URL previews by default for participants in this room": "URL-voorvertoning voor alle deelnemers aan deze kamer standaard inschakelen",
"Mirror local video feed": "Lokale videoaanvoer ook elders opslaan (spiegelen)", "Mirror local video feed": "Lokale videoaanvoer ook elders opslaan (spiegelen)",
"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.": "Zelfdegradatie is onomkeerbaar. Als je de laatst gemachtigde persoon in de kamer bent zullen deze rechten voorgoed verloren gaan.", "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.": "Zelfdegradatie is onomkeerbaar. Als je de laatst gemachtigde persoon in de kamer bent zullen deze rechten voorgoed verloren gaan.",
"Unignore": "Niet meer negeren", "Unignore": "Niet meer negeren",
"Jump to read receipt": "Naar het laatst gelezen bericht gaan", "Jump to read receipt": "Naar het laatst gelezen bericht gaan",
"Mention": "Vermelden",
"Send an encrypted reply…": "Verstuur een versleuteld antwoord…", "Send an encrypted reply…": "Verstuur een versleuteld antwoord…",
"Send an encrypted message…": "Verstuur een versleuteld bericht…", "Send an encrypted message…": "Verstuur een versleuteld bericht…",
"%(duration)ss": "%(duration)ss", "%(duration)ss": "%(duration)ss",
@ -428,7 +417,6 @@
"Invite to this room": "Uitnodigen voor deze kamer", "Invite to this room": "Uitnodigen voor deze kamer",
"All messages": "Alle berichten", "All messages": "Alle berichten",
"Call invitation": "Oproep-uitnodiging", "Call invitation": "Oproep-uitnodiging",
"State Key": "Toestandssleutel",
"What's new?": "Wat is er nieuw?", "What's new?": "Wat is er nieuw?",
"When I'm invited to a room": "Wanneer ik uitgenodigd word in een kamer", "When I'm invited to a room": "Wanneer ik uitgenodigd word in een kamer",
"All Rooms": "Alle kamers", "All Rooms": "Alle kamers",
@ -441,9 +429,6 @@
"Low Priority": "Lage prioriteit", "Low Priority": "Lage prioriteit",
"Off": "Uit", "Off": "Uit",
"Wednesday": "Woensdag", "Wednesday": "Woensdag",
"Event Type": "Gebeurtenistype",
"Event sent!": "Gebeurtenis verstuurd!",
"Event Content": "Gebeurtenisinhoud",
"Thank you!": "Bedankt!", "Thank you!": "Bedankt!",
"Logs sent": "Logs verstuurd", "Logs sent": "Logs verstuurd",
"Failed to send logs: ": "Versturen van logs mislukt: ", "Failed to send logs: ": "Versturen van logs mislukt: ",
@ -456,7 +441,6 @@
"Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Kan de gebeurtenis waarop gereageerd was niet laden. Wellicht bestaat die niet, of je hebt geen toestemming die te bekijken.", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Kan de gebeurtenis waarop gereageerd was niet laden. Wellicht bestaat die niet, of je hebt geen toestemming die te bekijken.",
"Clear Storage and Sign Out": "Opslag wissen en uitloggen", "Clear Storage and Sign Out": "Opslag wissen en uitloggen",
"Send Logs": "Logs versturen", "Send Logs": "Logs versturen",
"Refresh": "Herladen",
"We encountered an error trying to restore your previous session.": "Het herstel van je vorige sessie is mislukt.", "We encountered an error trying to restore your previous session.": "Het herstel van je vorige sessie is mislukt.",
"Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Het wissen van de browseropslag zal het probleem misschien verhelpen, maar zal je ook uitloggen en je gehele versleutelde kamergeschiedenis onleesbaar maken.", "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Het wissen van de browseropslag zal het probleem misschien verhelpen, maar zal je ook uitloggen en je gehele versleutelde kamergeschiedenis onleesbaar maken.",
"Can't leave Server Notices room": "Kan servermeldingskamer niet verlaten", "Can't leave Server Notices room": "Kan servermeldingskamer niet verlaten",
@ -541,13 +525,6 @@
"Straight rows of keys are easy to guess": "Zon aaneengesloten rijtje toetsen is eenvoudig te raden", "Straight rows of keys are easy to guess": "Zon aaneengesloten rijtje toetsen is eenvoudig te raden",
"Short keyboard patterns are easy to guess": "Korte patronen op het toetsenbord worden gemakkelijk geraden", "Short keyboard patterns are easy to guess": "Korte patronen op het toetsenbord worden gemakkelijk geraden",
"Please contact your homeserver administrator.": "Gelieve contact op te nemen met de beheerder van jouw homeserver.", "Please contact your homeserver administrator.": "Gelieve contact op te nemen met de beheerder van jouw homeserver.",
"Enable Emoji suggestions while typing": "Emoticons voorstellen tijdens het typen",
"Show a placeholder for removed messages": "Verwijderde berichten vulling tonen",
"Show display name changes": "Veranderingen van weergavenamen tonen",
"Show read receipts sent by other users": "Door andere personen verstuurde leesbevestigingen tonen",
"Enable big emoji in chat": "Grote emoji in kamers inschakelen",
"Send typing notifications": "Typmeldingen versturen",
"Prompt before sending invites to potentially invalid matrix IDs": "Uitnodigingen naar mogelijk ongeldige Matrix-IDs bevestigen",
"Messages containing my username": "Berichten die mijn inlognaam bevatten", "Messages containing my username": "Berichten die mijn inlognaam bevatten",
"Messages containing @room": "Berichten die @room bevatten", "Messages containing @room": "Berichten die @room bevatten",
"Encrypted messages in one-to-one chats": "Versleutelde berichten in één-op-één chats", "Encrypted messages in one-to-one chats": "Versleutelde berichten in één-op-één chats",
@ -681,7 +658,6 @@
"Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Wijzigingen aan de leesregels van de geschiedenis gelden alleen voor toekomstige berichten in deze kamer. De zichtbaarheid van de bestaande geschiedenis blijft ongewijzigd.", "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Wijzigingen aan de leesregels van de geschiedenis gelden alleen voor toekomstige berichten in deze kamer. De zichtbaarheid van de bestaande geschiedenis blijft ongewijzigd.",
"Encryption": "Versleuteling", "Encryption": "Versleuteling",
"Once enabled, encryption cannot be disabled.": "Eenmaal ingeschakeld kan versleuteling niet meer worden uitgeschakeld.", "Once enabled, encryption cannot be disabled.": "Eenmaal ingeschakeld kan versleuteling niet meer worden uitgeschakeld.",
"Encrypted": "Versleuteld",
"This room has been replaced and is no longer active.": "Deze kamer is vervangen en niet langer actief.", "This room has been replaced and is no longer active.": "Deze kamer is vervangen en niet langer actief.",
"The conversation continues here.": "Het gesprek gaat hier verder.", "The conversation continues here.": "Het gesprek gaat hier verder.",
"Only room administrators will see this warning": "Enkel kamerbeheerders zullen deze waarschuwing zien", "Only room administrators will see this warning": "Enkel kamerbeheerders zullen deze waarschuwing zien",
@ -976,9 +952,7 @@
"Please fill why you're reporting.": "Geef aan waarom je deze melding indient.", "Please fill why you're reporting.": "Geef aan waarom je deze melding indient.",
"Report Content to Your Homeserver Administrator": "Inhoud melden aan de beheerder van jouw homeserver", "Report Content to Your Homeserver Administrator": "Inhoud melden aan de beheerder van jouw homeserver",
"Reporting this message will send its unique 'event ID' to the administrator of your homeserver. If messages in this room are encrypted, your homeserver administrator will not be able to read the message text or view any files or images.": "Dit bericht melden zal zijn unieke gebeurtenis-ID versturen naar de beheerder van jouw homeserver. Als de berichten in deze kamer versleuteld zijn, zal de beheerder van jouw homeserver het bericht niet kunnen lezen, noch enige bestanden of afbeeldingen zien.", "Reporting this message will send its unique 'event ID' to the administrator of your homeserver. If messages in this room are encrypted, your homeserver administrator will not be able to read the message text or view any files or images.": "Dit bericht melden zal zijn unieke gebeurtenis-ID versturen naar de beheerder van jouw homeserver. Als de berichten in deze kamer versleuteld zijn, zal de beheerder van jouw homeserver het bericht niet kunnen lezen, noch enige bestanden of afbeeldingen zien.",
"Send report": "Rapport versturen",
"Explore rooms": "Kamers ontdekken", "Explore rooms": "Kamers ontdekken",
"Show previews/thumbnails for images": "Miniaturen voor afbeeldingen tonen",
"Clear cache and reload": "Cache wissen en herladen", "Clear cache and reload": "Cache wissen en herladen",
"%(count)s unread messages including mentions.": { "%(count)s unread messages including mentions.": {
"other": "%(count)s ongelezen berichten, inclusief vermeldingen.", "other": "%(count)s ongelezen berichten, inclusief vermeldingen.",
@ -1078,7 +1052,6 @@
"in memory": "in het geheugen", "in memory": "in het geheugen",
"not found": "niet gevonden", "not found": "niet gevonden",
"Cancel entering passphrase?": "Wachtwoord annuleren?", "Cancel entering passphrase?": "Wachtwoord annuleren?",
"Show typing notifications": "Typmeldingen weergeven",
"Scan this unique code": "Scan deze unieke code", "Scan this unique code": "Scan deze unieke code",
"Compare unique emoji": "Vergelijk unieke emoji", "Compare unique emoji": "Vergelijk unieke emoji",
"Compare a unique set of emoji if you don't have a camera on either device": "Vergelijk een unieke lijst met emoji als geen van beide apparaten een camera heeft", "Compare a unique set of emoji if you don't have a camera on either device": "Vergelijk een unieke lijst met emoji als geen van beide apparaten een camera heeft",
@ -1137,7 +1110,6 @@
"in secret storage": "in de sleutelopslag", "in secret storage": "in de sleutelopslag",
"Secret storage public key:": "Sleutelopslag publieke sleutel:", "Secret storage public key:": "Sleutelopslag publieke sleutel:",
"in account data": "in accountinformatie", "in account data": "in accountinformatie",
"Manage": "Beheren",
"Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Verbind deze sessie met de sleutelback-up voordat je jezelf afmeldt. Dit voorkomt dat je sleutels verliest die alleen op deze sessie voorkomen.", "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Verbind deze sessie met de sleutelback-up voordat je jezelf afmeldt. Dit voorkomt dat je sleutels verliest die alleen op deze sessie voorkomen.",
"Connect this session to Key Backup": "Verbind deze sessie met de sleutelback-up", "Connect this session to Key Backup": "Verbind deze sessie met de sleutelback-up",
"This backup is trusted because it has been restored on this session": "Deze back-up is vertrouwd omdat hij hersteld is naar deze sessie", "This backup is trusted because it has been restored on this session": "Deze back-up is vertrouwd omdat hij hersteld is naar deze sessie",
@ -1150,7 +1122,6 @@
"Use your account or create a new one to continue.": "Gebruik je bestaande account of maak een nieuwe aan om verder te gaan.", "Use your account or create a new one to continue.": "Gebruik je bestaande account of maak een nieuwe aan om verder te gaan.",
"Create Account": "Registreren", "Create Account": "Registreren",
"Displays information about a user": "Geeft informatie weer over een persoon", "Displays information about a user": "Geeft informatie weer over een persoon",
"Show shortcuts to recently viewed rooms above the room list": "Snelkoppelingen naar de kamers die je recent hebt bekeken bovenaan de kamerlijst weergeven",
"Cancelling…": "Bezig met annuleren…", "Cancelling…": "Bezig met annuleren…",
"%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with <nativeLink>search components added</nativeLink>.": "In %(brand)s ontbreken enige modulen vereist voor het veilig lokaal bewaren van versleutelde berichten. Wil je deze functie uittesten, compileer dan een aangepaste versie van %(brand)s Desktop <nativeLink>die de zoekmodulen bevat</nativeLink>.", "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with <nativeLink>search components added</nativeLink>.": "In %(brand)s ontbreken enige modulen vereist voor het veilig lokaal bewaren van versleutelde berichten. Wil je deze functie uittesten, compileer dan een aangepaste versie van %(brand)s Desktop <nativeLink>die de zoekmodulen bevat</nativeLink>.",
"This session is <b>not backing up your keys</b>, but you do have an existing backup you can restore from and add to going forward.": "Deze sessie <b>maakt geen back-ups van je sleutels</b>, maar je beschikt over een reeds bestaande back-up waaruit je kan herstellen en waaraan je nieuwe sleutels vanaf nu kunt toevoegen.", "This session is <b>not backing up your keys</b>, but you do have an existing backup you can restore from and add to going forward.": "Deze sessie <b>maakt geen back-ups van je sleutels</b>, maar je beschikt over een reeds bestaande back-up waaruit je kan herstellen en waaraan je nieuwe sleutels vanaf nu kunt toevoegen.",
@ -1185,8 +1156,6 @@
"Not Trusted": "Niet vertrouwd", "Not Trusted": "Niet vertrouwd",
"%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s%(userId)s heeft zich aangemeld bij een nieuwe sessie zonder deze te verifiëren:", "%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s%(userId)s heeft zich aangemeld bij een nieuwe sessie zonder deze te verifiëren:",
"Ask this user to verify their session, or manually verify it below.": "Vraag deze persoon de sessie te verifiëren, of verifieer het handmatig hieronder.", "Ask this user to verify their session, or manually verify it below.": "Vraag deze persoon de sessie te verifiëren, of verifieer het handmatig hieronder.",
"Trusted": "Vertrouwd",
"Not trusted": "Niet vertrouwd",
"%(count)s verified sessions": { "%(count)s verified sessions": {
"other": "%(count)s geverifieerde sessies", "other": "%(count)s geverifieerde sessies",
"one": "1 geverifieerde sessie" "one": "1 geverifieerde sessie"
@ -1263,7 +1232,6 @@
"The following users might not exist or are invalid, and cannot be invited: %(csvNames)s": "Volgende personen bestaan mogelijk niet of zijn ongeldig, en kunnen niet uitgenodigd worden: %(csvNames)s", "The following users might not exist or are invalid, and cannot be invited: %(csvNames)s": "Volgende personen bestaan mogelijk niet of zijn ongeldig, en kunnen niet uitgenodigd worden: %(csvNames)s",
"Recent Conversations": "Recente gesprekken", "Recent Conversations": "Recente gesprekken",
"Recently Direct Messaged": "Recente directe gesprekken", "Recently Direct Messaged": "Recente directe gesprekken",
"Go": "Start",
"Upgrade private room": "Privékamer upgraden", "Upgrade private room": "Privékamer upgraden",
"Upgrade public room": "Publieke kamer upgraden", "Upgrade public room": "Publieke kamer upgraden",
"Upgrading a room is an advanced action and is usually recommended when a room is unstable due to bugs, missing features or security vulnerabilities.": "Het bijwerken van een kamer is een gevorderde actie en wordt meestal aanbevolen wanneer een kamer onstabiel is door bugs, ontbrekende functies of problemen met de beveiliging.", "Upgrading a room is an advanced action and is usually recommended when a room is unstable due to bugs, missing features or security vulnerabilities.": "Het bijwerken van een kamer is een gevorderde actie en wordt meestal aanbevolen wanneer een kamer onstabiel is door bugs, ontbrekende functies of problemen met de beveiliging.",
@ -1671,8 +1639,6 @@
"sends fireworks": "stuurt vuurwerk", "sends fireworks": "stuurt vuurwerk",
"Downloading logs": "Logs downloaden", "Downloading logs": "Logs downloaden",
"Uploading logs": "Logs uploaden", "Uploading logs": "Logs uploaden",
"Use Ctrl + Enter to send a message": "Gebruik Ctrl + Enter om een bericht te sturen",
"Use Command + Enter to send a message": "Gebruik Command (⌘) + Enter om een bericht te sturen",
"Use custom size": "Aangepaste lettergrootte gebruiken", "Use custom size": "Aangepaste lettergrootte gebruiken",
"Font size": "Lettergrootte", "Font size": "Lettergrootte",
"Change notification settings": "Meldingsinstellingen wijzigen", "Change notification settings": "Meldingsinstellingen wijzigen",
@ -1698,7 +1664,6 @@
"Reason (optional)": "Reden (niet vereist)", "Reason (optional)": "Reden (niet vereist)",
"Server name": "Servernaam", "Server name": "Servernaam",
"Add a new server": "Een nieuwe server toevoegen", "Add a new server": "Een nieuwe server toevoegen",
"Matrix": "Matrix",
"Your server": "Jouw server", "Your server": "Jouw server",
"Can't find this server or its room list": "Kan de server of haar kamergids niet vinden", "Can't find this server or its room list": "Kan de server of haar kamergids niet vinden",
"Looks good": "Ziet er goed uit", "Looks good": "Ziet er goed uit",
@ -1759,9 +1724,6 @@
"Manually verify all remote sessions": "Handmatig alle externe sessies verifiëren", "Manually verify all remote sessions": "Handmatig alle externe sessies verifiëren",
"System font name": "Systeemlettertypenaam", "System font name": "Systeemlettertypenaam",
"Use a system font": "Gebruik een systeemlettertype", "Use a system font": "Gebruik een systeemlettertype",
"Show line numbers in code blocks": "Regelnummers in codeblokken tonen",
"Expand code blocks by default": "Standaard codeblokken uitvouwen",
"Show stickers button": "Stickers-knop tonen",
"Safeguard against losing access to encrypted messages & data": "Beveiliging tegen verlies van toegang tot versleutelde berichten en gegevens", "Safeguard against losing access to encrypted messages & data": "Beveiliging tegen verlies van toegang tot versleutelde berichten en gegevens",
"Set up Secure Backup": "Beveiligde back-up instellen", "Set up Secure Backup": "Beveiligde back-up instellen",
"Contact your <a>server admin</a>.": "Neem contact op met je <a>serverbeheerder</a>.", "Contact your <a>server admin</a>.": "Neem contact op met je <a>serverbeheerder</a>.",
@ -1975,7 +1937,6 @@
"Failed to transfer call": "Oproep niet doorverbonden", "Failed to transfer call": "Oproep niet doorverbonden",
"A call can only be transferred to a single user.": "Een oproep kan slechts naar één personen worden doorverbonden.", "A call can only be transferred to a single user.": "Een oproep kan slechts naar één personen worden doorverbonden.",
"PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "PRO TIP: Als je een nieuwe bug maakt, stuur ons dan je <debugLogsLink>foutenlogboek</debugLogsLink> om ons te helpen het probleem op te sporen.", "PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "PRO TIP: Als je een nieuwe bug maakt, stuur ons dan je <debugLogsLink>foutenlogboek</debugLogsLink> om ons te helpen het probleem op te sporen.",
"There was an error finding this widget.": "Er is een fout opgetreden bij het vinden van deze widget.",
"Server did not return valid authentication information.": "Server heeft geen geldige verificatiegegevens teruggestuurd.", "Server did not return valid authentication information.": "Server heeft geen geldige verificatiegegevens teruggestuurd.",
"Server did not require any authentication": "Server heeft geen authenticatie nodig", "Server did not require any authentication": "Server heeft geen authenticatie nodig",
"There was a problem communicating with the server. Please try again.": "Er was een communicatie probleem met de server. Probeer het opnieuw.", "There was a problem communicating with the server. Please try again.": "Er was een communicatie probleem met de server. Probeer het opnieuw.",
@ -2044,25 +2005,6 @@
"Send a Direct Message": "Start een direct gesprek", "Send a Direct Message": "Start een direct gesprek",
"Welcome to %(appName)s": "Welkom bij %(appName)s", "Welcome to %(appName)s": "Welkom bij %(appName)s",
"<a>Add a topic</a> to help people know what it is about.": "<a>Stel een kameronderwerp in</a> zodat de personen weten waar het over gaat.", "<a>Add a topic</a> to help people know what it is about.": "<a>Stel een kameronderwerp in</a> zodat de personen weten waar het over gaat.",
"Values at explicit levels in this room:": "Waarde op expliciete niveaus in deze kamer:",
"Values at explicit levels:": "Waardes op expliciete niveaus:",
"Value in this room:": "Waarde in deze kamer:",
"Value:": "Waarde:",
"Save setting values": "Instelling waardes opslaan",
"Values at explicit levels in this room": "Waardes op expliciete niveaus in deze kamer",
"Values at explicit levels": "Waardes op expliciete niveaus",
"Settable at room": "Instelbaar per kamer",
"Settable at global": "Instelbaar op globaal",
"Level": "Niveau",
"Setting definition:": "Instelling definitie:",
"This UI does NOT check the types of the values. Use at your own risk.": "De UI heeft GEEN controle op het type van de waardes. Gebruik op eigen risico.",
"Caution:": "Opgelet:",
"Setting:": "Instelling:",
"Value in this room": "Waarde van deze kamer",
"Value": "Waarde",
"Setting ID": "Instellingen-ID",
"Show chat effects (animations when receiving e.g. confetti)": "Effecten tonen (animaties bij ontvangst bijv. confetti)",
"Jump to the bottom of the timeline when you send a message": "Naar de onderkant van de tijdlijn springen wanneer je een bericht verstuurd",
"Original event source": "Originele gebeurtenisbron", "Original event source": "Originele gebeurtenisbron",
"Decrypted event source": "Ontsleutel de gebeurtenisbron", "Decrypted event source": "Ontsleutel de gebeurtenisbron",
"Invite by username": "Op inlognaam uitnodigen", "Invite by username": "Op inlognaam uitnodigen",
@ -2164,7 +2106,6 @@
"other": "%(count)s personen die je kent hebben zich al geregistreerd" "other": "%(count)s personen die je kent hebben zich al geregistreerd"
}, },
"Invite to just this room": "Uitnodigen voor alleen deze kamer", "Invite to just this room": "Uitnodigen voor alleen deze kamer",
"Warn before quitting": "Waarschuwen voordat je afsluit",
"Manage & explore rooms": "Beheer & ontdek kamers", "Manage & explore rooms": "Beheer & ontdek kamers",
"Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "Overleggen met %(transferTarget)s. <a>Verstuur naar %(transferee)s</a>", "Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "Overleggen met %(transferTarget)s. <a>Verstuur naar %(transferee)s</a>",
"unknown person": "onbekend persoon", "unknown person": "onbekend persoon",
@ -2289,7 +2230,6 @@
"e.g. my-space": "v.b. mijn-Space", "e.g. my-space": "v.b. mijn-Space",
"Silence call": "Oproep dempen", "Silence call": "Oproep dempen",
"Sound on": "Geluid aan", "Sound on": "Geluid aan",
"Show all rooms in Home": "Alle kamers in Home tonen",
"%(senderName)s changed the <a>pinned messages</a> for the room.": "%(senderName)s heeft de <a>vastgeprikte berichten</a> voor de kamer gewijzigd.", "%(senderName)s changed the <a>pinned messages</a> for the room.": "%(senderName)s heeft de <a>vastgeprikte berichten</a> voor de kamer gewijzigd.",
"%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s heeft de uitnodiging van %(targetName)s ingetrokken", "%(senderName)s withdrew %(targetName)s's invitation": "%(senderName)s heeft de uitnodiging van %(targetName)s ingetrokken",
"%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s heeft de uitnodiging van %(targetName)s ingetrokken: %(reason)s", "%(senderName)s withdrew %(targetName)s's invitation: %(reason)s": "%(senderName)s heeft de uitnodiging van %(targetName)s ingetrokken: %(reason)s",
@ -2322,8 +2262,6 @@
"Code blocks": "Codeblokken", "Code blocks": "Codeblokken",
"Displaying time": "Tijdsweergave", "Displaying time": "Tijdsweergave",
"Keyboard shortcuts": "Sneltoetsen", "Keyboard shortcuts": "Sneltoetsen",
"Use Ctrl + F to search timeline": "Gebruik Ctrl +F om te zoeken in de tijdlijn",
"Use Command + F to search timeline": "Gebruik Command + F om te zoeken in de tijdlijn",
"Integration manager": "Integratiebeheerder", "Integration manager": "Integratiebeheerder",
"Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "Jouw %(brand)s laat je geen integratiebeheerder gebruiken om dit te doen. Neem contact op met een beheerder.", "Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "Jouw %(brand)s laat je geen integratiebeheerder gebruiken om dit te doen. Neem contact op met een beheerder.",
"Using this widget may share data <helpIcon /> with %(widgetDomain)s & your integration manager.": "Met het gebruik van deze widget deel je mogelijk gegevens <helpIcon /> met %(widgetDomain)s & je integratiebeheerder.", "Using this widget may share data <helpIcon /> with %(widgetDomain)s & your integration manager.": "Met het gebruik van deze widget deel je mogelijk gegevens <helpIcon /> met %(widgetDomain)s & je integratiebeheerder.",
@ -2403,7 +2341,6 @@
"Your camera is turned off": "Je camera staat uit", "Your camera is turned off": "Je camera staat uit",
"%(sharerName)s is presenting": "%(sharerName)s is aan het presenteren", "%(sharerName)s is presenting": "%(sharerName)s is aan het presenteren",
"You are presenting": "Je bent aan het presenteren", "You are presenting": "Je bent aan het presenteren",
"All rooms you're in will appear in Home.": "Alle kamers waar je in bent zullen in Home verschijnen.",
"Add space": "Space toevoegen", "Add space": "Space toevoegen",
"Leave %(spaceName)s": "%(spaceName)s verlaten", "Leave %(spaceName)s": "%(spaceName)s verlaten",
"You're the only admin of some of the rooms or spaces you wish to leave. Leaving them will leave them without any admins.": "Je bent de enige beheerder van sommige kamers of Spaces die je wil verlaten. Door deze te verlaten hebben ze geen beheerder meer.", "You're the only admin of some of the rooms or spaces you wish to leave. Leaving them will leave them without any admins.": "Je bent de enige beheerder van sommige kamers of Spaces die je wil verlaten. Door deze te verlaten hebben ze geen beheerder meer.",
@ -2455,8 +2392,6 @@
"Cross-signing is ready but keys are not backed up.": "Kruiselings ondertekenen is klaar, maar de sleutels zijn nog niet geback-upt.", "Cross-signing is ready but keys are not backed up.": "Kruiselings ondertekenen is klaar, maar de sleutels zijn nog niet geback-upt.",
"The above, but in <Room /> as well": "Het bovenstaande, maar ook in <Room />", "The above, but in <Room /> as well": "Het bovenstaande, maar ook in <Room />",
"The above, but in any room you are joined or invited to as well": "Het bovenstaande, maar in elke kamer waar je aan deelneemt en voor uitgenodigd bent", "The above, but in any room you are joined or invited to as well": "Het bovenstaande, maar in elke kamer waar je aan deelneemt en voor uitgenodigd bent",
"Autoplay videos": "Videos automatisch afspelen",
"Autoplay GIFs": "GIF's automatisch afspelen",
"%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s maakte een vastgeprikt bericht los van deze kamer. Bekijk alle vastgeprikte berichten.", "%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s maakte een vastgeprikt bericht los van deze kamer. Bekijk alle vastgeprikte berichten.",
"%(senderName)s unpinned <a>a message</a> from this room. See all <b>pinned messages</b>.": "%(senderName)s maakte <a>een vastgeprikt bericht</a> los van deze kamer. Bekijk alle <b>vastgeprikte berichten</b>.", "%(senderName)s unpinned <a>a message</a> from this room. See all <b>pinned messages</b>.": "%(senderName)s maakte <a>een vastgeprikt bericht</a> los van deze kamer. Bekijk alle <b>vastgeprikte berichten</b>.",
"%(senderName)s pinned a message to this room. See all pinned messages.": "%(senderName)s prikte een bericht vast aan deze kamer. Bekijk alle vastgeprikte berichten.", "%(senderName)s pinned a message to this room. See all pinned messages.": "%(senderName)s prikte een bericht vast aan deze kamer. Bekijk alle vastgeprikte berichten.",
@ -2661,7 +2596,6 @@
"Messaging": "Messaging", "Messaging": "Messaging",
"Spaces you know that contain this space": "Spaces die je kent met deze Space", "Spaces you know that contain this space": "Spaces die je kent met deze Space",
"Chat": "Chat", "Chat": "Chat",
"Clear": "Wis",
"You may contact me if you want to follow up or to let me test out upcoming ideas": "Je kan contact met mij opnemen als je updates wil van of wilt deelnemen aan nieuwe ideeën", "You may contact me if you want to follow up or to let me test out upcoming ideas": "Je kan contact met mij opnemen als je updates wil van of wilt deelnemen aan nieuwe ideeën",
"Home options": "Home-opties", "Home options": "Home-opties",
"%(spaceName)s menu": "%(spaceName)s-menu", "%(spaceName)s menu": "%(spaceName)s-menu",
@ -2762,7 +2696,6 @@
"Back to thread": "Terug naar draad", "Back to thread": "Terug naar draad",
"Room members": "Kamerleden", "Room members": "Kamerleden",
"Back to chat": "Terug naar chat", "Back to chat": "Terug naar chat",
"Edit setting": "Instelling bewerken",
"Expand map": "Map uitvouwen", "Expand map": "Map uitvouwen",
"Send reactions": "Reacties versturen", "Send reactions": "Reacties versturen",
"No active call in this room": "Geen actieve oproep in deze kamer", "No active call in this room": "Geen actieve oproep in deze kamer",
@ -2803,7 +2736,6 @@
"Remove users": "Personen verwijderen", "Remove users": "Personen verwijderen",
"Keyboard": "Toetsenbord", "Keyboard": "Toetsenbord",
"Automatically send debug logs on decryption errors": "Automatisch foutopsporingslogboeken versturen bij decoderingsfouten", "Automatically send debug logs on decryption errors": "Automatisch foutopsporingslogboeken versturen bij decoderingsfouten",
"Show join/leave messages (invites/removes/bans unaffected)": "Toon deelname/laat berichten (uitnodigingen/verwijderingen/bans onaangetast)",
"Remove, ban, or invite people to your active room, and make you leave": "Verwijder, verbied of nodig mensen uit voor je actieve kamer en zorg ervoor dat je weggaat", "Remove, ban, or invite people to your active room, and make you leave": "Verwijder, verbied of nodig mensen uit voor je actieve kamer en zorg ervoor dat je weggaat",
"Remove, ban, or invite people to this room, and make you leave": "Verwijder, verbied of nodig mensen uit voor deze kamer en zorg ervoor dat je weggaat", "Remove, ban, or invite people to this room, and make you leave": "Verwijder, verbied of nodig mensen uit voor deze kamer en zorg ervoor dat je weggaat",
"%(senderName)s has ended a poll": "%(senderName)s heeft een poll beëindigd", "%(senderName)s has ended a poll": "%(senderName)s heeft een poll beëindigd",
@ -2844,8 +2776,6 @@
"Pick a date to jump to": "Kies een datum om naar toe te springen", "Pick a date to jump to": "Kies een datum om naar toe te springen",
"Jump to date": "Spring naar datum", "Jump to date": "Spring naar datum",
"The beginning of the room": "Het begin van de kamer", "The beginning of the room": "Het begin van de kamer",
"Last month": "Vorige maand",
"Last week": "Vorige week",
"Group all your rooms that aren't part of a space in one place.": "Groepeer al je kamers die geen deel uitmaken van een space op één plaats.", "Group all your rooms that aren't part of a space in one place.": "Groepeer al je kamers die geen deel uitmaken van een space op één plaats.",
"Group all your people in one place.": "Groepeer al je mensen op één plek.", "Group all your people in one place.": "Groepeer al je mensen op één plek.",
"Group all your favourite rooms and people in one place.": "Groepeer al je favoriete kamers en mensen op één plek.", "Group all your favourite rooms and people in one place.": "Groepeer al je favoriete kamers en mensen op één plek.",
@ -2859,11 +2789,6 @@
"This is a beta feature": "Dit is een bètafunctie", "This is a beta feature": "Dit is een bètafunctie",
"Use <arrows/> to scroll": "Gebruik <arrows/> om te scrollen", "Use <arrows/> to scroll": "Gebruik <arrows/> om te scrollen",
"Feedback sent! Thanks, we appreciate it!": "Reactie verzonden! Bedankt, we waarderen het!", "Feedback sent! Thanks, we appreciate it!": "Reactie verzonden! Bedankt, we waarderen het!",
"<empty string>": "<empty string>",
"<%(count)s spaces>": {
"one": "<space>",
"other": "<%(count)s spaces>"
},
"%(oneUser)ssent %(count)s hidden messages": { "%(oneUser)ssent %(count)s hidden messages": {
"one": "%(oneUser)sverzond een verborgen bericht", "one": "%(oneUser)sverzond een verborgen bericht",
"other": "%(oneUser)sverzond %(count)s verborgen berichten" "other": "%(oneUser)sverzond %(count)s verborgen berichten"
@ -2880,7 +2805,6 @@
"one": "%(severalUsers)shebben een bericht verwijderd", "one": "%(severalUsers)shebben een bericht verwijderd",
"other": "%(severalUsers)sverwijderde %(count)s berichten" "other": "%(severalUsers)sverwijderde %(count)s berichten"
}, },
"Maximise": "Maximaliseren",
"You do not have permissions to add spaces to this space": "Je bent niet gemachtigd om spaces aan deze space toe te voegen", "You do not have permissions to add spaces to this space": "Je bent niet gemachtigd om spaces aan deze space toe te voegen",
"Automatically send debug logs when key backup is not functioning": "Automatisch foutopsporingslogboeken versturen wanneer de sleutelback-up niet werkt", "Automatically send debug logs when key backup is not functioning": "Automatisch foutopsporingslogboeken versturen wanneer de sleutelback-up niet werkt",
"%(space1Name)s and %(space2Name)s": "%(space1Name)s en %(space2Name)s", "%(space1Name)s and %(space2Name)s": "%(space1Name)s en %(space2Name)s",
@ -2888,30 +2812,7 @@
"No virtual room for this room": "Geen virtuele ruimte voor deze ruimte", "No virtual room for this room": "Geen virtuele ruimte voor deze ruimte",
"Switches to this room's virtual room, if it has one": "Schakelt over naar de virtuele kamer van deze kamer, als die er is", "Switches to this room's virtual room, if it has one": "Schakelt over naar de virtuele kamer van deze kamer, als die er is",
"Failed to invite users to %(roomName)s": "Kan personen niet uitnodigen voor %(roomName)s", "Failed to invite users to %(roomName)s": "Kan personen niet uitnodigen voor %(roomName)s",
"Observe only": "Alleen observeren",
"Requester": "Aanvrager",
"Methods": "Methoden",
"Timeout": "Time-out",
"Phase": "Fase",
"Transaction": "Transactie",
"Cancelled": "Geannuleerd",
"Started": "Begonnen",
"Ready": "Gereed",
"Requested": "Aangevraagd",
"Unsent": "niet verstuurd", "Unsent": "niet verstuurd",
"Edit values": "Bewerk waarden",
"Failed to save settings.": "Kan instellingen niet opslaan.",
"Number of users": "Aantal personen",
"Server": "Server",
"Server Versions": "Serverversies",
"Client Versions": "cliëntversies",
"Failed to load.": "Laden mislukt.",
"Capabilities": "Mogelijkheden",
"Send custom state event": "Aangepaste statusgebeurtenis versturen",
"Failed to send event!": "Kan gebeurtenis niet versturen!",
"Doesn't look like valid JSON.": "Lijkt niet op geldige JSON.",
"Send custom room account data event": "Gegevensgebeurtenis van aangepaste kamer account versturen",
"Send custom account data event": "Aangepaste accountgegevens gebeurtenis versturen",
"Search Dialog": "Dialoogvenster Zoeken", "Search Dialog": "Dialoogvenster Zoeken",
"Join %(roomAddress)s": "%(roomAddress)s toetreden", "Join %(roomAddress)s": "%(roomAddress)s toetreden",
"Export Cancelled": "Export geannuleerd", "Export Cancelled": "Export geannuleerd",
@ -3007,7 +2908,6 @@
"Developer tools": "Ontwikkelaarstools", "Developer tools": "Ontwikkelaarstools",
"sends hearts": "stuurt hartjes", "sends hearts": "stuurt hartjes",
"Sends the given message with hearts": "Stuurt het bericht met hartjes", "Sends the given message with hearts": "Stuurt het bericht met hartjes",
"Insert a trailing colon after user mentions at the start of a message": "Voeg een dubbele punt in nadat de persoon het aan het begin van een bericht heeft vermeld",
"Show polls button": "Toon polls-knop", "Show polls button": "Toon polls-knop",
"Failed to join": "Kan niet deelnemen", "Failed to join": "Kan niet deelnemen",
"The person who invited you has already left, or their server is offline.": "De persoon die je heeft uitgenodigd is al vertrokken, of zijn server is offline.", "The person who invited you has already left, or their server is offline.": "De persoon die je heeft uitgenodigd is al vertrokken, of zijn server is offline.",
@ -3026,7 +2926,6 @@
"User is already invited to the space": "Persoon is al uitgenodigd voor de space", "User is already invited to the space": "Persoon is al uitgenodigd voor de space",
"Toggle Code Block": "Codeblok wisselen", "Toggle Code Block": "Codeblok wisselen",
"Toggle Link": "Koppeling wisselen", "Toggle Link": "Koppeling wisselen",
"Accessibility": "Toegankelijkheid",
"Event ID: %(eventId)s": "Gebeurtenis ID: %(eventId)s", "Event ID: %(eventId)s": "Gebeurtenis ID: %(eventId)s",
"Threads help keep your conversations on-topic and easy to track.": "Threads helpen jou gesprekken on-topic te houden en gemakkelijk bij te houden.", "Threads help keep your conversations on-topic and easy to track.": "Threads helpen jou gesprekken on-topic te houden en gemakkelijk bij te houden.",
"Reply to an ongoing thread or use “%(replyInThread)s” when hovering over a message to start a new one.": "Reageer op een lopende thread of gebruik \"%(replyInThread)s\" wanneer je de muisaanwijzer op een bericht plaatst om een nieuwe te starten.", "Reply to an ongoing thread or use “%(replyInThread)s” when hovering over a message to start a new one.": "Reageer op een lopende thread of gebruik \"%(replyInThread)s\" wanneer je de muisaanwijzer op een bericht plaatst om een nieuwe te starten.",
@ -3034,7 +2933,6 @@
"An error occurred while stopping your live location, please try again": "Er is een fout opgetreden bij het stoppen van je live locatie, probeer het opnieuw", "An error occurred while stopping your live location, please try again": "Er is een fout opgetreden bij het stoppen van je live locatie, probeer het opnieuw",
"%(timeRemaining)s left": "%(timeRemaining)s over", "%(timeRemaining)s left": "%(timeRemaining)s over",
"You are sharing your live location": "Je deelt je live locatie", "You are sharing your live location": "Je deelt je live locatie",
"No verification requests found": "Geen verificatieverzoeken gevonden",
"Open user settings": "Open persooninstellingen", "Open user settings": "Open persooninstellingen",
"Switch to space by number": "Overschakelen naar space op nummer", "Switch to space by number": "Overschakelen naar space op nummer",
"Next recently visited room or space": "Volgende recent bezochte kamer of space", "Next recently visited room or space": "Volgende recent bezochte kamer of space",
@ -3085,7 +2983,6 @@
"Unmute microphone": "Microfoon inschakelen", "Unmute microphone": "Microfoon inschakelen",
"Mute microphone": "Microfoon dempen", "Mute microphone": "Microfoon dempen",
"Audio devices": "Audio-apparaten", "Audio devices": "Audio-apparaten",
"Enable Markdown": "Markdown inschakelen",
"An error occurred while stopping your live location": "Er is een fout opgetreden bij het stoppen van je live locatie", "An error occurred while stopping your live location": "Er is een fout opgetreden bij het stoppen van je live locatie",
"Enable live location sharing": "Live locatie delen inschakelen", "Enable live location sharing": "Live locatie delen inschakelen",
"Please note: this is a labs feature using a temporary implementation. This means you will not be able to delete your location history, and advanced users will be able to see your location history even after you stop sharing your live location with this room.": "Let op: dit is een labfunctie met een tijdelijke implementatie. Dit betekent dat je jouw locatiegeschiedenis niet kunt verwijderen en dat geavanceerde gebruikers jouw locatiegeschiedenis kunnen zien, zelfs nadat je stopt met het delen van uw live locatie met deze ruimte.", "Please note: this is a labs feature using a temporary implementation. This means you will not be able to delete your location history, and advanced users will be able to see your location history even after you stop sharing your live location with this room.": "Let op: dit is een labfunctie met een tijdelijke implementatie. Dit betekent dat je jouw locatiegeschiedenis niet kunt verwijderen en dat geavanceerde gebruikers jouw locatiegeschiedenis kunnen zien, zelfs nadat je stopt met het delen van uw live locatie met deze ruimte.",
@ -3117,7 +3014,6 @@
"Edit topic": "Bewerk onderwerp", "Edit topic": "Bewerk onderwerp",
"Joining…": "Deelnemen…", "Joining…": "Deelnemen…",
"Read receipts": "Leesbevestigingen", "Read receipts": "Leesbevestigingen",
"Enable hardware acceleration (restart %(appName)s to take effect)": "Schakel hardwareversnelling in (start %(appName)s opnieuw op)",
"%(count)s people joined": { "%(count)s people joined": {
"one": "%(count)s persoon toegetreden", "one": "%(count)s persoon toegetreden",
"other": "%(count)s mensen toegetreden" "other": "%(count)s mensen toegetreden"
@ -3125,7 +3021,6 @@
"Failed to set direct message tag": "Kan tag voor direct bericht niet instellen", "Failed to set direct message tag": "Kan tag voor direct bericht niet instellen",
"You were disconnected from the call. (Error: %(message)s)": "De verbinding is verbroken van uw oproep. (Error: %(message)s)", "You were disconnected from the call. (Error: %(message)s)": "De verbinding is verbroken van uw oproep. (Error: %(message)s)",
"Connection lost": "Verbinding verloren", "Connection lost": "Verbinding verloren",
"Minimise": "Minimaliseren",
"Un-maximise": "Maximaliseren ongedaan maken", "Un-maximise": "Maximaliseren ongedaan maken",
"Deactivating your account is a permanent action — be careful!": "Het deactiveren van je account is een permanente actie - wees voorzichtig!", "Deactivating your account is a permanent action — be careful!": "Het deactiveren van je account is een permanente actie - wees voorzichtig!",
"Joining the beta will reload %(brand)s.": "Door deel te nemen aan de bèta wordt %(brand)s opnieuw geladen.", "Joining the beta will reload %(brand)s.": "Door deel te nemen aan de bèta wordt %(brand)s opnieuw geladen.",
@ -3188,28 +3083,11 @@
"App Store® and the Apple logo® are trademarks of Apple Inc.": "App Store® en het Apple logo® zijn handelsmerken van Apple Inc.", "App Store® and the Apple logo® are trademarks of Apple Inc.": "App Store® en het Apple logo® zijn handelsmerken van Apple Inc.",
"Get it on F-Droid": "Download het op F-Droid", "Get it on F-Droid": "Download het op F-Droid",
"Get it on Google Play": "Verkrijg het via Google Play", "Get it on Google Play": "Verkrijg het via Google Play",
"Android": "Android",
"Download on the App Store": "Te downloaden in de App Store", "Download on the App Store": "Te downloaden in de App Store",
"iOS": "iOS",
"Download %(brand)s Desktop": "%(brand)s Desktop downloaden", "Download %(brand)s Desktop": "%(brand)s Desktop downloaden",
"Download %(brand)s": "%(brand)s downloaden", "Download %(brand)s": "%(brand)s downloaden",
"Choose a locale": "Kies een landinstelling", "Choose a locale": "Kies een landinstelling",
"Spell check": "Spellingscontrole", "Spell check": "Spellingscontrole",
"Complete these to get the most out of %(brand)s": "Voltooi deze om het meeste uit %(brand)s te halen",
"You did it!": "Het is je gelukt!",
"Only %(count)s steps to go": {
"one": "Nog maar %(count)s stap te gaan",
"other": "Nog maar %(count)s stappen te gaan"
},
"Welcome to %(brand)s": "Welkom bij %(brand)s",
"Find your people": "Vind je mensen",
"Keep ownership and control of community discussion.\nScale to support millions, with powerful moderation and interoperability.": "Houd het eigendom en de controle over de discussie in de gemeenschap.\nSchaal om miljoenen te ondersteunen, met krachtige beheersbaarheid en interoperabiliteit.",
"Community ownership": "Gemeenschapseigendom",
"Find your co-workers": "Vind je collega's",
"Secure messaging for work": "Veilig berichten versturen voor werk",
"Start your first chat": "Start je eerste chat",
"With free end-to-end encrypted messaging, and unlimited voice and video calls, %(brand)s is a great way to stay in touch.": "Met gratis eind-tot-eind versleutelde berichten en onbeperkte spraak- en video-oproepen, is %(brand)s een geweldige manier om in contact te blijven.",
"Secure messaging for friends and family": "Veilig berichten versturen voor vrienden en familie",
"Enable notifications": "Meldingen inschakelen", "Enable notifications": "Meldingen inschakelen",
"Dont miss a reply or important message": "Mis geen antwoord of belangrijk bericht", "Dont miss a reply or important message": "Mis geen antwoord of belangrijk bericht",
"Turn on notifications": "Meldingen aanzetten", "Turn on notifications": "Meldingen aanzetten",
@ -3247,12 +3125,9 @@
"Unverified session": "Niet-geverifieerde sessie", "Unverified session": "Niet-geverifieerde sessie",
"This session is ready for secure messaging.": "Deze sessie is klaar voor beveiligde berichtenuitwisseling.", "This session is ready for secure messaging.": "Deze sessie is klaar voor beveiligde berichtenuitwisseling.",
"Verified session": "Geverifieerde sessie", "Verified session": "Geverifieerde sessie",
"Unverified": "Niet geverifieerd",
"Verified": "Geverifieerd",
"Inactive for %(inactiveAgeDays)s+ days": "Inactief gedurende %(inactiveAgeDays)s+ dagen", "Inactive for %(inactiveAgeDays)s+ days": "Inactief gedurende %(inactiveAgeDays)s+ dagen",
"Session details": "Sessie details", "Session details": "Sessie details",
"IP address": "IP adres", "IP address": "IP adres",
"Device": "Apparaat",
"Last activity": "Laatste activiteit", "Last activity": "Laatste activiteit",
"Current session": "Huidige sessie", "Current session": "Huidige sessie",
"<b>It's not recommended to add encryption to public rooms.</b> Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.": "<b>Het wordt niet aanbevolen om versleuteling toe te voegen aan openbare ruimten.</b> Iedereen kan openbare ruimten vinden en er lid van worden, dus iedereen kan berichten erin lezen. Je profiteert niet van de voordelen van versleuteling en kunt deze later niet uitschakelen. Het versleutelen van berichten in een openbare ruimte zal het ontvangen en verzenden van berichten langzamer maken.", "<b>It's not recommended to add encryption to public rooms.</b> Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.": "<b>Het wordt niet aanbevolen om versleuteling toe te voegen aan openbare ruimten.</b> Iedereen kan openbare ruimten vinden en er lid van worden, dus iedereen kan berichten erin lezen. Je profiteert niet van de voordelen van versleuteling en kunt deze later niet uitschakelen. Het versleutelen van berichten in een openbare ruimte zal het ontvangen en verzenden van berichten langzamer maken.",
@ -3261,10 +3136,8 @@
"Sessions": "Sessies", "Sessions": "Sessies",
"Your server doesn't support disabling sending read receipts.": "Jouw server biedt geen ondersteuning voor het uitschakelen van het verzenden van leesbevestigingen.", "Your server doesn't support disabling sending read receipts.": "Jouw server biedt geen ondersteuning voor het uitschakelen van het verzenden van leesbevestigingen.",
"Share your activity and status with others.": "Deel je activiteit en status met anderen.", "Share your activity and status with others.": "Deel je activiteit en status met anderen.",
"Welcome": "Welkom",
"Dont miss a thing by taking %(brand)s with you": "Mis niets door %(brand)s mee te nemen", "Dont miss a thing by taking %(brand)s with you": "Mis niets door %(brand)s mee te nemen",
"Show shortcut to welcome checklist above the room list": "Toon snelkoppeling naar welkomstchecklist boven de kamer gids", "Show shortcut to welcome checklist above the room list": "Toon snelkoppeling naar welkomstchecklist boven de kamer gids",
"Send read receipts": "Stuur leesbevestigingen",
"Empty room (was %(oldName)s)": "Lege ruimte (was %(oldName)s)", "Empty room (was %(oldName)s)": "Lege ruimte (was %(oldName)s)",
"Inviting %(user)s and %(count)s others": { "Inviting %(user)s and %(count)s others": {
"one": "%(user)s en 1 andere uitnodigen", "one": "%(user)s en 1 andere uitnodigen",
@ -3338,10 +3211,7 @@
"Toggle push notifications on this session.": "Schakel pushmeldingen in voor deze sessie.", "Toggle push notifications on this session.": "Schakel pushmeldingen in voor deze sessie.",
"Browser": "Browser", "Browser": "Browser",
"Operating system": "Besturingssysteem", "Operating system": "Besturingssysteem",
"Model": "Model",
"URL": "URL", "URL": "URL",
"Version": "Versie",
"Application": "Toepassing",
"This provides them with confidence that they are really speaking to you, but it also means they can see the session name you enter here.": "Dit geeft ze het vertrouwen dat ze echt met u praten, maar het betekent ook dat ze de sessienaam kunnen zien die u hier invoert.", "This provides them with confidence that they are really speaking to you, but it also means they can see the session name you enter here.": "Dit geeft ze het vertrouwen dat ze echt met u praten, maar het betekent ook dat ze de sessienaam kunnen zien die u hier invoert.",
"Other users in direct messages and rooms that you join are able to view a full list of your sessions.": "Andere gebruikers in privéchats en chatruimten waaraan u deelneemt, kunnen een volledige lijst van uw sessies bekijken.", "Other users in direct messages and rooms that you join are able to view a full list of your sessions.": "Andere gebruikers in privéchats en chatruimten waaraan u deelneemt, kunnen een volledige lijst van uw sessies bekijken.",
"Renaming sessions": "Sessies hernoemen", "Renaming sessions": "Sessies hernoemen",
@ -3428,21 +3298,38 @@
"beta": "Beta", "beta": "Beta",
"attachment": "Bijlage", "attachment": "Bijlage",
"appearance": "Weergave", "appearance": "Weergave",
"guest": "Gast",
"legal": "Juridisch",
"credits": "Met dank aan",
"faq": "FAQ",
"access_token": "Toegangstoken",
"preferences": "Voorkeuren",
"presence": "Aanwezigheid",
"timeline": "Tijdslijn", "timeline": "Tijdslijn",
"privacy": "Privacy",
"camera": "Camera",
"microphone": "Microfoon",
"emoji": "Emoji",
"random": "Willekeurig",
"support": "Ondersteuning", "support": "Ondersteuning",
"space": "Space" "space": "Space",
"random": "Willekeurig",
"privacy": "Privacy",
"presence": "Aanwezigheid",
"preferences": "Voorkeuren",
"microphone": "Microfoon",
"legal": "Juridisch",
"guest": "Gast",
"faq": "FAQ",
"emoji": "Emoji",
"credits": "Met dank aan",
"camera": "Camera",
"access_token": "Toegangstoken",
"someone": "Iemand",
"welcome": "Welkom",
"encrypted": "Versleuteld",
"application": "Toepassing",
"version": "Versie",
"device": "Apparaat",
"model": "Model",
"verified": "Geverifieerd",
"unverified": "Niet geverifieerd",
"matrix": "Matrix",
"ios": "iOS",
"android": "Android",
"trusted": "Vertrouwd",
"not_trusted": "Niet vertrouwd",
"accessibility": "Toegankelijkheid",
"capabilities": "Mogelijkheden",
"server": "Server"
}, },
"action": { "action": {
"continue": "Doorgaan", "continue": "Doorgaan",
@ -3513,22 +3400,33 @@
"back": "Terug", "back": "Terug",
"add": "Toevoegen", "add": "Toevoegen",
"accept": "Aannemen", "accept": "Aannemen",
"disconnect": "Verbinding verbreken",
"change": "Wijzigen",
"subscribe": "Abonneren",
"unsubscribe": "Abonnement opzeggen",
"approve": "Goedkeuren",
"complete": "Voltooien",
"revoke": "Intrekken",
"rename": "Hernoemen",
"view_all": "Bekijk alles", "view_all": "Bekijk alles",
"unsubscribe": "Abonnement opzeggen",
"subscribe": "Abonneren",
"show_all": "Alles tonen", "show_all": "Alles tonen",
"show": "Toon", "show": "Toon",
"revoke": "Intrekken",
"review": "Controleer", "review": "Controleer",
"restore": "Herstellen", "restore": "Herstellen",
"rename": "Hernoemen",
"register": "Registreren",
"play": "Afspelen", "play": "Afspelen",
"pause": "Pauze", "pause": "Pauze",
"register": "Registreren" "disconnect": "Verbinding verbreken",
"complete": "Voltooien",
"change": "Wijzigen",
"approve": "Goedkeuren",
"manage": "Beheren",
"go": "Start",
"import": "Inlezen",
"export": "Wegschrijven",
"refresh": "Herladen",
"minimise": "Minimaliseren",
"maximise": "Maximaliseren",
"mention": "Vermelden",
"submit": "Bevestigen",
"send_report": "Rapport versturen",
"clear": "Wis"
}, },
"a11y": { "a11y": {
"user_menu": "Persoonsmenu" "user_menu": "Persoonsmenu"
@ -3583,8 +3481,8 @@
"restricted": "Beperkte toegang", "restricted": "Beperkte toegang",
"moderator": "Moderator", "moderator": "Moderator",
"admin": "Beheerder", "admin": "Beheerder",
"custom": "Aangepast (%(level)s)", "mod": "Mod",
"mod": "Mod" "custom": "Aangepast (%(level)s)"
}, },
"bug_reporting": { "bug_reporting": {
"introduction": "Als je een bug via GitHub hebt ingediend, kunnen foutopsporingslogboeken ons helpen het probleem op te sporen. ", "introduction": "Als je een bug via GitHub hebt ingediend, kunnen foutopsporingslogboeken ons helpen het probleem op te sporen. ",
@ -3604,6 +3502,114 @@
"short_days": "%(value)sd", "short_days": "%(value)sd",
"short_hours": "%(value)sh", "short_hours": "%(value)sh",
"short_minutes": "%(value)sm", "short_minutes": "%(value)sm",
"short_seconds": "%(value)ss" "short_seconds": "%(value)ss",
"last_week": "Vorige week",
"last_month": "Vorige maand"
},
"onboarding": {
"personal_messaging_title": "Veilig berichten versturen voor vrienden en familie",
"free_e2ee_messaging_unlimited_voip": "Met gratis eind-tot-eind versleutelde berichten en onbeperkte spraak- en video-oproepen, is %(brand)s een geweldige manier om in contact te blijven.",
"personal_messaging_action": "Start je eerste chat",
"work_messaging_title": "Veilig berichten versturen voor werk",
"work_messaging_action": "Vind je collega's",
"community_messaging_title": "Gemeenschapseigendom",
"community_messaging_action": "Vind je mensen",
"welcome_to_brand": "Welkom bij %(brand)s",
"only_n_steps_to_go": {
"one": "Nog maar %(count)s stap te gaan",
"other": "Nog maar %(count)s stappen te gaan"
},
"you_did_it": "Het is je gelukt!",
"complete_these": "Voltooi deze om het meeste uit %(brand)s te halen",
"community_messaging_description": "Houd het eigendom en de controle over de discussie in de gemeenschap.\nSchaal om miljoenen te ondersteunen, met krachtige beheersbaarheid en interoperabiliteit."
},
"devtools": {
"send_custom_account_data_event": "Aangepaste accountgegevens gebeurtenis versturen",
"send_custom_room_account_data_event": "Gegevensgebeurtenis van aangepaste kamer account versturen",
"event_type": "Gebeurtenistype",
"state_key": "Toestandssleutel",
"invalid_json": "Lijkt niet op geldige JSON.",
"failed_to_send": "Kan gebeurtenis niet versturen!",
"event_sent": "Gebeurtenis verstuurd!",
"event_content": "Gebeurtenisinhoud",
"spaces": {
"one": "<space>",
"other": "<%(count)s spaces>"
},
"empty_string": "<empty string>",
"send_custom_state_event": "Aangepaste statusgebeurtenis versturen",
"failed_to_load": "Laden mislukt.",
"client_versions": "cliëntversies",
"server_versions": "Serverversies",
"number_of_users": "Aantal personen",
"failed_to_save": "Kan instellingen niet opslaan.",
"save_setting_values": "Instelling waardes opslaan",
"setting_colon": "Instelling:",
"caution_colon": "Opgelet:",
"use_at_own_risk": "De UI heeft GEEN controle op het type van de waardes. Gebruik op eigen risico.",
"setting_definition": "Instelling definitie:",
"level": "Niveau",
"settable_global": "Instelbaar op globaal",
"settable_room": "Instelbaar per kamer",
"values_explicit": "Waardes op expliciete niveaus",
"values_explicit_room": "Waardes op expliciete niveaus in deze kamer",
"edit_values": "Bewerk waarden",
"value_colon": "Waarde:",
"value_this_room_colon": "Waarde in deze kamer:",
"values_explicit_colon": "Waardes op expliciete niveaus:",
"values_explicit_this_room_colon": "Waarde op expliciete niveaus in deze kamer:",
"setting_id": "Instellingen-ID",
"value": "Waarde",
"value_in_this_room": "Waarde van deze kamer",
"edit_setting": "Instelling bewerken",
"phase_requested": "Aangevraagd",
"phase_ready": "Gereed",
"phase_started": "Begonnen",
"phase_cancelled": "Geannuleerd",
"phase_transaction": "Transactie",
"phase": "Fase",
"timeout": "Time-out",
"methods": "Methoden",
"requester": "Aanvrager",
"observe_only": "Alleen observeren",
"no_verification_requests_found": "Geen verificatieverzoeken gevonden",
"failed_to_find_widget": "Er is een fout opgetreden bij het vinden van deze widget."
},
"settings": {
"show_breadcrumbs": "Snelkoppelingen naar de kamers die je recent hebt bekeken bovenaan de kamerlijst weergeven",
"all_rooms_home_description": "Alle kamers waar je in bent zullen in Home verschijnen.",
"use_command_f_search": "Gebruik Command + F om te zoeken in de tijdlijn",
"use_control_f_search": "Gebruik Ctrl +F om te zoeken in de tijdlijn",
"use_12_hour_format": "Tijd in 12-uursformaat tonen (bv. 2:30pm)",
"always_show_message_timestamps": "Altijd tijdstempels van berichten tonen",
"send_read_receipts": "Stuur leesbevestigingen",
"send_typing_notifications": "Typmeldingen versturen",
"replace_plain_emoji": "Tekst automatisch vervangen door emoji",
"enable_markdown": "Markdown inschakelen",
"emoji_autocomplete": "Emoticons voorstellen tijdens het typen",
"use_command_enter_send_message": "Gebruik Command (⌘) + Enter om een bericht te sturen",
"use_control_enter_send_message": "Gebruik Ctrl + Enter om een bericht te sturen",
"all_rooms_home": "Alle kamers in Home tonen",
"show_stickers_button": "Stickers-knop tonen",
"insert_trailing_colon_mentions": "Voeg een dubbele punt in nadat de persoon het aan het begin van een bericht heeft vermeld",
"automatic_language_detection_syntax_highlight": "Automatische taaldetectie voor zinsbouwmarkeringen inschakelen",
"code_block_expand_default": "Standaard codeblokken uitvouwen",
"code_block_line_numbers": "Regelnummers in codeblokken tonen",
"inline_url_previews_default": "Inline URL-voorvertoning standaard inschakelen",
"autoplay_gifs": "GIF's automatisch afspelen",
"autoplay_videos": "Videos automatisch afspelen",
"image_thumbnails": "Miniaturen voor afbeeldingen tonen",
"show_typing_notifications": "Typmeldingen weergeven",
"show_redaction_placeholder": "Verwijderde berichten vulling tonen",
"show_read_receipts": "Door andere personen verstuurde leesbevestigingen tonen",
"show_join_leave": "Toon deelname/laat berichten (uitnodigingen/verwijderingen/bans onaangetast)",
"show_displayname_changes": "Veranderingen van weergavenamen tonen",
"show_chat_effects": "Effecten tonen (animaties bij ontvangst bijv. confetti)",
"big_emoji": "Grote emoji in kamers inschakelen",
"jump_to_bottom_on_send": "Naar de onderkant van de tijdlijn springen wanneer je een bericht verstuurd",
"prompt_invite": "Uitnodigingen naar mogelijk ongeldige Matrix-IDs bevestigen",
"hardware_acceleration": "Schakel hardwareversnelling in (start %(appName)s opnieuw op)",
"start_automatically": "Automatisch starten na systeemlogin",
"warn_quit": "Waarschuwen voordat je afsluit"
} }
} }

View file

@ -74,7 +74,6 @@
"%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s fjerna romnamnet.", "%(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 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.", "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s sende eit bilete.",
"Someone": "Nokon",
"%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s inviterte %(targetDisplayName)s til å bli med i rommet.", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s inviterte %(targetDisplayName)s til å bli med i 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 rommedlemmar frå då dei vart invitert.", "%(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 rommedlemmar frå då dei vart invitert.",
"%(senderName)s made future room history visible to all room members, from the point they joined.": "%(senderName)s gjorde slik at framtidig romhistorie er tilgjengeleg for alle rommedlemmar frå då dei kom inn.", "%(senderName)s made future room history visible to all room members, from the point they joined.": "%(senderName)s gjorde slik at framtidig romhistorie er tilgjengeleg for alle rommedlemmar frå då dei kom inn.",
@ -94,9 +93,6 @@
"Your browser does not support the required cryptography extensions": "Nettlesaren din støttar ikkje dei naudsynte kryptografiske utvidingane", "Your browser does not support the required cryptography extensions": "Nettlesaren din støttar ikkje dei naudsynte kryptografiske utvidingane",
"Not a valid %(brand)s keyfile": "Ikkje ei gyldig %(brand)s-nykelfil", "Not a valid %(brand)s keyfile": "Ikkje ei gyldig %(brand)s-nykelfil",
"Authentication check failed: incorrect password?": "Authentiseringsforsøk mislukkast: feil passord?", "Authentication check failed: incorrect password?": "Authentiseringsforsøk mislukkast: feil passord?",
"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",
"Automatically replace plain text Emoji": "Erstatt Emojiar i klartekst av seg sjølv",
"Mirror local video feed": "Spegl den lokale videofeeden", "Mirror local video feed": "Spegl den lokale videofeeden",
"Send analytics data": "Send statistikkdata", "Send analytics data": "Send statistikkdata",
"Enable URL previews for this room (only affects you)": "Skru URL-førehandsvisingar på for dette rommet (påverkar deg åleine)", "Enable URL previews for this room (only affects you)": "Skru URL-førehandsvisingar på for dette rommet (påverkar deg åleine)",
@ -112,7 +108,6 @@
"Call invitation": "Samtaleinvitasjonar", "Call invitation": "Samtaleinvitasjonar",
"Messages sent by bot": "Meldingar sendt frå ein bot", "Messages sent by bot": "Meldingar sendt frå ein bot",
"Incorrect verification code": "Urett stadfestingskode", "Incorrect verification code": "Urett stadfestingskode",
"Submit": "Send inn",
"Phone": "Telefon", "Phone": "Telefon",
"No display name": "Ingen visningsnamn", "No display name": "Ingen visningsnamn",
"New passwords don't match": "Dei nye passorda samsvarar ikkje", "New passwords don't match": "Dei nye passorda samsvarar ikkje",
@ -142,8 +137,6 @@
"You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Du kan ikkje angre denne endringa, fordi brukaren du forfremmar vil få same tilgangsnivå som du har no.", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Du kan ikkje angre denne endringa, fordi brukaren du forfremmar vil få same tilgangsnivå som du har no.",
"Are you sure?": "Er du sikker?", "Are you sure?": "Er du sikker?",
"Unignore": "Slutt å ignorer", "Unignore": "Slutt å ignorer",
"Mention": "Nemn",
"Enable inline URL previews by default": "Skru URL-førehandsvising i tekstfeltet på",
"Share Link to User": "Del ei lenke til brukaren", "Share Link to User": "Del ei lenke til brukaren",
"Admin Tools": "Administratorverktøy", "Admin Tools": "Administratorverktøy",
"and %(count)s others...": { "and %(count)s others...": {
@ -356,15 +349,11 @@
"Unknown error": "Noko ukjend gjekk galt", "Unknown error": "Noko ukjend gjekk galt",
"Incorrect password": "Urett passord", "Incorrect password": "Urett passord",
"Deactivate Account": "Avliv Brukaren", "Deactivate Account": "Avliv Brukaren",
"Event sent!": "Hending send!",
"Event Type": "Hendingsort",
"Event Content": "Hendingsinnhald",
"Toolbox": "Verktøykasse", "Toolbox": "Verktøykasse",
"Developer Tools": "Utviklarverktøy", "Developer Tools": "Utviklarverktøy",
"An error has occurred.": "Noko gjekk gale.", "An error has occurred.": "Noko gjekk gale.",
"Clear Storage and Sign Out": "Tøm Lager og Logg Ut", "Clear Storage and Sign Out": "Tøm Lager og Logg Ut",
"Send Logs": "Send Loggar", "Send Logs": "Send Loggar",
"Refresh": "Hent fram på nytt",
"Unable to restore session": "Kunne ikkje henta øykta fram att", "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.", "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 %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Viss du har tidligare brukt ein nyare versjon av %(brand)s, kan økts-data vere inkompatibel med denne versjonen. Lukk dette vindauget og bytt til ein nyare versjon.", "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Viss du har tidligare brukt ein nyare versjon av %(brand)s, kan økts-data vere inkompatibel med denne versjonen. Lukk dette vindauget og bytt til ein nyare versjon.",
@ -426,7 +415,6 @@
"Cryptography": "Kryptografi", "Cryptography": "Kryptografi",
"Check for update": "Sjå etter oppdateringar", "Check for update": "Sjå etter oppdateringar",
"Reject all %(invitedRooms)s invites": "Kanseller alle invitasjonar frå %(invitedRooms)s", "Reject all %(invitedRooms)s invites": "Kanseller alle invitasjonar frå %(invitedRooms)s",
"Start automatically after system login": "Start automatisk etter systeminnlogging",
"No media permissions": "Ingen mediatilgang", "No media permissions": "Ingen mediatilgang",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Det kan henda at du må gje %(brand)s tilgang til mikrofonen/nettkameraet for hand", "You may need to manually permit %(brand)s to access your microphone/webcam": "Det kan henda at du må gje %(brand)s tilgang til mikrofonen/nettkameraet for hand",
"No Audio Outputs detected": "Ingen ljodavspelingseiningar funne", "No Audio Outputs detected": "Ingen ljodavspelingseiningar funne",
@ -455,7 +443,6 @@
"Passphrase must not be empty": "Passfrasefeltet kan ikkje stå tomt", "Passphrase must not be empty": "Passfrasefeltet kan ikkje stå tomt",
"Enter passphrase": "Skriv inn passfrase", "Enter passphrase": "Skriv inn passfrase",
"Confirm passphrase": "Stadfest passfrase", "Confirm passphrase": "Stadfest passfrase",
"Enable automatic language detection for syntax highlighting": "Skru automatisk måloppdaging på for syntax-understreking",
"Export E2E room keys": "Hent E2E-romnøklar ut", "Export E2E room keys": "Hent E2E-romnøklar ut",
"Jump to read receipt": "Hopp til lesen-lappen", "Jump to read receipt": "Hopp til lesen-lappen",
"Filter room members": "Filtrer rommedlemmar", "Filter room members": "Filtrer rommedlemmar",
@ -468,15 +455,12 @@
"%(nameList)s %(transitionList)s": "%(nameList)s %(transitionList)s", "%(nameList)s %(transitionList)s": "%(nameList)s %(transitionList)s",
"Custom level": "Tilpassa nivå", "Custom level": "Tilpassa nivå",
"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.", "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.",
"State Key": "Tilstandsnykel",
"Filter results": "Filtrer resultat", "Filter results": "Filtrer resultat",
"Server may be unavailable, overloaded, or search timed out :(": "Tenaren er kanskje utilgjengeleg, overlasta, elles så vart søket tidsavbrote :(", "Server may be unavailable, overloaded, or search timed out :(": "Tenaren er kanskje utilgjengeleg, overlasta, elles så vart søket tidsavbrote :(",
"Profile": "Brukar", "Profile": "Brukar",
"Export room keys": "Eksporter romnøklar", "Export room keys": "Eksporter romnøklar",
"Export": "Eksporter",
"Import room keys": "Importer romnøklar", "Import room keys": "Importer romnøklar",
"File to import": "Fil til import", "File to import": "Fil til import",
"Import": "Importer",
"Failed to remove tag %(tagName)s from room": "Fekk ikkje til å fjerna merket %(tagName)s frå rommet", "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", "Failed to add tag %(tagName)s to room": "Fekk ikkje til å leggja merket %(tagName)s til i rommet",
"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 nøklane for meldingar du har sendt i krypterte rom ut til ei lokal fil. Då kan du importera fila i ein annan Matrix-klient i framtida, slik at den klienten òg kan dekryptera meldingane.", "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 nøklane for meldingar du har sendt i krypterte rom ut til ei lokal fil. Då kan du importera fila i ein annan Matrix-klient i framtida, slik at den klienten òg kan dekryptera meldingane.",
@ -599,7 +583,6 @@
"Sends the given emote coloured as a rainbow": "Sendar emojien med regnbogefargar", "Sends the given emote coloured as a rainbow": "Sendar emojien med regnbogefargar",
"You do not have permission to invite people to this room.": "Du har ikkje lov til å invitera andre til dette rommet.", "You do not have permission to invite people to this room.": "Du har ikkje lov til å invitera andre til dette rommet.",
"The user must be unbanned before they can be invited.": "Blokkeringa av brukaren må fjernast før dei kan bli inviterte.", "The user must be unbanned before they can be invited.": "Blokkeringa av brukaren må fjernast før dei kan bli inviterte.",
"Prompt before sending invites to potentially invalid matrix IDs": "Spør før utsending av invitasjonar til potensielle ugyldige Matrix-IDar",
"Disconnecting from your identity server will mean you won't be discoverable by other users and you won't be able to invite others by email or phone.": "Ved å fjerne koplinga mot din identitetstenar, vil ikkje brukaren din bli oppdaga av andre brukarar, og du kan heller ikkje invitera andre med e-post eller telefonnummer.", "Disconnecting from your identity server will mean you won't be discoverable by other users and you won't be able to invite others by email or phone.": "Ved å fjerne koplinga mot din identitetstenar, vil ikkje brukaren din bli oppdaga av andre brukarar, og du kan heller ikkje invitera andre med e-post eller telefonnummer.",
"Using an identity server is optional. If you choose not to use an identity server, you won't be discoverable by other users and you won't be able to invite others by email or phone.": "Å bruka ein identitetstenar er frivillig. Om du vel å ikkje bruka dette, vil ikkje brukaren din bli oppdaga av andre brukarar, og du kan ikkje invitera andre med e-post eller telefonnummer.", "Using an identity server is optional. If you choose not to use an identity server, you won't be discoverable by other users and you won't be able to invite others by email or phone.": "Å bruka ein identitetstenar er frivillig. Om du vel å ikkje bruka dette, vil ikkje brukaren din bli oppdaga av andre brukarar, og du kan ikkje invitera andre med e-post eller telefonnummer.",
"Error downloading theme information.": "Feil under nedlasting av temainformasjon.", "Error downloading theme information.": "Feil under nedlasting av temainformasjon.",
@ -687,9 +670,7 @@
"Room avatar": "Rom-avatar", "Room avatar": "Rom-avatar",
"Power level": "Tilgangsnivå", "Power level": "Tilgangsnivå",
"Voice & Video": "Tale og video", "Voice & Video": "Tale og video",
"Show display name changes": "Vis endringar for visningsnamn",
"Match system theme": "Følg systemtema", "Match system theme": "Følg systemtema",
"Show shortcuts to recently viewed rooms above the room list": "Vis snarvegar til sist synte rom over romkatalogen",
"Show hidden events in timeline": "Vis skjulte hendelsar i historikken", "Show hidden events in timeline": "Vis skjulte hendelsar i historikken",
"This is your list of users/servers you have blocked - don't leave the room!": "Dette er di liste over brukarar/tenarar du har blokkert - ikkje forlat rommet!", "This is your list of users/servers you have blocked - don't leave the room!": "Dette er di liste over brukarar/tenarar du har blokkert - ikkje forlat rommet!",
"Show less": "Vis mindre", "Show less": "Vis mindre",
@ -737,13 +718,6 @@
"one": "%(names)s og ein annan skriv…" "one": "%(names)s og ein annan skriv…"
}, },
"%(names)s and %(lastPerson)s are typing …": "%(names)s og %(lastPerson)s skriv…", "%(names)s and %(lastPerson)s are typing …": "%(names)s og %(lastPerson)s skriv…",
"Enable Emoji suggestions while typing": "Aktiver Emoji-forslag under skriving",
"Show a placeholder for removed messages": "Vis ein plassholdar for sletta meldingar",
"Show read receipts sent by other users": "Vis lese-rapportar sendt av andre brukarar",
"Enable big emoji in chat": "Aktiver store emolji-ar i samtalen",
"Send typing notifications": "Kringkast \"skriv...\"-status til andre",
"Show typing notifications": "Vis \"skriv...\"-status frå andre",
"Show previews/thumbnails for images": "Vis førehandsvisningar/thumbnails for bilete",
"Manually verify all remote sessions": "Manuelt verifiser alle eksterne økter", "Manually verify all remote sessions": "Manuelt verifiser alle eksterne økter",
"Messages containing my username": "Meldingar som inneheld mitt brukarnamn", "Messages containing my username": "Meldingar som inneheld mitt brukarnamn",
"Messages containing @room": "Meldingar som inneheld @room", "Messages containing @room": "Meldingar som inneheld @room",
@ -821,7 +795,6 @@
"Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Tenaradministratoren din har deaktivert ende-til-ende kryptering som standard i direktemeldingar og private rom.", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Tenaradministratoren din har deaktivert ende-til-ende kryptering som standard i direktemeldingar og private rom.",
"Set a new custom sound": "Set ein ny tilpassa lyd", "Set a new custom sound": "Set ein ny tilpassa lyd",
"Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. <a>Learn more about encryption.</a>": "Når kryptering er aktivert for eit rom, kan ein ikkje deaktivere det. Meldingar som blir sende i eit kryptert rom kan ikkje bli lesne av tenaren, men berre av deltakarane i rommet. Aktivering av kryptering kan hindre mange botar og bruer frå å fungera på rett måte. <a>Les meir om kryptering her.</a>", "Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. <a>Learn more about encryption.</a>": "Når kryptering er aktivert for eit rom, kan ein ikkje deaktivere det. Meldingar som blir sende i eit kryptert rom kan ikkje bli lesne av tenaren, men berre av deltakarane i rommet. Aktivering av kryptering kan hindre mange botar og bruer frå å fungera på rett måte. <a>Les meir om kryptering her.</a>",
"Encrypted": "Kryptert",
"This room is end-to-end encrypted": "Dette rommet er ende-til-ende kryptert", "This room is end-to-end encrypted": "Dette rommet er ende-til-ende kryptert",
"Encrypted by an unverified session": "Kryptert av ein ikkje-verifisert sesjon", "Encrypted by an unverified session": "Kryptert av ein ikkje-verifisert sesjon",
"Encrypted by a deleted session": "Kryptert av ein sletta sesjon", "Encrypted by a deleted session": "Kryptert av ein sletta sesjon",
@ -829,7 +802,6 @@
"Messages in this room are not end-to-end encrypted.": "Meldingar i dette rommet er ikkje ende-til-ende kryptert.", "Messages in this room are not end-to-end encrypted.": "Meldingar i dette rommet er ikkje ende-til-ende kryptert.",
"In encrypted rooms, your messages are secured and only you and the recipient have the unique keys to unlock them.": "Når du nyttar krypterte rom er meldingane din sikra. Berre du og mottakaren har unike nøklar som kan gjere meldingane lesbare.", "In encrypted rooms, your messages are secured and only you and the recipient have the unique keys to unlock them.": "Når du nyttar krypterte rom er meldingane din sikra. Berre du og mottakaren har unike nøklar som kan gjere meldingane lesbare.",
"This client does not support end-to-end encryption.": "Denne klienten støttar ikkje ende-til-ende kryptering.", "This client does not support end-to-end encryption.": "Denne klienten støttar ikkje ende-til-ende kryptering.",
"Matrix": "Matrix",
"Add a new server": "Legg til ein ny tenar", "Add a new server": "Legg til ein ny tenar",
"Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "Tømming av data frå denne sesjonen er permanent. Krypterte meldingar vil gå tapt med mindre krypteringsnøklane har blitt sikkerheitskopierte.", "Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "Tømming av data frå denne sesjonen er permanent. Krypterte meldingar vil gå tapt med mindre krypteringsnøklane har blitt sikkerheitskopierte.",
"Enable end-to-end encryption": "Skru på ende-til-ende kryptering", "Enable end-to-end encryption": "Skru på ende-til-ende kryptering",
@ -846,7 +818,6 @@
"Delete Backup": "Slett sikkerheitskopi", "Delete Backup": "Slett sikkerheitskopi",
"Restore from Backup": "Gjenopprett frå sikkerheitskopi", "Restore from Backup": "Gjenopprett frå sikkerheitskopi",
"Encryption": "Kryptografi", "Encryption": "Kryptografi",
"Use Ctrl + Enter to send a message": "Bruk Ctrl + Enter for å sende meldingar",
"Set the name of a font installed on your system & %(brand)s will attempt to use it.": "Skriv namnet på skrifttypen(fonten) og %(brand)s forsøka å henta den frå operativsystemet.", "Set the name of a font installed on your system & %(brand)s will attempt to use it.": "Skriv namnet på skrifttypen(fonten) og %(brand)s forsøka å henta den frå operativsystemet.",
"Use a system font": "Bruk tilpassa skrifttype henta frå operativsystemet", "Use a system font": "Bruk tilpassa skrifttype henta frå operativsystemet",
"System font name": "Namn på skrifttype", "System font name": "Namn på skrifttype",
@ -927,8 +898,6 @@
"IRC (Experimental)": "IRC (eksperimentell)", "IRC (Experimental)": "IRC (eksperimentell)",
"Keyboard shortcuts": "Tastatursnarvegar", "Keyboard shortcuts": "Tastatursnarvegar",
"Keyboard": "Tastatur", "Keyboard": "Tastatur",
"Use Ctrl + F to search timeline": "Bruk Ctrl + F for å søka på tidslinja",
"Use Command + F to search timeline": "Bruk Command + F for å søka på tidslinja",
"Image size in the timeline": "Storleik for bilete på tidslinja", "Image size in the timeline": "Storleik for bilete på tidslinja",
"Large": "Stor", "Large": "Stor",
"Use between %(min)s pt and %(max)s pt": "Må vere mellom %(min)s og %(max)s punkt", "Use between %(min)s pt and %(max)s pt": "Må vere mellom %(min)s og %(max)s punkt",
@ -940,18 +909,12 @@
"Review to ensure your account is safe": "Undersøk dette for å gjere kontoen trygg", "Review to ensure your account is safe": "Undersøk dette for å gjere kontoen trygg",
"Results are only revealed when you end the poll": "Resultatet blir synleg når du avsluttar røystinga", "Results are only revealed when you end the poll": "Resultatet blir synleg når du avsluttar røystinga",
"Results will be visible when the poll is ended": "Resultata vil bli synlege når røystinga er ferdig", "Results will be visible when the poll is ended": "Resultata vil bli synlege når røystinga er ferdig",
"Enable Markdown": "Aktiver Markdown",
"Hide sidebar": "Gøym sidestolpen", "Hide sidebar": "Gøym sidestolpen",
"Show sidebar": "Vis sidestolpen", "Show sidebar": "Vis sidestolpen",
"Close sidebar": "Lat att sidestolpen", "Close sidebar": "Lat att sidestolpen",
"Sidebar": "Sidestolpe", "Sidebar": "Sidestolpe",
"Jump to the bottom of the timeline when you send a message": "Hopp til botn av tidslinja når du sender ei melding",
"Autoplay videos": "Spel av video automatisk",
"Autoplay GIFs": "Spel av GIF-ar automatisk",
"Expand map": "Utvid kart", "Expand map": "Utvid kart",
"Expand quotes": "Utvid sitat", "Expand quotes": "Utvid sitat",
"Expand code blocks by default": "Utvid kodeblokker til vanleg",
"All rooms you're in will appear in Home.": "Alle romma du er i vil vere synlege i Heim.",
"To view all keyboard shortcuts, <a>click here</a>.": "For å sjå alle tastatursnarvegane, <a>klikk her</a>.", "To view all keyboard shortcuts, <a>click here</a>.": "For å sjå alle tastatursnarvegane, <a>klikk her</a>.",
"Deactivate account": "Avliv brukarkontoen", "Deactivate account": "Avliv brukarkontoen",
"Enter a new identity server": "Skriv inn ein ny identitetstenar", "Enter a new identity server": "Skriv inn ein ny identitetstenar",
@ -1027,7 +990,10 @@
"privacy": "Personvern", "privacy": "Personvern",
"camera": "Kamera", "camera": "Kamera",
"microphone": "Ljodopptaking", "microphone": "Ljodopptaking",
"emoji": "Emoji" "emoji": "Emoji",
"someone": "Nokon",
"encrypted": "Kryptert",
"matrix": "Matrix"
}, },
"action": { "action": {
"continue": "Fortset", "continue": "Fortset",
@ -1076,7 +1042,12 @@
"accept": "Sei ja", "accept": "Sei ja",
"rename": "Endra namn", "rename": "Endra namn",
"review": "Undersøk", "review": "Undersøk",
"register": "Meld deg inn" "register": "Meld deg inn",
"import": "Importer",
"export": "Eksporter",
"refresh": "Hent fram på nytt",
"mention": "Nemn",
"submit": "Send inn"
}, },
"labs": { "labs": {
"pinning": "Meldingsfesting", "pinning": "Meldingsfesting",
@ -1116,5 +1087,38 @@
"short_days_hours_minutes_seconds": "%(days)sd %(hours)st %(minutes)sm %(seconds)ss", "short_days_hours_minutes_seconds": "%(days)sd %(hours)st %(minutes)sm %(seconds)ss",
"short_hours_minutes_seconds": "%(hours)st %(minutes)sm %(seconds)ss", "short_hours_minutes_seconds": "%(hours)st %(minutes)sm %(seconds)ss",
"short_minutes_seconds": "%(minutes)sm %(seconds)ss" "short_minutes_seconds": "%(minutes)sm %(seconds)ss"
},
"devtools": {
"event_type": "Hendingsort",
"state_key": "Tilstandsnykel",
"event_sent": "Hending send!",
"event_content": "Hendingsinnhald"
},
"settings": {
"show_breadcrumbs": "Vis snarvegar til sist synte rom over romkatalogen",
"all_rooms_home_description": "Alle romma du er i vil vere synlege i Heim.",
"use_command_f_search": "Bruk Command + F for å søka på tidslinja",
"use_control_f_search": "Bruk Ctrl + F for å søka på tidslinja",
"use_12_hour_format": "Vis tidspunkt i 12-timarsform (t.d. 2:30pm)",
"always_show_message_timestamps": "Vis alltid meldingstidspunkt",
"send_typing_notifications": "Kringkast \"skriv...\"-status til andre",
"replace_plain_emoji": "Erstatt Emojiar i klartekst av seg sjølv",
"enable_markdown": "Aktiver Markdown",
"emoji_autocomplete": "Aktiver Emoji-forslag under skriving",
"use_control_enter_send_message": "Bruk Ctrl + Enter for å sende meldingar",
"automatic_language_detection_syntax_highlight": "Skru automatisk måloppdaging på for syntax-understreking",
"code_block_expand_default": "Utvid kodeblokker til vanleg",
"inline_url_previews_default": "Skru URL-førehandsvising i tekstfeltet på",
"autoplay_gifs": "Spel av GIF-ar automatisk",
"autoplay_videos": "Spel av video automatisk",
"image_thumbnails": "Vis førehandsvisningar/thumbnails for bilete",
"show_typing_notifications": "Vis \"skriv...\"-status frå andre",
"show_redaction_placeholder": "Vis ein plassholdar for sletta meldingar",
"show_read_receipts": "Vis lese-rapportar sendt av andre brukarar",
"show_displayname_changes": "Vis endringar for visningsnamn",
"big_emoji": "Aktiver store emolji-ar i samtalen",
"jump_to_bottom_on_send": "Hopp til botn av tidslinja når du sender ei melding",
"prompt_invite": "Spør før utsending av invitasjonar til potensielle ugyldige Matrix-IDar",
"start_automatically": "Start automatisk etter systeminnlogging"
} }
} }

View file

@ -99,7 +99,6 @@
"not found": "pas trobat", "not found": "pas trobat",
"exists": "existís", "exists": "existís",
"Authentication": "Autentificacion", "Authentication": "Autentificacion",
"Manage": "Manage",
"Restore from Backup": "Restablir a partir de l'archiu", "Restore from Backup": "Restablir a partir de l'archiu",
"Off": "Atudat", "Off": "Atudat",
"Display Name": "Nom d'afichatge", "Display Name": "Nom d'afichatge",
@ -117,7 +116,6 @@
"Unban": "Reabilitar", "Unban": "Reabilitar",
"Permissions": "Permissions", "Permissions": "Permissions",
"Encryption": "Chiframent", "Encryption": "Chiframent",
"Encrypted": "Chifrat",
"Phone Number": "Numèro de telefòn", "Phone Number": "Numèro de telefòn",
"Unencrypted": "Pas chifrat", "Unencrypted": "Pas chifrat",
"Hangup": "Penjar", "Hangup": "Penjar",
@ -131,8 +129,6 @@
"Favourite": "Favorit", "Favourite": "Favorit",
"Low Priority": "Prioritat bassa", "Low Priority": "Prioritat bassa",
"Mark all as read": "Tot marcar coma legit", "Mark all as read": "Tot marcar coma legit",
"Trusted": "Fisable",
"Not trusted": "Pas securizat",
"Demote": "Retrogradar", "Demote": "Retrogradar",
"Are you sure?": "O volètz vertadièrament?", "Are you sure?": "O volètz vertadièrament?",
"Sunday": "Dimenge", "Sunday": "Dimenge",
@ -159,7 +155,6 @@
"More options": "Autras opcions", "More options": "Autras opcions",
"Rotate Left": "Pivotar cap a èrra", "Rotate Left": "Pivotar cap a èrra",
"Rotate Right": "Pivotar cap a drecha", "Rotate Right": "Pivotar cap a drecha",
"Matrix": "Matritz",
"Server name": "Títol del servidor", "Server name": "Títol del servidor",
"Notes": "Nòtas", "Notes": "Nòtas",
"Unavailable": "Pas disponible", "Unavailable": "Pas disponible",
@ -169,9 +164,7 @@
"Toolbox": "Bóstia d'aisinas", "Toolbox": "Bóstia d'aisinas",
"Developer Tools": "Aisinas de desvolopament", "Developer Tools": "Aisinas de desvolopament",
"An error has occurred.": "Una error s'es producha.", "An error has occurred.": "Una error s'es producha.",
"Go": "Validar",
"Session name": "Nom de session", "Session name": "Nom de session",
"Refresh": "Actualizada",
"Email address": "Adreça de corrièl", "Email address": "Adreça de corrièl",
"Terms of Service": "Terms of Service", "Terms of Service": "Terms of Service",
"Service": "Servici", "Service": "Servici",
@ -180,7 +173,6 @@
"Upload files": "Mandar de fichièrs", "Upload files": "Mandar de fichièrs",
"Home": "Dorsièr personal", "Home": "Dorsièr personal",
"Away": "Absent", "Away": "Absent",
"Submit": "Mandar",
"Enter password": "Sasissètz lo senhal", "Enter password": "Sasissètz lo senhal",
"Email": "Corrièl", "Email": "Corrièl",
"Phone": "Telefòn", "Phone": "Telefòn",
@ -191,8 +183,6 @@
"Incorrect password": "Senhal incorrècte", "Incorrect password": "Senhal incorrècte",
"Commands": "Comandas", "Commands": "Comandas",
"Users": "Utilizaires", "Users": "Utilizaires",
"Export": "Exportar",
"Import": "Importar",
"Success!": "Capitada!", "Success!": "Capitada!",
"Navigation": "Navigacion", "Navigation": "Navigacion",
"Upload a file": "Actualizar un fichièr", "Upload a file": "Actualizar un fichièr",
@ -234,7 +224,11 @@
"camera": "Aparelh de fotografiar", "camera": "Aparelh de fotografiar",
"microphone": "Microfòn", "microphone": "Microfòn",
"emoji": "Emoji", "emoji": "Emoji",
"space": "Espaci" "space": "Espaci",
"encrypted": "Chifrat",
"matrix": "Matritz",
"trusted": "Fisable",
"not_trusted": "Pas securizat"
}, },
"action": { "action": {
"continue": "Contunhar", "continue": "Contunhar",
@ -292,7 +286,13 @@
"show_all": "O mostrar tot", "show_all": "O mostrar tot",
"review": "Reveire", "review": "Reveire",
"restore": "Restablir", "restore": "Restablir",
"register": "S'enregistrar" "register": "S'enregistrar",
"manage": "Manage",
"go": "Validar",
"import": "Importar",
"export": "Exportar",
"refresh": "Actualizada",
"submit": "Mandar"
}, },
"keyboard": { "keyboard": {
"home": "Dorsièr personal", "home": "Dorsièr personal",

View file

@ -52,7 +52,6 @@
"You may need to manually permit %(brand)s to access your microphone/webcam": "Możliwe, że będziesz musiał ręcznie pozwolić %(brand)sowi na dostęp do twojego mikrofonu/kamerki internetowej", "You may need to manually permit %(brand)s to access your microphone/webcam": "Możliwe, że będziesz musiał ręcznie pozwolić %(brand)sowi na dostęp do twojego mikrofonu/kamerki internetowej",
"Default Device": "Urządzenie domyślne", "Default Device": "Urządzenie domyślne",
"Advanced": "Zaawansowane", "Advanced": "Zaawansowane",
"Always show message timestamps": "Zawsze pokazuj znaczniki czasu wiadomości",
"Authentication": "Uwierzytelnienie", "Authentication": "Uwierzytelnienie",
"%(items)s and %(lastItem)s": "%(items)s i %(lastItem)s", "%(items)s and %(lastItem)s": "%(items)s i %(lastItem)s",
"A new password must be entered.": "Musisz wprowadzić nowe hasło.", "A new password must be entered.": "Musisz wprowadzić nowe hasło.",
@ -84,10 +83,8 @@
"Download %(text)s": "Pobierz %(text)s", "Download %(text)s": "Pobierz %(text)s",
"Email": "E-mail", "Email": "E-mail",
"Email address": "Adres e-mail", "Email address": "Adres e-mail",
"Enable automatic language detection for syntax highlighting": "Włącz automatyczne rozpoznawanie języka dla podświetlania składni",
"Enter passphrase": "Wpisz frazę", "Enter passphrase": "Wpisz frazę",
"Error decrypting attachment": "Błąd odszyfrowywania załącznika", "Error decrypting attachment": "Błąd odszyfrowywania załącznika",
"Export": "Eksport",
"Export E2E room keys": "Eksportuj klucze E2E pokojów", "Export E2E room keys": "Eksportuj klucze E2E pokojów",
"Failed to ban user": "Nie udało się zbanować użytkownika", "Failed to ban user": "Nie udało się zbanować użytkownika",
"Failed to change power level": "Nie udało się zmienić poziomu mocy", "Failed to change power level": "Nie udało się zmienić poziomu mocy",
@ -107,7 +104,6 @@
"Deops user with given id": "Usuwa prawa administratora użytkownikowi o danym ID", "Deops user with given id": "Usuwa prawa administratora użytkownikowi o danym ID",
"Hangup": "Rozłącz", "Hangup": "Rozłącz",
"Home": "Strona główna", "Home": "Strona główna",
"Import": "Importuj",
"Import E2E room keys": "Importuj klucze pokoju E2E", "Import E2E room keys": "Importuj klucze pokoju E2E",
"Incorrect username and/or password.": "Nieprawidłowa nazwa użytkownika i/lub hasło.", "Incorrect username and/or password.": "Nieprawidłowa nazwa użytkownika i/lub hasło.",
"Incorrect verification code": "Nieprawidłowy kod weryfikujący", "Incorrect verification code": "Nieprawidłowy kod weryfikujący",
@ -163,11 +159,8 @@
"Server may be unavailable, overloaded, or you hit a bug.": "Serwer może być niedostępny, przeciążony, lub trafiłeś na błąd.", "Server may be unavailable, overloaded, or you hit a bug.": "Serwer może być niedostępny, przeciążony, lub trafiłeś na błąd.",
"Server unavailable, overloaded, or something else went wrong.": "Serwer może być niedostępny, przeciążony, lub coś innego poszło źle.", "Server unavailable, overloaded, or something else went wrong.": "Serwer może być niedostępny, przeciążony, lub coś innego poszło źle.",
"Session ID": "Identyfikator sesji", "Session ID": "Identyfikator sesji",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Pokaż czas w formacie 12-sto godzinnym (np. 2:30pm)",
"Signed Out": "Wylogowano", "Signed Out": "Wylogowano",
"Someone": "Ktoś",
"Start authentication": "Rozpocznij uwierzytelnienie", "Start authentication": "Rozpocznij uwierzytelnienie",
"Submit": "Wyślij",
"This email address is already in use": "Podany adres e-mail jest już w użyciu", "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", "This email address was not found": "Podany adres e-mail nie został znaleziony",
"The email address linked to your account must be entered.": "Musisz wpisać adres e-mail połączony z twoim kontem.", "The email address linked to your account must be entered.": "Musisz wpisać adres e-mail połączony z twoim kontem.",
@ -218,7 +211,6 @@
"one": "(~%(count)s wynik)", "one": "(~%(count)s wynik)",
"other": "(~%(count)s wyników)" "other": "(~%(count)s wyników)"
}, },
"Start automatically after system login": "Uruchom automatycznie po zalogowaniu się do systemu",
"Passphrases must match": "Hasła szyfrujące muszą być identyczne", "Passphrases must match": "Hasła szyfrujące muszą być identyczne",
"Passphrase must not be empty": "Hasło szyfrujące nie może być puste", "Passphrase must not be empty": "Hasło szyfrujące nie może być puste",
"Export room keys": "Eksportuj klucze pokoju", "Export room keys": "Eksportuj klucze pokoju",
@ -249,7 +241,6 @@
"Authentication check failed: incorrect password?": "Próba autentykacji nieudana: nieprawidłowe hasło?", "Authentication check failed: incorrect password?": "Próba autentykacji nieudana: nieprawidłowe hasło?",
"Do you want to set an email address?": "Czy chcesz ustawić adres e-mail?", "Do you want to set an email address?": "Czy chcesz ustawić adres e-mail?",
"Drop file here to upload": "Upuść plik tutaj, aby go przesłać", "Drop file here to upload": "Upuść plik tutaj, aby go przesłać",
"Automatically replace plain text Emoji": "Automatycznie zastępuj tekstowe emotikony",
"You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Za chwilę zostaniesz przekierowany/a na zewnętrzną stronę w celu powiązania Twojego konta z %(integrationsUrl)s. Czy chcesz kontynuować?", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Za chwilę zostaniesz przekierowany/a na zewnętrzną stronę w celu powiązania Twojego konta z %(integrationsUrl)s. Czy chcesz kontynuować?",
"URL Previews": "Podglądy linków", "URL Previews": "Podglądy linków",
"%(widgetName)s widget added by %(senderName)s": "Widżet %(widgetName)s został dodany przez %(senderName)s", "%(widgetName)s widget added by %(senderName)s": "Widżet %(widgetName)s został dodany przez %(senderName)s",
@ -263,11 +254,9 @@
"%(senderName)s changed the pinned messages for the room.": "%(senderName)s zmienił przypiętą wiadomość dla tego pokoju.", "%(senderName)s changed the pinned messages for the room.": "%(senderName)s zmienił przypiętą wiadomość dla tego pokoju.",
"Send": "Wyślij", "Send": "Wyślij",
"Mirror local video feed": "Lustrzane odbicie wideo", "Mirror local video feed": "Lustrzane odbicie wideo",
"Enable inline URL previews by default": "Włącz domyślny podgląd URL w tekście",
"Enable URL previews for this room (only affects you)": "Włącz podgląd URL dla tego pokoju (dotyczy tylko Ciebie)", "Enable URL previews for this room (only affects you)": "Włącz podgląd URL dla tego pokoju (dotyczy tylko Ciebie)",
"Enable URL previews by default for participants in this room": "Włącz domyślny podgląd URL dla uczestników w tym pokoju", "Enable URL previews by default for participants in this room": "Włącz domyślny podgląd URL dla uczestników w tym pokoju",
"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.": "Nie będziesz mógł cofnąć tej zmiany, ponieważ degradujesz swoje uprawnienia. Jeśli jesteś ostatnim użytkownikiem uprzywilejowanym w tym pokoju, nie będziesz mógł ich odzyskać.", "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.": "Nie będziesz mógł cofnąć tej zmiany, ponieważ degradujesz swoje uprawnienia. Jeśli jesteś ostatnim użytkownikiem uprzywilejowanym w tym pokoju, nie będziesz mógł ich odzyskać.",
"Mention": "Wzmianka",
"Send an encrypted reply…": "Wyślij zaszyfrowaną odpowiedź…", "Send an encrypted reply…": "Wyślij zaszyfrowaną odpowiedź…",
"Send an encrypted message…": "Wyślij zaszyfrowaną wiadomość…", "Send an encrypted message…": "Wyślij zaszyfrowaną wiadomość…",
"Online for %(duration)s": "Online przez %(duration)s", "Online for %(duration)s": "Online przez %(duration)s",
@ -308,7 +297,6 @@
"You cannot delete this message. (%(code)s)": "Nie możesz usunąć tej wiadomości. (%(code)s)", "You cannot delete this message. (%(code)s)": "Nie możesz usunąć tej wiadomości. (%(code)s)",
"All messages": "Wszystkie wiadomości", "All messages": "Wszystkie wiadomości",
"Call invitation": "Zaproszenie do rozmowy", "Call invitation": "Zaproszenie do rozmowy",
"State Key": "Klucz stanu",
"What's new?": "Co nowego?", "What's new?": "Co nowego?",
"When I'm invited to a room": "Kiedy zostanę zaproszony do pokoju", "When I'm invited to a room": "Kiedy zostanę zaproszony do pokoju",
"Invite to this room": "Zaproś do tego pokoju", "Invite to this room": "Zaproś do tego pokoju",
@ -322,9 +310,6 @@
"Low Priority": "Niski priorytet", "Low Priority": "Niski priorytet",
"Off": "Wyłącz", "Off": "Wyłącz",
"Failed to remove tag %(tagName)s from room": "Nie udało się usunąć tagu %(tagName)s z pokoju", "Failed to remove tag %(tagName)s from room": "Nie udało się usunąć tagu %(tagName)s z pokoju",
"Event Type": "Typ wydarzenia",
"Event sent!": "Wydarzenie wysłane!",
"Event Content": "Zawartość wydarzenia",
"Thank you!": "Dziękujemy!", "Thank you!": "Dziękujemy!",
"Send analytics data": "Wysyłaj dane analityczne", "Send analytics data": "Wysyłaj dane analityczne",
"%(duration)ss": "%(duration)ss", "%(duration)ss": "%(duration)ss",
@ -343,7 +328,6 @@
"collapse": "Zwiń", "collapse": "Zwiń",
"expand": "Rozwiń", "expand": "Rozwiń",
"<a>In reply to</a> <pill>": "<a>W odpowiedzi do</a> <pill>", "<a>In reply to</a> <pill>": "<a>W odpowiedzi do</a> <pill>",
"Refresh": "Odśwież",
"Missing roomId.": "Brak identyfikatora pokoju (roomID).", "Missing roomId.": "Brak identyfikatora pokoju (roomID).",
"Ignores a user, hiding their messages from you": "Ignoruje użytkownika ukrywając jego wiadomości przed Tobą", "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, pokazując jego wiadomości od tego momentu", "Stops ignoring a user, showing their messages going forward": "Przestaje ignorować użytkownika, pokazując jego wiadomości od tego momentu",
@ -539,11 +523,8 @@
}, },
"Unrecognised address": "Nierozpoznany adres", "Unrecognised address": "Nierozpoznany adres",
"Short keyboard patterns are easy to guess": "Krótkie wzory klawiszowe są łatwe do odgadnięcia", "Short keyboard patterns are easy to guess": "Krótkie wzory klawiszowe są łatwe do odgadnięcia",
"Enable Emoji suggestions while typing": "Włącz podpowiedzi Emoji podczas pisania",
"This room has no topic.": "Ten pokój nie ma tematu.", "This room has no topic.": "Ten pokój nie ma tematu.",
"%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s ulepszył ten pokój.", "%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s ulepszył ten pokój.",
"Show display name changes": "Pokaż zmiany wyświetlanej nazwy",
"Send typing notifications": "Wyślij powiadomienia o pisaniu",
"I don't want my encrypted messages": "Nie chcę moich zaszyfrowanych wiadomości", "I don't want my encrypted messages": "Nie chcę moich zaszyfrowanych wiadomości",
"You'll lose access to your encrypted messages": "Utracisz dostęp do zaszyfrowanych wiadomości", "You'll lose access to your encrypted messages": "Utracisz dostęp do zaszyfrowanych wiadomości",
"Verified!": "Zweryfikowano!", "Verified!": "Zweryfikowano!",
@ -697,10 +678,6 @@
"No need for symbols, digits, or uppercase letters": "Nie są wymagane symbole, cyfry lub wielkie litery", "No need for symbols, digits, or uppercase letters": "Nie są wymagane symbole, cyfry lub wielkie litery",
"All-uppercase is almost as easy to guess as all-lowercase": "Same wielkie litery w haśle powodują, iż są one łatwe do zgadnięcia, podobnie jak w przypadku samych małych", "All-uppercase is almost as easy to guess as all-lowercase": "Same wielkie litery w haśle powodują, iż są one łatwe do zgadnięcia, podobnie jak w przypadku samych małych",
"Straight rows of keys are easy to guess": "Proste rzędy klawiszy są łatwe do odgadnięcia", "Straight rows of keys are easy to guess": "Proste rzędy klawiszy są łatwe do odgadnięcia",
"Show a placeholder for removed messages": "Pokaż symbol zastępczy dla usuniętych wiadomości",
"Show read receipts sent by other users": "Pokaż potwierdzenia odczytania wysyłane przez innych użytkowników",
"Enable big emoji in chat": "Aktywuj duże emoji na czacie",
"Prompt before sending invites to potentially invalid matrix IDs": "Powiadamiaj przed wysłaniem zaproszenia do potencjalnie nieprawidłowych ID matrix",
"Show hidden events in timeline": "Pokaż ukryte wydarzenia na linii czasowej", "Show hidden events in timeline": "Pokaż ukryte wydarzenia na linii czasowej",
"Messages containing my username": "Wiadomości zawierające moją nazwę użytkownika", "Messages containing my username": "Wiadomości zawierające moją nazwę użytkownika",
"Encrypted messages in one-to-one chats": "Zaszyfrowane wiadomości w rozmowach jeden-do-jednego", "Encrypted messages in one-to-one chats": "Zaszyfrowane wiadomości w rozmowach jeden-do-jednego",
@ -747,7 +724,6 @@
"You do not have the required permissions to use this command.": "Nie posiadasz wymaganych uprawnień do użycia tego polecenia.", "You do not have the required permissions to use this command.": "Nie posiadasz wymaganych uprawnień do użycia tego polecenia.",
"Changes the avatar of the current room": "Zmienia awatar dla obecnego pokoju", "Changes the avatar of the current room": "Zmienia awatar dla obecnego pokoju",
"Use an identity server": "Użyj serwera tożsamości", "Use an identity server": "Użyj serwera tożsamości",
"Show previews/thumbnails for images": "Pokaż podgląd/miniatury obrazów",
"Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Użyj serwera tożsamości, by zaprosić z użyciem adresu e-mail. Kliknij dalej, żeby użyć domyślnego serwera tożsamości (%(defaultIdentityServerName)s), lub zmień w Ustawieniach.", "Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Użyj serwera tożsamości, by zaprosić z użyciem adresu e-mail. Kliknij dalej, żeby użyć domyślnego serwera tożsamości (%(defaultIdentityServerName)s), lub zmień w Ustawieniach.",
"Use an identity server to invite by email. Manage in Settings.": "Użyj serwera tożsamości, by zaprosić za pomocą adresu e-mail. Zarządzaj w ustawieniach.", "Use an identity server to invite by email. Manage in Settings.": "Użyj serwera tożsamości, by zaprosić za pomocą adresu e-mail. Zarządzaj w ustawieniach.",
"%(name)s (%(userId)s)": "%(name)s (%(userId)s)", "%(name)s (%(userId)s)": "%(name)s (%(userId)s)",
@ -820,7 +796,6 @@
"Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Nie zdołano wczytać zdarzenia, na które odpowiedziano, może ono nie istnieć lub nie masz uprawnienia, by je zobaczyć.", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Nie zdołano wczytać zdarzenia, na które odpowiedziano, może ono nie istnieć lub nie masz uprawnienia, by je zobaczyć.",
"e.g. my-room": "np. mój-pokój", "e.g. my-room": "np. mój-pokój",
"Some characters not allowed": "Niektóre znaki niedozwolone", "Some characters not allowed": "Niektóre znaki niedozwolone",
"Show typing notifications": "Pokazuj powiadomienia o pisaniu",
"Match system theme": "Dopasuj do motywu systemowego", "Match system theme": "Dopasuj do motywu systemowego",
"They match": "Pasują do siebie", "They match": "Pasują do siebie",
"They don't match": "Nie pasują do siebie", "They don't match": "Nie pasują do siebie",
@ -870,7 +845,6 @@
"Looks good": "Wygląda dobrze", "Looks good": "Wygląda dobrze",
"All rooms": "Wszystkie pokoje", "All rooms": "Wszystkie pokoje",
"Your server": "Twój serwer", "Your server": "Twój serwer",
"Matrix": "Matrix",
"Add a new server": "Dodaj nowy serwer", "Add a new server": "Dodaj nowy serwer",
"Enter the name of a new server you want to explore.": "Wpisz nazwę nowego serwera, którego chcesz przeglądać.", "Enter the name of a new server you want to explore.": "Wpisz nazwę nowego serwera, którego chcesz przeglądać.",
"Server name": "Nazwa serwera", "Server name": "Nazwa serwera",
@ -908,7 +882,6 @@
"Hide sessions": "Ukryj sesje", "Hide sessions": "Ukryj sesje",
"Integrations are disabled": "Integracje są wyłączone", "Integrations are disabled": "Integracje są wyłączone",
"Encryption upgrade available": "Dostępne ulepszenie szyfrowania", "Encryption upgrade available": "Dostępne ulepszenie szyfrowania",
"Manage": "Zarządzaj",
"Session ID:": "Identyfikator sesji:", "Session ID:": "Identyfikator sesji:",
"Session key:": "Klucz sesji:", "Session key:": "Klucz sesji:",
"Accept all %(invitedRooms)s invites": "Zaakceptuj wszystkie zaproszenia do %(invitedRooms)s", "Accept all %(invitedRooms)s invites": "Zaakceptuj wszystkie zaproszenia do %(invitedRooms)s",
@ -922,7 +895,6 @@
"Notes": "Notatki", "Notes": "Notatki",
"Session name": "Nazwa sesji", "Session name": "Nazwa sesji",
"Session key": "Klucz sesji", "Session key": "Klucz sesji",
"Go": "Przejdź",
"Email (optional)": "Adres e-mail (opcjonalnie)", "Email (optional)": "Adres e-mail (opcjonalnie)",
"Setting up keys": "Konfigurowanie kluczy", "Setting up keys": "Konfigurowanie kluczy",
"Verify this session": "Zweryfikuj tę sesję", "Verify this session": "Zweryfikuj tę sesję",
@ -1056,7 +1028,6 @@
"about an hour from now": "około godziny od teraz", "about an hour from now": "około godziny od teraz",
"about a minute from now": "około minuty od teraz", "about a minute from now": "około minuty od teraz",
"Reporting this message will send its unique 'event ID' to the administrator of your homeserver. If messages in this room are encrypted, your homeserver administrator will not be able to read the message text or view any files or images.": "Zgłoszenie tej wiadomości wyśle administratorowi serwera unikatowe „ID wydarzenia”. Jeżeli wiadomości w tym pokoju są szyfrowane, administrator serwera może nie być w stanie przeczytać treści wiadomości, lub zobaczyć plików bądź zdjęć.", "Reporting this message will send its unique 'event ID' to the administrator of your homeserver. If messages in this room are encrypted, your homeserver administrator will not be able to read the message text or view any files or images.": "Zgłoszenie tej wiadomości wyśle administratorowi serwera unikatowe „ID wydarzenia”. Jeżeli wiadomości w tym pokoju są szyfrowane, administrator serwera może nie być w stanie przeczytać treści wiadomości, lub zobaczyć plików bądź zdjęć.",
"Send report": "Wyślij zgłoszenie",
"Report Content to Your Homeserver Administrator": "Zgłoś zawartość do administratora swojego serwera", "Report Content to Your Homeserver Administrator": "Zgłoś zawartość do administratora swojego serwera",
"You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "Możesz ustawić tę opcję, jeżeli pokój będzie używany wyłącznie do współpracy wewnętrznych zespołów na Twoim serwerze. Nie będzie można zmienić tej opcji.", "You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "Możesz ustawić tę opcję, jeżeli pokój będzie używany wyłącznie do współpracy wewnętrznych zespołów na Twoim serwerze. Nie będzie można zmienić tej opcji.",
"Block anyone not part of %(serverName)s from ever joining this room.": "Zablokuj wszystkich niebędących użytkownikami %(serverName)s w tym pokoju.", "Block anyone not part of %(serverName)s from ever joining this room.": "Zablokuj wszystkich niebędących użytkownikami %(serverName)s w tym pokoju.",
@ -1251,11 +1222,9 @@
"Incompatible Database": "Niekompatybilna baza danych", "Incompatible Database": "Niekompatybilna baza danych",
"Information": "Informacje", "Information": "Informacje",
"Categories": "Kategorie", "Categories": "Kategorie",
"Trusted": "Zaufane",
"Accepting…": "Akceptowanie…", "Accepting…": "Akceptowanie…",
"Re-join": "Dołącz ponownie", "Re-join": "Dołącz ponownie",
"Unencrypted": "Nieszyfrowane", "Unencrypted": "Nieszyfrowane",
"Encrypted": "Szyfrowane",
"None": "Brak", "None": "Brak",
"exists": "istnieje", "exists": "istnieje",
"Change the topic of this room": "Zmień temat tego pokoju", "Change the topic of this room": "Zmień temat tego pokoju",
@ -1508,8 +1477,6 @@
"Return to call": "Wróć do połączenia", "Return to call": "Wróć do połączenia",
"Uploading logs": "Wysyłanie logów", "Uploading logs": "Wysyłanie logów",
"Downloading logs": "Pobieranie logów", "Downloading logs": "Pobieranie logów",
"Use Command + Enter to send a message": "Użyj Command + Enter, aby wysłać wiadomość",
"Use Ctrl + Enter to send a message": "Użyj Ctrl + Enter, aby wysłać wiadomość",
"How fast should messages be downloaded.": "Jak szybko powinny być pobierane wiadomości.", "How fast should messages be downloaded.": "Jak szybko powinny być pobierane wiadomości.",
"IRC display name width": "Szerokość nazwy wyświetlanej IRC", "IRC display name width": "Szerokość nazwy wyświetlanej IRC",
"Change notification settings": "Zmień ustawienia powiadomień", "Change notification settings": "Zmień ustawienia powiadomień",
@ -1571,7 +1538,6 @@
"<b>Warning</b>: you should only set up key backup from a trusted computer.": "<b>Ostrzeżenie</b>: kopia zapasowa klucza powinna być konfigurowana tylko z zaufanego komputera.", "<b>Warning</b>: you should only set up key backup from a trusted computer.": "<b>Ostrzeżenie</b>: kopia zapasowa klucza powinna być konfigurowana tylko z zaufanego komputera.",
"Discovery options will appear once you have added an email above.": "Opcje odkrywania pojawią się, gdy dodasz adres e-mail powyżej.", "Discovery options will appear once you have added an email above.": "Opcje odkrywania pojawią się, gdy dodasz adres e-mail powyżej.",
"Discovery options will appear once you have added a phone number above.": "Opcje odkrywania pojawią się, gdy dodasz numer telefonu powyżej.", "Discovery options will appear once you have added a phone number above.": "Opcje odkrywania pojawią się, gdy dodasz numer telefonu powyżej.",
"Show shortcuts to recently viewed rooms above the room list": "Pokazuj skróty do ostatnio wyświetlonych pokojów nad listą pokojów",
"Signature upload failed": "Wysłanie podpisu nie powiodło się", "Signature upload failed": "Wysłanie podpisu nie powiodło się",
"Signature upload success": "Wysłanie podpisu udało się", "Signature upload success": "Wysłanie podpisu udało się",
"Manually export keys": "Ręcznie eksportuj klucze", "Manually export keys": "Ręcznie eksportuj klucze",
@ -1586,7 +1552,6 @@
"PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "PRO TIP: Jeżeli zgłaszasz błąd, wyślij <debugLogsLink>dzienniki debugowania</debugLogsLink>, aby pomóc nam znaleźć problem.", "PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "PRO TIP: Jeżeli zgłaszasz błąd, wyślij <debugLogsLink>dzienniki debugowania</debugLogsLink>, aby pomóc nam znaleźć problem.",
"Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.": "Najpierw zobacz <existingIssuesLink>istniejące zgłoszenia na GitHubie</existingIssuesLink>. Nic nie znalazłeś? <newIssueLink>Utwórz nowe</newIssueLink>.", "Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.": "Najpierw zobacz <existingIssuesLink>istniejące zgłoszenia na GitHubie</existingIssuesLink>. Nic nie znalazłeś? <newIssueLink>Utwórz nowe</newIssueLink>.",
"Comment": "Komentarz", "Comment": "Komentarz",
"There was an error finding this widget.": "Wystąpił błąd podczas próby odnalezienia tego widżetu.",
"Active Widgets": "Aktywne widżety", "Active Widgets": "Aktywne widżety",
"Encryption not enabled": "Nie włączono szyfrowania", "Encryption not enabled": "Nie włączono szyfrowania",
"We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "Poprosiliśmy przeglądarkę o zapamiętanie, z którego serwera domowego korzystasz, aby umożliwić Ci logowanie, ale niestety Twoja przeglądarka o tym zapomniała. Przejdź do strony logowania i spróbuj ponownie.", "We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "Poprosiliśmy przeglądarkę o zapamiętanie, z którego serwera domowego korzystasz, aby umożliwić Ci logowanie, ale niestety Twoja przeglądarka o tym zapomniała. Przejdź do strony logowania i spróbuj ponownie.",
@ -1630,10 +1595,6 @@
"Select a room below first": "Najpierw wybierz poniższy pokój", "Select a room below first": "Najpierw wybierz poniższy pokój",
"Spaces": "Przestrzenie", "Spaces": "Przestrzenie",
"Secure Backup": "Bezpieczna kopia zapasowa", "Secure Backup": "Bezpieczna kopia zapasowa",
"Jump to the bottom of the timeline when you send a message": "Przejdź na dół osi czasu po wysłaniu wiadomości",
"Show line numbers in code blocks": "Pokazuj numery wierszy w blokach kodu",
"Expand code blocks by default": "Domyślnie rozwijaj bloki kodu",
"Show stickers button": "Pokaż przycisk naklejek",
"Converts the DM to a room": "Zmienia wiadomości prywatne w pokój", "Converts the DM to a room": "Zmienia wiadomości prywatne w pokój",
"Converts the room to a DM": "Zamienia pokój w wiadomość prywatną", "Converts the room to a DM": "Zamienia pokój w wiadomość prywatną",
"Sends the given message as a spoiler": "Wysyła podaną wiadomość jako spoiler", "Sends the given message as a spoiler": "Wysyła podaną wiadomość jako spoiler",
@ -1830,7 +1791,6 @@
"Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, <code>@bot:*</code> would ignore all users that have the name 'bot' on any server.": "Dodaj użytkowników i serwery tutaj które chcesz ignorować. Użyj znaku gwiazdki (*) żeby %(brand)s zgadzał się z każdym znakiem. Na przykład, <code>@bot:*</code> może ignorować wszystkich użytkowników którzy mają nazwę 'bot' na każdym serwerze.", "Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, <code>@bot:*</code> would ignore all users that have the name 'bot' on any server.": "Dodaj użytkowników i serwery tutaj które chcesz ignorować. Użyj znaku gwiazdki (*) żeby %(brand)s zgadzał się z każdym znakiem. Na przykład, <code>@bot:*</code> może ignorować wszystkich użytkowników którzy mają nazwę 'bot' na każdym serwerze.",
"Lock": "Zamek", "Lock": "Zamek",
"%(senderName)s has shared their location": "%(senderName)s udostępnił lokalizację", "%(senderName)s has shared their location": "%(senderName)s udostępnił lokalizację",
"Not trusted": "Nie zaufane",
"Empty room": "Pusty pokój", "Empty room": "Pusty pokój",
"Hold": "Wstrzymaj", "Hold": "Wstrzymaj",
"ready": "gotowy", "ready": "gotowy",
@ -1840,7 +1800,6 @@
"other": "Dodawanie pokojów... (%(progress)s z %(count)s)", "other": "Dodawanie pokojów... (%(progress)s z %(count)s)",
"one": "Dodawanie pokoju..." "one": "Dodawanie pokoju..."
}, },
"Autoplay GIFs": "Auto odtwarzanie GIF'ów",
"No virtual room for this room": "Brak wirtualnego pokoju dla tego pokoju", "No virtual room for this room": "Brak wirtualnego pokoju dla tego pokoju",
"Switches to this room's virtual room, if it has one": "Przełącza do wirtualnego pokoju tego pokoju, jeśli taki istnieje", "Switches to this room's virtual room, if it has one": "Przełącza do wirtualnego pokoju tego pokoju, jeśli taki istnieje",
"%(space1Name)s and %(space2Name)s": "%(space1Name)s i %(space2Name)s", "%(space1Name)s and %(space2Name)s": "%(space1Name)s i %(space2Name)s",
@ -1851,13 +1810,10 @@
"Toxic Behaviour": "Toksyczne zachowanie", "Toxic Behaviour": "Toksyczne zachowanie",
"Please pick a nature and describe what makes this message abusive.": "Wybierz powód oraz opisz dlaczego ta wiadomość jest niestosowna.", "Please pick a nature and describe what makes this message abusive.": "Wybierz powód oraz opisz dlaczego ta wiadomość jest niestosowna.",
"Include Attachments": "Dodaj załączniki", "Include Attachments": "Dodaj załączniki",
"This UI does NOT check the types of the values. Use at your own risk.": "Ten interfejs nie sprawdza typów wartości. Używaj na własne ryzyko.",
"Caution:": "Ostrzeżenie:",
"Stop recording": "Skończ nagrywanie", "Stop recording": "Skończ nagrywanie",
"We didn't find a microphone on your device. Please check your settings and try again.": "Nie udało się znaleźć żadnego mikrofonu w twoim urządzeniu. Sprawdź ustawienia i spróbuj ponownie.", "We didn't find a microphone on your device. Please check your settings and try again.": "Nie udało się znaleźć żadnego mikrofonu w twoim urządzeniu. Sprawdź ustawienia i spróbuj ponownie.",
"No microphone found": "Nie znaleziono mikrofonu", "No microphone found": "Nie znaleziono mikrofonu",
"Rooms outside of a space": "Pokoje poza przestrzenią", "Rooms outside of a space": "Pokoje poza przestrzenią",
"Autoplay videos": "Auto odtwarzanie filmów",
"Connect this session to Key Backup": "Połącz tę sesję z kopią zapasową kluczy", "Connect this session to Key Backup": "Połącz tę sesję z kopią zapasową kluczy",
"Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Połącz tę sesję z kopią zapasową kluczy przed wylogowaniem, aby uniknąć utraty kluczy które mogą istnieć tylko w tej sesji.", "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Połącz tę sesję z kopią zapasową kluczy przed wylogowaniem, aby uniknąć utraty kluczy które mogą istnieć tylko w tej sesji.",
"This session is <b>not backing up your keys</b>, but you do have an existing backup you can restore from and add to going forward.": "Ta sesja <b>nie wykonuje kopii zapasowej twoich kluczy</b>, ale masz istniejącą kopię którą możesz przywrócić i uzupełniać w przyszłości.", "This session is <b>not backing up your keys</b>, but you do have an existing backup you can restore from and add to going forward.": "Ta sesja <b>nie wykonuje kopii zapasowej twoich kluczy</b>, ale masz istniejącą kopię którą możesz przywrócić i uzupełniać w przyszłości.",
@ -1938,7 +1894,6 @@
"In spaces %(space1Name)s and %(space2Name)s.": "W przestrzeniach %(space1Name)s i %(space2Name)s.", "In spaces %(space1Name)s and %(space2Name)s.": "W przestrzeniach %(space1Name)s i %(space2Name)s.",
"Jump to the given date in the timeline": "Przeskocz do podanej daty w linii czasu", "Jump to the given date in the timeline": "Przeskocz do podanej daty w linii czasu",
"Failed to invite users to %(roomName)s": "Nie udało się zaprosić użytkowników do %(roomName)s", "Failed to invite users to %(roomName)s": "Nie udało się zaprosić użytkowników do %(roomName)s",
"Insert a trailing colon after user mentions at the start of a message": "Wstawiaj dwukropek po wzmiance użytkownika na początku wiadomości",
"Mapbox logo": "Logo Mapbox", "Mapbox logo": "Logo Mapbox",
"Map feedback": "Opinia o mapie", "Map feedback": "Opinia o mapie",
"Empty room (was %(oldName)s)": "Pusty pokój (poprzednio %(oldName)s)", "Empty room (was %(oldName)s)": "Pusty pokój (poprzednio %(oldName)s)",
@ -1955,16 +1910,11 @@
"Send your first message to invite <displayName/> to chat": "Wyślij pierwszą wiadomość, aby zaprosić <displayName/> do rozmowy", "Send your first message to invite <displayName/> to chat": "Wyślij pierwszą wiadomość, aby zaprosić <displayName/> do rozmowy",
"Spell check": "Sprawdzanie pisowni", "Spell check": "Sprawdzanie pisowni",
"Download %(brand)s Desktop": "Pobierz %(brand)s Desktop", "Download %(brand)s Desktop": "Pobierz %(brand)s Desktop",
"iOS": "iOS",
"Android": "Android",
"We're creating a room with %(names)s": "Tworzymy pokój z %(names)s", "We're creating a room with %(names)s": "Tworzymy pokój z %(names)s",
"Your server doesn't support disabling sending read receipts.": "Twój serwer nie wspiera wyłączenia wysyłania potwierdzeń przeczytania.", "Your server doesn't support disabling sending read receipts.": "Twój serwer nie wspiera wyłączenia wysyłania potwierdzeń przeczytania.",
"Last activity": "Ostatnia aktywność", "Last activity": "Ostatnia aktywność",
"Sessions": "Sesje", "Sessions": "Sesje",
"Current session": "Bieżąca sesja", "Current session": "Bieżąca sesja",
"Verified": "Zweryfikowane",
"Unverified": "Niezweryfikowane",
"Device": "Urządzenie",
"IP address": "Adres IP", "IP address": "Adres IP",
"Session details": "Szczegóły sesji", "Session details": "Szczegóły sesji",
"Other sessions": "Inne sesje", "Other sessions": "Inne sesje",
@ -2030,20 +1980,6 @@
"Pin to sidebar": "Przypnij do paska bocznego", "Pin to sidebar": "Przypnij do paska bocznego",
"Developer tools": "Ustawienia deweloperskie", "Developer tools": "Ustawienia deweloperskie",
"Quick settings": "Szybkie ustawienia", "Quick settings": "Szybkie ustawienia",
"Complete these to get the most out of %(brand)s": "Wykonaj je, aby jak najlepiej wykorzystać %(brand)s",
"You did it!": "Udało ci się!",
"Only %(count)s steps to go": {
"one": "Jeszcze tylko %(count)s krok",
"other": "Jeszcze tylko %(count)s kroki"
},
"Welcome to %(brand)s": "Witaj w %(brand)s",
"Find your people": "Znajdź swoich ludzi",
"Find your co-workers": "Znajdź swoich współpracowników",
"Secure messaging for work": "Bezpieczna komunikacja w pracy",
"Start your first chat": "Zacznij swoją pierwszą rozmowę",
"With free end-to-end encrypted messaging, and unlimited voice and video calls, %(brand)s is a great way to stay in touch.": "Za pomocą darmowych wiadomości szyfrowanych end-to-end i nielimitowanymi rozmowami głosowymi i wideo, %(brand)s jest świetnym sposobem, aby pozostać w kontakcie.",
"Secure messaging for friends and family": "Bezpieczna komunikacja dla znajomych i rodziny",
"Welcome": "Witaj",
"Waiting for you to verify on your other device…": "Oczekiwanie na zweryfikowanie przez ciebie twojego innego urządzenia…", "Waiting for you to verify on your other device…": "Oczekiwanie na zweryfikowanie przez ciebie twojego innego urządzenia…",
"Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Oczekiwanie na zweryfikowanie przez ciebie twojego innego urządzenia, %(deviceName)s (%(deviceId)s)…", "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Oczekiwanie na zweryfikowanie przez ciebie twojego innego urządzenia, %(deviceName)s (%(deviceId)s)…",
"Verify this device by confirming the following number appears on its screen.": "Zweryfikuj to urządzenie, upewniając się że poniższy numer wyświetlony jest na jego ekranie.", "Verify this device by confirming the following number appears on its screen.": "Zweryfikuj to urządzenie, upewniając się że poniższy numer wyświetlony jest na jego ekranie.",
@ -2105,23 +2041,14 @@
"You made it!": "Udało ci się!", "You made it!": "Udało ci się!",
"Enable hardware acceleration": "Włącz przyspieszenie sprzętowe", "Enable hardware acceleration": "Włącz przyspieszenie sprzętowe",
"Show tray icon and minimise window to it on close": "Pokaż ikonę w zasobniku systemowym i zminimalizuj okno do niej zamiast zamknięcia", "Show tray icon and minimise window to it on close": "Pokaż ikonę w zasobniku systemowym i zminimalizuj okno do niej zamiast zamknięcia",
"Warn before quitting": "Ostrzeż przed wyjściem",
"Automatically send debug logs when key backup is not functioning": "Automatycznie wysyłaj logi debugowania gdy kopia zapasowa kluczy nie działa", "Automatically send debug logs when key backup is not functioning": "Automatycznie wysyłaj logi debugowania gdy kopia zapasowa kluczy nie działa",
"Automatically send debug logs on decryption errors": "Automatycznie wysyłaj logi debugowania po wystąpieniu błędów deszyfrowania", "Automatically send debug logs on decryption errors": "Automatycznie wysyłaj logi debugowania po wystąpieniu błędów deszyfrowania",
"Automatically send debug logs on any error": "Automatycznie wysyłaj logi debugowania po wystąpieniu jakiegokolwiek błędu", "Automatically send debug logs on any error": "Automatycznie wysyłaj logi debugowania po wystąpieniu jakiegokolwiek błędu",
"Developer mode": "Tryb programisty", "Developer mode": "Tryb programisty",
"All rooms you're in will appear in Home.": "Wszystkie pokoje w których jesteś zostaną pokazane na ekranie głównym.",
"Show all rooms in Home": "Pokaż wszystkie pokoje na ekranie głównym",
"Show chat effects (animations when receiving e.g. confetti)": "Pokaż efekty czatu (animacje po odebraniu np. confetti)",
"Show shortcut to welcome checklist above the room list": "Pokaż skrót do listy powitalnej nad listą pokojów", "Show shortcut to welcome checklist above the room list": "Pokaż skrót do listy powitalnej nad listą pokojów",
"Enable Markdown": "Włącz Markdown",
"Surround selected text when typing special characters": "Otocz zaznaczony tekst podczas wpisywania specjalnych znaków", "Surround selected text when typing special characters": "Otocz zaznaczony tekst podczas wpisywania specjalnych znaków",
"Use Ctrl + F to search timeline": "Użyj Ctrl + F aby przeszukać oś czasu",
"Use Command + F to search timeline": "Użyj Command + F aby przeszukać oś czasu",
"Show join/leave messages (invites/removes/bans unaffected)": "Pokaż wiadomości dołączenia/opuszczenia pokoju (nie dotyczy wiadomości zaproszenia/wyrzucenia/banów)",
"Use a more compact 'Modern' layout": "Użyj bardziej kompaktowego, \"nowoczesnego\" wyglądu", "Use a more compact 'Modern' layout": "Użyj bardziej kompaktowego, \"nowoczesnego\" wyglądu",
"Show polls button": "Pokaż przycisk ankiet", "Show polls button": "Pokaż przycisk ankiet",
"Send read receipts": "Wysyłaj potwierdzenia przeczytania",
"Reply in thread": "Odpowiedz w wątku", "Reply in thread": "Odpowiedz w wątku",
"Explore public spaces in the new search dialog": "Odkrywaj publiczne przestrzenie w nowym oknie wyszukiwania", "Explore public spaces in the new search dialog": "Odkrywaj publiczne przestrzenie w nowym oknie wyszukiwania",
"Send a sticker": "Wyślij naklejkę", "Send a sticker": "Wyślij naklejkę",
@ -2175,14 +2102,11 @@
"Previous autocomplete suggestion": "Poprzednia sugestia autouzupełniania", "Previous autocomplete suggestion": "Poprzednia sugestia autouzupełniania",
"Next autocomplete suggestion": "Następna sugestia autouzupełniania", "Next autocomplete suggestion": "Następna sugestia autouzupełniania",
"Next room or DM": "Następny pokój lub wiadomość prywatna", "Next room or DM": "Następny pokój lub wiadomość prywatna",
"Accessibility": "Ułatwienia dostępu",
"Dismiss read marker and jump to bottom": "Zignoruj znacznik odczytu i przejdź na dół", "Dismiss read marker and jump to bottom": "Zignoruj znacznik odczytu i przejdź na dół",
"Navigate to previous message in composer history": "Przejdź do poprzedniej wiadomości w historii kompozytora", "Navigate to previous message in composer history": "Przejdź do poprzedniej wiadomości w historii kompozytora",
"Navigate to next message in composer history": "Przejdź do następnej wiadomości w historii kompozytora", "Navigate to next message in composer history": "Przejdź do następnej wiadomości w historii kompozytora",
"Navigate to previous message to edit": "Przejdź do poprzedniej wiadomości, aby ją edytować", "Navigate to previous message to edit": "Przejdź do poprzedniej wiadomości, aby ją edytować",
"Navigate to next message to edit": "Przejdź do następnej wiadomości do edycji", "Navigate to next message to edit": "Przejdź do następnej wiadomości do edycji",
"Minimise": "Minimalizuj",
"Maximise": "Maksymalizuj",
"Group all your favourite rooms and people in one place.": "Pogrupuj wszystkie swoje ulubione pokoje i osoby w jednym miejscu.", "Group all your favourite rooms and people in one place.": "Pogrupuj wszystkie swoje ulubione pokoje i osoby w jednym miejscu.",
"Sidebar": "Pasek boczny", "Sidebar": "Pasek boczny",
"Export chat": "Eksportuj czat", "Export chat": "Eksportuj czat",
@ -2250,7 +2174,6 @@
"Identity server not set": "Serwer tożsamości nie jest ustawiony", "Identity server not set": "Serwer tożsamości nie jest ustawiony",
"You held the call <a>Resume</a>": "Zawieszono rozmowę <a>Wznów</a>", "You held the call <a>Resume</a>": "Zawieszono rozmowę <a>Wznów</a>",
"Sorry — this call is currently full": "Przepraszamy — to połączenie jest już zapełnione", "Sorry — this call is currently full": "Przepraszamy — to połączenie jest już zapełnione",
"Show NSFW content": "Pokaż zawartość NSFW",
"Force 15s voice broadcast chunk length": "Wymuś 15s długość kawałków dla transmisji głosowej", "Force 15s voice broadcast chunk length": "Wymuś 15s długość kawałków dla transmisji głosowej",
"Requires your server to support the stable version of MSC3827": "Wymaga od Twojego serwera wsparcia wersji stabilnej MSC3827", "Requires your server to support the stable version of MSC3827": "Wymaga od Twojego serwera wsparcia wersji stabilnej MSC3827",
"unknown": "nieznane", "unknown": "nieznane",
@ -2328,7 +2251,6 @@
"Automatic gain control": "Automatyczna regulacja głośności", "Automatic gain control": "Automatyczna regulacja głośności",
"When enabled, the other party might be able to see your IP address": "Po włączeniu, inni użytkownicy będą mogli zobaczyć twój adres IP", "When enabled, the other party might be able to see your IP address": "Po włączeniu, inni użytkownicy będą mogli zobaczyć twój adres IP",
"Allow Peer-to-Peer for 1:1 calls": "Zezwól Peer-to-Peer dla połączeń 1:1", "Allow Peer-to-Peer for 1:1 calls": "Zezwól Peer-to-Peer dla połączeń 1:1",
"Start messages with <code>/plain</code> to send without markdown.": "Rozpocznij wiadomość z <code>/plain</code>, aby była bez markdownu.",
"Show avatars in user, room and event mentions": "Pokaż awatary w wzmiankach użytkownika, pokoju i wydarzenia", "Show avatars in user, room and event mentions": "Pokaż awatary w wzmiankach użytkownika, pokoju i wydarzenia",
"Remove users": "Usuń użytkowników", "Remove users": "Usuń użytkowników",
"Connection": "Połączenie", "Connection": "Połączenie",
@ -2407,8 +2329,6 @@
"Give one or multiple users in this room more privileges": "Dodaj jednemu lub więcej użytkownikom więcej uprawnień", "Give one or multiple users in this room more privileges": "Dodaj jednemu lub więcej użytkownikom więcej uprawnień",
"Add privileged users": "Dodaj użytkowników uprzywilejowanych", "Add privileged users": "Dodaj użytkowników uprzywilejowanych",
"Ignore (%(counter)s)": "Ignoruj (%(counter)s)", "Ignore (%(counter)s)": "Ignoruj (%(counter)s)",
"Keep ownership and control of community discussion.\nScale to support millions, with powerful moderation and interoperability.": "Zatrzymaj własność i kontroluj dyskusję społeczności.\nRozwijaj się, aby wspierać miliony za pomocą potężnych narzędzi moderatorskich i interoperacyjnością.",
"Community ownership": "Własność społeczności",
"Go to Home View": "Przejdź do widoku Strony głównej", "Go to Home View": "Przejdź do widoku Strony głównej",
"Space home": "Przestrzeń główna", "Space home": "Przestrzeń główna",
"About homeservers": "O serwerach domowych", "About homeservers": "O serwerach domowych",
@ -2422,7 +2342,6 @@
}, },
"Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Twój administrator serwera wyłączył szyfrowanie end-to-end domyślnie w pokojach prywatnych i wiadomościach bezpośrednich.", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Twój administrator serwera wyłączył szyfrowanie end-to-end domyślnie w pokojach prywatnych i wiadomościach bezpośrednich.",
"You have no ignored users.": "Nie posiadasz ignorowanych użytkowników.", "You have no ignored users.": "Nie posiadasz ignorowanych użytkowników.",
"Enable hardware acceleration (restart %(appName)s to take effect)": "Włącz akceleracje sprzętową (uruchom ponownie %(appName)s, aby zastosować zmiany)",
"Room directory": "Katalog pokoju", "Room directory": "Katalog pokoju",
"Images, GIFs and videos": "Obrazy, GIFy i wideo", "Images, GIFs and videos": "Obrazy, GIFy i wideo",
"Code blocks": "Bloki kodu", "Code blocks": "Bloki kodu",
@ -2451,10 +2370,7 @@
"Toggle push notifications on this session.": "Przełącz powiadomienia push dla tej sesji.", "Toggle push notifications on this session.": "Przełącz powiadomienia push dla tej sesji.",
"Browser": "Przeglądarka", "Browser": "Przeglądarka",
"Operating system": "System operacyjny", "Operating system": "System operacyjny",
"Model": "Model",
"URL": "URL", "URL": "URL",
"Version": "Wersja",
"Application": "Aplikacja",
"This provides them with confidence that they are really speaking to you, but it also means they can see the session name you enter here.": "Oznacza to dla nich pewność, że rzeczywiście rozmawiają z Tobą, ale jednocześnie oznacza, że widzą nazwę sesji, którą tutaj wpiszesz.", "This provides them with confidence that they are really speaking to you, but it also means they can see the session name you enter here.": "Oznacza to dla nich pewność, że rzeczywiście rozmawiają z Tobą, ale jednocześnie oznacza, że widzą nazwę sesji, którą tutaj wpiszesz.",
"Other users in direct messages and rooms that you join are able to view a full list of your sessions.": "Inni użytkownicy w wiadomościach bezpośrednich i pokojach, do których dołączasz, mogą zobaczyć pełną listę Twoich sesji.", "Other users in direct messages and rooms that you join are able to view a full list of your sessions.": "Inni użytkownicy w wiadomościach bezpośrednich i pokojach, do których dołączasz, mogą zobaczyć pełną listę Twoich sesji.",
"Renaming sessions": "Zmienianie nazwy sesji", "Renaming sessions": "Zmienianie nazwy sesji",
@ -2778,8 +2694,6 @@
"The sender has blocked you from receiving this message": "Nadawca zablokował Ci możliwość otrzymania tej wiadomości", "The sender has blocked you from receiving this message": "Nadawca zablokował Ci możliwość otrzymania tej wiadomości",
"Jump to date": "Przeskocz do daty", "Jump to date": "Przeskocz do daty",
"The beginning of the room": "Początek pokoju", "The beginning of the room": "Początek pokoju",
"Last month": "Ostatni miesiąc",
"Last week": "Ostatni tydzień",
"Error details": "Szczegóły błędu", "Error details": "Szczegóły błędu",
"Unable to find event at that date": "Nie można znaleźć wydarzenia w tym dniu", "Unable to find event at that date": "Nie można znaleźć wydarzenia w tym dniu",
"Please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "Wyślij <debugLogsLink>dzienniki debugowania</debugLogsLink>, aby pomóc nam znaleźć problem.", "Please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "Wyślij <debugLogsLink>dzienniki debugowania</debugLogsLink>, aby pomóc nam znaleźć problem.",
@ -3192,7 +3106,6 @@
"%(featureName)s Beta feedback": "%(featureName)s opinia Beta", "%(featureName)s Beta feedback": "%(featureName)s opinia Beta",
"If you cancel now, you may lose encrypted messages & data if you lose access to your logins.": "Jeśli anulujesz teraz, możesz stracić wiadomości szyfrowane i dane, jeśli stracisz dostęp do loginu i hasła.", "If you cancel now, you may lose encrypted messages & data if you lose access to your logins.": "Jeśli anulujesz teraz, możesz stracić wiadomości szyfrowane i dane, jeśli stracisz dostęp do loginu i hasła.",
"The request was cancelled.": "Żądanie zostało anulowane.", "The request was cancelled.": "Żądanie zostało anulowane.",
"Cancelled": "Anulowano",
"Cancelled signature upload": "Przesyłanie sygnatury zostało anulowane", "Cancelled signature upload": "Przesyłanie sygnatury zostało anulowane",
"The export was cancelled successfully": "Eksport został anulowany pomyślnie", "The export was cancelled successfully": "Eksport został anulowany pomyślnie",
"Export Cancelled": "Eksport został anulowany", "Export Cancelled": "Eksport został anulowany",
@ -3250,7 +3163,6 @@
"Remove search filter for %(filter)s": "Usuń filtr wyszukiwania dla %(filter)s", "Remove search filter for %(filter)s": "Usuń filtr wyszukiwania dla %(filter)s",
"Search Dialog": "Pasek wyszukiwania", "Search Dialog": "Pasek wyszukiwania",
"Use <arrows/> to scroll": "Użyj <arrows/>, aby przewijać", "Use <arrows/> to scroll": "Użyj <arrows/>, aby przewijać",
"Clear": "Wyczyść",
"Recent searches": "Ostatnie wyszukania", "Recent searches": "Ostatnie wyszukania",
"To search messages, look for this icon at the top of a room <icon/>": "Aby szukać wiadomości, poszukaj tej ikony na górze pokoju <icon/>", "To search messages, look for this icon at the top of a room <icon/>": "Aby szukać wiadomości, poszukaj tej ikony na górze pokoju <icon/>",
"Other searches": "Inne wyszukiwania", "Other searches": "Inne wyszukiwania",
@ -3403,70 +3315,6 @@
"Cameras": "Kamery", "Cameras": "Kamery",
"Output devices": "Urządzenia wyjściowe", "Output devices": "Urządzenia wyjściowe",
"Input devices": "Urządzenia wejściowe", "Input devices": "Urządzenia wejściowe",
"No verification requests found": "Nie znaleziono żądań weryfikacji",
"Observe only": "Tylko obserwuj",
"Requester": "Żądający",
"Methods": "Metody",
"Timeout": "Czas oczekiwania",
"Phase": "Etap",
"Transaction": "Transakcja",
"Started": "Rozpoczęto",
"Ready": "Gotowe",
"Requested": "Żądane",
"Edit setting": "Edytuj ustawienie",
"Value in this room": "Wartość w tym pokoju",
"Value": "Wartość",
"Setting ID": "ID ustawienia",
"Values at explicit levels in this room:": "Wartości w ścisłych poziomach w tym pokoju:",
"Values at explicit levels:": "Wartości w ścisłych poziomach:",
"Value in this room:": "Wartość w tym pokoju:",
"Value:": "Wartość:",
"Edit values": "Edytuj wartości",
"Values at explicit levels in this room": "Wartości w ścisłych poziomach w tym pokoju",
"Values at explicit levels": "Wartości w ścisłych poziomach",
"Settable at room": "Możliwe do ustawienia w pokoju",
"Settable at global": "Możliwe do ustawienia globalnie",
"Level": "Poziom",
"Setting definition:": "Definicja ustawienia:",
"Setting:": "Ustawienie:",
"Save setting values": "Zapisz ustawione wartości",
"Failed to save settings.": "Nie udało się zapisać ustawień.",
"Number of users": "Liczba użytkowników",
"Server": "Serwer",
"Server Versions": "Wersje serwera",
"Client Versions": "Wersje klientów",
"Failed to load.": "Nie udało się wczytać.",
"Capabilities": "Możliwości",
"Send custom state event": "Wyślij własne wydarzenie stanu",
"<empty string>": "<empty string>",
"<%(count)s spaces>": {
"one": "<space>",
"other": "<%(count)s spacji>"
},
"Thread Id: ": "ID wątku: ",
"Threads timeline": "Oś czasu wątków",
"Sender: ": "Nadawca: ",
"Type: ": "Typ: ",
"ID: ": "ID: ",
"Last event:": "Ostatnie wydarzenie:",
"No receipt found": "Nie znaleziono potwierdzenia",
"User read up to: ": "Użytkownik czyta do: ",
"Dot: ": "Kropka: ",
"Highlight: ": "Wyróżnienie: ",
"Total: ": "Łącznie: ",
"Main timeline": "Główna oś czasu",
"Room is <strong>not encrypted 🚨</strong>": "Pokój nie jest <strong>szyfrowany 🚨</strong>",
"Room is <strong>encrypted ✅</strong>": "Pokój jest <strong>szyfrowany ✅</strong>",
"Notification state is <strong>%(notificationState)s</strong>": "Status powiadomień <strong>%(notificationState)s</strong>",
"Room unread status: <strong>%(status)s</strong>": "Status nieprzeczytanych wiadomości pokoju: <strong>%(status)s</strong>",
"Room unread status: <strong>%(status)s</strong>, count: <strong>%(count)s</strong>": {
"other": "Status nieprzeczytanych wiadomości pokoju: <strong>%(status)s</strong>, ilość: <strong>%(count)s</strong>"
},
"Room status": "Status pokoju",
"Failed to send event!": "Nie udało się wysłać wydarzenia!",
"Doesn't look like valid JSON.": "Nie wygląda to na prawidłowy JSON.",
"Send custom room account data event": "Wyślij własne wydarzenie danych konta pokoju",
"Send custom account data event": "Wyślij własne wydarzenie danych konta",
"Access your secure message history and set up secure messaging by entering your Security Phrase.": "Uzyskaj dostęp do swojej bezpiecznej historii wiadomości i skonfiguruj bezpieczne wiadomości, wprowadzając Hasło bezpieczeństwa.", "Access your secure message history and set up secure messaging by entering your Security Phrase.": "Uzyskaj dostęp do swojej bezpiecznej historii wiadomości i skonfiguruj bezpieczne wiadomości, wprowadzając Hasło bezpieczeństwa.",
"Enter Security Phrase": "Wprowadź hasło bezpieczeństwa", "Enter Security Phrase": "Wprowadź hasło bezpieczeństwa",
"Successfully restored %(sessionCount)s keys": "Przywrócono pomyślnie %(sessionCount)s kluczy", "Successfully restored %(sessionCount)s keys": "Przywrócono pomyślnie %(sessionCount)s kluczy",
@ -3669,8 +3517,6 @@
"Exported Data": "Eksportowane dane", "Exported Data": "Eksportowane dane",
"Views room with given address": "Przegląda pokój z podanym adresem", "Views room with given address": "Przegląda pokój z podanym adresem",
"Notification Settings": "Ustawienia powiadomień", "Notification Settings": "Ustawienia powiadomień",
"Show current profile picture and name for users in message history": "Pokaż bieżące zdjęcie i nazwę użytkowników w historii wiadomości",
"Show profile picture changes": "Pokaż zmiany zdjęcia profilowego",
"Mentions and Keywords only": "Wyłącznie wzmianki i słowa kluczowe", "Mentions and Keywords only": "Wyłącznie wzmianki i słowa kluczowe",
"Play a sound for": "Odtwórz dźwięk dla", "Play a sound for": "Odtwórz dźwięk dla",
"Notify when someone mentions using @room": "Powiadom mnie, gdy ktoś użyje wzmianki @room", "Notify when someone mentions using @room": "Powiadom mnie, gdy ktoś użyje wzmianki @room",
@ -3706,15 +3552,11 @@
"Show a badge <badge/> when keywords are used in a room.": "Wyświetl plakietkę <badge/>, gdy słowa kluczowe są używane w pokoju.", "Show a badge <badge/> when keywords are used in a room.": "Wyświetl plakietkę <badge/>, gdy słowa kluczowe są używane w pokoju.",
"Notify when someone mentions using @displayname or %(mxid)s": "Powiadom mnie, gdy ktoś użyje wzmianki @displayname lub %(mxid)s", "Notify when someone mentions using @displayname or %(mxid)s": "Powiadom mnie, gdy ktoś użyje wzmianki @displayname lub %(mxid)s",
"Anyone can request to join, but admins or moderators need to grant access. You can change this later.": "Każdy może poprosić o dołączenie, lecz administratorzy lub moderacja muszą przyznać zezwolenie. Można zmienić to później.", "Anyone can request to join, but admins or moderators need to grant access. You can change this later.": "Każdy może poprosić o dołączenie, lecz administratorzy lub moderacja muszą przyznać zezwolenie. Można zmienić to później.",
"User read up to (ignoreSynthetic): ": "Użytkownik przeczytał do (ignoreSynthetic): ",
"This homeserver doesn't offer any login flows that are supported by this client.": "Serwer domowy nie oferuje żadnego procesu logowania, który wspierałby ten klient.", "This homeserver doesn't offer any login flows that are supported by this client.": "Serwer domowy nie oferuje żadnego procesu logowania, który wspierałby ten klient.",
"Thread Root ID: %(threadRootId)s": "ID Root Wątku:%(threadRootId)s", "Thread Root ID: %(threadRootId)s": "ID Root Wątku:%(threadRootId)s",
"Other things we think you might be interested in:": "Inne rzeczy, które mogą Cię zainteresować:", "Other things we think you might be interested in:": "Inne rzeczy, które mogą Cię zainteresować:",
"Enter keywords here, or use for spelling variations or nicknames": "Wprowadź tutaj słowa kluczowe lub użyj odmian pisowni lub nicków", "Enter keywords here, or use for spelling variations or nicknames": "Wprowadź tutaj słowa kluczowe lub użyj odmian pisowni lub nicków",
"User read up to (m.read.private): ": "Użytkownik przeczytał do (m.read.private): ",
"User read up to (m.read.private;ignoreSynthetic): ": "Użytkownik przeczytał do (m.read.private;ignoreSynthetic): ",
"Upgrade room": "Ulepsz pokój", "Upgrade room": "Ulepsz pokój",
"See history": "Pokaż historię",
"common": { "common": {
"about": "Informacje", "about": "Informacje",
"analytics": "Analityka", "analytics": "Analityka",
@ -3764,21 +3606,38 @@
"beta": "Beta", "beta": "Beta",
"attachment": "Załącznik", "attachment": "Załącznik",
"appearance": "Wygląd", "appearance": "Wygląd",
"guest": "Gość",
"legal": "Zasoby prawne",
"credits": "Podziękowania",
"faq": "Najczęściej zadawane pytania",
"access_token": "Token dostępu",
"preferences": "Preferencje",
"presence": "Prezencja",
"timeline": "Oś czasu", "timeline": "Oś czasu",
"privacy": "Prywatność",
"camera": "Kamera",
"microphone": "Mikrofon",
"emoji": "Emoji",
"random": "Losowe",
"support": "Wsparcie", "support": "Wsparcie",
"space": "Przestrzeń" "space": "Przestrzeń",
"random": "Losowe",
"privacy": "Prywatność",
"presence": "Prezencja",
"preferences": "Preferencje",
"microphone": "Mikrofon",
"legal": "Zasoby prawne",
"guest": "Gość",
"faq": "Najczęściej zadawane pytania",
"emoji": "Emoji",
"credits": "Podziękowania",
"camera": "Kamera",
"access_token": "Token dostępu",
"someone": "Ktoś",
"welcome": "Witaj",
"encrypted": "Szyfrowane",
"application": "Aplikacja",
"version": "Wersja",
"device": "Urządzenie",
"model": "Model",
"verified": "Zweryfikowane",
"unverified": "Niezweryfikowane",
"matrix": "Matrix",
"ios": "iOS",
"android": "Android",
"trusted": "Zaufane",
"not_trusted": "Nie zaufane",
"accessibility": "Ułatwienia dostępu",
"capabilities": "Możliwości",
"server": "Serwer"
}, },
"action": { "action": {
"continue": "Kontynuuj", "continue": "Kontynuuj",
@ -3851,23 +3710,34 @@
"apply": "Zastosuj", "apply": "Zastosuj",
"add": "Dodaj", "add": "Dodaj",
"accept": "Akceptuj", "accept": "Akceptuj",
"disconnect": "Odłącz",
"change": "Zmień",
"subscribe": "Subskrybuj",
"unsubscribe": "Odsubskrybuj",
"approve": "Zatwierdź",
"proceed": "Kontynuuj",
"complete": "Uzupełnij",
"revoke": "Odwołaj",
"rename": "Zmień nazwę",
"view_all": "Pokaż wszystkie", "view_all": "Pokaż wszystkie",
"unsubscribe": "Odsubskrybuj",
"subscribe": "Subskrybuj",
"show_all": "Zobacz wszystko", "show_all": "Zobacz wszystko",
"show": "Pokaż", "show": "Pokaż",
"revoke": "Odwołaj",
"review": "Przejrzyj", "review": "Przejrzyj",
"restore": "Przywróć", "restore": "Przywróć",
"rename": "Zmień nazwę",
"register": "Rejestracja",
"proceed": "Kontynuuj",
"play": "Odtwórz", "play": "Odtwórz",
"pause": "Wstrzymaj", "pause": "Wstrzymaj",
"register": "Rejestracja" "disconnect": "Odłącz",
"complete": "Uzupełnij",
"change": "Zmień",
"approve": "Zatwierdź",
"manage": "Zarządzaj",
"go": "Przejdź",
"import": "Importuj",
"export": "Eksport",
"refresh": "Odśwież",
"minimise": "Minimalizuj",
"maximise": "Maksymalizuj",
"mention": "Wzmianka",
"submit": "Wyślij",
"send_report": "Wyślij zgłoszenie",
"clear": "Wyczyść"
}, },
"a11y": { "a11y": {
"user_menu": "Menu użytkownika" "user_menu": "Menu użytkownika"
@ -3955,8 +3825,8 @@
"restricted": "Ograniczony", "restricted": "Ograniczony",
"moderator": "Moderator", "moderator": "Moderator",
"admin": "Administrator", "admin": "Administrator",
"custom": "Własny (%(level)s)", "mod": "Moderator",
"mod": "Moderator" "custom": "Własny (%(level)s)"
}, },
"bug_reporting": { "bug_reporting": {
"introduction": "Jeśli zgłosiłeś błąd za pomocą serwisu GitHub, dzienniki debugowania mogą pomóc nam w namierzeniu problemu. ", "introduction": "Jeśli zgłosiłeś błąd za pomocą serwisu GitHub, dzienniki debugowania mogą pomóc nam w namierzeniu problemu. ",
@ -3981,6 +3851,142 @@
"short_seconds": "%(value)ss", "short_seconds": "%(value)ss",
"short_days_hours_minutes_seconds": "%(days)sd %(hours)s godz. %(minutes)s min. %(seconds)ss", "short_days_hours_minutes_seconds": "%(days)sd %(hours)s godz. %(minutes)s min. %(seconds)ss",
"short_hours_minutes_seconds": "%(hours)s godz. %(minutes)s min. %(seconds)ss", "short_hours_minutes_seconds": "%(hours)s godz. %(minutes)s min. %(seconds)ss",
"short_minutes_seconds": "%(minutes)s min. %(seconds)ss" "short_minutes_seconds": "%(minutes)s min. %(seconds)ss",
"last_week": "Ostatni tydzień",
"last_month": "Ostatni miesiąc"
},
"onboarding": {
"personal_messaging_title": "Bezpieczna komunikacja dla znajomych i rodziny",
"free_e2ee_messaging_unlimited_voip": "Za pomocą darmowych wiadomości szyfrowanych end-to-end i nielimitowanymi rozmowami głosowymi i wideo, %(brand)s jest świetnym sposobem, aby pozostać w kontakcie.",
"personal_messaging_action": "Zacznij swoją pierwszą rozmowę",
"work_messaging_title": "Bezpieczna komunikacja w pracy",
"work_messaging_action": "Znajdź swoich współpracowników",
"community_messaging_title": "Własność społeczności",
"community_messaging_action": "Znajdź swoich ludzi",
"welcome_to_brand": "Witaj w %(brand)s",
"only_n_steps_to_go": {
"one": "Jeszcze tylko %(count)s krok",
"other": "Jeszcze tylko %(count)s kroki"
},
"you_did_it": "Udało ci się!",
"complete_these": "Wykonaj je, aby jak najlepiej wykorzystać %(brand)s",
"community_messaging_description": "Zatrzymaj własność i kontroluj dyskusję społeczności.\nRozwijaj się, aby wspierać miliony za pomocą potężnych narzędzi moderatorskich i interoperacyjnością."
},
"devtools": {
"send_custom_account_data_event": "Wyślij własne wydarzenie danych konta",
"send_custom_room_account_data_event": "Wyślij własne wydarzenie danych konta pokoju",
"event_type": "Typ wydarzenia",
"state_key": "Klucz stanu",
"invalid_json": "Nie wygląda to na prawidłowy JSON.",
"failed_to_send": "Nie udało się wysłać wydarzenia!",
"event_sent": "Wydarzenie wysłane!",
"event_content": "Zawartość wydarzenia",
"user_read_up_to": "Użytkownik czyta do: ",
"no_receipt_found": "Nie znaleziono potwierdzenia",
"user_read_up_to_ignore_synthetic": "Użytkownik przeczytał do (ignoreSynthetic): ",
"user_read_up_to_private": "Użytkownik przeczytał do (m.read.private): ",
"user_read_up_to_private_ignore_synthetic": "Użytkownik przeczytał do (m.read.private;ignoreSynthetic): ",
"room_status": "Status pokoju",
"room_unread_status_count": {
"other": "Status nieprzeczytanych wiadomości pokoju: <strong>%(status)s</strong>, ilość: <strong>%(count)s</strong>"
},
"notification_state": "Status powiadomień <strong>%(notificationState)s</strong>",
"room_encrypted": "Pokój jest <strong>szyfrowany ✅</strong>",
"room_not_encrypted": "Pokój nie jest <strong>szyfrowany 🚨</strong>",
"main_timeline": "Główna oś czasu",
"threads_timeline": "Oś czasu wątków",
"room_notifications_total": "Łącznie: ",
"room_notifications_highlight": "Wyróżnienie: ",
"room_notifications_dot": "Kropka: ",
"room_notifications_last_event": "Ostatnie wydarzenie:",
"room_notifications_type": "Typ: ",
"room_notifications_sender": "Nadawca: ",
"room_notifications_thread_id": "ID wątku: ",
"spaces": {
"one": "<space>",
"other": "<%(count)s spacji>"
},
"empty_string": "<empty string>",
"room_unread_status": "Status nieprzeczytanych wiadomości pokoju: <strong>%(status)s</strong>",
"id": "ID: ",
"send_custom_state_event": "Wyślij własne wydarzenie stanu",
"see_history": "Pokaż historię",
"failed_to_load": "Nie udało się wczytać.",
"client_versions": "Wersje klientów",
"server_versions": "Wersje serwera",
"number_of_users": "Liczba użytkowników",
"failed_to_save": "Nie udało się zapisać ustawień.",
"save_setting_values": "Zapisz ustawione wartości",
"setting_colon": "Ustawienie:",
"caution_colon": "Ostrzeżenie:",
"use_at_own_risk": "Ten interfejs nie sprawdza typów wartości. Używaj na własne ryzyko.",
"setting_definition": "Definicja ustawienia:",
"level": "Poziom",
"settable_global": "Możliwe do ustawienia globalnie",
"settable_room": "Możliwe do ustawienia w pokoju",
"values_explicit": "Wartości w ścisłych poziomach",
"values_explicit_room": "Wartości w ścisłych poziomach w tym pokoju",
"edit_values": "Edytuj wartości",
"value_colon": "Wartość:",
"value_this_room_colon": "Wartość w tym pokoju:",
"values_explicit_colon": "Wartości w ścisłych poziomach:",
"values_explicit_this_room_colon": "Wartości w ścisłych poziomach w tym pokoju:",
"setting_id": "ID ustawienia",
"value": "Wartość",
"value_in_this_room": "Wartość w tym pokoju",
"edit_setting": "Edytuj ustawienie",
"phase_requested": "Żądane",
"phase_ready": "Gotowe",
"phase_started": "Rozpoczęto",
"phase_cancelled": "Anulowano",
"phase_transaction": "Transakcja",
"phase": "Etap",
"timeout": "Czas oczekiwania",
"methods": "Metody",
"requester": "Żądający",
"observe_only": "Tylko obserwuj",
"no_verification_requests_found": "Nie znaleziono żądań weryfikacji",
"failed_to_find_widget": "Wystąpił błąd podczas próby odnalezienia tego widżetu."
},
"settings": {
"show_breadcrumbs": "Pokazuj skróty do ostatnio wyświetlonych pokojów nad listą pokojów",
"all_rooms_home_description": "Wszystkie pokoje w których jesteś zostaną pokazane na ekranie głównym.",
"use_command_f_search": "Użyj Command + F aby przeszukać oś czasu",
"use_control_f_search": "Użyj Ctrl + F aby przeszukać oś czasu",
"use_12_hour_format": "Pokaż czas w formacie 12-sto godzinnym (np. 2:30pm)",
"always_show_message_timestamps": "Zawsze pokazuj znaczniki czasu wiadomości",
"send_read_receipts": "Wysyłaj potwierdzenia przeczytania",
"send_typing_notifications": "Wyślij powiadomienia o pisaniu",
"replace_plain_emoji": "Automatycznie zastępuj tekstowe emotikony",
"enable_markdown": "Włącz Markdown",
"emoji_autocomplete": "Włącz podpowiedzi Emoji podczas pisania",
"use_command_enter_send_message": "Użyj Command + Enter, aby wysłać wiadomość",
"use_control_enter_send_message": "Użyj Ctrl + Enter, aby wysłać wiadomość",
"all_rooms_home": "Pokaż wszystkie pokoje na ekranie głównym",
"enable_markdown_description": "Rozpocznij wiadomość z <code>/plain</code>, aby była bez markdownu.",
"show_stickers_button": "Pokaż przycisk naklejek",
"insert_trailing_colon_mentions": "Wstawiaj dwukropek po wzmiance użytkownika na początku wiadomości",
"automatic_language_detection_syntax_highlight": "Włącz automatyczne rozpoznawanie języka dla podświetlania składni",
"code_block_expand_default": "Domyślnie rozwijaj bloki kodu",
"code_block_line_numbers": "Pokazuj numery wierszy w blokach kodu",
"inline_url_previews_default": "Włącz domyślny podgląd URL w tekście",
"autoplay_gifs": "Auto odtwarzanie GIF'ów",
"autoplay_videos": "Auto odtwarzanie filmów",
"image_thumbnails": "Pokaż podgląd/miniatury obrazów",
"show_typing_notifications": "Pokazuj powiadomienia o pisaniu",
"show_redaction_placeholder": "Pokaż symbol zastępczy dla usuniętych wiadomości",
"show_read_receipts": "Pokaż potwierdzenia odczytania wysyłane przez innych użytkowników",
"show_join_leave": "Pokaż wiadomości dołączenia/opuszczenia pokoju (nie dotyczy wiadomości zaproszenia/wyrzucenia/banów)",
"show_displayname_changes": "Pokaż zmiany wyświetlanej nazwy",
"show_chat_effects": "Pokaż efekty czatu (animacje po odebraniu np. confetti)",
"show_avatar_changes": "Pokaż zmiany zdjęcia profilowego",
"big_emoji": "Aktywuj duże emoji na czacie",
"jump_to_bottom_on_send": "Przejdź na dół osi czasu po wysłaniu wiadomości",
"disable_historical_profile": "Pokaż bieżące zdjęcie i nazwę użytkowników w historii wiadomości",
"show_nsfw_content": "Pokaż zawartość NSFW",
"prompt_invite": "Powiadamiaj przed wysłaniem zaproszenia do potencjalnie nieprawidłowych ID matrix",
"hardware_acceleration": "Włącz akceleracje sprzętową (uruchom ponownie %(appName)s, aby zastosować zmiany)",
"start_automatically": "Uruchom automatycznie po zalogowaniu się do systemu",
"warn_quit": "Ostrzeż przed wyjściem"
} }
} }

View file

@ -49,7 +49,6 @@
"Server may be unavailable, overloaded, or you hit a bug.": "O servidor pode estar indisponível ou sobrecarregado, ou então você encontrou uma falha no sistema.", "Server may be unavailable, overloaded, or you hit a bug.": "O servidor pode estar indisponível ou sobrecarregado, ou então você encontrou uma falha no sistema.",
"Session ID": "Identificador de sessão", "Session ID": "Identificador de sessão",
"Signed Out": "Deslogar", "Signed Out": "Deslogar",
"Someone": "Alguém",
"The email address linked to your account must be entered.": "O endereço de email relacionado a sua conta precisa ser informado.", "The email address linked to your account must be entered.": "O endereço de email relacionado a sua conta precisa ser informado.",
"This doesn't appear to be a valid email address": "Este não aparenta ser um endereço de email válido", "This doesn't appear to be a valid email address": "Este não aparenta ser um endereço de email válido",
"This room is not accessible by remote Matrix servers": "Esta sala não é acessível para servidores Matrix remotos", "This room is not accessible by remote Matrix servers": "Esta sala não é acessível para servidores Matrix remotos",
@ -147,14 +146,12 @@
"Server error": "Erro no servidor", "Server error": "Erro no servidor",
"Server may be unavailable, overloaded, or search timed out :(": "O servidor pode estar indisponível, sobrecarregado, ou a busca ultrapassou o tempo limite :(", "Server may be unavailable, overloaded, or search timed out :(": "O servidor pode estar indisponível, sobrecarregado, ou a busca ultrapassou o tempo limite :(",
"Server unavailable, overloaded, or something else went wrong.": "O servidor pode estar indisponível, sobrecarregado, ou alguma outra coisa não funcionou.", "Server unavailable, overloaded, or something else went wrong.": "O servidor pode estar indisponível, sobrecarregado, ou alguma outra coisa não funcionou.",
"Submit": "Enviar",
"This room has no local addresses": "Esta sala não tem endereços locais", "This room has no local addresses": "Esta sala não tem endereços locais",
"Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Tentei carregar um ponto específico na linha do tempo desta sala, mas parece que você não tem permissões para ver a mensagem em questão.", "Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Tentei carregar um ponto específico na linha do tempo desta sala, mas parece que você não tem permissões para ver a mensagem em questão.",
"Tried to load a specific point in this room's timeline, but was unable to find it.": "Tentei carregar um ponto específico na linha do tempo desta sala, mas não o encontrei.", "Tried to load a specific point in this room's timeline, but was unable to find it.": "Tentei carregar um ponto específico na linha do tempo desta sala, mas não o encontrei.",
"You seem to be in a call, are you sure you want to quit?": "Parece que você está em uma chamada. Tem certeza que quer sair?", "You seem to be in a call, are you sure you want to quit?": "Parece que você está em uma chamada. Tem certeza que quer sair?",
"You seem to be uploading files, are you sure you want to quit?": "Parece que você está enviando arquivos. Tem certeza que quer sair?", "You seem to be uploading files, are you sure you want to quit?": "Parece que você está enviando arquivos. Tem certeza que quer sair?",
"You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Você não poderá desfazer esta mudança, pois estará dando a este(a) usuário(a) o mesmo nível de permissões que você.", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Você não poderá desfazer esta mudança, pois estará dando a este(a) usuário(a) o mesmo nível de permissões que você.",
"Always show message timestamps": "Sempre mostrar as datas das mensagens",
"Authentication": "Autenticação", "Authentication": "Autenticação",
"An error has occurred.": "Ocorreu um erro.", "An error has occurred.": "Ocorreu um erro.",
"Email": "Email", "Email": "Email",
@ -163,7 +160,6 @@
"Invalid file%(extra)s": "Arquivo inválido %(extra)s", "Invalid file%(extra)s": "Arquivo inválido %(extra)s",
"Operation failed": "A operação falhou", "Operation failed": "A operação falhou",
"%(brand)s version:": "versão do %(brand)s:", "%(brand)s version:": "versão do %(brand)s:",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Mostrar os horários em formato de 12h (p.ex: 2:30pm)",
"Warning!": "Atenção!", "Warning!": "Atenção!",
"%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s apagou o nome da sala.", "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s apagou o nome da sala.",
"Passphrases must match": "As frases-passe devem coincidir", "Passphrases must match": "As frases-passe devem coincidir",
@ -194,10 +190,7 @@
"Online": "Online", "Online": "Online",
"Idle": "Ocioso", "Idle": "Ocioso",
"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 processo faz com que você possa importar as chaves de criptografia que tinha previamente exportado de outro cliente Matrix. Você poderá então descriptografar todas as mensagens que o outro cliente pôde criptografar.", "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 processo faz com que você possa importar as chaves de criptografia que tinha previamente exportado de outro cliente Matrix. Você poderá então descriptografar todas as mensagens que o outro cliente pôde criptografar.",
"Start automatically after system login": "Iniciar automaticamente ao iniciar o sistema",
"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?": "Você será levado agora a um site de terceiros para poder autenticar a sua conta para uso com o serviço %(integrationsUrl)s. Você quer continuar?", "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?": "Você será levado agora a um site de terceiros para poder autenticar a sua conta para uso com o serviço %(integrationsUrl)s. Você quer continuar?",
"Export": "Exportar",
"Import": "Importar",
"Incorrect username and/or password.": "Nome de utilizador e/ou palavra-passe incorreta.", "Incorrect username and/or password.": "Nome de utilizador e/ou palavra-passe incorreta.",
"Invited": "Convidada(o)", "Invited": "Convidada(o)",
"Verified key": "Chave verificada", "Verified key": "Chave verificada",
@ -238,7 +231,6 @@
"%(roomName)s is not accessible at this time.": "%(roomName)s não está acessível neste momento.", "%(roomName)s is not accessible at this time.": "%(roomName)s não está acessível neste momento.",
"Delete widget": "Apagar widget", "Delete widget": "Apagar widget",
"Define the power level of a user": "Definir o nível de privilégios de um utilizador", "Define the power level of a user": "Definir o nível de privilégios de um utilizador",
"Enable automatic language detection for syntax highlighting": "Ativar deteção automática da linguagem para realce da sintaxe",
"Publish this room to the public in %(domain)s's room directory?": "Publicar esta sala ao público no diretório de salas de %(domain)s's?", "Publish this room to the public in %(domain)s's room directory?": "Publicar esta sala ao público no diretório de salas de %(domain)s's?",
"AM": "AM", "AM": "AM",
"PM": "PM", "PM": "PM",
@ -253,7 +245,6 @@
"Authentication check failed: incorrect password?": "Erro de autenticação: palavra-passe incorreta?", "Authentication check failed: incorrect password?": "Erro de autenticação: palavra-passe incorreta?",
"Do you want to set an email address?": "Deseja definir um endereço de e-mail?", "Do you want to set an email address?": "Deseja definir um endereço de e-mail?",
"This will allow you to reset your password and receive notifications.": "Isto irá permitir-lhe redefinir a sua palavra-passe e receber notificações.", "This will allow you to reset your password and receive notifications.": "Isto irá permitir-lhe redefinir a sua palavra-passe e receber notificações.",
"Automatically replace plain text Emoji": "Substituir Emoji de texto automaticamente",
"%(widgetName)s widget added by %(senderName)s": "Widget %(widgetName)s adicionado por %(senderName)s", "%(widgetName)s widget added by %(senderName)s": "Widget %(widgetName)s adicionado por %(senderName)s",
"%(widgetName)s widget removed by %(senderName)s": "Widget %(widgetName)s removido por %(senderName)s", "%(widgetName)s widget removed by %(senderName)s": "Widget %(widgetName)s removido por %(senderName)s",
"%(widgetName)s widget modified by %(senderName)s": "Widget %(widgetName)s modificado por %(senderName)s", "%(widgetName)s widget modified by %(senderName)s": "Widget %(widgetName)s modificado por %(senderName)s",
@ -293,7 +284,6 @@
"Monday": "Segunda-feira", "Monday": "Segunda-feira",
"Collecting logs": "A recolher logs", "Collecting logs": "A recolher logs",
"Invite to this room": "Convidar para esta sala", "Invite to this room": "Convidar para esta sala",
"State Key": "Chave de estado",
"Send": "Enviar", "Send": "Enviar",
"All messages": "Todas as mensagens", "All messages": "Todas as mensagens",
"Call invitation": "Convite para chamada", "Call invitation": "Convite para chamada",
@ -309,9 +299,6 @@
"Off": "Desativado", "Off": "Desativado",
"Failed to remove tag %(tagName)s from room": "Não foi possível remover a marcação %(tagName)s desta sala", "Failed to remove tag %(tagName)s from room": "Não foi possível remover a marcação %(tagName)s desta sala",
"Wednesday": "Quarta-feira", "Wednesday": "Quarta-feira",
"Event Type": "Tipo de evento",
"Event sent!": "Evento enviado!",
"Event Content": "Conteúdo do evento",
"Thank you!": "Obrigado!", "Thank you!": "Obrigado!",
"Add Email Address": "Adicione adresso de e-mail", "Add Email Address": "Adicione adresso de e-mail",
"Add Phone Number": "Adicione número de telefone", "Add Phone Number": "Adicione número de telefone",
@ -717,7 +704,8 @@
"attachment": "Anexo", "attachment": "Anexo",
"camera": "Câmera de vídeo", "camera": "Câmera de vídeo",
"microphone": "Microfone", "microphone": "Microfone",
"emoji": "Emoji" "emoji": "Emoji",
"someone": "Alguém"
}, },
"action": { "action": {
"continue": "Continuar", "continue": "Continuar",
@ -753,7 +741,10 @@
"back": "Voltar", "back": "Voltar",
"add": "Adicionar", "add": "Adicionar",
"accept": "Aceitar", "accept": "Aceitar",
"register": "Registar" "register": "Registar",
"import": "Importar",
"export": "Exportar",
"submit": "Enviar"
}, },
"keyboard": { "keyboard": {
"home": "Início" "home": "Início"
@ -781,5 +772,18 @@
"short_days_hours_minutes_seconds": "%(days)sd %(hours)sh %(minutes)sm %(seconds)ss", "short_days_hours_minutes_seconds": "%(days)sd %(hours)sh %(minutes)sm %(seconds)ss",
"short_hours_minutes_seconds": "%(hours)sh %(minutes)sm %(seconds)ss", "short_hours_minutes_seconds": "%(hours)sh %(minutes)sm %(seconds)ss",
"short_minutes_seconds": "%(minutes)sm %(seconds)ss" "short_minutes_seconds": "%(minutes)sm %(seconds)ss"
},
"devtools": {
"event_type": "Tipo de evento",
"state_key": "Chave de estado",
"event_sent": "Evento enviado!",
"event_content": "Conteúdo do evento"
},
"settings": {
"use_12_hour_format": "Mostrar os horários em formato de 12h (p.ex: 2:30pm)",
"always_show_message_timestamps": "Sempre mostrar as datas das mensagens",
"replace_plain_emoji": "Substituir Emoji de texto automaticamente",
"automatic_language_detection_syntax_highlight": "Ativar deteção automática da linguagem para realce da sintaxe",
"start_automatically": "Iniciar automaticamente ao iniciar o sistema"
} }
} }

View file

@ -49,7 +49,6 @@
"Server may be unavailable, overloaded, or you hit a bug.": "O servidor pode estar indisponível ou sobrecarregado, ou então você encontrou uma falha no sistema.", "Server may be unavailable, overloaded, or you hit a bug.": "O servidor pode estar indisponível ou sobrecarregado, ou então você encontrou uma falha no sistema.",
"Session ID": "Identificador de sessão", "Session ID": "Identificador de sessão",
"Signed Out": "Deslogar", "Signed Out": "Deslogar",
"Someone": "Alguém",
"The email address linked to your account must be entered.": "O e-mail vinculado à sua conta precisa ser informado.", "The email address linked to your account must be entered.": "O e-mail vinculado à sua conta precisa ser informado.",
"This doesn't appear to be a valid email address": "Este não aparenta ser um endereço de e-mail válido", "This doesn't appear to be a valid email address": "Este não aparenta ser um endereço de e-mail válido",
"This room is not accessible by remote Matrix servers": "Esta sala não é acessível para servidores Matrix remotos", "This room is not accessible by remote Matrix servers": "Esta sala não é acessível para servidores Matrix remotos",
@ -147,14 +146,12 @@
"Server error": "Erro no servidor", "Server error": "Erro no servidor",
"Server may be unavailable, overloaded, or search timed out :(": "O servidor pode estar indisponível, sobrecarregado, ou a busca ultrapassou o tempo limite :(", "Server may be unavailable, overloaded, or search timed out :(": "O servidor pode estar indisponível, sobrecarregado, ou a busca ultrapassou o tempo limite :(",
"Server unavailable, overloaded, or something else went wrong.": "O servidor pode estar indisponível, sobrecarregado, ou alguma outra coisa não funcionou.", "Server unavailable, overloaded, or something else went wrong.": "O servidor pode estar indisponível, sobrecarregado, ou alguma outra coisa não funcionou.",
"Submit": "Enviar",
"This room has no local addresses": "Esta sala não tem endereços locais", "This room has no local addresses": "Esta sala não tem endereços locais",
"Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Não foi possível carregar um trecho específico da conversa desta sala, porque parece que você não tem permissão para ler a mensagem em questão.", "Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Não foi possível carregar um trecho específico da conversa desta sala, porque parece que você não tem permissão para ler a mensagem em questão.",
"Tried to load a specific point in this room's timeline, but was unable to find it.": "Não foi possível carregar um trecho específico da conversa desta sala.", "Tried to load a specific point in this room's timeline, but was unable to find it.": "Não foi possível carregar um trecho específico da conversa desta sala.",
"You seem to be in a call, are you sure you want to quit?": "Parece que você está em uma chamada. Tem certeza que quer sair?", "You seem to be in a call, are you sure you want to quit?": "Parece que você está em uma chamada. Tem certeza que quer sair?",
"You seem to be uploading files, are you sure you want to quit?": "Parece que você está enviando arquivos. Tem certeza que quer sair?", "You seem to be uploading files, are you sure you want to quit?": "Parece que você está enviando arquivos. Tem certeza que quer sair?",
"You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Você não poderá desfazer essa alteração, pois está promovendo o usuário ao mesmo nível de permissão que você.", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Você não poderá desfazer essa alteração, pois está promovendo o usuário ao mesmo nível de permissão que você.",
"Always show message timestamps": "Sempre mostrar as datas das mensagens",
"Authentication": "Autenticação", "Authentication": "Autenticação",
"An error has occurred.": "Ocorreu um erro.", "An error has occurred.": "Ocorreu um erro.",
"Email": "E-mail", "Email": "E-mail",
@ -163,7 +160,6 @@
"Invalid file%(extra)s": "Arquivo inválido %(extra)s", "Invalid file%(extra)s": "Arquivo inválido %(extra)s",
"Operation failed": "A operação falhou", "Operation failed": "A operação falhou",
"%(brand)s version:": "versão do %(brand)s:", "%(brand)s version:": "versão do %(brand)s:",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Mostrar os horários em formato de 12h (p.ex: 2:30pm)",
"Warning!": "Atenção!", "Warning!": "Atenção!",
"%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s apagou o nome da sala.", "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s apagou o nome da sala.",
"Passphrases must match": "As senhas têm que ser iguais", "Passphrases must match": "As senhas têm que ser iguais",
@ -194,10 +190,7 @@
"Online": "Conectada/o", "Online": "Conectada/o",
"Idle": "Ocioso", "Idle": "Ocioso",
"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 processo faz com que você possa importar as chaves de criptografia que tinha previamente exportado de outro cliente Matrix. Você poderá então descriptografar todas as mensagens que o outro cliente pôde criptografar.", "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 processo faz com que você possa importar as chaves de criptografia que tinha previamente exportado de outro cliente Matrix. Você poderá então descriptografar todas as mensagens que o outro cliente pôde criptografar.",
"Start automatically after system login": "Iniciar automaticamente ao iniciar o sistema",
"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?": "Você será redirecionado para um site de terceiros para poder autenticar a sua conta, tendo em vista usar o serviço %(integrationsUrl)s. Deseja prosseguir?", "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?": "Você será redirecionado para um site de terceiros para poder autenticar a sua conta, tendo em vista usar o serviço %(integrationsUrl)s. Deseja prosseguir?",
"Export": "Exportar",
"Import": "Importar",
"Incorrect username and/or password.": "Nome de usuário e/ou senha incorreto.", "Incorrect username and/or password.": "Nome de usuário e/ou senha incorreto.",
"Invited": "Convidada(o)", "Invited": "Convidada(o)",
"Verified key": "Chave confirmada", "Verified key": "Chave confirmada",
@ -258,16 +251,12 @@
"%(widgetName)s widget added by %(senderName)s": "O widget %(widgetName)s foi criado por %(senderName)s", "%(widgetName)s widget added by %(senderName)s": "O widget %(widgetName)s foi criado por %(senderName)s",
"%(widgetName)s widget removed by %(senderName)s": "O widget %(widgetName)s foi removido por %(senderName)s", "%(widgetName)s widget removed by %(senderName)s": "O widget %(widgetName)s foi removido por %(senderName)s",
"Send": "Enviar", "Send": "Enviar",
"Enable automatic language detection for syntax highlighting": "Ativar detecção automática de idioma para ressaltar erros de ortografia",
"Automatically replace plain text Emoji": "Substituir automaticamente os emojis em texto",
"Mirror local video feed": "Espelhar o feed de vídeo local", "Mirror local video feed": "Espelhar o feed de vídeo local",
"Enable inline URL previews by default": "Ativar, por padrão, a visualização de resumo de links",
"Enable URL previews for this room (only affects you)": "Ativar, para esta sala, a visualização de links (só afeta você)", "Enable URL previews for this room (only affects you)": "Ativar, para esta sala, a visualização de links (só afeta você)",
"Enable URL previews by default for participants in this room": "Ativar, para todos os participantes desta sala, a visualização de links", "Enable URL previews by default for participants in this room": "Ativar, para todos os participantes desta sala, a visualização de links",
"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.": "Você não poderá desfazer essa alteração, já que está rebaixando sua própria permissão. Se você for a última pessoa nesta sala, será impossível recuperar a permissão atual.", "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.": "Você não poderá desfazer essa alteração, já que está rebaixando sua própria permissão. Se você for a última pessoa nesta sala, será impossível recuperar a permissão atual.",
"Unignore": "Desbloquear", "Unignore": "Desbloquear",
"Jump to read receipt": "Ir para a confirmação de leitura", "Jump to read receipt": "Ir para a confirmação de leitura",
"Mention": "Mencionar",
"Send an encrypted reply…": "Digite sua resposta criptografada…", "Send an encrypted reply…": "Digite sua resposta criptografada…",
"Send an encrypted message…": "Digite uma mensagem criptografada…", "Send an encrypted message…": "Digite uma mensagem criptografada…",
"%(duration)ss": "%(duration)ss", "%(duration)ss": "%(duration)ss",
@ -424,7 +413,6 @@
"Invite to this room": "Convidar para esta sala", "Invite to this room": "Convidar para esta sala",
"All messages": "Todas as mensagens novas", "All messages": "Todas as mensagens novas",
"Call invitation": "Recebendo chamada", "Call invitation": "Recebendo chamada",
"State Key": "Chave do Estado",
"What's new?": "O que há de novidades?", "What's new?": "O que há de novidades?",
"When I'm invited to a room": "Quando eu for convidada(o) a uma sala", "When I'm invited to a room": "Quando eu for convidada(o) a uma sala",
"All Rooms": "Todas as salas", "All Rooms": "Todas as salas",
@ -437,9 +425,6 @@
"Low Priority": "Baixa prioridade", "Low Priority": "Baixa prioridade",
"Off": "Desativado", "Off": "Desativado",
"Wednesday": "Quarta-feira", "Wednesday": "Quarta-feira",
"Event Type": "Tipo do Evento",
"Event sent!": "Evento enviado!",
"Event Content": "Conteúdo do Evento",
"Thank you!": "Obrigado!", "Thank you!": "Obrigado!",
"Permission Required": "Permissão necessária", "Permission Required": "Permissão necessária",
"You do not have permission to start a conference call in this room": "Você não tem permissão para iniciar uma chamada em grupo nesta sala", "You do not have permission to start a conference call in this room": "Você não tem permissão para iniciar uma chamada em grupo nesta sala",
@ -532,7 +517,6 @@
"If the other version of %(brand)s is still open in another tab, please close it as using %(brand)s on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "Se a outra versão do %(brand)s ainda estiver aberta em outra aba, por favor, feche-a pois usar o %(brand)s no mesmo host com o carregamento Lazy ativado e desativado simultaneamente causará problemas.", "If the other version of %(brand)s is still open in another tab, please close it as using %(brand)s on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "Se a outra versão do %(brand)s ainda estiver aberta em outra aba, por favor, feche-a pois usar o %(brand)s no mesmo host com o carregamento Lazy ativado e desativado simultaneamente causará problemas.",
"Update any local room aliases to point to the new room": "Atualize todos os nomes locais da sala para apontar para a nova sala", "Update any local room aliases to point to the new room": "Atualize todos os nomes locais da sala para apontar para a nova sala",
"Clear Storage and Sign Out": "Limpar armazenamento e sair", "Clear Storage and Sign Out": "Limpar armazenamento e sair",
"Refresh": "Recarregar",
"We encountered an error trying to restore your previous session.": "Encontramos um erro ao tentar restaurar sua sessão anterior.", "We encountered an error trying to restore your previous session.": "Encontramos um erro ao tentar restaurar sua sessão anterior.",
"Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Limpar o armazenamento do seu navegador pode resolver o problema, mas você será deslogado e isso fará que qualquer histórico de bate-papo criptografado fique ilegível.", "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Limpar o armazenamento do seu navegador pode resolver o problema, mas você será deslogado e isso fará que qualquer histórico de bate-papo criptografado fique ilegível.",
"Share Room": "Compartilhar sala", "Share Room": "Compartilhar sala",
@ -572,7 +556,6 @@
"Go to Settings": "Ir para as configurações", "Go to Settings": "Ir para as configurações",
"Unrecognised address": "Endereço não reconhecido", "Unrecognised address": "Endereço não reconhecido",
"The following users may not exist": "Os seguintes usuários podem não existir", "The following users may not exist": "Os seguintes usuários podem não existir",
"Prompt before sending invites to potentially invalid matrix IDs": "Avisar antes de enviar convites para IDs da Matrix potencialmente inválidas",
"Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Não é possível encontrar perfis para os IDs da Matrix listados abaixo - você gostaria de convidá-los mesmo assim?", "Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Não é possível encontrar perfis para os IDs da Matrix listados abaixo - você gostaria de convidá-los mesmo assim?",
"Invite anyway and never warn me again": "Convide mesmo assim e nunca mais me avise", "Invite anyway and never warn me again": "Convide mesmo assim e nunca mais me avise",
"Invite anyway": "Convide mesmo assim", "Invite anyway": "Convide mesmo assim",
@ -580,8 +563,6 @@
"Gets or sets the room topic": "Consulta ou altera a descrição da sala", "Gets or sets the room topic": "Consulta ou altera a descrição da sala",
"This room has no topic.": "Esta sala não tem descrição.", "This room has no topic.": "Esta sala não tem descrição.",
"Sets the room name": "Altera o nome da sala", "Sets the room name": "Altera o nome da sala",
"Enable Emoji suggestions while typing": "Ativar sugestões de emojis ao digitar",
"Show a placeholder for removed messages": "Mostrar um marcador para as mensagens removidas",
"The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "O arquivo '%(fileName)s' excede o limite de tamanho deste homeserver para uploads", "The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "O arquivo '%(fileName)s' excede o limite de tamanho deste homeserver para uploads",
"Changes your display nickname in the current room only": "Altera o seu nome e sobrenome apenas nesta sala", "Changes your display nickname in the current room only": "Altera o seu nome e sobrenome apenas nesta sala",
"%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s atualizou esta sala.", "%(senderDisplayName)s upgraded this room.": "%(senderDisplayName)s atualizou esta sala.",
@ -597,9 +578,6 @@
"one": "%(names)s e outra pessoa estão digitando…" "one": "%(names)s e outra pessoa estão digitando…"
}, },
"%(names)s and %(lastPerson)s are typing …": "%(names)s e %(lastPerson)s estão digitando…", "%(names)s and %(lastPerson)s are typing …": "%(names)s e %(lastPerson)s estão digitando…",
"Show read receipts sent by other users": "Mostrar confirmações de leitura dos outros usuários",
"Enable big emoji in chat": "Ativar emojis grandes no bate-papo",
"Send typing notifications": "Permitir que saibam quando eu estiver digitando",
"Messages containing my username": "Mensagens contendo meu nome de usuário", "Messages containing my username": "Mensagens contendo meu nome de usuário",
"The other party cancelled the verification.": "Seu contato cancelou a confirmação.", "The other party cancelled the verification.": "Seu contato cancelou a confirmação.",
"Verified!": "Confirmado!", "Verified!": "Confirmado!",
@ -645,7 +623,6 @@
"Santa": "Papai-noel", "Santa": "Papai-noel",
"Prepends ¯\\_(ツ)_/¯ to a plain-text message": "Adiciona ¯ \\ _ (ツ) _ / ¯ a uma mensagem de texto", "Prepends ¯\\_(ツ)_/¯ to a plain-text message": "Adiciona ¯ \\ _ (ツ) _ / ¯ a uma mensagem de texto",
"The user must be unbanned before they can be invited.": "O banimento do usuário precisa ser removido antes de ser convidado.", "The user must be unbanned before they can be invited.": "O banimento do usuário precisa ser removido antes de ser convidado.",
"Show display name changes": "Mostrar alterações de nome e sobrenome",
"Verify this user by confirming the following emoji appear on their screen.": "Confirme este usuário confirmando os emojis a seguir exibidos na tela dele.", "Verify this user by confirming the following emoji appear on their screen.": "Confirme este usuário confirmando os emojis a seguir exibidos na tela dele.",
"Verify this user by confirming the following number appears on their screen.": "Confirme este usuário, comparando os números a seguir que serão exibidos na sua e na tela dele.", "Verify this user by confirming the following number appears on their screen.": "Confirme este usuário, comparando os números a seguir que serão exibidos na sua e na tela dele.",
"Thumbs up": "Joinha", "Thumbs up": "Joinha",
@ -859,15 +836,12 @@
"%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s", "%(senderName)s: %(stickerName)s": "%(senderName)s: %(stickerName)s",
"Font size": "Tamanho da fonte", "Font size": "Tamanho da fonte",
"Use custom size": "Usar tamanho personalizado", "Use custom size": "Usar tamanho personalizado",
"Show typing notifications": "Mostrar quando alguém estiver digitando",
"Match system theme": "Se adaptar ao tema do sistema", "Match system theme": "Se adaptar ao tema do sistema",
"Use a system font": "Usar uma fonte do sistema", "Use a system font": "Usar uma fonte do sistema",
"System font name": "Nome da fonte do sistema", "System font name": "Nome da fonte do sistema",
"Never send encrypted messages to unverified sessions from this session": "Nunca envie mensagens criptografadas a partir desta sessão para sessões não confirmadas", "Never send encrypted messages to unverified sessions from this session": "Nunca envie mensagens criptografadas a partir desta sessão para sessões não confirmadas",
"Never send encrypted messages to unverified sessions in this room from this session": "Nunca envie mensagens criptografadas a partir desta sessão para sessões não confirmadas nessa sala", "Never send encrypted messages to unverified sessions in this room from this session": "Nunca envie mensagens criptografadas a partir desta sessão para sessões não confirmadas nessa sala",
"Show shortcuts to recently viewed rooms above the room list": "Mostrar atalhos para salas recentemente visualizadas acima da lista de salas",
"Show hidden events in timeline": "Mostrar eventos ocultos nas conversas", "Show hidden events in timeline": "Mostrar eventos ocultos nas conversas",
"Show previews/thumbnails for images": "Mostrar miniaturas e resumos para imagens",
"Enable message search in encrypted rooms": "Ativar busca de mensagens em salas criptografadas", "Enable message search in encrypted rooms": "Ativar busca de mensagens em salas criptografadas",
"How fast should messages be downloaded.": "Com qual rapidez as mensagens devem ser baixadas.", "How fast should messages be downloaded.": "Com qual rapidez as mensagens devem ser baixadas.",
"Manually verify all remote sessions": "Verificar manualmente todas as sessões remotas", "Manually verify all remote sessions": "Verificar manualmente todas as sessões remotas",
@ -908,7 +882,6 @@
"Homeserver feature support:": "Recursos suportados pelo servidor:", "Homeserver feature support:": "Recursos suportados pelo servidor:",
"exists": "existe", "exists": "existe",
"Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Verifique individualmente cada sessão usada por um usuário para marcá-la como confiável, em vez de confirmar em aparelhos autoverificados.", "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Verifique individualmente cada sessão usada por um usuário para marcá-la como confiável, em vez de confirmar em aparelhos autoverificados.",
"Manage": "Gerenciar",
"Securely cache encrypted messages locally for them to appear in search results.": "Armazene mensagens criptografadas de forma segura localmente para que possam aparecer nos resultados das buscas.", "Securely cache encrypted messages locally for them to appear in search results.": "Armazene mensagens criptografadas de forma segura localmente para que possam aparecer nos resultados das buscas.",
"%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with <nativeLink>search components added</nativeLink>.": "%(brand)s precisa de componentes adicionais para pesquisar as mensagens criptografadas armazenadas localmente. Se quiser testar esse recurso, construa uma versão do %(brand)s para Computador com <nativeLink>componentes de busca ativados</nativeLink>.", "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with <nativeLink>search components added</nativeLink>.": "%(brand)s precisa de componentes adicionais para pesquisar as mensagens criptografadas armazenadas localmente. Se quiser testar esse recurso, construa uma versão do %(brand)s para Computador com <nativeLink>componentes de busca ativados</nativeLink>.",
"%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use <desktopLink>%(brand)s Desktop</desktopLink> for encrypted messages to appear in search results.": "%(brand)s não consegue pesquisar as mensagens criptografadas armazenadas localmente em um navegador de internet. Use o <desktopLink>%(brand)s para Computador</desktopLink> para que as mensagens criptografadas sejam exibidas nos resultados de buscas.", "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use <desktopLink>%(brand)s Desktop</desktopLink> for encrypted messages to appear in search results.": "%(brand)s não consegue pesquisar as mensagens criptografadas armazenadas localmente em um navegador de internet. Use o <desktopLink>%(brand)s para Computador</desktopLink> para que as mensagens criptografadas sejam exibidas nos resultados de buscas.",
@ -930,7 +903,6 @@
"Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. <a>Learn more about encryption.</a>": "Uma vez ativada, a criptografia da sala não poderá ser desativada. Mensagens enviadas em uma sala criptografada não podem ser lidas pelo servidor, apenas pelos participantes da sala. Ativar a criptografia poderá impedir que vários bots e integrações funcionem corretamente. <a>Saiba mais sobre criptografia.</a>", "Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. <a>Learn more about encryption.</a>": "Uma vez ativada, a criptografia da sala não poderá ser desativada. Mensagens enviadas em uma sala criptografada não podem ser lidas pelo servidor, apenas pelos participantes da sala. Ativar a criptografia poderá impedir que vários bots e integrações funcionem corretamente. <a>Saiba mais sobre criptografia.</a>",
"Encryption": "Criptografia", "Encryption": "Criptografia",
"Once enabled, encryption cannot be disabled.": "Uma vez ativada, a criptografia não poderá ser desativada.", "Once enabled, encryption cannot be disabled.": "Uma vez ativada, a criptografia não poderá ser desativada.",
"Encrypted": "Criptografada",
"Click the link in the email you received to verify and then click continue again.": "Clique no link no e-mail que você recebeu para confirmar e então clique novamente em continuar.", "Click the link in the email you received to verify and then click continue again.": "Clique no link no e-mail que você recebeu para confirmar e então clique novamente em continuar.",
"Verify the link in your inbox": "Verifique o link na sua caixa de e-mails", "Verify the link in your inbox": "Verifique o link na sua caixa de e-mails",
"This room is end-to-end encrypted": "Esta sala é criptografada de ponta a ponta", "This room is end-to-end encrypted": "Esta sala é criptografada de ponta a ponta",
@ -1062,7 +1034,6 @@
"Can't find this server or its room list": "Não foi possível encontrar este servidor ou sua lista de salas", "Can't find this server or its room list": "Não foi possível encontrar este servidor ou sua lista de salas",
"All rooms": "Todas as salas", "All rooms": "Todas as salas",
"Your server": "Seu servidor", "Your server": "Seu servidor",
"Matrix": "Matrix",
"Add a new server": "Adicionar um novo servidor", "Add a new server": "Adicionar um novo servidor",
"Server name": "Nome do servidor", "Server name": "Nome do servidor",
"Reminder: Your browser is unsupported, so your experience may be unpredictable.": "Lembrete: seu navegador não é compatível; portanto, sua experiência pode ser imprevisível.", "Reminder: Your browser is unsupported, so your experience may be unpredictable.": "Lembrete: seu navegador não é compatível; portanto, sua experiência pode ser imprevisível.",
@ -1310,8 +1281,6 @@
"Your messages are secured and only you and the recipient have the unique keys to unlock them.": "Suas mensagens são protegidas e somente você e o destinatário têm as chaves exclusivas para desbloqueá-las.", "Your messages are secured and only you and the recipient have the unique keys to unlock them.": "Suas mensagens são protegidas e somente você e o destinatário têm as chaves exclusivas para desbloqueá-las.",
"Your messages are not secure": "Suas mensagens não estão seguras", "Your messages are not secure": "Suas mensagens não estão seguras",
"Your homeserver": "Seu servidor local", "Your homeserver": "Seu servidor local",
"Trusted": "Confiável",
"Not trusted": "Não confiável",
"%(count)s verified sessions": { "%(count)s verified sessions": {
"other": "%(count)s sessões confirmadas", "other": "%(count)s sessões confirmadas",
"one": "1 sessão confirmada" "one": "1 sessão confirmada"
@ -1475,7 +1444,6 @@
"Your homeserver doesn't seem to support this feature.": "O seu servidor local não parece suportar este recurso.", "Your homeserver doesn't seem to support this feature.": "O seu servidor local não parece suportar este recurso.",
"Message edits": "Edições na mensagem", "Message edits": "Edições na mensagem",
"Please fill why you're reporting.": "Por favor, descreva porque você está reportando.", "Please fill why you're reporting.": "Por favor, descreva porque você está reportando.",
"Send report": "Enviar relatório",
"A browser extension is preventing the request.": "Uma extensão do navegador está impedindo a solicitação.", "A browser extension is preventing the request.": "Uma extensão do navegador está impedindo a solicitação.",
"The server has denied your request.": "O servidor recusou a sua solicitação.", "The server has denied your request.": "O servidor recusou a sua solicitação.",
"No files visible in this room": "Nenhum arquivo nesta sala", "No files visible in this room": "Nenhum arquivo nesta sala",
@ -1552,7 +1520,6 @@
"Confirm your account deactivation by using Single Sign On to prove your identity.": "Prove a sua identidade por meio do seu Acesso único, para confirmar a desativação da sua conta.", "Confirm your account deactivation by using Single Sign On to prove your identity.": "Prove a sua identidade por meio do seu Acesso único, para confirmar a desativação da sua conta.",
"To continue, use Single Sign On to prove your identity.": "Para continuar, use o Acesso único para provar a sua identidade.", "To continue, use Single Sign On to prove your identity.": "Para continuar, use o Acesso único para provar a sua identidade.",
"Start a conversation with someone using their name or username (like <userId/>).": "Comece uma conversa, a partir do nome ou nome de usuário de alguém (por exemplo: <userId/>).", "Start a conversation with someone using their name or username (like <userId/>).": "Comece uma conversa, a partir do nome ou nome de usuário de alguém (por exemplo: <userId/>).",
"Go": "Próximo",
"Invite someone using their name, username (like <userId/>) or <a>share this room</a>.": "Convide alguém a partir do nome ou nome de usuário (por exemplo: <userId/>) ou <a>compartilhe esta sala</a>.", "Invite someone using their name, username (like <userId/>) or <a>share this room</a>.": "Convide alguém a partir do nome ou nome de usuário (por exemplo: <userId/>) ou <a>compartilhe esta sala</a>.",
"Confirm by comparing the following with the User Settings in your other session:": "Para confirmar, compare a seguinte informação com aquela apresentada em sua outra sessão:", "Confirm by comparing the following with the User Settings in your other session:": "Para confirmar, compare a seguinte informação com aquela apresentada em sua outra sessão:",
"Upgrading this room requires closing down the current instance of the room and creating a new room in its place. To give room members the best possible experience, we will:": "Atualizar esta sala irá fechar a instância atual da sala e, em seu lugar, criar uma sala atualizada com o mesmo nome. Para oferecer a melhor experiência possível aos integrantes da sala, nós iremos:", "Upgrading this room requires closing down the current instance of the room and creating a new room in its place. To give room members the best possible experience, we will:": "Atualizar esta sala irá fechar a instância atual da sala e, em seu lugar, criar uma sala atualizada com o mesmo nome. Para oferecer a melhor experiência possível aos integrantes da sala, nós iremos:",
@ -1886,14 +1853,12 @@
"Remain on your screen when viewing another room, when running": "Permaneça na tela ao visualizar outra sala, quando executar", "Remain on your screen when viewing another room, when running": "Permaneça na tela ao visualizar outra sala, quando executar",
"New here? <a>Create an account</a>": "Novo por aqui? <a>Crie uma conta</a>", "New here? <a>Create an account</a>": "Novo por aqui? <a>Crie uma conta</a>",
"Got an account? <a>Sign in</a>": "Já tem uma conta? <a>Login</a>", "Got an account? <a>Sign in</a>": "Já tem uma conta? <a>Login</a>",
"Use Command + Enter to send a message": "Usar Command + Enter para enviar uma mensagem",
"Enter phone number": "Digite o número de telefone", "Enter phone number": "Digite o número de telefone",
"Enter email address": "Digite o endereço de e-mail", "Enter email address": "Digite o endereço de e-mail",
"Decline All": "Recusar tudo", "Decline All": "Recusar tudo",
"This widget would like to:": "Este widget gostaria de:", "This widget would like to:": "Este widget gostaria de:",
"Approve widget permissions": "Autorizar as permissões do widget", "Approve widget permissions": "Autorizar as permissões do widget",
"Return to call": "Retornar para a chamada", "Return to call": "Retornar para a chamada",
"Use Ctrl + Enter to send a message": "Usar Ctrl + Enter para enviar uma mensagem",
"See <b>%(msgtype)s</b> messages posted to your active room": "Veja mensagens de <b>%(msgtype)s</b> enviadas nesta sala ativa", "See <b>%(msgtype)s</b> messages posted to your active room": "Veja mensagens de <b>%(msgtype)s</b> enviadas nesta sala ativa",
"See <b>%(msgtype)s</b> messages posted to this room": "Veja mensagens de <b>%(msgtype)s</b> enviadas nesta sala", "See <b>%(msgtype)s</b> messages posted to this room": "Veja mensagens de <b>%(msgtype)s</b> enviadas nesta sala",
"Send <b>%(msgtype)s</b> messages as you in your active room": "Enviar mensagens de <b>%(msgtype)s</b> nesta sala ativa", "Send <b>%(msgtype)s</b> messages as you in your active room": "Enviar mensagens de <b>%(msgtype)s</b> nesta sala ativa",
@ -2018,7 +1983,6 @@
"Transfer": "Transferir", "Transfer": "Transferir",
"Failed to transfer call": "Houve uma falha ao transferir a chamada", "Failed to transfer call": "Houve uma falha ao transferir a chamada",
"A call can only be transferred to a single user.": "Uma chamada só pode ser transferida para um único usuário.", "A call can only be transferred to a single user.": "Uma chamada só pode ser transferida para um único usuário.",
"There was an error finding this widget.": "Ocorreu um erro ao encontrar este widget.",
"Active Widgets": "Widgets ativados", "Active Widgets": "Widgets ativados",
"Set my room layout for everyone": "Definir a minha aparência da sala para todos", "Set my room layout for everyone": "Definir a minha aparência da sala para todos",
"Open dial pad": "Abrir o teclado de discagem", "Open dial pad": "Abrir o teclado de discagem",
@ -2035,33 +1999,12 @@
"The widget will verify your user ID, but won't be able to perform actions for you:": "O widget verificará o seu ID de usuário, mas não poderá realizar ações para você:", "The widget will verify your user ID, but won't be able to perform actions for you:": "O widget verificará o seu ID de usuário, mas não poderá realizar ações para você:",
"Allow this widget to verify your identity": "Permitir que este widget verifique a sua identidade", "Allow this widget to verify your identity": "Permitir que este widget verifique a sua identidade",
"Recently visited rooms": "Salas visitadas recentemente", "Recently visited rooms": "Salas visitadas recentemente",
"Show line numbers in code blocks": "Mostrar o número da linha em blocos de código",
"Expand code blocks by default": "Expandir blocos de código por padrão",
"Show stickers button": "Mostrar o botão de figurinhas",
"Use app": "Usar o aplicativo", "Use app": "Usar o aplicativo",
"Use app for a better experience": "Use o aplicativo para ter uma experiência melhor", "Use app for a better experience": "Use o aplicativo para ter uma experiência melhor",
"Converts the DM to a room": "Converte a conversa para uma sala", "Converts the DM to a room": "Converte a conversa para uma sala",
"Converts the room to a DM": "Converte a sala para uma conversa", "Converts the room to a DM": "Converte a sala para uma conversa",
"We couldn't log you in": "Não foi possível fazer login", "We couldn't log you in": "Não foi possível fazer login",
"Settable at room": "Definido em cada sala",
"Settable at global": "Definido globalmente",
"Level": "Nível",
"Setting definition:": "Definição da configuração:",
"Setting ID": "ID da configuração",
"We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "Anteriormente, pedimos ao seu navegador para lembrar qual servidor local você usa para fazer login, mas infelizmente o navegador se esqueceu disso. Vá para a página de login e tente novamente.", "We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "Anteriormente, pedimos ao seu navegador para lembrar qual servidor local você usa para fazer login, mas infelizmente o navegador se esqueceu disso. Vá para a página de login e tente novamente.",
"Values at explicit levels in this room:": "Valores em níveis explícitos nessa sala:",
"Values at explicit levels:": "Valores em níveis explícitos:",
"Value in this room:": "Valor nessa sala:",
"Value:": "Valor:",
"Save setting values": "Salvar valores de configuração",
"Values at explicit levels in this room": "Valores em níveis explícitos nessa sala",
"Values at explicit levels": "Valores em níveis explícitos",
"This UI does NOT check the types of the values. Use at your own risk.": "Esta interface de usuário NÃO verifica os tipos de valores. Use por sua conta e risco.",
"Caution:": "Atenção:",
"Setting:": "Configuração:",
"Value in this room": "Valor nessa sala",
"Value": "Valor",
"Show chat effects (animations when receiving e.g. confetti)": "Mostrar efeitos na conversa (por exemplo: animações ao receber confetes)",
"Empty room": "Sala vazia", "Empty room": "Sala vazia",
"Suggested Rooms": "Salas sugeridas", "Suggested Rooms": "Salas sugeridas",
"Add existing room": "Adicionar sala existente", "Add existing room": "Adicionar sala existente",
@ -2101,7 +2044,6 @@
"Your public space": "O seu espaço público", "Your public space": "O seu espaço público",
"Open space for anyone, best for communities": "Abra espaços para todos, especialmente para comunidades", "Open space for anyone, best for communities": "Abra espaços para todos, especialmente para comunidades",
"Create a space": "Criar um espaço", "Create a space": "Criar um espaço",
"Jump to the bottom of the timeline when you send a message": "Vá para o final da linha do tempo ao enviar uma mensagem",
"Decrypted event source": "Fonte de evento descriptografada", "Decrypted event source": "Fonte de evento descriptografada",
"Invite by username": "Convidar por nome de usuário", "Invite by username": "Convidar por nome de usuário",
"Original event source": "Fonte do evento original", "Original event source": "Fonte do evento original",
@ -2154,7 +2096,6 @@
"Images, GIFs and videos": "Imagens, GIFs e vídeos", "Images, GIFs and videos": "Imagens, GIFs e vídeos",
"Code blocks": "Blocos de código", "Code blocks": "Blocos de código",
"Keyboard shortcuts": "Teclas de atalho do teclado", "Keyboard shortcuts": "Teclas de atalho do teclado",
"Warn before quitting": "Avisar antes de sair",
"Message bubbles": "Balões de mensagem", "Message bubbles": "Balões de mensagem",
"Mentions & keywords": "Menções e palavras-chave", "Mentions & keywords": "Menções e palavras-chave",
"Global": "Global", "Global": "Global",
@ -2180,10 +2121,6 @@
"Connecting": "Conectando", "Connecting": "Conectando",
"unknown person": "pessoa desconhecida", "unknown person": "pessoa desconhecida",
"sends space invaders": "envia os invasores do espaço", "sends space invaders": "envia os invasores do espaço",
"All rooms you're in will appear in Home.": "Todas as salas que você estiver presente aparecerão no Início.",
"Show all rooms in Home": "Mostrar todas as salas no Início",
"Use Ctrl + F to search timeline": "Use Ctrl + F para pesquisar a linha de tempo",
"Use Command + F to search timeline": "Use Command + F para pesquisar a linha de tempo",
"%(deviceId)s from %(ip)s": "%(deviceId)s de %(ip)s", "%(deviceId)s from %(ip)s": "%(deviceId)s de %(ip)s",
"Silence call": "Silenciar chamado", "Silence call": "Silenciar chamado",
"Sound on": "Som ligado", "Sound on": "Som ligado",
@ -2232,8 +2169,6 @@
"Stop sharing your screen": "Parar de compartilhar sua tela", "Stop sharing your screen": "Parar de compartilhar sua tela",
"Stop the camera": "Desligar a câmera", "Stop the camera": "Desligar a câmera",
"Start the camera": "Ativar a câmera", "Start the camera": "Ativar a câmera",
"Autoplay videos": "Reproduzir vídeos automaticamente",
"Autoplay GIFs": "Reproduzir GIFs automaticamente",
"%(senderName)s pinned a message to this room. See all pinned messages.": "%(senderName)s fixou uma mensagem nesta sala. Veja todas as mensagens fixadas.", "%(senderName)s pinned a message to this room. See all pinned messages.": "%(senderName)s fixou uma mensagem nesta sala. Veja todas as mensagens fixadas.",
"%(senderName)s pinned <a>a message</a> to this room. See all <b>pinned messages</b>.": "%(senderName)s fixou <a>uma mensagens</a> nesta sala. Veja todas as <b>mensagens fixadas</b>.", "%(senderName)s pinned <a>a message</a> to this room. See all <b>pinned messages</b>.": "%(senderName)s fixou <a>uma mensagens</a> nesta sala. Veja todas as <b>mensagens fixadas</b>.",
"You may contact me if you have any follow up questions": "Vocês podem me contactar se tiverem quaisquer perguntas subsequentes", "You may contact me if you have any follow up questions": "Vocês podem me contactar se tiverem quaisquer perguntas subsequentes",
@ -2539,8 +2474,6 @@
"Create a video room": "Criar uma sala de vídeo", "Create a video room": "Criar uma sala de vídeo",
"Create video room": "Criar sala de vídeo", "Create video room": "Criar sala de vídeo",
"Create room": "Criar sala", "Create room": "Criar sala",
"Android": "Android",
"iOS": "iOS",
"Add new server…": "Adicionar um novo servidor…", "Add new server…": "Adicionar um novo servidor…",
"were removed %(count)s times": { "were removed %(count)s times": {
"other": "foram removidos %(count)s vezes", "other": "foram removidos %(count)s vezes",
@ -2550,8 +2483,6 @@
"other": "foi removido %(count)s vezes", "other": "foi removido %(count)s vezes",
"one": "foi removido" "one": "foi removido"
}, },
"Last month": "Último mês",
"Last week": "Última semana",
"%(count)s participants": { "%(count)s participants": {
"other": "%(count)s participantes", "other": "%(count)s participantes",
"one": "1 participante" "one": "1 participante"
@ -2574,11 +2505,8 @@
"Verified sessions": "Sessões verificadas", "Verified sessions": "Sessões verificadas",
"Unverified session": "Sessão não verificada", "Unverified session": "Sessão não verificada",
"Verified session": "Sessão verificada", "Verified session": "Sessão verificada",
"Unverified": "Não verificado",
"Verified": "Verificado",
"Session details": "Detalhes da sessão", "Session details": "Detalhes da sessão",
"IP address": "Endereço de IP", "IP address": "Endereço de IP",
"Device": "Dispositivo",
"Rename session": "Renomear sessão", "Rename session": "Renomear sessão",
"Remove users": "Remover usuários", "Remove users": "Remover usuários",
"Other sessions": "Outras sessões", "Other sessions": "Outras sessões",
@ -2590,7 +2518,6 @@
"Your profile": "Seu perfil", "Your profile": "Seu perfil",
"Find people": "Encontrar pessoas", "Find people": "Encontrar pessoas",
"Enable hardware acceleration": "Habilitar aceleração de hardware", "Enable hardware acceleration": "Habilitar aceleração de hardware",
"Enable Markdown": "Habilitar markdown",
"Export successful!": "Exportação realizada com sucesso!", "Export successful!": "Exportação realizada com sucesso!",
"Generating a ZIP": "Gerando um ZIP", "Generating a ZIP": "Gerando um ZIP",
"User is already in the space": "O usuário já está no espaço", "User is already in the space": "O usuário já está no espaço",
@ -2626,7 +2553,6 @@
}, },
"You were disconnected from the call. (Error: %(message)s)": "Você foi desconectado da chamada. (Erro: %(message)s)", "You were disconnected from the call. (Error: %(message)s)": "Você foi desconectado da chamada. (Erro: %(message)s)",
"Remove messages sent by me": "", "Remove messages sent by me": "",
"Welcome": "Boas-vindas",
"%(count)s people joined": { "%(count)s people joined": {
"one": "%(count)s pessoa entrou", "one": "%(count)s pessoa entrou",
"other": "%(count)s pessoas entraram" "other": "%(count)s pessoas entraram"
@ -2667,10 +2593,7 @@
"Web session": "Sessão web", "Web session": "Sessão web",
"Sign out of this session": "Sair desta sessão", "Sign out of this session": "Sair desta sessão",
"Operating system": "Sistema operacional", "Operating system": "Sistema operacional",
"Model": "Modelo",
"URL": "URL", "URL": "URL",
"Version": "Versão",
"Application": "Aplicação",
"Last activity": "Última atividade", "Last activity": "Última atividade",
"Confirm signing out these devices": { "Confirm signing out these devices": {
"other": "Confirme a saída destes dispositivos", "other": "Confirme a saída destes dispositivos",
@ -2678,7 +2601,6 @@
}, },
"Current session": "Sessão atual", "Current session": "Sessão atual",
"Developer tools": "Ferramentas de desenvolvimento", "Developer tools": "Ferramentas de desenvolvimento",
"Welcome to %(brand)s": "Bem-vindo a %(brand)s",
"Processing event %(number)s out of %(total)s": "Processando evento %(number)s de %(total)s", "Processing event %(number)s out of %(total)s": "Processando evento %(number)s de %(total)s",
"Exported %(count)s events in %(seconds)s seconds": { "Exported %(count)s events in %(seconds)s seconds": {
"one": "%(count)s evento exportado em %(seconds)s segundos", "one": "%(count)s evento exportado em %(seconds)s segundos",
@ -2758,20 +2680,34 @@
"dark": "Escuro", "dark": "Escuro",
"attachment": "Anexo", "attachment": "Anexo",
"appearance": "Aparência", "appearance": "Aparência",
"guest": "Convidada(o)",
"legal": "Legal",
"credits": "Licenças",
"faq": "FAQ",
"access_token": "Símbolo de acesso",
"preferences": "Preferências",
"timeline": "Conversas", "timeline": "Conversas",
"privacy": "Privacidade",
"camera": "Câmera",
"microphone": "Microfone",
"emoji": "Emoji",
"random": "Aleatório",
"support": "Suporte", "support": "Suporte",
"space": "Barra de espaço" "space": "Barra de espaço",
"random": "Aleatório",
"privacy": "Privacidade",
"preferences": "Preferências",
"microphone": "Microfone",
"legal": "Legal",
"guest": "Convidada(o)",
"faq": "FAQ",
"emoji": "Emoji",
"credits": "Licenças",
"camera": "Câmera",
"access_token": "Símbolo de acesso",
"someone": "Alguém",
"welcome": "Boas-vindas",
"encrypted": "Criptografada",
"application": "Aplicação",
"version": "Versão",
"device": "Dispositivo",
"model": "Modelo",
"verified": "Verificado",
"unverified": "Não verificado",
"matrix": "Matrix",
"ios": "iOS",
"android": "Android",
"trusted": "Confiável",
"not_trusted": "Não confiável"
}, },
"action": { "action": {
"continue": "Continuar", "continue": "Continuar",
@ -2839,18 +2775,26 @@
"back": "Voltar", "back": "Voltar",
"add": "Adicionar", "add": "Adicionar",
"accept": "Aceitar", "accept": "Aceitar",
"disconnect": "Desconectar",
"change": "Alterar",
"subscribe": "Inscrever-se",
"unsubscribe": "Desinscrever-se", "unsubscribe": "Desinscrever-se",
"approve": "Autorizar", "subscribe": "Inscrever-se",
"complete": "Concluir",
"revoke": "Revogar",
"rename": "Renomear",
"show_all": "Mostrar tudo", "show_all": "Mostrar tudo",
"revoke": "Revogar",
"review": "Revisar", "review": "Revisar",
"restore": "Restaurar", "restore": "Restaurar",
"register": "Registre-se" "rename": "Renomear",
"register": "Registre-se",
"disconnect": "Desconectar",
"complete": "Concluir",
"change": "Alterar",
"approve": "Autorizar",
"manage": "Gerenciar",
"go": "Próximo",
"import": "Importar",
"export": "Exportar",
"refresh": "Recarregar",
"mention": "Mencionar",
"submit": "Enviar",
"send_report": "Enviar relatório"
}, },
"a11y": { "a11y": {
"user_menu": "Menu do usuário" "user_menu": "Menu do usuário"
@ -2895,8 +2839,8 @@
"restricted": "Restrito", "restricted": "Restrito",
"moderator": "Moderador/a", "moderator": "Moderador/a",
"admin": "Administrador/a", "admin": "Administrador/a",
"custom": "Personalizado (%(level)s)", "mod": "Moderador",
"mod": "Moderador" "custom": "Personalizado (%(level)s)"
}, },
"bug_reporting": { "bug_reporting": {
"matrix_security_issue": "Para relatar um problema de segurança relacionado à tecnologia Matrix, leia a <a>Política de Divulgação de Segurança</a> da Matrix.org.", "matrix_security_issue": "Para relatar um problema de segurança relacionado à tecnologia Matrix, leia a <a>Política de Divulgação de Segurança</a> da Matrix.org.",
@ -2919,6 +2863,68 @@
"short_seconds": "%(value)ss", "short_seconds": "%(value)ss",
"short_days_hours_minutes_seconds": "%(days)sd %(hours)sh %(minutes)sm %(seconds)ss", "short_days_hours_minutes_seconds": "%(days)sd %(hours)sh %(minutes)sm %(seconds)ss",
"short_hours_minutes_seconds": "%(hours)sh %(minutes)sm %(seconds)ss", "short_hours_minutes_seconds": "%(hours)sh %(minutes)sm %(seconds)ss",
"short_minutes_seconds": "%(minutes)sm %(seconds)ss" "short_minutes_seconds": "%(minutes)sm %(seconds)ss",
"last_week": "Última semana",
"last_month": "Último mês"
},
"onboarding": {
"welcome_to_brand": "Bem-vindo a %(brand)s"
},
"devtools": {
"event_type": "Tipo do Evento",
"state_key": "Chave do Estado",
"event_sent": "Evento enviado!",
"event_content": "Conteúdo do Evento",
"save_setting_values": "Salvar valores de configuração",
"setting_colon": "Configuração:",
"caution_colon": "Atenção:",
"use_at_own_risk": "Esta interface de usuário NÃO verifica os tipos de valores. Use por sua conta e risco.",
"setting_definition": "Definição da configuração:",
"level": "Nível",
"settable_global": "Definido globalmente",
"settable_room": "Definido em cada sala",
"values_explicit": "Valores em níveis explícitos",
"values_explicit_room": "Valores em níveis explícitos nessa sala",
"value_colon": "Valor:",
"value_this_room_colon": "Valor nessa sala:",
"values_explicit_colon": "Valores em níveis explícitos:",
"values_explicit_this_room_colon": "Valores em níveis explícitos nessa sala:",
"setting_id": "ID da configuração",
"value": "Valor",
"value_in_this_room": "Valor nessa sala",
"failed_to_find_widget": "Ocorreu um erro ao encontrar este widget."
},
"settings": {
"show_breadcrumbs": "Mostrar atalhos para salas recentemente visualizadas acima da lista de salas",
"all_rooms_home_description": "Todas as salas que você estiver presente aparecerão no Início.",
"use_command_f_search": "Use Command + F para pesquisar a linha de tempo",
"use_control_f_search": "Use Ctrl + F para pesquisar a linha de tempo",
"use_12_hour_format": "Mostrar os horários em formato de 12h (p.ex: 2:30pm)",
"always_show_message_timestamps": "Sempre mostrar as datas das mensagens",
"send_typing_notifications": "Permitir que saibam quando eu estiver digitando",
"replace_plain_emoji": "Substituir automaticamente os emojis em texto",
"enable_markdown": "Habilitar markdown",
"emoji_autocomplete": "Ativar sugestões de emojis ao digitar",
"use_command_enter_send_message": "Usar Command + Enter para enviar uma mensagem",
"use_control_enter_send_message": "Usar Ctrl + Enter para enviar uma mensagem",
"all_rooms_home": "Mostrar todas as salas no Início",
"show_stickers_button": "Mostrar o botão de figurinhas",
"automatic_language_detection_syntax_highlight": "Ativar detecção automática de idioma para ressaltar erros de ortografia",
"code_block_expand_default": "Expandir blocos de código por padrão",
"code_block_line_numbers": "Mostrar o número da linha em blocos de código",
"inline_url_previews_default": "Ativar, por padrão, a visualização de resumo de links",
"autoplay_gifs": "Reproduzir GIFs automaticamente",
"autoplay_videos": "Reproduzir vídeos automaticamente",
"image_thumbnails": "Mostrar miniaturas e resumos para imagens",
"show_typing_notifications": "Mostrar quando alguém estiver digitando",
"show_redaction_placeholder": "Mostrar um marcador para as mensagens removidas",
"show_read_receipts": "Mostrar confirmações de leitura dos outros usuários",
"show_displayname_changes": "Mostrar alterações de nome e sobrenome",
"show_chat_effects": "Mostrar efeitos na conversa (por exemplo: animações ao receber confetes)",
"big_emoji": "Ativar emojis grandes no bate-papo",
"jump_to_bottom_on_send": "Vá para o final da linha do tempo ao enviar uma mensagem",
"prompt_invite": "Avisar antes de enviar convites para IDs da Matrix potencialmente inválidas",
"start_automatically": "Iniciar automaticamente ao iniciar o sistema",
"warn_quit": "Avisar antes de sair"
} }
} }

View file

@ -103,7 +103,6 @@
"Failed to ban user": "Не удалось заблокировать пользователя", "Failed to ban user": "Не удалось заблокировать пользователя",
"Failed to change power level": "Не удалось изменить уровень прав", "Failed to change power level": "Не удалось изменить уровень прав",
"Failed to forget room %(errCode)s": "Не удалось забыть комнату: %(errCode)s", "Failed to forget room %(errCode)s": "Не удалось забыть комнату: %(errCode)s",
"Always show message timestamps": "Всегда показывать время отправки сообщений",
"Authentication": "Аутентификация", "Authentication": "Аутентификация",
"%(items)s and %(lastItem)s": "%(items)s и %(lastItem)s", "%(items)s and %(lastItem)s": "%(items)s и %(lastItem)s",
"An error has occurred.": "Произошла ошибка.", "An error has occurred.": "Произошла ошибка.",
@ -135,8 +134,6 @@
"Search failed": "Поиск не удался", "Search failed": "Поиск не удался",
"%(senderDisplayName)s sent an image.": "%(senderDisplayName)s отправил(а) изображение.", "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s отправил(а) изображение.",
"%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s пригласил(а) %(targetDisplayName)s в комнату.", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s пригласил(а) %(targetDisplayName)s в комнату.",
"Someone": "Кто-то",
"Submit": "Отправить",
"This email address is already in use": "Этот адрес электронной почты уже используется", "This email address is already in use": "Этот адрес электронной почты уже используется",
"This email address was not found": "Этот адрес электронной почты не найден", "This email address was not found": "Этот адрес электронной почты не найден",
"The email address linked to your account must be entered.": "Введите адрес электронной почты, связанный с вашей учётной записью.", "The email address linked to your account must be entered.": "Введите адрес электронной почты, связанный с вашей учётной записью.",
@ -149,9 +146,7 @@
"Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or <a>enable unsafe scripts</a>.": "Не удается подключиться к домашнему серверу через HTTP, так как в адресной строке браузера указан адрес HTTPS. Используйте HTTPS или <a>включите небезопасные скрипты</a>.", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or <a>enable unsafe scripts</a>.": "Не удается подключиться к домашнему серверу через HTTP, так как в адресной строке браузера указан адрес HTTPS. Используйте HTTPS или <a>включите небезопасные скрипты</a>.",
"Operation failed": "Сбой операции", "Operation failed": "Сбой операции",
"powered by Matrix": "основано на Matrix", "powered by Matrix": "основано на Matrix",
"Show timestamps in 12 hour format (e.g. 2:30pm)": "Отображать время в 12-часовом формате (напр. 2:30 ПП)",
"No Microphones detected": "Микрофоны не обнаружены", "No Microphones detected": "Микрофоны не обнаружены",
"Start automatically after system login": "Автозапуск при входе в систему",
"Default Device": "Устройство по умолчанию", "Default Device": "Устройство по умолчанию",
"No Webcams detected": "Веб-камера не обнаружена", "No Webcams detected": "Веб-камера не обнаружена",
"No media permissions": "Нет разрешённых носителей", "No media permissions": "Нет разрешённых носителей",
@ -162,8 +157,6 @@
"Custom level": "Специальные права", "Custom level": "Специальные права",
"Email address": "Электронная почта", "Email address": "Электронная почта",
"Error decrypting attachment": "Ошибка расшифровки вложения", "Error decrypting attachment": "Ошибка расшифровки вложения",
"Export": "Экспорт",
"Import": "Импорт",
"Incorrect username and/or password.": "Неверное имя пользователя и/или пароль.", "Incorrect username and/or password.": "Неверное имя пользователя и/или пароль.",
"Invalid file%(extra)s": "Недопустимый файл%(extra)s", "Invalid file%(extra)s": "Недопустимый файл%(extra)s",
"Invited": "Приглашены", "Invited": "Приглашены",
@ -244,13 +237,11 @@
"Check for update": "Проверить наличие обновлений", "Check for update": "Проверить наличие обновлений",
"Delete widget": "Удалить виджет", "Delete widget": "Удалить виджет",
"Define the power level of a user": "Определить уровень прав пользователя", "Define the power level of a user": "Определить уровень прав пользователя",
"Enable automatic language detection for syntax highlighting": "Автоопределение языка подсветки синтаксиса",
"AM": "ДП", "AM": "ДП",
"PM": "ПП", "PM": "ПП",
"Unable to create widget.": "Не удалось создать виджет.", "Unable to create widget.": "Не удалось создать виджет.",
"You are not in this room.": "Вас сейчас нет в этой комнате.", "You are not in this room.": "Вас сейчас нет в этой комнате.",
"You do not have permission to do that in this room.": "У вас нет разрешения на это в данной комнате.", "You do not have permission to do that in this room.": "У вас нет разрешения на это в данной комнате.",
"Automatically replace plain text Emoji": "Автоматически заменять текстовые смайлики на графические",
"%(widgetName)s widget added by %(senderName)s": "Виджет %(widgetName)s был добавлен %(senderName)s", "%(widgetName)s widget added by %(senderName)s": "Виджет %(widgetName)s был добавлен %(senderName)s",
"%(widgetName)s widget removed by %(senderName)s": "Виджет %(widgetName)s был удален %(senderName)s", "%(widgetName)s widget removed by %(senderName)s": "Виджет %(widgetName)s был удален %(senderName)s",
"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?",
@ -275,7 +266,6 @@
"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?": "Удаление виджета действует для всех участников этой комнаты. Вы действительно хотите удалить этот виджет?",
"Mirror local video feed": "Зеркально отражать видео со своей камеры", "Mirror local video feed": "Зеркально отражать видео со своей камеры",
"Mention": "Упомянуть",
"Members only (since the point in time of selecting this option)": "Только участники (с момента выбора этого параметра)", "Members only (since the point in time of selecting this option)": "Только участники (с момента выбора этого параметра)",
"Members only (since they were invited)": "Только участники (с момента их приглашения)", "Members only (since they were invited)": "Только участники (с момента их приглашения)",
"Members only (since they joined)": "Только участники (с момента их входа)", "Members only (since they joined)": "Только участники (с момента их входа)",
@ -351,7 +341,6 @@
}, },
"Room Notification": "Уведомления комнаты", "Room Notification": "Уведомления комнаты",
"Notify the whole room": "Уведомить всю комнату", "Notify the whole room": "Уведомить всю комнату",
"Enable inline URL previews by default": "Предпросмотр ссылок по умолчанию",
"Enable URL previews for this room (only affects you)": "Включить предпросмотр ссылок в этой комнате (влияет только на вас)", "Enable URL previews for this room (only affects you)": "Включить предпросмотр ссылок в этой комнате (влияет только на вас)",
"Enable URL previews by default for participants in this room": "Включить предпросмотр ссылок для участников этой комнаты по умолчанию", "Enable URL previews by default for participants in this room": "Включить предпросмотр ссылок для участников этой комнаты по умолчанию",
"Restricted": "Ограниченный пользователь", "Restricted": "Ограниченный пользователь",
@ -429,7 +418,6 @@
"Invite to this room": "Пригласить в комнату", "Invite to this room": "Пригласить в комнату",
"All messages": "Все сообщения", "All messages": "Все сообщения",
"Call invitation": "Звонки", "Call invitation": "Звонки",
"State Key": "Ключ состояния",
"What's new?": "Что нового?", "What's new?": "Что нового?",
"When I'm invited to a room": "Приглашения в комнаты", "When I'm invited to a room": "Приглашения в комнаты",
"All Rooms": "Везде", "All Rooms": "Везде",
@ -443,16 +431,12 @@
"Low Priority": "Маловажные", "Low Priority": "Маловажные",
"Off": "Выключить", "Off": "Выключить",
"Wednesday": "Среда", "Wednesday": "Среда",
"Event Type": "Тип события",
"Event sent!": "Событие отправлено!",
"Event Content": "Содержимое события",
"Thank you!": "Спасибо!", "Thank you!": "Спасибо!",
"Missing roomId.": "Отсутствует идентификатор комнаты.", "Missing roomId.": "Отсутствует идентификатор комнаты.",
"You don't currently have any stickerpacks enabled": "У вас ещё нет наклеек", "You don't currently have any stickerpacks enabled": "У вас ещё нет наклеек",
"Popout widget": "Всплывающий виджет", "Popout widget": "Всплывающий виджет",
"Send Logs": "Отправить логи", "Send Logs": "Отправить логи",
"Clear Storage and Sign Out": "Очистить хранилище и выйти", "Clear Storage and Sign Out": "Очистить хранилище и выйти",
"Refresh": "Обновить",
"We encountered an error trying to restore your previous session.": "Произошла ошибка при попытке восстановить предыдущий сеанс.", "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.": "Очистка хранилища вашего браузера может устранить проблему, но при этом ваш сеанс будет завершён, и зашифрованная история чата станет нечитаемой.",
"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.": "Не удается загрузить событие, на которое был дан ответ. Либо оно не существует, либо у вас нет разрешения на его просмотр.",
@ -535,11 +519,6 @@
"Straight rows of keys are easy to guess": "Прямые ряды клавиш легко угадываемы", "Straight rows of keys are easy to guess": "Прямые ряды клавиш легко угадываемы",
"Short keyboard patterns are easy to guess": "Короткие клавиатурные шаблоны легко угадываемы", "Short keyboard patterns are easy to guess": "Короткие клавиатурные шаблоны легко угадываемы",
"Please contact your homeserver administrator.": "Пожалуйста, свяжитесь с администратором вашего сервера.", "Please contact your homeserver administrator.": "Пожалуйста, свяжитесь с администратором вашего сервера.",
"Enable Emoji suggestions while typing": "Предлагать смайлики при наборе",
"Show a placeholder for removed messages": "Плашки вместо удалённых сообщений",
"Show display name changes": "Изменения отображаемого имени",
"Enable big emoji in chat": "Большие смайлики",
"Send typing notifications": "Уведомлять о наборе текста",
"Messages containing my username": "Сообщения, содержащие имя моего пользователя", "Messages containing my username": "Сообщения, содержащие имя моего пользователя",
"Messages containing @room": "Сообщения, содержащие @room", "Messages containing @room": "Сообщения, содержащие @room",
"Encrypted messages in one-to-one chats": "Зашифрованные сообщения в персональных чатах", "Encrypted messages in one-to-one chats": "Зашифрованные сообщения в персональных чатах",
@ -571,7 +550,6 @@
"Roles & Permissions": "Роли и права", "Roles & Permissions": "Роли и права",
"Security & Privacy": "Безопасность", "Security & Privacy": "Безопасность",
"Encryption": "Шифрование", "Encryption": "Шифрование",
"Encrypted": "Зашифровано",
"Ignored users": "Игнорируемые пользователи", "Ignored users": "Игнорируемые пользователи",
"Voice & Video": "Голос и видео", "Voice & Video": "Голос и видео",
"The conversation continues here.": "Разговор продолжается здесь.", "The conversation continues here.": "Разговор продолжается здесь.",
@ -583,7 +561,6 @@
"Click here to see older messages.": "Нажмите, чтобы увидеть старые сообщения.", "Click here to see older messages.": "Нажмите, чтобы увидеть старые сообщения.",
"Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please <a>contact your service administrator</a> to continue using the service.": "Ваше сообщение не было отправлено, потому что этот домашний сервер превысил месячный лимит активных пользователей. <a>обратитесь к администратору службы</a>, чтобы продолжить использование службы.", "Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please <a>contact your service administrator</a> to continue using the service.": "Ваше сообщение не было отправлено, потому что этот домашний сервер превысил месячный лимит активных пользователей. <a>обратитесь к администратору службы</a>, чтобы продолжить использование службы.",
"Your message wasn't sent because this homeserver has exceeded a resource limit. Please <a>contact your service administrator</a> to continue using the service.": "Ваше сообщение не было отправлено, потому что этот домашний сервер превысил лимит ресурсов. <a>обратитесь к администратору службы</a>, чтобы продолжить использование службы.", "Your message wasn't sent because this homeserver has exceeded a resource limit. Please <a>contact your service administrator</a> to continue using the service.": "Ваше сообщение не было отправлено, потому что этот домашний сервер превысил лимит ресурсов. <a>обратитесь к администратору службы</a>, чтобы продолжить использование службы.",
"Prompt before sending invites to potentially invalid matrix IDs": "Подтверждать отправку приглашений на потенциально недействительные matrix ID",
"All keys backed up": "Все ключи сохранены", "All keys backed up": "Все ключи сохранены",
"General": "Общие", "General": "Общие",
"Room avatar": "Аватар комнаты", "Room avatar": "Аватар комнаты",
@ -726,7 +703,6 @@
"No homeserver URL provided": "URL-адрес домашнего сервера не указан", "No homeserver URL provided": "URL-адрес домашнего сервера не указан",
"Unexpected error resolving homeserver configuration": "Неожиданная ошибка в настройках домашнего сервера", "Unexpected error resolving homeserver configuration": "Неожиданная ошибка в настройках домашнего сервера",
"The user's homeserver does not support the version of the room.": "Домашний сервер пользователя не поддерживает версию комнаты.", "The user's homeserver does not support the version of the room.": "Домашний сервер пользователя не поддерживает версию комнаты.",
"Show read receipts sent by other users": "Уведомления о прочтении другими пользователями",
"Show hidden events in timeline": "Показывать скрытые события в ленте сообщений", "Show hidden events in timeline": "Показывать скрытые события в ленте сообщений",
"When rooms are upgraded": "При обновлении комнат", "When rooms are upgraded": "При обновлении комнат",
"Bulk options": "Основные опции", "Bulk options": "Основные опции",
@ -924,7 +900,6 @@
"Create a public room": "Создать публичную комнату", "Create a public room": "Создать публичную комнату",
"Create a private room": "Создать приватную комнату", "Create a private room": "Создать приватную комнату",
"Topic (optional)": "Тема (опционально)", "Topic (optional)": "Тема (опционально)",
"Show previews/thumbnails for images": "Предпросмотр/миниатюры для изображений",
"Disconnect from the identity server <current /> and connect to <new /> instead?": "Отключиться от сервера идентификации <current /> и вместо этого подключиться к <new />?", "Disconnect from the identity server <current /> and connect to <new /> instead?": "Отключиться от сервера идентификации <current /> и вместо этого подключиться к <new />?",
"Disconnect identity server": "Отключить идентификационный сервер", "Disconnect identity server": "Отключить идентификационный сервер",
"You are still <b>sharing your personal data</b> on the identity server <idserver />.": "Вы все еще <b> делитесь своими личными данными </b> на сервере идентификации <idserver />.", "You are still <b>sharing your personal data</b> on the identity server <idserver />.": "Вы все еще <b> делитесь своими личными данными </b> на сервере идентификации <idserver />.",
@ -990,7 +965,6 @@
"Show advanced": "Показать дополнительные настройки", "Show advanced": "Показать дополнительные настройки",
"Please fill why you're reporting.": "Пожалуйста, заполните, почему вы сообщаете.", "Please fill why you're reporting.": "Пожалуйста, заполните, почему вы сообщаете.",
"Report Content to Your Homeserver Administrator": "Сообщите о содержании своему администратору домашнего сервера", "Report Content to Your Homeserver Administrator": "Сообщите о содержании своему администратору домашнего сервера",
"Send report": "Отослать отчёт",
"Command Help": "Помощь команды", "Command Help": "Помощь команды",
"To continue you need to accept the terms of this service.": "Для продолжения Вам необходимо принять условия данного сервиса.", "To continue you need to accept the terms of this service.": "Для продолжения Вам необходимо принять условия данного сервиса.",
"Document": "Документ", "Document": "Документ",
@ -1043,7 +1017,6 @@
"Error subscribing to list": "Ошибка при подписке на список", "Error subscribing to list": "Ошибка при подписке на список",
"Error upgrading room": "Ошибка обновления комнаты", "Error upgrading room": "Ошибка обновления комнаты",
"Match system theme": "Тема системы", "Match system theme": "Тема системы",
"Show typing notifications": "Уведомлять о наборе текста",
"Enable desktop notifications for this session": "Показывать уведомления на рабочем столе для этого сеанса", "Enable desktop notifications for this session": "Показывать уведомления на рабочем столе для этого сеанса",
"Enable audible notifications for this session": "Звуковые уведомления для этого сеанса", "Enable audible notifications for this session": "Звуковые уведомления для этого сеанса",
"Manage integrations": "Управление интеграциями", "Manage integrations": "Управление интеграциями",
@ -1140,7 +1113,6 @@
"Not Trusted": "Недоверенное", "Not Trusted": "Недоверенное",
"%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s (%(userId)s) произвел(а) вход через новый сеанс без подтверждения:", "%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s (%(userId)s) произвел(а) вход через новый сеанс без подтверждения:",
"Ask this user to verify their session, or manually verify it below.": "Попросите этого пользователя подтвердить сеанс или подтвердите его вручную ниже.", "Ask this user to verify their session, or manually verify it below.": "Попросите этого пользователя подтвердить сеанс или подтвердите его вручную ниже.",
"Show shortcuts to recently viewed rooms above the room list": "Показывать ссылки на недавние комнаты над списком комнат",
"Manually verify all remote sessions": "Подтверждать вручную все сеансы на других устройствах", "Manually verify all remote sessions": "Подтверждать вручную все сеансы на других устройствах",
"Your homeserver does not support cross-signing.": "Ваш домашний сервер не поддерживает кросс-подписи.", "Your homeserver does not support cross-signing.": "Ваш домашний сервер не поддерживает кросс-подписи.",
"Cross-signing public keys:": "Публичные ключи для кросс-подписи:", "Cross-signing public keys:": "Публичные ключи для кросс-подписи:",
@ -1198,7 +1170,6 @@
"well formed": "корректный", "well formed": "корректный",
"unexpected type": "непредвиденный тип", "unexpected type": "непредвиденный тип",
"Self signing private key:": "Самоподписанный приватный ключ:", "Self signing private key:": "Самоподписанный приватный ключ:",
"Manage": "Управление",
"Custom theme URL": "Ссылка на стороннюю тему", "Custom theme URL": "Ссылка на стороннюю тему",
"⚠ These settings are meant for advanced users.": "⚠ Эти настройки рассчитаны для опытных пользователей.", "⚠ These settings are meant for advanced users.": "⚠ Эти настройки рассчитаны для опытных пользователей.",
"Personal ban list": "Личный список блокировки", "Personal ban list": "Личный список блокировки",
@ -1242,8 +1213,6 @@
"Verify User": "Подтвердить пользователя", "Verify User": "Подтвердить пользователя",
"Your messages are not secure": "Ваши сообщения не защищены", "Your messages are not secure": "Ваши сообщения не защищены",
"Your homeserver": "Ваш домашний сервер", "Your homeserver": "Ваш домашний сервер",
"Trusted": "Заверенный",
"Not trusted": "Незаверенный",
"%(count)s verified sessions": { "%(count)s verified sessions": {
"other": "Заверенных сеансов: %(count)s", "other": "Заверенных сеансов: %(count)s",
"one": "1 заверенный сеанс" "one": "1 заверенный сеанс"
@ -1293,7 +1262,6 @@
"Looks good": "В порядке", "Looks good": "В порядке",
"All rooms": "Все комнаты", "All rooms": "Все комнаты",
"Your server": "Ваш сервер", "Your server": "Ваш сервер",
"Matrix": "Matrix",
"Add a new server": "Добавить сервер", "Add a new server": "Добавить сервер",
"Server name": "Имя сервера", "Server name": "Имя сервера",
"Destroy cross-signing keys?": "Уничтожить ключи кросс-подписи?", "Destroy cross-signing keys?": "Уничтожить ключи кросс-подписи?",
@ -1443,7 +1411,6 @@
"Failed to find the following users": "Не удалось найти этих пользователей", "Failed to find the following users": "Не удалось найти этих пользователей",
"The following users might not exist or are invalid, and cannot be invited: %(csvNames)s": "Следующие пользователи могут не существовать, или быть недействительными и не могут быть приглашены: %(csvNames)s", "The following users might not exist or are invalid, and cannot be invited: %(csvNames)s": "Следующие пользователи могут не существовать, или быть недействительными и не могут быть приглашены: %(csvNames)s",
"Recently Direct Messaged": "Последние прямые сообщения", "Recently Direct Messaged": "Последние прямые сообщения",
"Go": "Вперёд",
"a new master key signature": "новая подпись мастер-ключа", "a new master key signature": "новая подпись мастер-ключа",
"a new cross-signing key signature": "новый ключ подписи для кросс-подписи", "a new cross-signing key signature": "новый ключ подписи для кросс-подписи",
"a device cross-signing signature": "подпись устройства для кросс-подписи", "a device cross-signing signature": "подпись устройства для кросс-подписи",
@ -1607,8 +1574,6 @@
"%(senderName)s ended the call": "%(senderName)s завершил(а) звонок", "%(senderName)s ended the call": "%(senderName)s завершил(а) звонок",
"You ended the call": "Вы закончили звонок", "You ended the call": "Вы закончили звонок",
"Send stickers into this room": "Отправить стикеры в эту комнату", "Send stickers into this room": "Отправить стикеры в эту комнату",
"Use Ctrl + Enter to send a message": "Используйте Ctrl + Enter, чтобы отправить сообщение",
"Use Command + Enter to send a message": "Cmd + Enter, чтобы отправить сообщение",
"Go to Home View": "Перейти на Главную", "Go to Home View": "Перейти на Главную",
"This is the start of <roomName/>.": "Это начало <roomName/>.", "This is the start of <roomName/>.": "Это начало <roomName/>.",
"Add a photo, so people can easily spot your room.": "Добавьте фото, чтобы люди могли легко заметить вашу комнату.", "Add a photo, so people can easily spot your room.": "Добавьте фото, чтобы люди могли легко заметить вашу комнату.",
@ -2000,7 +1965,6 @@
"Transfer": "Перевод", "Transfer": "Перевод",
"Failed to transfer call": "Не удалось перевести звонок", "Failed to transfer call": "Не удалось перевести звонок",
"A call can only be transferred to a single user.": "Вызов может быть передан только одному пользователю.", "A call can only be transferred to a single user.": "Вызов может быть передан только одному пользователю.",
"There was an error finding this widget.": "При обнаружении этого виджета произошла ошибка.",
"Active Widgets": "Активные виджеты", "Active Widgets": "Активные виджеты",
"Open dial pad": "Открыть панель набора номера", "Open dial pad": "Открыть панель набора номера",
"Dial pad": "Панель набора номера", "Dial pad": "Панель набора номера",
@ -2036,28 +2000,12 @@
"Set my room layout for everyone": "Установить мой макет комнаты для всех", "Set my room layout for everyone": "Установить мой макет комнаты для всех",
"Recently visited rooms": "Недавно посещённые комнаты", "Recently visited rooms": "Недавно посещённые комнаты",
"Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Сделайте резервную копию ключей шифрования с данными вашей учетной записи на случай, если вы потеряете доступ к своим сеансам. Ваши ключи будут защищены уникальным ключом безопасности.", "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Сделайте резервную копию ключей шифрования с данными вашей учетной записи на случай, если вы потеряете доступ к своим сеансам. Ваши ключи будут защищены уникальным ключом безопасности.",
"Show line numbers in code blocks": "Показывать номера строк в блоках кода",
"Expand code blocks by default": "По умолчанию отображать блоки кода целиком",
"Show stickers button": "Показывать кнопку наклеек",
"Use app": "Использовать приложение", "Use app": "Использовать приложение",
"Use app for a better experience": "Используйте приложение для лучшего опыта", "Use app for a better experience": "Используйте приложение для лучшего опыта",
"Converts the DM to a room": "Преобразовать ЛС в комнату", "Converts the DM to a room": "Преобразовать ЛС в комнату",
"Converts the room to a DM": "Преобразовывает комнату в ЛС", "Converts the room to a DM": "Преобразовывает комнату в ЛС",
"We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "Мы попросили браузер запомнить, какой домашний сервер вы используете для входа в систему, но, к сожалению, ваш браузер забыл об этом. Перейдите на страницу входа и попробуйте ещё раз.", "We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "Мы попросили браузер запомнить, какой домашний сервер вы используете для входа в систему, но, к сожалению, ваш браузер забыл об этом. Перейдите на страницу входа и попробуйте ещё раз.",
"We couldn't log you in": "Нам не удалось войти в систему", "We couldn't log you in": "Нам не удалось войти в систему",
"Value in this room:": "Значение в этой комнате:",
"Value:": "Значение:",
"Setting:": "Настройки:",
"Setting ID": "ID настроек",
"Save setting values": "Сохранить значения настроек",
"Settable at room": "Устанавливается для комнаты",
"Settable at global": "Устанавливается на глобальном уровне",
"Level": "Уровень",
"This UI does NOT check the types of the values. Use at your own risk.": "Этот пользовательский интерфейс НЕ проверяет типы значений. Используйте на свой страх и риск.",
"Value in this room": "Значение в этой комнате",
"Value": "Значение",
"Show chat effects (animations when receiving e.g. confetti)": "Эффекты (анимация при получении, например, конфетти)",
"Caution:": "Предупреждение:",
"Suggested": "Рекомендуется", "Suggested": "Рекомендуется",
"This room is suggested as a good one to join": "Эта комната рекомендуется, чтобы присоединиться", "This room is suggested as a good one to join": "Эта комната рекомендуется, чтобы присоединиться",
"%(count)s rooms": { "%(count)s rooms": {
@ -2084,7 +2032,6 @@
"Invite to %(roomName)s": "Пригласить в %(roomName)s", "Invite to %(roomName)s": "Пригласить в %(roomName)s",
"Unnamed Space": "Безымянное пространство", "Unnamed Space": "Безымянное пространство",
"Invite to %(spaceName)s": "Пригласить в %(spaceName)s", "Invite to %(spaceName)s": "Пригласить в %(spaceName)s",
"Setting definition:": "Установка определения:",
"Create a new room": "Создать новую комнату", "Create a new room": "Создать новую комнату",
"Spaces": "Пространства", "Spaces": "Пространства",
"Space selection": "Выбор пространства", "Space selection": "Выбор пространства",
@ -2112,16 +2059,11 @@
"Invite only, best for yourself or teams": "Только по приглашениям, лучший вариант для себя или команды", "Invite only, best for yourself or teams": "Только по приглашениям, лучший вариант для себя или команды",
"Open space for anyone, best for communities": "Открытое пространство для всех, лучший вариант для сообществ", "Open space for anyone, best for communities": "Открытое пространство для всех, лучший вариант для сообществ",
"Create a space": "Создать пространство", "Create a space": "Создать пространство",
"Jump to the bottom of the timeline when you send a message": "Перейти к нижней части временной шкалы, когда вы отправляете сообщение",
"This homeserver has been blocked by its administrator.": "Доступ к этому домашнему серверу заблокирован вашим администратором.", "This homeserver has been blocked by its administrator.": "Доступ к этому домашнему серверу заблокирован вашим администратором.",
"You're already in a call with this person.": "Вы уже разговариваете с этим человеком.", "You're already in a call with this person.": "Вы уже разговариваете с этим человеком.",
"Already in call": "Уже в вызове", "Already in call": "Уже в вызове",
"Original event source": "Оригинальный исходный код", "Original event source": "Оригинальный исходный код",
"Decrypted event source": "Расшифрованный исходный код", "Decrypted event source": "Расшифрованный исходный код",
"Values at explicit levels in this room:": "Значения на явных уровнях:",
"Values at explicit levels:": "Значения на явных уровнях:",
"Values at explicit levels in this room": "Значения на явных уровнях в этой комнате",
"Values at explicit levels": "Значения на явных уровнях",
"Invite by username": "Пригласить по имени пользователя", "Invite by username": "Пригласить по имени пользователя",
"Make sure the right people have access. You can invite more later.": "Убедитесь, что правильные люди имеют доступ. Вы можете пригласить больше людей позже.", "Make sure the right people have access. You can invite more later.": "Убедитесь, что правильные люди имеют доступ. Вы можете пригласить больше людей позже.",
"Invite your teammates": "Пригласите своих товарищей по команде", "Invite your teammates": "Пригласите своих товарищей по команде",
@ -2361,7 +2303,6 @@
"Code blocks": "Блоки кода", "Code blocks": "Блоки кода",
"Displaying time": "Отображение времени", "Displaying time": "Отображение времени",
"Keyboard shortcuts": "Горячие клавиши", "Keyboard shortcuts": "Горячие клавиши",
"Warn before quitting": "Предупредить перед выходом",
"Your access token gives full access to your account. Do not share it with anyone.": "Ваш токен доступа даёт полный доступ к вашей учётной записи. Не передавайте его никому.", "Your access token gives full access to your account. Do not share it with anyone.": "Ваш токен доступа даёт полный доступ к вашей учётной записи. Не передавайте его никому.",
"Message bubbles": "Пузыри сообщений", "Message bubbles": "Пузыри сообщений",
"There was an error loading your notification settings.": "Произошла ошибка при загрузке настроек уведомлений.", "There was an error loading your notification settings.": "Произошла ошибка при загрузке настроек уведомлений.",
@ -2406,11 +2347,7 @@
"Start the camera": "Запуск камеры", "Start the camera": "Запуск камеры",
"sends space invaders": "отправляет космических захватчиков", "sends space invaders": "отправляет космических захватчиков",
"Sends the given message with a space themed effect": "Отправить данное сообщение с эффектом космоса", "Sends the given message with a space themed effect": "Отправить данное сообщение с эффектом космоса",
"All rooms you're in will appear in Home.": "Все комнаты, в которых вы находитесь, будут отображаться на Главной.",
"Show all rooms in Home": "Показывать все комнаты на Главной",
"Surround selected text when typing special characters": "Обводить выделенный текст при вводе специальных символов", "Surround selected text when typing special characters": "Обводить выделенный текст при вводе специальных символов",
"Use Ctrl + F to search timeline": "Используйте Ctrl + F для поиска в ленте сообщений",
"Use Command + F to search timeline": "Используйте Command + F для поиска в ленте сообщений",
"Silence call": "Тихий вызов", "Silence call": "Тихий вызов",
"Sound on": "Звук включен", "Sound on": "Звук включен",
"Review to ensure your account is safe": "Проверьте, чтобы убедиться, что ваша учётная запись в безопасности", "Review to ensure your account is safe": "Проверьте, чтобы убедиться, что ваша учётная запись в безопасности",
@ -2464,8 +2401,6 @@
"Change space avatar": "Изменить аватар пространства", "Change space avatar": "Изменить аватар пространства",
"Anyone in <spaceName/> can find and join. You can select other spaces too.": "Любой человек в <spaceName/> может найти и присоединиться. Вы можете выбрать и другие пространства.", "Anyone in <spaceName/> can find and join. You can select other spaces too.": "Любой человек в <spaceName/> может найти и присоединиться. Вы можете выбрать и другие пространства.",
"Cross-signing is ready but keys are not backed up.": "Кросс-подпись готова, но ключи не резервируются.", "Cross-signing is ready but keys are not backed up.": "Кросс-подпись готова, но ключи не резервируются.",
"Autoplay videos": "Автовоспроизведение видео",
"Autoplay GIFs": "Автовоспроизведение GIF",
"The above, but in <Room /> as well": "Вышеописанное, но также в <Room />", "The above, but in <Room /> as well": "Вышеописанное, но также в <Room />",
"The above, but in any room you are joined or invited to as well": "Вышеперечисленное, но также в любой комнате, в которую вы вошли или приглашены", "The above, but in any room you are joined or invited to as well": "Вышеперечисленное, но также в любой комнате, в которую вы вошли или приглашены",
"%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s открепил(а) сообщение в этой комнате. Посмотрите все закреплённые сообщения.", "%(senderName)s unpinned a message from this room. See all pinned messages.": "%(senderName)s открепил(а) сообщение в этой комнате. Посмотрите все закреплённые сообщения.",
@ -2617,7 +2552,6 @@
"Forget": "Забыть", "Forget": "Забыть",
"Open in OpenStreetMap": "Открыть в OpenStreetMap", "Open in OpenStreetMap": "Открыть в OpenStreetMap",
"Verify other device": "Проверить другое устройство", "Verify other device": "Проверить другое устройство",
"Clear": "Очистить",
"Recent searches": "Недавние поиски", "Recent searches": "Недавние поиски",
"To search messages, look for this icon at the top of a room <icon/>": "Для поиска сообщений найдите этот значок <icon/> в верхней части комнаты", "To search messages, look for this icon at the top of a room <icon/>": "Для поиска сообщений найдите этот значок <icon/> в верхней части комнаты",
"Other searches": "Другие поиски", "Other searches": "Другие поиски",
@ -2639,7 +2573,6 @@
"Failed to end poll": "Не удалось завершить опрос", "Failed to end poll": "Не удалось завершить опрос",
"The poll has ended. Top answer: %(topAnswer)s": "Опрос завершен. Победил ответ: %(topAnswer)s", "The poll has ended. Top answer: %(topAnswer)s": "Опрос завершен. Победил ответ: %(topAnswer)s",
"The poll has ended. No votes were cast.": "Опрос завершен. Ни одного голоса не было.", "The poll has ended. No votes were cast.": "Опрос завершен. Ни одного голоса не было.",
"Edit setting": "Изменить настройки",
"You can't disable this later. Bridges & most bots won't work yet.": "Вы не сможете отключить это позже. Мосты и большинство ботов пока не будут работать.", "You can't disable this later. Bridges & most bots won't work yet.": "Вы не сможете отключить это позже. Мосты и большинство ботов пока не будут работать.",
"You can turn this off anytime in settings": "Вы можете отключить это в любое время в настройках", "You can turn this off anytime in settings": "Вы можете отключить это в любое время в настройках",
"We <Bold>don't</Bold> share information with third parties": "Мы <Bold>не</Bold> передаем информацию третьим лицам", "We <Bold>don't</Bold> share information with third parties": "Мы <Bold>не</Bold> передаем информацию третьим лицам",
@ -2701,8 +2634,6 @@
"Message pending moderation: %(reason)s": "Сообщение ожидает модерации: %(reason)s", "Message pending moderation: %(reason)s": "Сообщение ожидает модерации: %(reason)s",
"Jump to date": "Перейти к дате", "Jump to date": "Перейти к дате",
"The beginning of the room": "Начало комнаты", "The beginning of the room": "Начало комнаты",
"Last month": "Прошлый месяц",
"Last week": "Прошлая неделя",
"You cancelled verification on your other device.": "Вы отменили проверку на другом устройстве.", "You cancelled verification on your other device.": "Вы отменили проверку на другом устройстве.",
"In encrypted rooms, verify all users to ensure it's secure.": "В зашифрованных комнатах, проверьте всех пользователей, чтобы убедиться в их безопасности.", "In encrypted rooms, verify all users to ensure it's secure.": "В зашифрованных комнатах, проверьте всех пользователей, чтобы убедиться в их безопасности.",
"Almost there! Is your other device showing the same shield?": "Почти готово! Ваше другое устройство показывает такой же щит?", "Almost there! Is your other device showing the same shield?": "Почти готово! Ваше другое устройство показывает такой же щит?",
@ -2795,7 +2726,6 @@
"Sends the given message with rainfall": "Отправляет заданное сообщение с дождём", "Sends the given message with rainfall": "Отправляет заданное сообщение с дождём",
"Automatically send debug logs on decryption errors": "Автоматическая отправка журналов отладки при ошибках расшифровки", "Automatically send debug logs on decryption errors": "Автоматическая отправка журналов отладки при ошибках расшифровки",
"Automatically send debug logs on any error": "Автоматическая отправка журналов отладки при любой ошибке", "Automatically send debug logs on any error": "Автоматическая отправка журналов отладки при любой ошибке",
"Show join/leave messages (invites/removes/bans unaffected)": "Сообщения о присоединении/покидании (приглашения/удаления/блокировки не затрагиваются)",
"Use a more compact 'Modern' layout": "Использовать более компактный \"Современный\" макет", "Use a more compact 'Modern' layout": "Использовать более компактный \"Современный\" макет",
"Developer": "Разработка", "Developer": "Разработка",
"Experimental": "Экспериментально", "Experimental": "Экспериментально",
@ -2857,7 +2787,6 @@
"Calls are unsupported": "Вызовы не поддерживаются", "Calls are unsupported": "Вызовы не поддерживаются",
"Open user settings": "Открыть пользовательские настройки", "Open user settings": "Открыть пользовательские настройки",
"Switch to space by number": "Перейти к пространству по номеру", "Switch to space by number": "Перейти к пространству по номеру",
"Accessibility": "Доступность",
"Reply to an ongoing thread or use “%(replyInThread)s” when hovering over a message to start a new one.": "Ответьте в текущее обсуждение или создайте новое, наведя курсор на сообщение и нажав «%(replyInThread)s».", "Reply to an ongoing thread or use “%(replyInThread)s” when hovering over a message to start a new one.": "Ответьте в текущее обсуждение или создайте новое, наведя курсор на сообщение и нажав «%(replyInThread)s».",
"We'll create rooms for each of them.": "Мы создадим комнаты для каждого из них.", "We'll create rooms for each of them.": "Мы создадим комнаты для каждого из них.",
"Click for more info": "Нажмите, чтобы узнать больше", "Click for more info": "Нажмите, чтобы узнать больше",
@ -2867,11 +2796,6 @@
"Join %(roomAddress)s": "Присоединиться к %(roomAddress)s", "Join %(roomAddress)s": "Присоединиться к %(roomAddress)s",
"Feedback sent! Thanks, we appreciate it!": "Отзыв отправлен! Спасибо, мы ценим это!", "Feedback sent! Thanks, we appreciate it!": "Отзыв отправлен! Спасибо, мы ценим это!",
"Export Cancelled": "Экспорт отменён", "Export Cancelled": "Экспорт отменён",
"<empty string>": "<пустая строка>",
"<%(count)s spaces>": {
"one": "<пространство>",
"other": "<%(count)s пространств>"
},
"Results are only revealed when you end the poll": "Результаты отображаются только после завершения опроса", "Results are only revealed when you end the poll": "Результаты отображаются только после завершения опроса",
"Voters see results as soon as they have voted": "Голосующие увидят результаты сразу после голосования", "Voters see results as soon as they have voted": "Голосующие увидят результаты сразу после голосования",
"Closed poll": "Закрытый опрос", "Closed poll": "Закрытый опрос",
@ -2923,14 +2847,12 @@
"Collapse quotes": "Свернуть цитаты", "Collapse quotes": "Свернуть цитаты",
"Can't create a thread from an event with an existing relation": "Невозможно создать обсуждение из события с существующей связью", "Can't create a thread from an event with an existing relation": "Невозможно создать обсуждение из события с существующей связью",
"Pinned": "Закреплено", "Pinned": "Закреплено",
"Maximise": "Развернуть",
"Open thread": "Открыть ветку", "Open thread": "Открыть ветку",
"You do not have permissions to add spaces to this space": "У вас нет разрешения добавлять пространства в это пространство", "You do not have permissions to add spaces to this space": "У вас нет разрешения добавлять пространства в это пространство",
"Remove messages sent by me": "Удалить отправленные мной сообщения", "Remove messages sent by me": "Удалить отправленные мной сообщения",
"Spaces are a new way to group rooms and people. What kind of Space do you want to create? You can change this later.": "Пространства — это новый способ организации комнат и людей. Какой вид пространства вы хотите создать? Вы можете изменить это позже.", "Spaces are a new way to group rooms and people. What kind of Space do you want to create? You can change this later.": "Пространства — это новый способ организации комнат и людей. Какой вид пространства вы хотите создать? Вы можете изменить это позже.",
"Match system": "Как в системе", "Match system": "Как в системе",
"Automatically send debug logs when key backup is not functioning": "Автоматически отправлять журналы отладки, когда резервное копирование ключей не работает", "Automatically send debug logs when key backup is not functioning": "Автоматически отправлять журналы отладки, когда резервное копирование ключей не работает",
"Insert a trailing colon after user mentions at the start of a message": "Вставлять двоеточие после упоминания пользователя в начале сообщения",
"Show polls button": "Показывать кнопку опроса", "Show polls button": "Показывать кнопку опроса",
"No virtual room for this room": "Эта комната не имеет виртуальной комнаты", "No virtual room for this room": "Эта комната не имеет виртуальной комнаты",
"Switches to this room's virtual room, if it has one": "Переключается на виртуальную комнату, если ваша комната её имеет", "Switches to this room's virtual room, if it has one": "Переключается на виртуальную комнату, если ваша комната её имеет",
@ -2942,7 +2864,6 @@
"User is already in the room": "Пользователь уже в комнате", "User is already in the room": "Пользователь уже в комнате",
"User is already invited to the room": "Пользователь уже приглашён в комнату", "User is already invited to the room": "Пользователь уже приглашён в комнату",
"Failed to invite users to %(roomName)s": "Не удалось пригласить пользователей в %(roomName)s", "Failed to invite users to %(roomName)s": "Не удалось пригласить пользователей в %(roomName)s",
"Enable Markdown": "Использовать Markdown",
"The person who invited you has already left.": "Человек, который вас пригласил, уже ушёл.", "The person who invited you has already left.": "Человек, который вас пригласил, уже ушёл.",
"There was an error joining.": "Ошибка при вступлении.", "There was an error joining.": "Ошибка при вступлении.",
"The user's homeserver does not support the version of the space.": "Домашний сервер пользователя не поддерживает версию пространства.", "The user's homeserver does not support the version of the space.": "Домашний сервер пользователя не поддерживает версию пространства.",
@ -2975,7 +2896,6 @@
"Read receipts": "Отчёты о прочтении", "Read receipts": "Отчёты о прочтении",
"%(members)s and %(last)s": "%(members)s и %(last)s", "%(members)s and %(last)s": "%(members)s и %(last)s",
"%(members)s and more": "%(members)s и многие другие", "%(members)s and more": "%(members)s и многие другие",
"Enable hardware acceleration (restart %(appName)s to take effect)": "Включить аппаратное ускорение (перезапустите %(appName)s, чтобы изменение вступило в силу)",
"Busy": "Занят(а)", "Busy": "Занят(а)",
"View older version of %(spaceName)s.": "Посмотреть предыдущую версию %(spaceName)s.", "View older version of %(spaceName)s.": "Посмотреть предыдущую версию %(spaceName)s.",
"Deactivating your account is a permanent action — be careful!": "Деактивация вашей учётной записи является необратимым действием — будьте осторожны!", "Deactivating your account is a permanent action — be careful!": "Деактивация вашей учётной записи является необратимым действием — будьте осторожны!",
@ -3033,30 +2953,7 @@
"Cameras": "Камеры", "Cameras": "Камеры",
"Output devices": "Устройства вывода", "Output devices": "Устройства вывода",
"Input devices": "Устройства ввода", "Input devices": "Устройства ввода",
"Observe only": "Только наблюдать",
"Requester": "Адресат",
"Methods": "Методы",
"Timeout": "Тайм-аут",
"Phase": "Фаза",
"Transaction": "Транзакция",
"Cancelled": "Отменено",
"Started": "Начато",
"Ready": "Готово",
"Requested": "Запрошено",
"Unsent": "Не отправлено", "Unsent": "Не отправлено",
"Edit values": "Редактировать значения",
"Failed to save settings.": "Не удалось сохранить настройки.",
"Number of users": "Количество пользователей",
"Server": "Сервер",
"Server Versions": "Версия сервера",
"Client Versions": "Версия клиента",
"Failed to load.": "Не удалось загрузить.",
"Capabilities": "Возможности",
"Send custom state event": "Оправить пользовательское событие состояния",
"Failed to send event!": "Не удалось отправить событие!",
"Doesn't look like valid JSON.": "Не похоже на действующий JSON.",
"Send custom room account data event": "Отправить пользовательское событие данных учётной записи комнаты",
"Send custom account data event": "Отправить пользовательское событие данных учётной записи",
"Remove search filter for %(filter)s": "Удалить фильтр поиска для %(filter)s", "Remove search filter for %(filter)s": "Удалить фильтр поиска для %(filter)s",
"Start a group chat": "Начать групповой чат", "Start a group chat": "Начать групповой чат",
"Other options": "Другие опции", "Other options": "Другие опции",
@ -3110,7 +3007,6 @@
"You can use the custom server options to sign into other Matrix servers by specifying a different homeserver URL. This allows you to use %(brand)s with an existing Matrix account on a different homeserver.": "Вы можете использовать пользовательские опции сервера для входа на другие серверы Matrix, указав URL-адрес другого домашнего сервера. Это позволяет использовать %(brand)s с существующей учётной записью Matrix на другом домашнем сервере.", "You can use the custom server options to sign into other Matrix servers by specifying a different homeserver URL. This allows you to use %(brand)s with an existing Matrix account on a different homeserver.": "Вы можете использовать пользовательские опции сервера для входа на другие серверы Matrix, указав URL-адрес другого домашнего сервера. Это позволяет использовать %(brand)s с существующей учётной записью Matrix на другом домашнем сервере.",
"Click to read topic": "Нажмите, чтобы увидеть тему", "Click to read topic": "Нажмите, чтобы увидеть тему",
"Edit topic": "Редактировать тему", "Edit topic": "Редактировать тему",
"Minimise": "Свернуть",
"Un-maximise": "Развернуть", "Un-maximise": "Развернуть",
"%(displayName)s's live location": "Местонахождение %(displayName)s в реальном времени", "%(displayName)s's live location": "Местонахождение %(displayName)s в реальном времени",
"%(brand)s was denied permission to fetch your location. Please allow location access in your browser settings.": "%(brand)s не получил доступа к вашему местонахождению. Разрешите доступ к местоположению в настройках браузера.", "%(brand)s was denied permission to fetch your location. Please allow location access in your browser settings.": "%(brand)s не получил доступа к вашему местонахождению. Разрешите доступ к местоположению в настройках браузера.",
@ -3152,16 +3048,11 @@
"Live location enabled": "Трансляция местоположения включена", "Live location enabled": "Трансляция местоположения включена",
"If you can't find the room you're looking for, ask for an invite or create a new room.": "Если не можете найти нужную комнату, просто попросите пригласить вас или создайте новую комнату.", "If you can't find the room you're looking for, ask for an invite or create a new room.": "Если не можете найти нужную комнату, просто попросите пригласить вас или создайте новую комнату.",
"Send custom timeline event": "Отправить пользовательское событие ленты сообщений", "Send custom timeline event": "Отправить пользовательское событие ленты сообщений",
"No verification requests found": "Запросов проверки не найдено",
"Verification explorer": "Посмотреть проверки", "Verification explorer": "Посмотреть проверки",
"Coworkers and teams": "Коллеги и команды", "Coworkers and teams": "Коллеги и команды",
"Friends and family": "Друзья и семья", "Friends and family": "Друзья и семья",
"Messages in this chat will be end-to-end encrypted.": "Сообщения в этой переписке будут защищены сквозным шифрованием.", "Messages in this chat will be end-to-end encrypted.": "Сообщения в этой переписке будут защищены сквозным шифрованием.",
"Spell check": "Проверка орфографии", "Spell check": "Проверка орфографии",
"Welcome to %(brand)s": "Добро пожаловать в %(brand)s",
"Find your people": "Найдите людей",
"Find your co-workers": "Найдите коллег",
"Secure messaging for work": "Безопасный обмен сообщениями для работы",
"Enable notifications": "Включить уведомления", "Enable notifications": "Включить уведомления",
"Your profile": "Ваш профиль", "Your profile": "Ваш профиль",
"Location not available": "Местоположение недоступно", "Location not available": "Местоположение недоступно",
@ -3179,22 +3070,16 @@
"other": "В %(spaceName)s и %(count)s других пространствах." "other": "В %(spaceName)s и %(count)s других пространствах."
}, },
"In spaces %(space1Name)s and %(space2Name)s.": "В пространствах %(space1Name)s и %(space2Name)s.", "In spaces %(space1Name)s and %(space2Name)s.": "В пространствах %(space1Name)s и %(space2Name)s.",
"Unverified": "Не заверено",
"Verified": "Заверено",
"IP address": "IP-адрес", "IP address": "IP-адрес",
"Device": "Устройство",
"Last activity": "Последняя активность", "Last activity": "Последняя активность",
"Other sessions": "Другие сеансы", "Other sessions": "Другие сеансы",
"Current session": "Текущий сеанс", "Current session": "Текущий сеанс",
"Sessions": "Сеансы", "Sessions": "Сеансы",
"Unverified session": "Незаверенный сеанс", "Unverified session": "Незаверенный сеанс",
"Verified session": "Заверенный сеанс", "Verified session": "Заверенный сеанс",
"Android": "Android",
"iOS": "iOS",
"We'll help you get connected.": "Мы поможем вам подключиться.", "We'll help you get connected.": "Мы поможем вам подключиться.",
"Join the room to participate": "Присоединяйтесь к комнате для участия", "Join the room to participate": "Присоединяйтесь к комнате для участия",
"This session is ready for secure messaging.": "Этот сеанс готов к безопасному обмену сообщениями.", "This session is ready for secure messaging.": "Этот сеанс готов к безопасному обмену сообщениями.",
"Start your first chat": "Начните свою первую беседу",
"We're creating a room with %(names)s": "Мы создаем комнату с %(names)s", "We're creating a room with %(names)s": "Мы создаем комнату с %(names)s",
"You can't disable this later. The room will be encrypted but the embedded call will not.": "Вы не сможете отключить это позже. Комната будет зашифрована, а встроенный вызов — нет.", "You can't disable this later. The room will be encrypted but the embedded call will not.": "Вы не сможете отключить это позже. Комната будет зашифрована, а встроенный вызов — нет.",
"Google Play and the Google Play logo are trademarks of Google LLC.": "Google Play и Логотип Google Play являются торговыми знаками Google LLC.", "Google Play and the Google Play logo are trademarks of Google LLC.": "Google Play и Логотип Google Play являются торговыми знаками Google LLC.",
@ -3216,16 +3101,6 @@
"Verify or sign out from this session for best security and reliability.": "Заверьте или выйдите из этого сеанса для лучшей безопасности и надёжности.", "Verify or sign out from this session for best security and reliability.": "Заверьте или выйдите из этого сеанса для лучшей безопасности и надёжности.",
"Your server doesn't support disabling sending read receipts.": "Ваш сервер не поддерживает отключение отправки уведомлений о прочтении.", "Your server doesn't support disabling sending read receipts.": "Ваш сервер не поддерживает отключение отправки уведомлений о прочтении.",
"Share your activity and status with others.": "Поделитесь своей активностью и статусом с другими.", "Share your activity and status with others.": "Поделитесь своей активностью и статусом с другими.",
"Complete these to get the most out of %(brand)s": "Выполните их, чтобы получить максимальную отдачу от %(brand)s",
"You did it!": "Вы сделали это!",
"Only %(count)s steps to go": {
"one": "Осталось всего %(count)s шагов до конца",
"other": "Осталось всего %(count)s шагов"
},
"Keep ownership and control of community discussion.\nScale to support millions, with powerful moderation and interoperability.": "Сохраняйте право над владением и контроль над обсуждением в сообществе.\nМасштабируйте, чтобы поддерживать миллионы, с мощной модерацией и функциональной совместимостью.",
"Community ownership": "Владение сообществом",
"With free end-to-end encrypted messaging, and unlimited voice and video calls, %(brand)s is a great way to stay in touch.": "Благодаря бесплатному сквозному шифрованному обмену сообщениями и неограниченным голосовым и видеозвонкам, %(brand)s это отличный способ оставаться на связи.",
"Secure messaging for friends and family": "Безопасный обмен сообщениями для друзей и семьи",
"Dont miss a reply or important message": "Не пропустите ответ или важное сообщение", "Dont miss a reply or important message": "Не пропустите ответ или важное сообщение",
"Turn on notifications": "Включить уведомления", "Turn on notifications": "Включить уведомления",
"Make sure people know its really you": "Убедитесь, что люди знают, что это действительно вы", "Make sure people know its really you": "Убедитесь, что люди знают, что это действительно вы",
@ -3239,12 +3114,10 @@
"Find and invite your friends": "Найдите и пригласите своих друзей", "Find and invite your friends": "Найдите и пригласите своих друзей",
"You made it!": "Вы сделали это!", "You made it!": "Вы сделали это!",
"Show shortcut to welcome checklist above the room list": "Показывать ярлык приветственного проверенного списка над списком комнат", "Show shortcut to welcome checklist above the room list": "Показывать ярлык приветственного проверенного списка над списком комнат",
"Send read receipts": "Уведомлять о прочтении",
"Reset bearing to north": "Сбросить пеленг на север", "Reset bearing to north": "Сбросить пеленг на север",
"Toggle attribution": "Переключить атрибуцию", "Toggle attribution": "Переключить атрибуцию",
"Developer command: Discards the current outbound group session and sets up new Olm sessions": "Команда разработчика: Отменить текущий сеанс исходящей группы и настроить новые сеансы Olm", "Developer command: Discards the current outbound group session and sets up new Olm sessions": "Команда разработчика: Отменить текущий сеанс исходящей группы и настроить новые сеансы Olm",
"Set up your profile": "Настройте свой профиль", "Set up your profile": "Настройте свой профиль",
"Welcome": "Добро пожаловать",
"Security recommendations": "Рекомендации по безопасности", "Security recommendations": "Рекомендации по безопасности",
"Inactive sessions": "Неактивные сеансы", "Inactive sessions": "Неактивные сеансы",
"Unverified sessions": "Незаверенные сеансы", "Unverified sessions": "Незаверенные сеансы",
@ -3281,8 +3154,6 @@
"Enable notifications for this account": "Уведомления для этой учётной записи", "Enable notifications for this account": "Уведомления для этой учётной записи",
"Turn off to disable notifications on all your devices and sessions": "Выключите, чтобы убрать уведомления во всех своих сеансах", "Turn off to disable notifications on all your devices and sessions": "Выключите, чтобы убрать уведомления во всех своих сеансах",
"Failed to set pusher state": "Не удалось установить состояние push-службы", "Failed to set pusher state": "Не удалось установить состояние push-службы",
"Application": "Приложение",
"Version": "Версия",
"URL": "URL-адрес", "URL": "URL-адрес",
"Room info": "О комнате", "Room info": "О комнате",
"Operating system": "Операционная система", "Operating system": "Операционная система",
@ -3290,7 +3161,6 @@
"Unknown session type": "Неизвестный тип сеанса", "Unknown session type": "Неизвестный тип сеанса",
"Unknown room": "Неизвестная комната", "Unknown room": "Неизвестная комната",
"View chat timeline": "Посмотреть ленту сообщений", "View chat timeline": "Посмотреть ленту сообщений",
"Model": "Модель",
"Live": "В эфире", "Live": "В эфире",
"Video call (%(brand)s)": "Видеозвонок (%(brand)s)", "Video call (%(brand)s)": "Видеозвонок (%(brand)s)",
"Voice broadcasts": "Голосовые трансляции", "Voice broadcasts": "Голосовые трансляции",
@ -3421,9 +3291,7 @@
"Checking for an update…": "Проверка наличия обновлений…", "Checking for an update…": "Проверка наличия обновлений…",
"Formatting": "Форматирование", "Formatting": "Форматирование",
"%(oldDisplayName)s changed their display name and profile picture": "%(oldDisplayName)s изменил(а) имя и аватар", "%(oldDisplayName)s changed their display name and profile picture": "%(oldDisplayName)s изменил(а) имя и аватар",
"Last event:": "Последнее событие:",
"WARNING: session already verified, but keys do NOT MATCH!": "ВНИМАНИЕ: сеанс уже заверен, но ключи НЕ СОВПАДАЮТ!", "WARNING: session already verified, but keys do NOT MATCH!": "ВНИМАНИЕ: сеанс уже заверен, но ключи НЕ СОВПАДАЮТ!",
"ID: ": "ID: ",
"Edit link": "Изменить ссылку", "Edit link": "Изменить ссылку",
"Signing In…": "Выполняется вход…", "Signing In…": "Выполняется вход…",
"%(sender)s reacted %(reaction)s to %(message)s": "%(sender)s отреагировал(а) %(reaction)s на %(message)s", "%(sender)s reacted %(reaction)s to %(message)s": "%(sender)s отреагировал(а) %(reaction)s на %(message)s",
@ -3435,7 +3303,6 @@
"Your language": "Ваш язык", "Your language": "Ваш язык",
"Message in %(room)s": "Сообщение в %(room)s", "Message in %(room)s": "Сообщение в %(room)s",
"Message from %(user)s": "Сообщение от %(user)s", "Message from %(user)s": "Сообщение от %(user)s",
"Thread Id: ": "Id обсуждения: ",
"Creating rooms…": "Создание комнат…", "Creating rooms…": "Создание комнат…",
"Sign out of all devices": "Выйти из всех сеансов", "Sign out of all devices": "Выйти из всех сеансов",
"Set a new account password…": "Установите новый пароль…", "Set a new account password…": "Установите новый пароль…",
@ -3489,21 +3356,38 @@
"beta": "Бета", "beta": "Бета",
"attachment": "Вложение", "attachment": "Вложение",
"appearance": "Внешний вид", "appearance": "Внешний вид",
"guest": "Гость",
"legal": "Правовая информация",
"credits": "Благодарности",
"faq": "Часто задаваемые вопросы",
"access_token": "Токен доступа",
"preferences": "Параметры",
"presence": "Присутствие",
"timeline": "Лента сообщений", "timeline": "Лента сообщений",
"privacy": "Конфиденциальность",
"camera": "Камера",
"microphone": "Микрофон",
"emoji": "Смайлы",
"random": "Случайный",
"support": "Поддержка", "support": "Поддержка",
"space": "Подпространство" "space": "Подпространство",
"random": "Случайный",
"privacy": "Конфиденциальность",
"presence": "Присутствие",
"preferences": "Параметры",
"microphone": "Микрофон",
"legal": "Правовая информация",
"guest": "Гость",
"faq": "Часто задаваемые вопросы",
"emoji": "Смайлы",
"credits": "Благодарности",
"camera": "Камера",
"access_token": "Токен доступа",
"someone": "Кто-то",
"welcome": "Добро пожаловать",
"encrypted": "Зашифровано",
"application": "Приложение",
"version": "Версия",
"device": "Устройство",
"model": "Модель",
"verified": "Заверено",
"unverified": "Не заверено",
"matrix": "Matrix",
"ios": "iOS",
"android": "Android",
"trusted": "Заверенный",
"not_trusted": "Незаверенный",
"accessibility": "Доступность",
"capabilities": "Возможности",
"server": "Сервер"
}, },
"action": { "action": {
"continue": "Продолжить", "continue": "Продолжить",
@ -3575,22 +3459,33 @@
"apply": "Применить", "apply": "Применить",
"add": "Добавить", "add": "Добавить",
"accept": "Принять", "accept": "Принять",
"disconnect": "Отключить",
"change": "Изменить",
"subscribe": "Подписаться",
"unsubscribe": "Отписаться",
"approve": "Согласиться",
"complete": "Выполнено",
"revoke": "Отмена",
"rename": "Переименовать",
"view_all": "Посмотреть все", "view_all": "Посмотреть все",
"unsubscribe": "Отписаться",
"subscribe": "Подписаться",
"show_all": "Показать все", "show_all": "Показать все",
"show": "Показать", "show": "Показать",
"revoke": "Отмена",
"review": "Обзор", "review": "Обзор",
"restore": "Восстановление", "restore": "Восстановление",
"rename": "Переименовать",
"register": "Зарегистрироваться",
"play": "Воспроизведение", "play": "Воспроизведение",
"pause": "Пауза", "pause": "Пауза",
"register": "Зарегистрироваться" "disconnect": "Отключить",
"complete": "Выполнено",
"change": "Изменить",
"approve": "Согласиться",
"manage": "Управление",
"go": "Вперёд",
"import": "Импорт",
"export": "Экспорт",
"refresh": "Обновить",
"minimise": "Свернуть",
"maximise": "Развернуть",
"mention": "Упомянуть",
"submit": "Отправить",
"send_report": "Отослать отчёт",
"clear": "Очистить"
}, },
"a11y": { "a11y": {
"user_menu": "Меню пользователя" "user_menu": "Меню пользователя"
@ -3660,8 +3555,8 @@
"restricted": "Ограниченный пользователь", "restricted": "Ограниченный пользователь",
"moderator": "Модератор", "moderator": "Модератор",
"admin": "Администратор", "admin": "Администратор",
"custom": "Пользовательский (%(level)s)", "mod": "Модератор",
"mod": "Модератор" "custom": "Пользовательский (%(level)s)"
}, },
"bug_reporting": { "bug_reporting": {
"introduction": "Если вы отправили ошибку через GitHub, журналы отладки могут помочь нам отследить проблему. ", "introduction": "Если вы отправили ошибку через GitHub, журналы отладки могут помочь нам отследить проблему. ",
@ -3686,6 +3581,117 @@
"short_seconds": "%(value)sс", "short_seconds": "%(value)sс",
"short_days_hours_minutes_seconds": "%(days)s д %(hours)s ч %(minutes)s мин %(seconds)s с", "short_days_hours_minutes_seconds": "%(days)s д %(hours)s ч %(minutes)s мин %(seconds)s с",
"short_hours_minutes_seconds": "%(hours)s ч %(minutes)s мин %(seconds)s с", "short_hours_minutes_seconds": "%(hours)s ч %(minutes)s мин %(seconds)s с",
"short_minutes_seconds": "%(minutes)s мин %(seconds)s с" "short_minutes_seconds": "%(minutes)s мин %(seconds)s с",
"last_week": "Прошлая неделя",
"last_month": "Прошлый месяц"
},
"onboarding": {
"personal_messaging_title": "Безопасный обмен сообщениями для друзей и семьи",
"free_e2ee_messaging_unlimited_voip": "Благодаря бесплатному сквозному шифрованному обмену сообщениями и неограниченным голосовым и видеозвонкам, %(brand)s это отличный способ оставаться на связи.",
"personal_messaging_action": "Начните свою первую беседу",
"work_messaging_title": "Безопасный обмен сообщениями для работы",
"work_messaging_action": "Найдите коллег",
"community_messaging_title": "Владение сообществом",
"community_messaging_action": "Найдите людей",
"welcome_to_brand": "Добро пожаловать в %(brand)s",
"only_n_steps_to_go": {
"one": "Осталось всего %(count)s шагов до конца",
"other": "Осталось всего %(count)s шагов"
},
"you_did_it": "Вы сделали это!",
"complete_these": "Выполните их, чтобы получить максимальную отдачу от %(brand)s",
"community_messaging_description": "Сохраняйте право над владением и контроль над обсуждением в сообществе.\nМасштабируйте, чтобы поддерживать миллионы, с мощной модерацией и функциональной совместимостью."
},
"devtools": {
"send_custom_account_data_event": "Отправить пользовательское событие данных учётной записи",
"send_custom_room_account_data_event": "Отправить пользовательское событие данных учётной записи комнаты",
"event_type": "Тип события",
"state_key": "Ключ состояния",
"invalid_json": "Не похоже на действующий JSON.",
"failed_to_send": "Не удалось отправить событие!",
"event_sent": "Событие отправлено!",
"event_content": "Содержимое события",
"room_notifications_last_event": "Последнее событие:",
"room_notifications_thread_id": "Id обсуждения: ",
"spaces": {
"one": "<пространство>",
"other": "<%(count)s пространств>"
},
"empty_string": "<пустая строка>",
"id": "ID: ",
"send_custom_state_event": "Оправить пользовательское событие состояния",
"failed_to_load": "Не удалось загрузить.",
"client_versions": "Версия клиента",
"server_versions": "Версия сервера",
"number_of_users": "Количество пользователей",
"failed_to_save": "Не удалось сохранить настройки.",
"save_setting_values": "Сохранить значения настроек",
"setting_colon": "Настройки:",
"caution_colon": "Предупреждение:",
"use_at_own_risk": "Этот пользовательский интерфейс НЕ проверяет типы значений. Используйте на свой страх и риск.",
"setting_definition": "Установка определения:",
"level": "Уровень",
"settable_global": "Устанавливается на глобальном уровне",
"settable_room": "Устанавливается для комнаты",
"values_explicit": "Значения на явных уровнях",
"values_explicit_room": "Значения на явных уровнях в этой комнате",
"edit_values": "Редактировать значения",
"value_colon": "Значение:",
"value_this_room_colon": "Значение в этой комнате:",
"values_explicit_colon": "Значения на явных уровнях:",
"values_explicit_this_room_colon": "Значения на явных уровнях:",
"setting_id": "ID настроек",
"value": "Значение",
"value_in_this_room": "Значение в этой комнате",
"edit_setting": "Изменить настройки",
"phase_requested": "Запрошено",
"phase_ready": "Готово",
"phase_started": "Начато",
"phase_cancelled": "Отменено",
"phase_transaction": "Транзакция",
"phase": "Фаза",
"timeout": "Тайм-аут",
"methods": "Методы",
"requester": "Адресат",
"observe_only": "Только наблюдать",
"no_verification_requests_found": "Запросов проверки не найдено",
"failed_to_find_widget": "При обнаружении этого виджета произошла ошибка."
},
"settings": {
"show_breadcrumbs": "Показывать ссылки на недавние комнаты над списком комнат",
"all_rooms_home_description": "Все комнаты, в которых вы находитесь, будут отображаться на Главной.",
"use_command_f_search": "Используйте Command + F для поиска в ленте сообщений",
"use_control_f_search": "Используйте Ctrl + F для поиска в ленте сообщений",
"use_12_hour_format": "Отображать время в 12-часовом формате (напр. 2:30 ПП)",
"always_show_message_timestamps": "Всегда показывать время отправки сообщений",
"send_read_receipts": "Уведомлять о прочтении",
"send_typing_notifications": "Уведомлять о наборе текста",
"replace_plain_emoji": "Автоматически заменять текстовые смайлики на графические",
"enable_markdown": "Использовать Markdown",
"emoji_autocomplete": "Предлагать смайлики при наборе",
"use_command_enter_send_message": "Cmd + Enter, чтобы отправить сообщение",
"use_control_enter_send_message": "Используйте Ctrl + Enter, чтобы отправить сообщение",
"all_rooms_home": "Показывать все комнаты на Главной",
"show_stickers_button": "Показывать кнопку наклеек",
"insert_trailing_colon_mentions": "Вставлять двоеточие после упоминания пользователя в начале сообщения",
"automatic_language_detection_syntax_highlight": "Автоопределение языка подсветки синтаксиса",
"code_block_expand_default": "По умолчанию отображать блоки кода целиком",
"code_block_line_numbers": "Показывать номера строк в блоках кода",
"inline_url_previews_default": "Предпросмотр ссылок по умолчанию",
"autoplay_gifs": "Автовоспроизведение GIF",
"autoplay_videos": "Автовоспроизведение видео",
"image_thumbnails": "Предпросмотр/миниатюры для изображений",
"show_typing_notifications": "Уведомлять о наборе текста",
"show_redaction_placeholder": "Плашки вместо удалённых сообщений",
"show_read_receipts": "Уведомления о прочтении другими пользователями",
"show_join_leave": "Сообщения о присоединении/покидании (приглашения/удаления/блокировки не затрагиваются)",
"show_displayname_changes": "Изменения отображаемого имени",
"show_chat_effects": "Эффекты (анимация при получении, например, конфетти)",
"big_emoji": "Большие смайлики",
"jump_to_bottom_on_send": "Перейти к нижней части временной шкалы, когда вы отправляете сообщение",
"prompt_invite": "Подтверждать отправку приглашений на потенциально недействительные matrix ID",
"hardware_acceleration": "Включить аппаратное ускорение (перезапустите %(appName)s, чтобы изменение вступило в силу)",
"start_automatically": "Автозапуск при входе в систему",
"warn_quit": "Предупредить перед выходом"
} }
} }

View file

@ -60,7 +60,6 @@
"%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s odstránil názov miestnosti.", "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s odstránil názov miestnosti.",
"%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s zmenil názov miestnosti na %(roomName)s.", "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s zmenil názov miestnosti na %(roomName)s.",
"%(senderDisplayName)s sent an image.": "%(senderDisplayName)s poslal obrázok.", "%(senderDisplayName)s sent an image.": "%(senderDisplayName)s poslal obrázok.",
"Someone": "Niekto",
"%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s pozval %(targetDisplayName)s vstúpiť do miestnosti.", "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s pozval %(targetDisplayName)s vstúpiť do miestnosti.",
"%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s sprístupnil budúcu históriu miestnosti pre všetkých členov, od kedy boli pozvaní.", "%(senderName)s made future room history visible to all room members, from the point they are invited.": "%(senderName)s sprístupnil budúcu históriu miestnosti pre všetkých členov, od kedy boli pozvaní.",
"%(senderName)s made future room history visible to all room members, from the point they joined.": "%(senderName)s sprístupnil budúcu históriu miestnosti pre všetkých členov, od kedy vstúpili.", "%(senderName)s made future room history visible to all room members, from the point they joined.": "%(senderName)s sprístupnil budúcu históriu miestnosti pre všetkých členov, od kedy vstúpili.",
@ -80,7 +79,6 @@
"Not a valid %(brand)s keyfile": "Toto nie je správny súbor s kľúčmi %(brand)s", "Not a valid %(brand)s keyfile": "Toto nie je správny súbor s kľúčmi %(brand)s",
"Authentication check failed: incorrect password?": "Kontrola overenia zlyhala: Nesprávne heslo?", "Authentication check failed: incorrect password?": "Kontrola overenia zlyhala: Nesprávne heslo?",
"Incorrect verification code": "Nesprávny overovací kód", "Incorrect verification code": "Nesprávny overovací kód",
"Submit": "Odoslať",
"Phone": "Telefón", "Phone": "Telefón",
"No display name": "Žiadne zobrazované meno", "No display name": "Žiadne zobrazované meno",
"New passwords don't match": "Nové heslá sa nezhodujú", "New passwords don't match": "Nové heslá sa nezhodujú",
@ -102,7 +100,6 @@
"Are you sure?": "Ste si istí?", "Are you sure?": "Ste si istí?",
"Unignore": "Prestať ignorovať", "Unignore": "Prestať ignorovať",
"Jump to read receipt": "Preskočiť na potvrdenie o prečítaní", "Jump to read receipt": "Preskočiť na potvrdenie o prečítaní",
"Mention": "Zmieniť sa",
"Admin Tools": "Nástroje správcu", "Admin Tools": "Nástroje správcu",
"and %(count)s others...": { "and %(count)s others...": {
"other": "a ďalších %(count)s…", "other": "a ďalších %(count)s…",
@ -310,10 +307,6 @@
"one": "Nahrávanie %(filename)s a %(count)s ďalší súbor" "one": "Nahrávanie %(filename)s a %(count)s ďalší súbor"
}, },
"Uploading %(filename)s": "Nahrávanie %(filename)s", "Uploading %(filename)s": "Nahrávanie %(filename)s",
"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)",
"Enable automatic language detection for syntax highlighting": "Povoliť automatickú detekciu jazyka pre zvýraznenie syntaxe",
"Automatically replace plain text Emoji": "Automaticky nahrádzať textové emotikony modernými",
"Mirror local video feed": "Zrkadliť lokálne video", "Mirror local video feed": "Zrkadliť lokálne video",
"Failed to change password. Is your password correct?": "Nepodarilo sa zmeniť heslo. Zadali ste správne heslo?", "Failed to change password. Is your password correct?": "Nepodarilo sa zmeniť heslo. Zadali ste správne heslo?",
"Unable to remove contact information": "Nie je možné odstrániť kontaktné informácie", "Unable to remove contact information": "Nie je možné odstrániť kontaktné informácie",
@ -322,7 +315,6 @@
"Cryptography": "Kryptografia", "Cryptography": "Kryptografia",
"Check for update": "Skontrolovať dostupnosť aktualizácie", "Check for update": "Skontrolovať dostupnosť aktualizácie",
"Reject all %(invitedRooms)s invites": "Odmietnuť všetky %(invitedRooms)s pozvania", "Reject all %(invitedRooms)s invites": "Odmietnuť všetky %(invitedRooms)s pozvania",
"Start automatically after system login": "Spustiť automaticky po prihlásení do systému",
"No media permissions": "Nepovolený prístup k médiám", "No media permissions": "Nepovolený prístup k médiám",
"You may need to manually permit %(brand)s to access your microphone/webcam": "Mali by ste aplikácii %(brand)s ručne udeliť právo pristupovať k mikrofónu a kamere", "You may need to manually permit %(brand)s to access your microphone/webcam": "Mali by ste aplikácii %(brand)s ručne udeliť právo pristupovať k mikrofónu a kamere",
"No Microphones detected": "Neboli rozpoznané žiadne mikrofóny", "No Microphones detected": "Neboli rozpoznané žiadne mikrofóny",
@ -360,15 +352,12 @@
"This process allows you to export the keys for messages you have received in encrypted rooms to a local file. You will then be able to import the file into another Matrix client in the future, so that client will also be able to decrypt these messages.": "Tento proces vás prevedie exportom kľúčov určených na dešifrovanie správ, ktoré ste dostali v šifrovaných miestnostiach do lokálneho súboru. Tieto kľúče zo súboru môžete neskôr importovať do iného Matrix klienta, aby ste v ňom mohli dešifrovať vaše šifrované správy.", "This process allows you to export the keys for messages you have received in encrypted rooms to a local file. You will then be able to import the file into another Matrix client in the future, so that client will also be able to decrypt these messages.": "Tento proces vás prevedie exportom kľúčov určených na dešifrovanie správ, ktoré ste dostali v šifrovaných miestnostiach do lokálneho súboru. Tieto kľúče zo súboru môžete neskôr importovať do iného Matrix klienta, aby ste v ňom mohli dešifrovať vaše šifrované správy.",
"Enter passphrase": "Zadajte prístupovú frázu", "Enter passphrase": "Zadajte prístupovú frázu",
"Confirm passphrase": "Potvrďte prístupovú frázu", "Confirm passphrase": "Potvrďte prístupovú frázu",
"Export": "Exportovať",
"Import room keys": "Importovať kľúče miestností", "Import room keys": "Importovať kľúče miestností",
"This process allows you to import encryption keys that you had previously exported from another Matrix client. You will then be able to decrypt any messages that the other client could decrypt.": "Tento proces vás prevedie importom šifrovacích kľúčov, ktoré ste si v minulosti exportovali v inom Matrix klientovi. Po úspešnom importe budete v tomto klientovi môcť dešifrovať všetky správy, ktoré ste mohli dešifrovať v spomínanom klientovi.", "This process allows you to import encryption keys that you had previously exported from another Matrix client. You will then be able to decrypt any messages that the other client could decrypt.": "Tento proces vás prevedie importom šifrovacích kľúčov, ktoré ste si v minulosti exportovali v inom Matrix klientovi. Po úspešnom importe budete v tomto klientovi môcť dešifrovať všetky správy, ktoré ste mohli dešifrovať v spomínanom klientovi.",
"The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Exportovaný súbor bude chránený prístupovou frázou. Tu by ste mali zadať prístupovú frázu, aby ste súbor dešifrovali.", "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Exportovaný súbor bude chránený prístupovou frázou. Tu by ste mali zadať prístupovú frázu, aby ste súbor dešifrovali.",
"File to import": "Importovať zo súboru", "File to import": "Importovať zo súboru",
"Import": "Importovať",
"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.", "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.",
"Restricted": "Obmedzené", "Restricted": "Obmedzené",
"Enable inline URL previews by default": "Predvolene povoliť náhľady URL adries",
"Enable URL previews for this room (only affects you)": "Povoliť náhľady URL adries pre túto miestnosť (ovplyvňuje len vás)", "Enable URL previews for this room (only affects you)": "Povoliť náhľady URL adries pre túto miestnosť (ovplyvňuje len vás)",
"Enable URL previews by default for participants in this room": "Predvolene povoliť náhľady URL adries pre členov tejto miestnosti", "Enable URL previews by default for participants in this room": "Predvolene povoliť náhľady URL adries pre členov tejto miestnosti",
"URL previews are enabled by default for participants in this room.": "Náhľady URL adries sú predvolene povolené pre členov tejto miestnosti.", "URL previews are enabled by default for participants in this room.": "Náhľady URL adries sú predvolene povolené pre členov tejto miestnosti.",
@ -417,14 +406,12 @@
"Collecting app version information": "Získavajú sa informácie o verzii aplikácii", "Collecting app version information": "Získavajú sa informácie o verzii aplikácii",
"Search…": "Hľadať…", "Search…": "Hľadať…",
"Tuesday": "Utorok", "Tuesday": "Utorok",
"Event sent!": "Udalosť odoslaná!",
"Preparing to send logs": "príprava odoslania záznamov", "Preparing to send logs": "príprava odoslania záznamov",
"Saturday": "Sobota", "Saturday": "Sobota",
"Monday": "Pondelok", "Monday": "Pondelok",
"Toolbox": "Nástroje", "Toolbox": "Nástroje",
"Collecting logs": "Získavajú sa záznamy", "Collecting logs": "Získavajú sa záznamy",
"All Rooms": "Vo všetkých miestnostiach", "All Rooms": "Vo všetkých miestnostiach",
"State Key": "Stavový kľúč",
"Wednesday": "Streda", "Wednesday": "Streda",
"All messages": "Všetky správy", "All messages": "Všetky správy",
"Call invitation": "Pozvánka na telefonát", "Call invitation": "Pozvánka na telefonát",
@ -439,19 +426,16 @@
"Messages in group chats": "Správy v skupinových konverzáciách", "Messages in group chats": "Správy v skupinových konverzáciách",
"Yesterday": "Včera", "Yesterday": "Včera",
"Error encountered (%(errorDetail)s).": "Vyskytla sa chyba (%(errorDetail)s).", "Error encountered (%(errorDetail)s).": "Vyskytla sa chyba (%(errorDetail)s).",
"Event Type": "Typ Udalosti",
"Low Priority": "Nízka priorita", "Low Priority": "Nízka priorita",
"What's New": "Čo Je Nové", "What's New": "Čo Je Nové",
"Off": "Zakázané", "Off": "Zakázané",
"Developer Tools": "Vývojárske nástroje", "Developer Tools": "Vývojárske nástroje",
"Event Content": "Obsah Udalosti",
"Thank you!": "Ďakujeme!", "Thank you!": "Ďakujeme!",
"Popout widget": "Otvoriť widget v novom okne", "Popout widget": "Otvoriť widget v novom okne",
"Missing roomId.": "Chýba ID miestnosti.", "Missing roomId.": "Chýba ID miestnosti.",
"Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Nie je možné načítať udalosť odkazovanú v odpovedi. Takáto udalosť buď neexistuje alebo nemáte povolenie na jej zobrazenie.", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Nie je možné načítať udalosť odkazovanú v odpovedi. Takáto udalosť buď neexistuje alebo nemáte povolenie na jej zobrazenie.",
"Send Logs": "Odoslať záznamy", "Send Logs": "Odoslať záznamy",
"Clear Storage and Sign Out": "Vymazať úložisko a odhlásiť sa", "Clear Storage and Sign Out": "Vymazať úložisko a odhlásiť sa",
"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.", "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á.", "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á.",
"Send analytics data": "Odosielať analytické údaje", "Send analytics data": "Odosielať analytické údaje",
@ -558,7 +542,6 @@
"Unable to restore backup": "Nie je možné obnoviť zo zálohy", "Unable to restore backup": "Nie je možné obnoviť zo zálohy",
"No backup found!": "Nebola nájdená žiadna záloha!", "No backup found!": "Nebola nájdená žiadna záloha!",
"Failed to decrypt %(failedCount)s sessions!": "Nepodarilo sa dešifrovať %(failedCount)s relácií!", "Failed to decrypt %(failedCount)s sessions!": "Nepodarilo sa dešifrovať %(failedCount)s relácií!",
"Prompt before sending invites to potentially invalid matrix IDs": "Upozorniť pred odoslaním pozvánok na potenciálne neplatné Matrix ID",
"Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Nie je možné nájsť používateľský profil pre Matrix ID zobrazené nižšie. Chcete ich napriek tomu pozvať?", "Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Nie je možné nájsť používateľský profil pre Matrix ID zobrazené nižšie. Chcete ich napriek tomu pozvať?",
"Invite anyway and never warn me again": "Napriek tomu pozvať a viac neupozorňovať", "Invite anyway and never warn me again": "Napriek tomu pozvať a viac neupozorňovať",
"Invite anyway": "Napriek tomu pozvať", "Invite anyway": "Napriek tomu pozvať",
@ -596,12 +579,6 @@
}, },
"%(names)s and %(lastPerson)s are typing …": "%(names)s a %(lastPerson)s píšu …", "%(names)s and %(lastPerson)s are typing …": "%(names)s a %(lastPerson)s píšu …",
"The user must be unbanned before they can be invited.": "Tomuto používateľovi musíte pred odoslaním pozvania povoliť vstup.", "The user must be unbanned before they can be invited.": "Tomuto používateľovi musíte pred odoslaním pozvania povoliť vstup.",
"Enable Emoji suggestions while typing": "Umožniť automatické návrhy emotikonov počas písania",
"Show a placeholder for removed messages": "Zobrazovať náhrady za odstránené správy",
"Show display name changes": "Zobrazovať zmeny zobrazovaného mena",
"Show read receipts sent by other users": "Zobrazovať potvrdenia o prečítaní od ostatných používateľov",
"Enable big emoji in chat": "Povoliť veľké emotikony v konverzáciách",
"Send typing notifications": "Posielať oznámenia, keď píšete",
"Messages containing my username": "Správy obsahujúce moje meno používateľa", "Messages containing my username": "Správy obsahujúce moje meno používateľa",
"The other party cancelled the verification.": "Proti strana zrušila overovanie.", "The other party cancelled the verification.": "Proti strana zrušila overovanie.",
"Verified!": "Overený!", "Verified!": "Overený!",
@ -731,7 +708,6 @@
"Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Zmena viditeľnosti histórie sa prejaví len na budúcich správach v tejto miestnosti. Viditeľnosť existujúcich správ ostane bez zmeny.", "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Zmena viditeľnosti histórie sa prejaví len na budúcich správach v tejto miestnosti. Viditeľnosť existujúcich správ ostane bez zmeny.",
"Encryption": "Šifrovanie", "Encryption": "Šifrovanie",
"Once enabled, encryption cannot be disabled.": "Po zapnutí šifrovania ho nie je možné vypnúť.", "Once enabled, encryption cannot be disabled.": "Po zapnutí šifrovania ho nie je možné vypnúť.",
"Encrypted": "Zašifrované",
"Error updating main address": "Chyba pri aktualizácii hlavnej adresy", "Error updating main address": "Chyba pri aktualizácii hlavnej adresy",
"There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Pri aktualizácii hlavnej adresy miestnosti došlo k chybe. Server to nemusí povoliť alebo došlo k dočasnému zlyhaniu.", "There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Pri aktualizácii hlavnej adresy miestnosti došlo k chybe. Server to nemusí povoliť alebo došlo k dočasnému zlyhaniu.",
"Main address": "Hlavná adresa", "Main address": "Hlavná adresa",
@ -830,7 +806,6 @@
"%(senderName)s updated a ban rule that was matching %(oldGlob)s to matching %(newGlob)s for %(reason)s": "%(senderName)s aktualizoval pravidlo zakázať vstúpiť pôvodne sa zhodujúce s %(oldGlob)s na %(newGlob)s, dôvod: %(reason)s", "%(senderName)s updated a ban rule that was matching %(oldGlob)s to matching %(newGlob)s for %(reason)s": "%(senderName)s aktualizoval pravidlo zakázať vstúpiť pôvodne sa zhodujúce s %(oldGlob)s na %(newGlob)s, dôvod: %(reason)s",
"%(name)s (%(userId)s)": "%(name)s (%(userId)s)", "%(name)s (%(userId)s)": "%(name)s (%(userId)s)",
"Match system theme": "Prispôsobiť sa vzhľadu systému", "Match system theme": "Prispôsobiť sa vzhľadu systému",
"Show previews/thumbnails for images": "Zobrazovať ukážky/náhľady obrázkov",
"My Ban List": "Môj zoznam zákazov", "My Ban List": "Môj zoznam zákazov",
"This is your list of users/servers you have blocked - don't leave the room!": "Toto je zoznam používateľov / serverov, ktorých ste zablokovali - neopúšťajte miestnosť!", "This is your list of users/servers you have blocked - don't leave the room!": "Toto je zoznam používateľov / serverov, ktorých ste zablokovali - neopúšťajte miestnosť!",
"Cross-signing public keys:": "Verejné kľúče krížového podpisovania:", "Cross-signing public keys:": "Verejné kľúče krížového podpisovania:",
@ -941,10 +916,8 @@
"Failed to re-authenticate due to a homeserver problem": "Opätovná autentifikácia zlyhala kvôli problému domovského servera", "Failed to re-authenticate due to a homeserver problem": "Opätovná autentifikácia zlyhala kvôli problému domovského servera",
"Failed to re-authenticate": "Nepodarilo sa opätovne overiť", "Failed to re-authenticate": "Nepodarilo sa opätovne overiť",
"Font size": "Veľkosť písma", "Font size": "Veľkosť písma",
"Show typing notifications": "Zobrazovať oznámenia, keď ostatní používatelia píšu",
"Never send encrypted messages to unverified sessions from this session": "Nikdy neposielať šifrované správy neovereným reláciám z tejto relácie", "Never send encrypted messages to unverified sessions from this session": "Nikdy neposielať šifrované správy neovereným reláciám z tejto relácie",
"Never send encrypted messages to unverified sessions in this room from this session": "Nikdy neposielať šifrované správy neovereným reláciám v tejto miestnosti z tejto relácie", "Never send encrypted messages to unverified sessions in this room from this session": "Nikdy neposielať šifrované správy neovereným reláciám v tejto miestnosti z tejto relácie",
"Show shortcuts to recently viewed rooms above the room list": "Zobraziť skratky nedávno zobrazených miestnosti nad zoznamom miestností",
"Enable message search in encrypted rooms": "Povoliť vyhľadávanie správ v šifrovaných miestnostiach", "Enable message search in encrypted rooms": "Povoliť vyhľadávanie správ v šifrovaných miestnostiach",
"How fast should messages be downloaded.": "Ako rýchlo sa majú správy sťahovať.", "How fast should messages be downloaded.": "Ako rýchlo sa majú správy sťahovať.",
"Manually verify all remote sessions": "Manuálne overiť všetky relácie", "Manually verify all remote sessions": "Manuálne overiť všetky relácie",
@ -989,7 +962,6 @@
"User signing private key:": "Súkromný podpisový kľúč používateľa:", "User signing private key:": "Súkromný podpisový kľúč používateľa:",
"Homeserver feature support:": "Funkcie podporované domovským serverom:", "Homeserver feature support:": "Funkcie podporované domovským serverom:",
"exists": "existuje", "exists": "existuje",
"Manage": "Spravovať",
"Securely cache encrypted messages locally for them to appear in search results.": "Bezpečne lokálne ukladať zašifrované správy do vyrovnávacej pamäte, aby sa zobrazovali vo výsledkoch vyhľadávania.", "Securely cache encrypted messages locally for them to appear in search results.": "Bezpečne lokálne ukladať zašifrované správy do vyrovnávacej pamäte, aby sa zobrazovali vo výsledkoch vyhľadávania.",
"%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with <nativeLink>search components added</nativeLink>.": "%(brand)su chýbajú niektoré komponenty potrebné na bezpečné cachovanie šifrovaných správ lokálne. Pokiaľ chcete experimentovať s touto funkciou, spravte si svoj vlastný %(brand)s Desktop s <nativeLink>pridanými vyhľadávacími komponentami</nativeLink>.", "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with <nativeLink>search components added</nativeLink>.": "%(brand)su chýbajú niektoré komponenty potrebné na bezpečné cachovanie šifrovaných správ lokálne. Pokiaľ chcete experimentovať s touto funkciou, spravte si svoj vlastný %(brand)s Desktop s <nativeLink>pridanými vyhľadávacími komponentami</nativeLink>.",
"This session is <b>not backing up your keys</b>, but you do have an existing backup you can restore from and add to going forward.": "Táto relácia <b>nezálohuje vaše kľúče</b>, ale máte jednu existujúcu zálohu, ktorú môžete obnoviť a pridať do budúcnosti.", "This session is <b>not backing up your keys</b>, but you do have an existing backup you can restore from and add to going forward.": "Táto relácia <b>nezálohuje vaše kľúče</b>, ale máte jednu existujúcu zálohu, ktorú môžete obnoviť a pridať do budúcnosti.",
@ -1434,7 +1406,6 @@
"Messages containing keywords": "Správy obsahujúce kľúčové slová", "Messages containing keywords": "Správy obsahujúce kľúčové slová",
"@mentions & keywords": "@zmienky a kľúčové slová", "@mentions & keywords": "@zmienky a kľúčové slová",
"Mentions & keywords": "Zmienky a kľúčové slová", "Mentions & keywords": "Zmienky a kľúčové slová",
"Settable at global": "Nastaviteľné v celosystémovom",
"Global": "Celosystémové", "Global": "Celosystémové",
"Access": "Prístup", "Access": "Prístup",
"You do not have permissions to invite people to this space": "Nemáte povolenie pozývať ľudí do tohto priestoru", "You do not have permissions to invite people to this space": "Nemáte povolenie pozývať ľudí do tohto priestoru",
@ -1465,8 +1436,6 @@
"Message deleted": "Správa vymazaná", "Message deleted": "Správa vymazaná",
"Create a new space": "Vytvoriť nový priestor", "Create a new space": "Vytvoriť nový priestor",
"Create a space": "Vytvoriť priestor", "Create a space": "Vytvoriť priestor",
"Not trusted": "Nedôveryhodné",
"Trusted": "Dôveryhodné",
"Edit devices": "Upraviť zariadenia", "Edit devices": "Upraviť zariadenia",
"Hide verified sessions": "Skryť overené relácie", "Hide verified sessions": "Skryť overené relácie",
"%(count)s verified sessions": { "%(count)s verified sessions": {
@ -1476,7 +1445,6 @@
"Messages in this room are not end-to-end encrypted.": "Správy v tejto miestnosti nie sú šifrované od vás až k príjemcovi.", "Messages in this room are not end-to-end encrypted.": "Správy v tejto miestnosti nie sú šifrované od vás až k príjemcovi.",
"Messages in this room are end-to-end encrypted.": "Správy v tejto miestnosti sú šifrované od vás až k príjemcovi.", "Messages in this room are end-to-end encrypted.": "Správy v tejto miestnosti sú šifrované od vás až k príjemcovi.",
"Show all your rooms in Home, even if they're in a space.": "Zobrazte všetky miestnosti v časti Domov, aj keď sú v priestore.", "Show all your rooms in Home, even if they're in a space.": "Zobrazte všetky miestnosti v časti Domov, aj keď sú v priestore.",
"Show all rooms in Home": "Zobraziť všetky miestnosti v časti Domov",
"Sign out and remove encryption keys?": "Odhlásiť sa a odstrániť šifrovacie kľúče?", "Sign out and remove encryption keys?": "Odhlásiť sa a odstrániť šifrovacie kľúče?",
"Sign out devices": { "Sign out devices": {
"one": "Odhlásiť zariadenie", "one": "Odhlásiť zariadenie",
@ -1492,7 +1460,6 @@
"Go to my space": "Prejsť do môjho priestoru", "Go to my space": "Prejsť do môjho priestoru",
"Go to my first room": "Prejsť do mojej prvej miestnosti", "Go to my first room": "Prejsť do mojej prvej miestnosti",
"Looks good!": "Vyzerá to super!", "Looks good!": "Vyzerá to super!",
"Go": "Spustiť",
"Looks good": "Vyzerá to super", "Looks good": "Vyzerá to super",
"Categories": "Kategórie", "Categories": "Kategórie",
"Algorithm:": "Algoritmus:", "Algorithm:": "Algoritmus:",
@ -1525,12 +1492,8 @@
"Cross-signing is ready for use.": "Krížové podpisovanie je pripravené na použitie.", "Cross-signing is ready for use.": "Krížové podpisovanie je pripravené na použitie.",
"Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Zálohujte si šifrovacie kľúče s údajmi o účte pre prípad, že stratíte prístup k reláciám. Vaše kľúče budú zabezpečené jedinečným bezpečnostným kľúčom.", "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Zálohujte si šifrovacie kľúče s údajmi o účte pre prípad, že stratíte prístup k reláciám. Vaše kľúče budú zabezpečené jedinečným bezpečnostným kľúčom.",
"The authenticity of this encrypted message can't be guaranteed on this device.": "Vierohodnosť tejto zašifrovanej správy nie je možné na tomto zariadení zaručiť.", "The authenticity of this encrypted message can't be guaranteed on this device.": "Vierohodnosť tejto zašifrovanej správy nie je možné na tomto zariadení zaručiť.",
"Autoplay videos": "Automaticky prehrať videá",
"Autoplay GIFs": "Automaticky prehrať GIF animácie",
"Surround selected text when typing special characters": "Obklopiť vybraný text pri písaní špeciálnych znakov", "Surround selected text when typing special characters": "Obklopiť vybraný text pri písaní špeciálnych znakov",
"Use Ctrl + Enter to send a message": "Použiť Ctrl + Enter na odoslanie správy",
"Displaying time": "Zobrazovanie času", "Displaying time": "Zobrazovanie času",
"All rooms you're in will appear in Home.": "Všetky miestnosti, v ktorých sa nachádzate, sa zobrazia na domovskej obrazovke.",
"Large": "Veľký", "Large": "Veľký",
"You're all caught up": "Všetko ste už stihli", "You're all caught up": "Všetko ste už stihli",
"You're all caught up.": "Všetko ste už stihli.", "You're all caught up.": "Všetko ste už stihli.",
@ -1604,15 +1567,11 @@
"Sending": "Odosielanie", "Sending": "Odosielanie",
"Avatar": "Obrázok", "Avatar": "Obrázok",
"Suggested": "Navrhované", "Suggested": "Navrhované",
"Value:": "Hodnota:",
"Level": "Úroveň",
"Setting:": "Nastavenie:",
"Comment": "Komentár", "Comment": "Komentár",
"Away": "Preč", "Away": "Preč",
"A-Z": "A-Z", "A-Z": "A-Z",
"Calls": "Hovory", "Calls": "Hovory",
"Navigation": "Navigácia", "Navigation": "Navigácia",
"Matrix": "Matrix",
"Accepting…": "Akceptovanie…", "Accepting…": "Akceptovanie…",
"Symbols": "Symboly", "Symbols": "Symboly",
"Objects": "Objekty", "Objects": "Objekty",
@ -1757,7 +1716,6 @@
"Files": "Súbory", "Files": "Súbory",
"Report": "Nahlásiť", "Report": "Nahlásiť",
"Report Content to Your Homeserver Administrator": "Nahlásenie obsahu správcovi domovského serveru", "Report Content to Your Homeserver Administrator": "Nahlásenie obsahu správcovi domovského serveru",
"Send report": "Odoslať hlásenie",
"Report the entire room": "Nahlásiť celú miestnosť", "Report the entire room": "Nahlásiť celú miestnosť",
"e.g. my-space": "napr. moj-priestor", "e.g. my-space": "napr. moj-priestor",
"not ready": "nie je pripravené", "not ready": "nie je pripravené",
@ -1783,15 +1741,8 @@
"You can also set up Secure Backup & manage your keys in Settings.": "Bezpečné zálohovanie a správu kľúčov môžete nastaviť aj v Nastaveniach.", "You can also set up Secure Backup & manage your keys in Settings.": "Bezpečné zálohovanie a správu kľúčov môžete nastaviť aj v Nastaveniach.",
"Secure Backup": "Bezpečné zálohovanie", "Secure Backup": "Bezpečné zálohovanie",
"Set up Secure Backup": "Nastaviť bezpečné zálohovanie", "Set up Secure Backup": "Nastaviť bezpečné zálohovanie",
"Warn before quitting": "Upozorniť pred ukončením",
"Show tray icon and minimise window to it on close": "Zobraziť ikonu na lište a pri zatvorení minimalizovať okno na ňu", "Show tray icon and minimise window to it on close": "Zobraziť ikonu na lište a pri zatvorení minimalizovať okno na ňu",
"Jump to the bottom of the timeline when you send a message": "Skok na koniec časovej osi pri odosielaní správy",
"Show chat effects (animations when receiving e.g. confetti)": "Zobraziť efekty konverzácie (animácie pri prijímaní napr. konfety)",
"Code blocks": "Bloky kódu", "Code blocks": "Bloky kódu",
"Show line numbers in code blocks": "Zobrazenie čísel riadkov v blokoch kódu",
"Expand code blocks by default": "Rozšíriť bloky kódu predvolene",
"Show stickers button": "Zobraziť tlačidlo nálepiek",
"Use Ctrl + F to search timeline": "Na vyhľadávanie na časovej osi použite klávesovú skratku Ctrl + F",
"To view all keyboard shortcuts, <a>click here</a>.": "Ak chcete zobraziť všetky klávesové skratky, <a>kliknite sem</a>.", "To view all keyboard shortcuts, <a>click here</a>.": "Ak chcete zobraziť všetky klávesové skratky, <a>kliknite sem</a>.",
"Keyboard shortcuts": "Klávesové skratky", "Keyboard shortcuts": "Klávesové skratky",
"View all %(count)s members": { "View all %(count)s members": {
@ -1927,7 +1878,6 @@
"From the beginning": "Od začiatku", "From the beginning": "Od začiatku",
"See room timeline (devtools)": "Pozrite si časovú os miestnosti (devtools)", "See room timeline (devtools)": "Pozrite si časovú os miestnosti (devtools)",
"Try scrolling up in the timeline to see if there are any earlier ones.": "Skúste sa posunúť nahor na časovej osi a pozrite sa, či tam nie sú nejaké skoršie.", "Try scrolling up in the timeline to see if there are any earlier ones.": "Skúste sa posunúť nahor na časovej osi a pozrite sa, či tam nie sú nejaké skoršie.",
"Use Command + F to search timeline": "Na vyhľadávanie na časovej osi použite klávesovú skratku Command + F",
"Current Timeline": "Aktuálna časová os", "Current Timeline": "Aktuálna časová os",
"Upgrade required": "Vyžaduje sa aktualizácia", "Upgrade required": "Vyžaduje sa aktualizácia",
"Automatically invite members from this room to the new one": "Automaticky pozvať členov z tejto miestnosti do novej", "Automatically invite members from this room to the new one": "Automaticky pozvať členov z tejto miestnosti do novej",
@ -1940,7 +1890,6 @@
"Change the topic of this room": "Zmeniť tému tejto miestnosti", "Change the topic of this room": "Zmeniť tému tejto miestnosti",
"%(name)s cancelled": "%(name)s zrušil/a", "%(name)s cancelled": "%(name)s zrušil/a",
"The poll has ended. No votes were cast.": "Anketa sa skončila. Nebol odovzdaný žiadny hlas.", "The poll has ended. No votes were cast.": "Anketa sa skončila. Nebol odovzdaný žiadny hlas.",
"Value": "Hodnota",
"There was a problem communicating with the server. Please try again.": "Nastal problém pri komunikácii so serverom. Skúste to prosím znova.", "There was a problem communicating with the server. Please try again.": "Nastal problém pri komunikácii so serverom. Skúste to prosím znova.",
"Are you sure you want to deactivate your account? This is irreversible.": "Ste si istí, že chcete deaktivovať svoje konto? Je to nezvratné.", "Are you sure you want to deactivate your account? This is irreversible.": "Ste si istí, že chcete deaktivovať svoje konto? Je to nezvratné.",
"Anyone in <SpaceName/> will be able to find and join.": "Ktokoľvek v <SpaceName/> bude môcť nájsť a pripojiť sa.", "Anyone in <SpaceName/> will be able to find and join.": "Ktokoľvek v <SpaceName/> bude môcť nájsť a pripojiť sa.",
@ -2087,7 +2036,6 @@
"Settings - %(spaceName)s": "Nastavenia - %(spaceName)s", "Settings - %(spaceName)s": "Nastavenia - %(spaceName)s",
"Nothing pinned, yet": "Zatiaľ nie je nič pripnuté", "Nothing pinned, yet": "Zatiaľ nie je nič pripnuté",
"Start audio stream": "Spustiť zvukový prenos", "Start audio stream": "Spustiť zvukový prenos",
"Save setting values": "Uložiť hodnoty nastavenia",
"Recently visited rooms": "Nedávno navštívené miestnosti", "Recently visited rooms": "Nedávno navštívené miestnosti",
"Enter Security Key": "Zadajte bezpečnostný kľúč", "Enter Security Key": "Zadajte bezpečnostný kľúč",
"Enter Security Phrase": "Zadať bezpečnostnú frázu", "Enter Security Phrase": "Zadať bezpečnostnú frázu",
@ -2102,7 +2050,6 @@
"Take a picture": "Urobiť fotografiu", "Take a picture": "Urobiť fotografiu",
"Error leaving room": "Chyba pri odchode z miestnosti", "Error leaving room": "Chyba pri odchode z miestnosti",
"Wrong file type": "Nesprávny typ súboru", "Wrong file type": "Nesprávny typ súboru",
"Edit setting": "Upraviť nastavenie",
"Welcome %(name)s": "Vitajte %(name)s", "Welcome %(name)s": "Vitajte %(name)s",
"Device verified": "Zariadenie overené", "Device verified": "Zariadenie overené",
"Room members": "Členovia miestnosti", "Room members": "Členovia miestnosti",
@ -2150,11 +2097,9 @@
"Submit logs": "Odoslať záznamy", "Submit logs": "Odoslať záznamy",
"Country Dropdown": "Rozbaľovacie okno krajiny", "Country Dropdown": "Rozbaľovacie okno krajiny",
"%(name)s accepted": "%(name)s prijal", "%(name)s accepted": "%(name)s prijal",
"Clear": "Vyčistiť",
"Forget": "Zabudnúť", "Forget": "Zabudnúť",
"Dialpad": "Číselník", "Dialpad": "Číselník",
"Disagree": "Nesúhlasím", "Disagree": "Nesúhlasím",
"Caution:": "Upozornenie:",
"Join the beta": "Pripojte sa k beta verzii", "Join the beta": "Pripojte sa k beta verzii",
"Want to add a new room instead?": "Chcete namiesto toho pridať novú miestnosť?", "Want to add a new room instead?": "Chcete namiesto toho pridať novú miestnosť?",
"No microphone found": "Nenašiel sa žiadny mikrofón", "No microphone found": "Nenašiel sa žiadny mikrofón",
@ -2325,7 +2270,6 @@
"Enter your Security Phrase or <button>use your Security Key</button> to continue.": "Zadajte svoju bezpečnostnú frázu alebo <button>použite svoj bezpečnostný kľúč</button> pre pokračovanie.", "Enter your Security Phrase or <button>use your Security Key</button> to continue.": "Zadajte svoju bezpečnostnú frázu alebo <button>použite svoj bezpečnostný kľúč</button> pre pokračovanie.",
"Enter a number between %(min)s and %(max)s": "Zadajte číslo medzi %(min)s a %(max)s", "Enter a number between %(min)s and %(max)s": "Zadajte číslo medzi %(min)s a %(max)s",
"Please enter a name for the room": "Zadajte prosím názov miestnosti", "Please enter a name for the room": "Zadajte prosím názov miestnosti",
"Use Command + Enter to send a message": "Použite Command + Enter na odoslanie správy",
"You can turn this off anytime in settings": "Túto funkciu môžete kedykoľvek vypnúť v nastaveniach", "You can turn this off anytime in settings": "Túto funkciu môžete kedykoľvek vypnúť v nastaveniach",
"Help improve %(analyticsOwner)s": "Pomôžte zlepšiť %(analyticsOwner)s", "Help improve %(analyticsOwner)s": "Pomôžte zlepšiť %(analyticsOwner)s",
"PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "PRO TIP: Ak napíšete príspevok o chybe, odošlite prosím <debugLogsLink>ladiace záznamy</debugLogsLink>, aby ste nám pomohli vystopovať problém.", "PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "PRO TIP: Ak napíšete príspevok o chybe, odošlite prosím <debugLogsLink>ladiace záznamy</debugLogsLink>, aby ste nám pomohli vystopovať problém.",
@ -2459,8 +2403,6 @@
"Jump to last message": "Prejsť na poslednú správu", "Jump to last message": "Prejsť na poslednú správu",
"Undo edit": "Zrušiť úpravu", "Undo edit": "Zrušiť úpravu",
"Redo edit": "Znovu upraviť", "Redo edit": "Znovu upraviť",
"Last week": "Minulý týždeň",
"Last month": "Minulý mesiac",
"The beginning of the room": "Začiatok miestnosti", "The beginning of the room": "Začiatok miestnosti",
"Jump to date": "Prejsť na dátum", "Jump to date": "Prejsť na dátum",
"Pick a date to jump to": "Vyberte dátum, na ktorý chcete prejsť", "Pick a date to jump to": "Vyberte dátum, na ktorý chcete prejsť",
@ -2620,7 +2562,6 @@
"Cross-signing is ready but keys are not backed up.": "Krížové podpisovanie je pripravené, ale kľúče nie sú zálohované.", "Cross-signing is ready but keys are not backed up.": "Krížové podpisovanie je pripravené, ale kľúče nie sú zálohované.",
"No active call in this room": "V tejto miestnosti nie je aktívny žiadny hovor", "No active call in this room": "V tejto miestnosti nie je aktívny žiadny hovor",
"Remove, ban, or invite people to your active room, and make you leave": "Odstráňte, zakážte alebo pozvite ľudí do svojej aktívnej miestnosti and make you leave", "Remove, ban, or invite people to your active room, and make you leave": "Odstráňte, zakážte alebo pozvite ľudí do svojej aktívnej miestnosti and make you leave",
"Show join/leave messages (invites/removes/bans unaffected)": "Zobraziť správy o pripojení/odchode (pozvania/odstránenia/zákazy nie sú ovplyvnené)",
"If you cancel now, you may lose encrypted messages & data if you lose access to your logins.": "Ak to teraz zrušíte, môžete prísť o zašifrované správy a údaje, ak stratíte prístup k svojim prihlasovacím údajom.", "If you cancel now, you may lose encrypted messages & data if you lose access to your logins.": "Ak to teraz zrušíte, môžete prísť o zašifrované správy a údaje, ak stratíte prístup k svojim prihlasovacím údajom.",
"What this user is writing is wrong.\nThis will be reported to the room moderators.": "To, čo tento používateľ napísal, je nesprávne.\nBude to nahlásené moderátorom miestnosti.", "What this user is writing is wrong.\nThis will be reported to the room moderators.": "To, čo tento používateľ napísal, je nesprávne.\nBude to nahlásené moderátorom miestnosti.",
"Please fill why you're reporting.": "Vyplňte prosím, prečo podávate hlásenie.", "Please fill why you're reporting.": "Vyplňte prosím, prečo podávate hlásenie.",
@ -2672,11 +2613,6 @@
"%(space1Name)s and %(space2Name)s": "%(space1Name)s a %(space2Name)s", "%(space1Name)s and %(space2Name)s": "%(space1Name)s a %(space2Name)s",
"%(name)s on hold": "%(name)s je podržaný", "%(name)s on hold": "%(name)s je podržaný",
"Link this email with your account in Settings to receive invites directly in %(brand)s.": "Prepojte tento e-mail so svojím účtom v Nastaveniach, aby ste mohli dostávať pozvánky priamo v aplikácii %(brand)s.", "Link this email with your account in Settings to receive invites directly in %(brand)s.": "Prepojte tento e-mail so svojím účtom v Nastaveniach, aby ste mohli dostávať pozvánky priamo v aplikácii %(brand)s.",
"Settable at room": "Nastaviteľné v miestnosti",
"Setting definition:": "Definícia nastavenia:",
"This UI does NOT check the types of the values. Use at your own risk.": "Toto používateľské rozhranie nekontroluje typy hodnôt. Používajte ho na vlastné riziko.",
"Setting ID": "ID nastavenia",
"There was an error finding this widget.": "Pri hľadaní tohto widgetu došlo k chybe.",
"In reply to <a>this message</a>": "V odpovedi na <a>túto správu</a>", "In reply to <a>this message</a>": "V odpovedi na <a>túto správu</a>",
"Invite by email": "Pozvať e-mailom", "Invite by email": "Pozvať e-mailom",
"Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "Vaša aplikácia %(brand)s vám na to neumožňuje použiť správcu integrácie. Obráťte sa na administrátora.", "Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "Vaša aplikácia %(brand)s vám na to neumožňuje použiť správcu integrácie. Obráťte sa na administrátora.",
@ -2712,8 +2648,6 @@
"sends fireworks": "pošle ohňostroj", "sends fireworks": "pošle ohňostroj",
"Sends the given message with snowfall": "Odošle danú správu so snežením", "Sends the given message with snowfall": "Odošle danú správu so snežením",
"sends snowfall": "pošle sneženie", "sends snowfall": "pošle sneženie",
"Value in this room": "Hodnota v tejto miestnosti",
"Value in this room:": "Hodnota v tejto miestnosti:",
"Your server does not support showing space hierarchies.": "Váš server nepodporuje zobrazovanie hierarchií priestoru.", "Your server does not support showing space hierarchies.": "Váš server nepodporuje zobrazovanie hierarchií priestoru.",
"Failed to remove some rooms. Try again later": "Nepodarilo sa odstrániť niektoré miestnosti. Skúste to neskôr", "Failed to remove some rooms. Try again later": "Nepodarilo sa odstrániť niektoré miestnosti. Skúste to neskôr",
"Mark as not suggested": "Označiť ako neodporúčaný", "Mark as not suggested": "Označiť ako neodporúčaný",
@ -2729,7 +2663,6 @@
"Reply in thread": "Odpovedať vo vlákne", "Reply in thread": "Odpovedať vo vlákne",
"Reply to thread…": "Odpovedať na vlákno…", "Reply to thread…": "Odpovedať na vlákno…",
"From a thread": "Z vlákna", "From a thread": "Z vlákna",
"Maximise": "Maximalizovať",
"%(severalUsers)sremoved a message %(count)s times": { "%(severalUsers)sremoved a message %(count)s times": {
"other": "%(severalUsers)sodstránili %(count)s správ", "other": "%(severalUsers)sodstránili %(count)s správ",
"one": "%(severalUsers)s odstránili správu" "one": "%(severalUsers)s odstránili správu"
@ -2751,11 +2684,6 @@
"Move left": "Presun doľava", "Move left": "Presun doľava",
"The export was cancelled successfully": "Export bol úspešne zrušený", "The export was cancelled successfully": "Export bol úspešne zrušený",
"Size can only be a number between %(min)s MB and %(max)s MB": "Veľkosť môže byť len medzi %(min)s MB a %(max)s MB", "Size can only be a number between %(min)s MB and %(max)s MB": "Veľkosť môže byť len medzi %(min)s MB a %(max)s MB",
"<empty string>": "<prázdny reťazec>",
"<%(count)s spaces>": {
"one": "<priestor>",
"other": "<%(count)s priestorov>"
},
"Fetched %(count)s events in %(seconds)ss": { "Fetched %(count)s events in %(seconds)ss": {
"one": "Načítaná %(count)s udalosť za %(seconds)ss", "one": "Načítaná %(count)s udalosť za %(seconds)ss",
"other": "Načítaných %(count)s udalostí za %(seconds)ss" "other": "Načítaných %(count)s udalostí za %(seconds)ss"
@ -2775,7 +2703,6 @@
"This user is displaying illegal behaviour, for instance by doxing people or threatening violence.\nThis will be reported to the room moderators who may escalate this to legal authorities.": "Tento používateľ prejavuje protiprávne správanie, napríklad zverejňuje doxing (citlivé informácie o ľudoch) alebo sa vyhráža násilím.\nToto bude nahlásené moderátorom miestnosti, ktorí to môžu postúpiť právnym orgánom.", "This user is displaying illegal behaviour, for instance by doxing people or threatening violence.\nThis will be reported to the room moderators who may escalate this to legal authorities.": "Tento používateľ prejavuje protiprávne správanie, napríklad zverejňuje doxing (citlivé informácie o ľudoch) alebo sa vyhráža násilím.\nToto bude nahlásené moderátorom miestnosti, ktorí to môžu postúpiť právnym orgánom.",
"Open user settings": "Otvoriť používateľské nastavenia", "Open user settings": "Otvoriť používateľské nastavenia",
"Switch to space by number": "Prepnúť do priestoru podľa čísla", "Switch to space by number": "Prepnúť do priestoru podľa čísla",
"Accessibility": "Prístupnosť",
"Proceed with reset": "Pokračovať v obnovení", "Proceed with reset": "Pokračovať v obnovení",
"Failed to create initial space rooms": "Nepodarilo sa vytvoriť počiatočné miestnosti v priestore", "Failed to create initial space rooms": "Nepodarilo sa vytvoriť počiatočné miestnosti v priestore",
"Joining": "Pripájanie sa", "Joining": "Pripájanie sa",
@ -2880,7 +2807,6 @@
"What location type do you want to share?": "Aký typ polohy chcete zdieľať?", "What location type do you want to share?": "Aký typ polohy chcete zdieľať?",
"We couldn't send your location": "Nepodarilo sa nám odoslať vašu polohu", "We couldn't send your location": "Nepodarilo sa nám odoslať vašu polohu",
"%(brand)s could not send your location. Please try again later.": "%(brand)s nemohol odoslať vašu polohu. Skúste to prosím neskôr.", "%(brand)s could not send your location. Please try again later.": "%(brand)s nemohol odoslať vašu polohu. Skúste to prosím neskôr.",
"Insert a trailing colon after user mentions at the start of a message": "Vložiť na koniec dvojbodku za zmienkou používateľa na začiatku správy",
"Reply to an ongoing thread or use “%(replyInThread)s” when hovering over a message to start a new one.": "Odpovedzte na prebiehajúce vlákno alebo použite \"%(replyInThread)s\", keď prejdete nad správu a začnete novú.", "Reply to an ongoing thread or use “%(replyInThread)s” when hovering over a message to start a new one.": "Odpovedzte na prebiehajúce vlákno alebo použite \"%(replyInThread)s\", keď prejdete nad správu a začnete novú.",
"Show polls button": "Zobraziť tlačidlo ankiet", "Show polls button": "Zobraziť tlačidlo ankiet",
"%(severalUsers)schanged the <a>pinned messages</a> for the room %(count)s times": { "%(severalUsers)schanged the <a>pinned messages</a> for the room %(count)s times": {
@ -2921,10 +2847,6 @@
"Joined": "Ste pripojený", "Joined": "Ste pripojený",
"Resend %(unsentCount)s reaction(s)": "Opätovné odoslanie %(unsentCount)s reakcií", "Resend %(unsentCount)s reaction(s)": "Opätovné odoslanie %(unsentCount)s reakcií",
"Consult first": "Najprv konzultovať", "Consult first": "Najprv konzultovať",
"Values at explicit levels in this room:": "Hodnoty na explicitných úrovniach v tejto miestnosti:",
"Values at explicit levels:": "Hodnoty na explicitných úrovniach:",
"Values at explicit levels in this room": "Hodnoty na explicitných úrovniach v tejto miestnosti",
"Values at explicit levels": "Hodnoty na explicitných úrovniach",
"Disinvite from %(roomName)s": "Zrušenie pozvania z %(roomName)s", "Disinvite from %(roomName)s": "Zrušenie pozvania z %(roomName)s",
"You are presenting": "Prezentujete", "You are presenting": "Prezentujete",
"Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "Konzultovanie s %(transferTarget)s. <a>Presmerovanie na %(transferee)s</a>", "Consulting with %(transferTarget)s. <a>Transfer to %(transferee)s</a>": "Konzultovanie s %(transferTarget)s. <a>Presmerovanie na %(transferee)s</a>",
@ -2955,31 +2877,7 @@
"Next recently visited room or space": "Ďalšia nedávno navštívená miestnosť alebo priestor", "Next recently visited room or space": "Ďalšia nedávno navštívená miestnosť alebo priestor",
"Previous recently visited room or space": "Predchádzajúca nedávno navštívená miestnosť alebo priestor", "Previous recently visited room or space": "Predchádzajúca nedávno navštívená miestnosť alebo priestor",
"Event ID: %(eventId)s": "ID udalosti: %(eventId)s", "Event ID: %(eventId)s": "ID udalosti: %(eventId)s",
"No verification requests found": "Nenašli sa žiadne žiadosti o overenie",
"Observe only": "Iba pozorovať",
"Requester": "Žiadateľ",
"Methods": "Metódy",
"Timeout": "Časový limit",
"Phase": "Fáza",
"Transaction": "Transakcia",
"Cancelled": "Zrušené",
"Started": "Spustené",
"Ready": "Pripravené",
"Requested": "Vyžiadané",
"Unsent": "Neodoslané", "Unsent": "Neodoslané",
"Edit values": "Upraviť hodnoty",
"Failed to save settings.": "Nepodarilo sa uložiť nastavenia.",
"Number of users": "Počet používateľov",
"Server": "Server",
"Server Versions": "Verzie servera",
"Client Versions": "Verzie klienta",
"Failed to load.": "Nepodarilo sa načítať.",
"Capabilities": "Schopnosti",
"Send custom state event": "Odoslať vlastnú udalosť stavu",
"Failed to send event!": "Nepodarilo sa odoslať udalosť!",
"Doesn't look like valid JSON.": "Nevyzerá to ako platný JSON.",
"Send custom room account data event": "Odoslať vlastnú udalosť s údajmi o účte miestnosti",
"Send custom account data event": "Odoslať vlastnú udalosť s údajmi o účte",
"Room ID: %(roomId)s": "ID miestnosti: %(roomId)s", "Room ID: %(roomId)s": "ID miestnosti: %(roomId)s",
"Server info": "Informácie o serveri", "Server info": "Informácie o serveri",
"Settings explorer": "Prieskumník nastavení", "Settings explorer": "Prieskumník nastavení",
@ -3058,7 +2956,6 @@
"Disinvite from space": "Zrušiť pozvánku z priestoru", "Disinvite from space": "Zrušiť pozvánku z priestoru",
"<b>Tip:</b> Use “%(replyInThread)s” when hovering over a message.": "<b>Tip:</b> Použite položku “%(replyInThread)s”, keď prejdete ponad správu.", "<b>Tip:</b> Use “%(replyInThread)s” when hovering over a message.": "<b>Tip:</b> Použite položku “%(replyInThread)s”, keď prejdete ponad správu.",
"No live locations": "Žiadne polohy v reálnom čase", "No live locations": "Žiadne polohy v reálnom čase",
"Enable Markdown": "Povoliť funkciu Markdown",
"Close sidebar": "Zatvoriť bočný panel", "Close sidebar": "Zatvoriť bočný panel",
"View List": "Zobraziť zoznam", "View List": "Zobraziť zoznam",
"View list": "Zobraziť zoznam", "View list": "Zobraziť zoznam",
@ -3121,12 +3018,10 @@
"Ignore user": "Ignorovať používateľa", "Ignore user": "Ignorovať používateľa",
"View related event": "Zobraziť súvisiacu udalosť", "View related event": "Zobraziť súvisiacu udalosť",
"Read receipts": "Potvrdenia o prečítaní", "Read receipts": "Potvrdenia o prečítaní",
"Enable hardware acceleration (restart %(appName)s to take effect)": "Povoliť hardvérovú akceleráciu (reštartujte %(appName)s, aby sa to prejavilo)",
"Failed to set direct message tag": "Nepodarilo sa nastaviť značku priamej správy", "Failed to set direct message tag": "Nepodarilo sa nastaviť značku priamej správy",
"You were disconnected from the call. (Error: %(message)s)": "Boli ste odpojení od hovoru. (Chyba: %(message)s)", "You were disconnected from the call. (Error: %(message)s)": "Boli ste odpojení od hovoru. (Chyba: %(message)s)",
"Connection lost": "Strata spojenia", "Connection lost": "Strata spojenia",
"Deactivating your account is a permanent action — be careful!": "Deaktivácia účtu je trvalý úkon — buďte opatrní!", "Deactivating your account is a permanent action — be careful!": "Deaktivácia účtu je trvalý úkon — buďte opatrní!",
"Minimise": "Minimalizovať",
"Un-maximise": "Zrušiť maximalizáciu", "Un-maximise": "Zrušiť maximalizáciu",
"When you sign out, these keys will be deleted from this device, which means you won't be able to read encrypted messages unless you have the keys for them on your other devices, or backed them up to the server.": "Po odhlásení sa tieto kľúče z tohto zariadenia vymažú, čo znamená, že nebudete môcť čítať zašifrované správy, pokiaľ k nim nemáte kľúče v iných zariadeniach alebo ich nemáte zálohované na serveri.", "When you sign out, these keys will be deleted from this device, which means you won't be able to read encrypted messages unless you have the keys for them on your other devices, or backed them up to the server.": "Po odhlásení sa tieto kľúče z tohto zariadenia vymažú, čo znamená, že nebudete môcť čítať zašifrované správy, pokiaľ k nim nemáte kľúče v iných zariadeniach alebo ich nemáte zálohované na serveri.",
"Joining the beta will reload %(brand)s.": "Vstupom do beta verzie sa %(brand)s znovu načíta.", "Joining the beta will reload %(brand)s.": "Vstupom do beta verzie sa %(brand)s znovu načíta.",
@ -3185,21 +3080,6 @@
"Saved Items": "Uložené položky", "Saved Items": "Uložené položky",
"Choose a locale": "Vyberte si jazyk", "Choose a locale": "Vyberte si jazyk",
"Spell check": "Kontrola pravopisu", "Spell check": "Kontrola pravopisu",
"Complete these to get the most out of %(brand)s": "Dokončite to, aby ste získali čo najviac z aplikácie %(brand)s",
"You did it!": "Dokázali ste to!",
"Only %(count)s steps to go": {
"one": "Zostáva už len %(count)s krok",
"other": "Zostáva už len %(count)s krokov"
},
"Welcome to %(brand)s": "Vitajte v aplikácii %(brand)s",
"Find your people": "Nájdite svojich ľudí",
"Keep ownership and control of community discussion.\nScale to support millions, with powerful moderation and interoperability.": "Zachovajte si vlastníctvo a kontrolu nad komunitnou diskusiou.\nPodpora pre milióny ľudí s výkonným moderovaním a interoperabilitou.",
"Community ownership": "Vlastníctvo komunity",
"Find your co-workers": "Nájdite svojich spolupracovníkov",
"Secure messaging for work": "Zabezpečené posielanie správ pre prácu",
"Start your first chat": "Spustite svoju prvú konverzáciu",
"With free end-to-end encrypted messaging, and unlimited voice and video calls, %(brand)s is a great way to stay in touch.": "Vďaka bezplatnému end-to-end šifrovaniu správ a neobmedzenými hlasovými a video hovormi je aplikácia %(brand)s skvelým spôsobom, ako zostať v kontakte.",
"Secure messaging for friends and family": "Zabezpečené zasielanie správ pre priateľov a rodinu",
"Enable notifications": "Povoliť oznámenia", "Enable notifications": "Povoliť oznámenia",
"Dont miss a reply or important message": "Nezmeškajte odpoveď alebo dôležitú správu", "Dont miss a reply or important message": "Nezmeškajte odpoveď alebo dôležitú správu",
"Turn on notifications": "Zapnúť oznámenia", "Turn on notifications": "Zapnúť oznámenia",
@ -3220,22 +3100,16 @@
"App Store® and the Apple logo® are trademarks of Apple Inc.": "App Store® a logo Apple® sú ochranné známky spoločnosti Apple Inc.", "App Store® and the Apple logo® are trademarks of Apple Inc.": "App Store® a logo Apple® sú ochranné známky spoločnosti Apple Inc.",
"Get it on F-Droid": "Získajte ho v službe F-Droid", "Get it on F-Droid": "Získajte ho v službe F-Droid",
"Get it on Google Play": "Získajte ho v službe Google Play", "Get it on Google Play": "Získajte ho v službe Google Play",
"Android": "Android",
"Download on the App Store": "Stiahnuť v obchode App Store", "Download on the App Store": "Stiahnuť v obchode App Store",
"iOS": "iOS",
"Download %(brand)s Desktop": "Stiahnuť %(brand)s Desktop", "Download %(brand)s Desktop": "Stiahnuť %(brand)s Desktop",
"Download %(brand)s": "Stiahnuť %(brand)s", "Download %(brand)s": "Stiahnuť %(brand)s",
"Your server doesn't support disabling sending read receipts.": "Váš server nepodporuje vypnutie odosielania potvrdení o prečítaní.", "Your server doesn't support disabling sending read receipts.": "Váš server nepodporuje vypnutie odosielania potvrdení o prečítaní.",
"Share your activity and status with others.": "Zdieľajte svoju aktivitu a stav s ostatnými.", "Share your activity and status with others.": "Zdieľajte svoju aktivitu a stav s ostatnými.",
"Send read receipts": "Odosielať potvrdenia o prečítaní",
"Last activity": "Posledná aktivita", "Last activity": "Posledná aktivita",
"Sessions": "Relácie", "Sessions": "Relácie",
"Current session": "Aktuálna relácia", "Current session": "Aktuálna relácia",
"Unverified": "Neoverené",
"Verified": "Overený",
"Session details": "Podrobnosti o relácii", "Session details": "Podrobnosti o relácii",
"IP address": "IP adresa", "IP address": "IP adresa",
"Device": "Zariadenie",
"For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "V záujme čo najlepšieho zabezpečenia, overte svoje relácie a odhláste sa z každej relácie, ktorú už nepoznáte alebo nepoužívate.", "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "V záujme čo najlepšieho zabezpečenia, overte svoje relácie a odhláste sa z každej relácie, ktorú už nepoznáte alebo nepoužívate.",
"Other sessions": "Iné relácie", "Other sessions": "Iné relácie",
"Verify or sign out from this session for best security and reliability.": "V záujme čo najvyššej bezpečnosti a spoľahlivosti túto reláciu overte alebo sa z nej odhláste.", "Verify or sign out from this session for best security and reliability.": "V záujme čo najvyššej bezpečnosti a spoľahlivosti túto reláciu overte alebo sa z nej odhláste.",
@ -3243,7 +3117,6 @@
"This session is ready for secure messaging.": "Táto relácia je pripravená na bezpečné zasielanie správ.", "This session is ready for secure messaging.": "Táto relácia je pripravená na bezpečné zasielanie správ.",
"Verified session": "Overená relácia", "Verified session": "Overená relácia",
"Inactive for %(inactiveAgeDays)s+ days": "Neaktívny počas %(inactiveAgeDays)s+ dní", "Inactive for %(inactiveAgeDays)s+ days": "Neaktívny počas %(inactiveAgeDays)s+ dní",
"Welcome": "Vitajte",
"Show shortcut to welcome checklist above the room list": "Zobraziť skratku na uvítací kontrolný zoznam nad zoznamom miestností", "Show shortcut to welcome checklist above the room list": "Zobraziť skratku na uvítací kontrolný zoznam nad zoznamom miestností",
"Inactive sessions": "Neaktívne relácie", "Inactive sessions": "Neaktívne relácie",
"Verify your sessions for enhanced secure messaging or sign out from those you don't recognize or use anymore.": "Overte si relácie pre vylepšené bezpečné zasielanie správ alebo sa odhláste z tých, ktoré už nepoznáte alebo nepoužívate.", "Verify your sessions for enhanced secure messaging or sign out from those you don't recognize or use anymore.": "Overte si relácie pre vylepšené bezpečné zasielanie správ alebo sa odhláste z tých, ktoré už nepoznáte alebo nepoužívate.",
@ -3308,8 +3181,6 @@
"Video call ended": "Videohovor ukončený", "Video call ended": "Videohovor ukončený",
"%(name)s started a video call": "%(name)s začal/a videohovor", "%(name)s started a video call": "%(name)s začal/a videohovor",
"URL": "URL", "URL": "URL",
"Version": "Verzia",
"Application": "Aplikácia",
"Record the client name, version, and url to recognise sessions more easily in session manager": "Zaznamenať názov klienta, verziu a url, aby bolo možné ľahšie rozpoznať relácie v správcovi relácií", "Record the client name, version, and url to recognise sessions more easily in session manager": "Zaznamenať názov klienta, verziu a url, aby bolo možné ľahšie rozpoznať relácie v správcovi relácií",
"Unknown session type": "Neznámy typ relácie", "Unknown session type": "Neznámy typ relácie",
"Web session": "Webová relácia", "Web session": "Webová relácia",
@ -3326,7 +3197,6 @@
"Freedom": "Sloboda", "Freedom": "Sloboda",
"Video call (%(brand)s)": "Videohovor (%(brand)s)", "Video call (%(brand)s)": "Videohovor (%(brand)s)",
"Operating system": "Operačný systém", "Operating system": "Operačný systém",
"Model": "Model",
"Call type": "Typ hovoru", "Call type": "Typ hovoru",
"You do not have sufficient permissions to change this.": "Nemáte dostatočné oprávnenia na to, aby ste toto mohli zmeniť.", "You do not have sufficient permissions to change this.": "Nemáte dostatočné oprávnenia na to, aby ste toto mohli zmeniť.",
"%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s je end-to-end šifrovaný, ale v súčasnosti je obmedzený pre menší počet používateľov.", "%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s je end-to-end šifrovaný, ale v súčasnosti je obmedzený pre menší počet používateľov.",
@ -3486,19 +3356,6 @@
"All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "Všetky správy a pozvánky od tohto používateľa budú skryté. Ste si istí, že ich chcete ignorovať?", "All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "Všetky správy a pozvánky od tohto používateľa budú skryté. Ste si istí, že ich chcete ignorovať?",
"Ignore %(user)s": "Ignorovať %(user)s", "Ignore %(user)s": "Ignorovať %(user)s",
"Unable to decrypt voice broadcast": "Hlasové vysielanie sa nedá dešifrovať", "Unable to decrypt voice broadcast": "Hlasové vysielanie sa nedá dešifrovať",
"No receipt found": "Nenašlo sa žiadne potvrdenie",
"User read up to: ": "Používateľ sa dočítal až do: ",
"Dot: ": "Bodka: ",
"Thread Id: ": "ID vlákna: ",
"Threads timeline": "Časová os vlákien",
"Sender: ": "Odosielateľ: ",
"ID: ": "ID: ",
"Type: ": "Typ: ",
"Last event:": "Posledná udalosť:",
"Highlight: ": "Zvýraznené: ",
"Total: ": "Celkom: ",
"Main timeline": "Hlavná časová os",
"Room status": "Stav miestnosti",
"Notifications debug": "Ladenie oznámení", "Notifications debug": "Ladenie oznámení",
"unknown": "neznáme", "unknown": "neznáme",
"Red": "Červená", "Red": "Červená",
@ -3556,20 +3413,12 @@
"Secure Backup successful": "Bezpečné zálohovanie bolo úspešné", "Secure Backup successful": "Bezpečné zálohovanie bolo úspešné",
"Your keys are now being backed up from this device.": "Kľúče sa teraz zálohujú z tohto zariadenia.", "Your keys are now being backed up from this device.": "Kľúče sa teraz zálohujú z tohto zariadenia.",
"Loading polls": "Načítavanie ankiet", "Loading polls": "Načítavanie ankiet",
"Room is <strong>not encrypted 🚨</strong>": "Miestnosť <strong>nie je šifrovaná 🚨</strong>",
"Room is <strong>encrypted ✅</strong>": "Miestnosť je <strong>šifrovaná ✅</strong>",
"Notification state is <strong>%(notificationState)s</strong>": "Stav oznámenia je <strong>%(notificationState)s</strong>",
"Room unread status: <strong>%(status)s</strong>": "Stav neprečítaných v miestnosti: <strong>%(status)s</strong>",
"Room unread status: <strong>%(status)s</strong>, count: <strong>%(count)s</strong>": {
"other": "Stav neprečítaných v miestnosti: <strong>%(status)s</strong>, počet: <strong>%(count)s</strong>"
},
"Ended a poll": "Ukončil anketu", "Ended a poll": "Ukončil anketu",
"Due to decryption errors, some votes may not be counted": "Z dôvodu chýb v dešifrovaní sa niektoré hlasy nemusia započítať", "Due to decryption errors, some votes may not be counted": "Z dôvodu chýb v dešifrovaní sa niektoré hlasy nemusia započítať",
"The sender has blocked you from receiving this message": "Odosielateľ vám zablokoval príjem tejto správy", "The sender has blocked you from receiving this message": "Odosielateľ vám zablokoval príjem tejto správy",
"Room directory": "Adresár miestností", "Room directory": "Adresár miestností",
"Identity server is <code>%(identityServerUrl)s</code>": "Server identity je <code>%(identityServerUrl)s</code>", "Identity server is <code>%(identityServerUrl)s</code>": "Server identity je <code>%(identityServerUrl)s</code>",
"Homeserver is <code>%(homeserverUrl)s</code>": "Domovský server je <code>%(homeserverUrl)s</code>", "Homeserver is <code>%(homeserverUrl)s</code>": "Domovský server je <code>%(homeserverUrl)s</code>",
"Show NSFW content": "Zobraziť obsah NSFW",
"Yes, it was me": "Áno, bol som to ja", "Yes, it was me": "Áno, bol som to ja",
"Answered elsewhere": "Hovor prijatý inde", "Answered elsewhere": "Hovor prijatý inde",
"If you know a room address, try joining through that instead.": "Ak poznáte adresu miestnosti, skúste sa pripojiť prostredníctvom nej.", "If you know a room address, try joining through that instead.": "Ak poznáte adresu miestnosti, skúste sa pripojiť prostredníctvom nej.",
@ -3624,7 +3473,6 @@
"Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it.": "Nie je možné nájsť starú verziu tejto miestnosti (ID miestnosti: %(roomId)s) a nebol nám poskytnutý parameter 'via_servers' na jej vyhľadanie.", "Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it.": "Nie je možné nájsť starú verziu tejto miestnosti (ID miestnosti: %(roomId)s) a nebol nám poskytnutý parameter 'via_servers' na jej vyhľadanie.",
"Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it. It's possible that guessing the server from the room ID will work. If you want to try, click this link:": "Nie je možné nájsť starú verziu tejto miestnosti (ID miestnosti: %(roomId)s) a nebol nám poskytnutý parameter 'via_servers' na jej vyhľadanie. Je možné, že uhádnutie servera na základe ID miestnosti bude fungovať. Ak to chcete skúsiť, kliknite na tento odkaz:", "Can't find the old version of this room (room ID: %(roomId)s), and we have not been provided with 'via_servers' to look for it. It's possible that guessing the server from the room ID will work. If you want to try, click this link:": "Nie je možné nájsť starú verziu tejto miestnosti (ID miestnosti: %(roomId)s) a nebol nám poskytnutý parameter 'via_servers' na jej vyhľadanie. Je možné, že uhádnutie servera na základe ID miestnosti bude fungovať. Ak to chcete skúsiť, kliknite na tento odkaz:",
"Formatting": "Formátovanie", "Formatting": "Formátovanie",
"Start messages with <code>/plain</code> to send without markdown.": "Začnite správy s <code>/plain</code> na odoslanie bez použitia markdown.",
"The add / bind with MSISDN flow is misconfigured": "Pridanie / prepojenie s MSISDN je nesprávne nakonfigurované", "The add / bind with MSISDN flow is misconfigured": "Pridanie / prepojenie s MSISDN je nesprávne nakonfigurované",
"No identity access token found": "Nenašiel sa prístupový token totožnosti", "No identity access token found": "Nenašiel sa prístupový token totožnosti",
"Identity server not set": "Server totožnosti nie je nastavený", "Identity server not set": "Server totožnosti nie je nastavený",
@ -3673,8 +3521,6 @@
"Exported Data": "Exportované údaje", "Exported Data": "Exportované údaje",
"Views room with given address": "Zobrazí miestnosti s danou adresou", "Views room with given address": "Zobrazí miestnosti s danou adresou",
"Notification Settings": "Nastavenia oznámení", "Notification Settings": "Nastavenia oznámení",
"Show current profile picture and name for users in message history": "Zobraziť aktuálny profilový obrázok a meno používateľov v histórii správ",
"Show profile picture changes": "Zobraziť zmeny profilového obrázka",
"Ask to join": "Požiadať o pripojenie", "Ask to join": "Požiadať o pripojenie",
"People cannot join unless access is granted.": "Ľudia sa nemôžu pripojiť, pokiaľ im nebude udelený prístup.", "People cannot join unless access is granted.": "Ľudia sa nemôžu pripojiť, pokiaľ im nebude udelený prístup.",
"Email summary": "Emailový súhrn", "Email summary": "Emailový súhrn",
@ -3700,8 +3546,6 @@
"Anyone can request to join, but admins or moderators need to grant access. You can change this later.": "O pripojenie môže požiadať ktokoľvek, ale administrátori alebo moderátori musia udeliť prístup. Toto môžete neskôr zmeniť.", "Anyone can request to join, but admins or moderators need to grant access. You can change this later.": "O pripojenie môže požiadať ktokoľvek, ale administrátori alebo moderátori musia udeliť prístup. Toto môžete neskôr zmeniť.",
"Thread Root ID: %(threadRootId)s": "ID koreňového vlákna: %(threadRootId)s", "Thread Root ID: %(threadRootId)s": "ID koreňového vlákna: %(threadRootId)s",
"Upgrade room": "Aktualizovať miestnosť", "Upgrade room": "Aktualizovať miestnosť",
"User read up to (ignoreSynthetic): ": "Používateľ prečíta až do (ignoreSynthetic): ",
"User read up to (m.read.private;ignoreSynthetic): ": "Používateľ prečíta až do (m.read.private;ignoreSynthetic): ",
"This homeserver doesn't offer any login flows that are supported by this client.": "Tento domovský server neponúka žiadne prihlasovacie toky podporované týmto klientom.", "This homeserver doesn't offer any login flows that are supported by this client.": "Tento domovský server neponúka žiadne prihlasovacie toky podporované týmto klientom.",
"Notify when someone mentions using @room": "Upozorniť, keď sa niekto zmieni použitím @miestnosť", "Notify when someone mentions using @room": "Upozorniť, keď sa niekto zmieni použitím @miestnosť",
"Notify when someone mentions using @displayname or %(mxid)s": "Upozorniť, keď sa niekto zmieni použitím @zobrazovanemeno alebo %(mxid)s", "Notify when someone mentions using @displayname or %(mxid)s": "Upozorniť, keď sa niekto zmieni použitím @zobrazovanemeno alebo %(mxid)s",
@ -3714,8 +3558,6 @@
"other": "%(oneUser)s si zmenil svoj profilový obrázok %(count)s-krát", "other": "%(oneUser)s si zmenil svoj profilový obrázok %(count)s-krát",
"one": "%(oneUser)s zmenil/a svoj profilový obrázok" "one": "%(oneUser)s zmenil/a svoj profilový obrázok"
}, },
"User read up to (m.read.private): ": "Používateľ prečíta až do (m.read.private): ",
"See history": "Pozrieť históriu",
"Great! This passphrase looks strong enough": "Skvelé! Táto bezpečnostná fráza vyzerá dostatočne silná", "Great! This passphrase looks strong enough": "Skvelé! Táto bezpečnostná fráza vyzerá dostatočne silná",
"The exported file will allow anyone who can read it to decrypt any encrypted messages that you can see, so you should be careful to keep it secure. To help with this, you should enter a unique passphrase below, which will only be used to encrypt the exported data. It will only be possible to import the data by using the same passphrase.": "Exportovaný súbor umožní každému, kto si ho môže prečítať, dešifrovať všetky zašifrované správy, ktoré môžete vidieť, preto by ste mali dbať na jeho zabezpečenie. Na pomoc by ste mali nižšie zadať jedinečnú prístupovú frázu, ktorá sa použije len na zašifrovanie exportovaných údajov. Údaje bude možné importovať len pomocou rovnakej prístupovej frázy.", "The exported file will allow anyone who can read it to decrypt any encrypted messages that you can see, so you should be careful to keep it secure. To help with this, you should enter a unique passphrase below, which will only be used to encrypt the exported data. It will only be possible to import the data by using the same passphrase.": "Exportovaný súbor umožní každému, kto si ho môže prečítať, dešifrovať všetky zašifrované správy, ktoré môžete vidieť, preto by ste mali dbať na jeho zabezpečenie. Na pomoc by ste mali nižšie zadať jedinečnú prístupovú frázu, ktorá sa použije len na zašifrovanie exportovaných údajov. Údaje bude možné importovať len pomocou rovnakej prístupovej frázy.",
"Other spaces you know": "Ďalšie priestory, ktoré poznáte", "Other spaces you know": "Ďalšie priestory, ktoré poznáte",
@ -3782,21 +3624,38 @@
"beta": "Beta", "beta": "Beta",
"attachment": "Príloha", "attachment": "Príloha",
"appearance": "Vzhľad", "appearance": "Vzhľad",
"guest": "Hosť",
"legal": "Právne informácie",
"credits": "Poďakovanie",
"faq": "Často kladené otázky (FAQ)",
"access_token": "Prístupový token",
"preferences": "Predvoľby",
"presence": "Prítomnosť",
"timeline": "Časová os", "timeline": "Časová os",
"privacy": "Súkromie",
"camera": "Kamera",
"microphone": "Mikrofón",
"emoji": "Emotikon",
"random": "Náhodné",
"support": "Podpora", "support": "Podpora",
"space": "Priestor" "space": "Priestor",
"random": "Náhodné",
"privacy": "Súkromie",
"presence": "Prítomnosť",
"preferences": "Predvoľby",
"microphone": "Mikrofón",
"legal": "Právne informácie",
"guest": "Hosť",
"faq": "Často kladené otázky (FAQ)",
"emoji": "Emotikon",
"credits": "Poďakovanie",
"camera": "Kamera",
"access_token": "Prístupový token",
"someone": "Niekto",
"welcome": "Vitajte",
"encrypted": "Zašifrované",
"application": "Aplikácia",
"version": "Verzia",
"device": "Zariadenie",
"model": "Model",
"verified": "Overený",
"unverified": "Neoverené",
"matrix": "Matrix",
"ios": "iOS",
"android": "Android",
"trusted": "Dôveryhodné",
"not_trusted": "Nedôveryhodné",
"accessibility": "Prístupnosť",
"capabilities": "Schopnosti",
"server": "Server"
}, },
"action": { "action": {
"continue": "Pokračovať", "continue": "Pokračovať",
@ -3869,23 +3728,34 @@
"apply": "Použiť", "apply": "Použiť",
"add": "Pridať", "add": "Pridať",
"accept": "Prijať", "accept": "Prijať",
"disconnect": "Odpojiť",
"change": "Zmeniť",
"subscribe": "Prihlásiť sa na odber",
"unsubscribe": "Odhlásenie z odberu",
"approve": "Schváliť",
"proceed": "Pokračovať",
"complete": "Dokončiť",
"revoke": "Odvolať",
"rename": "Premenovať",
"view_all": "Zobraziť všetky", "view_all": "Zobraziť všetky",
"unsubscribe": "Odhlásenie z odberu",
"subscribe": "Prihlásiť sa na odber",
"show_all": "Zobraziť všetko", "show_all": "Zobraziť všetko",
"show": "Zobraziť", "show": "Zobraziť",
"revoke": "Odvolať",
"review": "Skontrolovať", "review": "Skontrolovať",
"restore": "Obnoviť", "restore": "Obnoviť",
"rename": "Premenovať",
"register": "Zaregistrovať",
"proceed": "Pokračovať",
"play": "Prehrať", "play": "Prehrať",
"pause": "Pozastaviť", "pause": "Pozastaviť",
"register": "Zaregistrovať" "disconnect": "Odpojiť",
"complete": "Dokončiť",
"change": "Zmeniť",
"approve": "Schváliť",
"manage": "Spravovať",
"go": "Spustiť",
"import": "Importovať",
"export": "Exportovať",
"refresh": "Obnoviť",
"minimise": "Minimalizovať",
"maximise": "Maximalizovať",
"mention": "Zmieniť sa",
"submit": "Odoslať",
"send_report": "Odoslať hlásenie",
"clear": "Vyčistiť"
}, },
"a11y": { "a11y": {
"user_menu": "Používateľské menu" "user_menu": "Používateľské menu"
@ -3973,8 +3843,8 @@
"restricted": "Obmedzené", "restricted": "Obmedzené",
"moderator": "Moderátor", "moderator": "Moderátor",
"admin": "Správca", "admin": "Správca",
"custom": "Vlastný (%(level)s)", "mod": "Moderátor",
"mod": "Moderátor" "custom": "Vlastný (%(level)s)"
}, },
"bug_reporting": { "bug_reporting": {
"introduction": "Ak ste odoslali chybu prostredníctvom služby GitHub, záznamy o ladení nám môžu pomôcť nájsť problém. ", "introduction": "Ak ste odoslali chybu prostredníctvom služby GitHub, záznamy o ladení nám môžu pomôcť nájsť problém. ",
@ -3999,6 +3869,142 @@
"short_seconds": "%(value)ss", "short_seconds": "%(value)ss",
"short_days_hours_minutes_seconds": "%(days)sd %(hours)sh %(minutes)sm %(seconds)ss", "short_days_hours_minutes_seconds": "%(days)sd %(hours)sh %(minutes)sm %(seconds)ss",
"short_hours_minutes_seconds": "%(hours)sh %(minutes)sm %(seconds)ss", "short_hours_minutes_seconds": "%(hours)sh %(minutes)sm %(seconds)ss",
"short_minutes_seconds": "%(minutes)sm %(seconds)ss" "short_minutes_seconds": "%(minutes)sm %(seconds)ss",
"last_week": "Minulý týždeň",
"last_month": "Minulý mesiac"
},
"onboarding": {
"personal_messaging_title": "Zabezpečené zasielanie správ pre priateľov a rodinu",
"free_e2ee_messaging_unlimited_voip": "Vďaka bezplatnému end-to-end šifrovaniu správ a neobmedzenými hlasovými a video hovormi je aplikácia %(brand)s skvelým spôsobom, ako zostať v kontakte.",
"personal_messaging_action": "Spustite svoju prvú konverzáciu",
"work_messaging_title": "Zabezpečené posielanie správ pre prácu",
"work_messaging_action": "Nájdite svojich spolupracovníkov",
"community_messaging_title": "Vlastníctvo komunity",
"community_messaging_action": "Nájdite svojich ľudí",
"welcome_to_brand": "Vitajte v aplikácii %(brand)s",
"only_n_steps_to_go": {
"one": "Zostáva už len %(count)s krok",
"other": "Zostáva už len %(count)s krokov"
},
"you_did_it": "Dokázali ste to!",
"complete_these": "Dokončite to, aby ste získali čo najviac z aplikácie %(brand)s",
"community_messaging_description": "Zachovajte si vlastníctvo a kontrolu nad komunitnou diskusiou.\nPodpora pre milióny ľudí s výkonným moderovaním a interoperabilitou."
},
"devtools": {
"send_custom_account_data_event": "Odoslať vlastnú udalosť s údajmi o účte",
"send_custom_room_account_data_event": "Odoslať vlastnú udalosť s údajmi o účte miestnosti",
"event_type": "Typ Udalosti",
"state_key": "Stavový kľúč",
"invalid_json": "Nevyzerá to ako platný JSON.",
"failed_to_send": "Nepodarilo sa odoslať udalosť!",
"event_sent": "Udalosť odoslaná!",
"event_content": "Obsah Udalosti",
"user_read_up_to": "Používateľ sa dočítal až do: ",
"no_receipt_found": "Nenašlo sa žiadne potvrdenie",
"user_read_up_to_ignore_synthetic": "Používateľ prečíta až do (ignoreSynthetic): ",
"user_read_up_to_private": "Používateľ prečíta až do (m.read.private): ",
"user_read_up_to_private_ignore_synthetic": "Používateľ prečíta až do (m.read.private;ignoreSynthetic): ",
"room_status": "Stav miestnosti",
"room_unread_status_count": {
"other": "Stav neprečítaných v miestnosti: <strong>%(status)s</strong>, počet: <strong>%(count)s</strong>"
},
"notification_state": "Stav oznámenia je <strong>%(notificationState)s</strong>",
"room_encrypted": "Miestnosť je <strong>šifrovaná ✅</strong>",
"room_not_encrypted": "Miestnosť <strong>nie je šifrovaná 🚨</strong>",
"main_timeline": "Hlavná časová os",
"threads_timeline": "Časová os vlákien",
"room_notifications_total": "Celkom: ",
"room_notifications_highlight": "Zvýraznené: ",
"room_notifications_dot": "Bodka: ",
"room_notifications_last_event": "Posledná udalosť:",
"room_notifications_type": "Typ: ",
"room_notifications_sender": "Odosielateľ: ",
"room_notifications_thread_id": "ID vlákna: ",
"spaces": {
"one": "<priestor>",
"other": "<%(count)s priestorov>"
},
"empty_string": "<prázdny reťazec>",
"room_unread_status": "Stav neprečítaných v miestnosti: <strong>%(status)s</strong>",
"id": "ID: ",
"send_custom_state_event": "Odoslať vlastnú udalosť stavu",
"see_history": "Pozrieť históriu",
"failed_to_load": "Nepodarilo sa načítať.",
"client_versions": "Verzie klienta",
"server_versions": "Verzie servera",
"number_of_users": "Počet používateľov",
"failed_to_save": "Nepodarilo sa uložiť nastavenia.",
"save_setting_values": "Uložiť hodnoty nastavenia",
"setting_colon": "Nastavenie:",
"caution_colon": "Upozornenie:",
"use_at_own_risk": "Toto používateľské rozhranie nekontroluje typy hodnôt. Používajte ho na vlastné riziko.",
"setting_definition": "Definícia nastavenia:",
"level": "Úroveň",
"settable_global": "Nastaviteľné v celosystémovom",
"settable_room": "Nastaviteľné v miestnosti",
"values_explicit": "Hodnoty na explicitných úrovniach",
"values_explicit_room": "Hodnoty na explicitných úrovniach v tejto miestnosti",
"edit_values": "Upraviť hodnoty",
"value_colon": "Hodnota:",
"value_this_room_colon": "Hodnota v tejto miestnosti:",
"values_explicit_colon": "Hodnoty na explicitných úrovniach:",
"values_explicit_this_room_colon": "Hodnoty na explicitných úrovniach v tejto miestnosti:",
"setting_id": "ID nastavenia",
"value": "Hodnota",
"value_in_this_room": "Hodnota v tejto miestnosti",
"edit_setting": "Upraviť nastavenie",
"phase_requested": "Vyžiadané",
"phase_ready": "Pripravené",
"phase_started": "Spustené",
"phase_cancelled": "Zrušené",
"phase_transaction": "Transakcia",
"phase": "Fáza",
"timeout": "Časový limit",
"methods": "Metódy",
"requester": "Žiadateľ",
"observe_only": "Iba pozorovať",
"no_verification_requests_found": "Nenašli sa žiadne žiadosti o overenie",
"failed_to_find_widget": "Pri hľadaní tohto widgetu došlo k chybe."
},
"settings": {
"show_breadcrumbs": "Zobraziť skratky nedávno zobrazených miestnosti nad zoznamom miestností",
"all_rooms_home_description": "Všetky miestnosti, v ktorých sa nachádzate, sa zobrazia na domovskej obrazovke.",
"use_command_f_search": "Na vyhľadávanie na časovej osi použite klávesovú skratku Command + F",
"use_control_f_search": "Na vyhľadávanie na časovej osi použite klávesovú skratku Ctrl + F",
"use_12_hour_format": "Pri zobrazovaní časových značiek používať 12 hodinový formát (napr. 2:30pm)",
"always_show_message_timestamps": "Vždy zobrazovať časovú značku správ",
"send_read_receipts": "Odosielať potvrdenia o prečítaní",
"send_typing_notifications": "Posielať oznámenia, keď píšete",
"replace_plain_emoji": "Automaticky nahrádzať textové emotikony modernými",
"enable_markdown": "Povoliť funkciu Markdown",
"emoji_autocomplete": "Umožniť automatické návrhy emotikonov počas písania",
"use_command_enter_send_message": "Použite Command + Enter na odoslanie správy",
"use_control_enter_send_message": "Použiť Ctrl + Enter na odoslanie správy",
"all_rooms_home": "Zobraziť všetky miestnosti v časti Domov",
"enable_markdown_description": "Začnite správy s <code>/plain</code> na odoslanie bez použitia markdown.",
"show_stickers_button": "Zobraziť tlačidlo nálepiek",
"insert_trailing_colon_mentions": "Vložiť na koniec dvojbodku za zmienkou používateľa na začiatku správy",
"automatic_language_detection_syntax_highlight": "Povoliť automatickú detekciu jazyka pre zvýraznenie syntaxe",
"code_block_expand_default": "Rozšíriť bloky kódu predvolene",
"code_block_line_numbers": "Zobrazenie čísel riadkov v blokoch kódu",
"inline_url_previews_default": "Predvolene povoliť náhľady URL adries",
"autoplay_gifs": "Automaticky prehrať GIF animácie",
"autoplay_videos": "Automaticky prehrať videá",
"image_thumbnails": "Zobrazovať ukážky/náhľady obrázkov",
"show_typing_notifications": "Zobrazovať oznámenia, keď ostatní používatelia píšu",
"show_redaction_placeholder": "Zobrazovať náhrady za odstránené správy",
"show_read_receipts": "Zobrazovať potvrdenia o prečítaní od ostatných používateľov",
"show_join_leave": "Zobraziť správy o pripojení/odchode (pozvania/odstránenia/zákazy nie sú ovplyvnené)",
"show_displayname_changes": "Zobrazovať zmeny zobrazovaného mena",
"show_chat_effects": "Zobraziť efekty konverzácie (animácie pri prijímaní napr. konfety)",
"show_avatar_changes": "Zobraziť zmeny profilového obrázka",
"big_emoji": "Povoliť veľké emotikony v konverzáciách",
"jump_to_bottom_on_send": "Skok na koniec časovej osi pri odosielaní správy",
"disable_historical_profile": "Zobraziť aktuálny profilový obrázok a meno používateľov v histórii správ",
"show_nsfw_content": "Zobraziť obsah NSFW",
"prompt_invite": "Upozorniť pred odoslaním pozvánok na potenciálne neplatné Matrix ID",
"hardware_acceleration": "Povoliť hardvérovú akceleráciu (reštartujte %(appName)s, aby sa to prejavilo)",
"start_automatically": "Spustiť automaticky po prihlásení do systému",
"warn_quit": "Upozorniť pred ukončením"
} }
} }

Some files were not shown because too many files have changed in this diff Show more