Merge branch 'develop' of github.com:matrix-org/matrix-react-sdk into t3chguy/cr/72
# Conflicts: # src/components/views/rooms/RoomHeader.tsx # test/components/views/rooms/__snapshots__/RoomHeader-test.tsx.snap
This commit is contained in:
commit
c839123b83
123 changed files with 6527 additions and 6069 deletions
|
@ -259,7 +259,6 @@ describe("Cryptography", function () {
|
|||
}
|
||||
|
||||
it("creating a DM should work, being e2e-encrypted / user verification", function (this: CryptoTestContext) {
|
||||
skipIfRustCrypto();
|
||||
cy.bootstrapCrossSigning(aliceCredentials);
|
||||
startDMWithBob.call(this);
|
||||
// send first message
|
||||
|
@ -281,7 +280,6 @@ describe("Cryptography", function () {
|
|||
});
|
||||
|
||||
it("should allow verification when there is no existing DM", function (this: CryptoTestContext) {
|
||||
skipIfRustCrypto();
|
||||
cy.bootstrapCrossSigning(aliceCredentials);
|
||||
autoJoin(this.bob);
|
||||
|
||||
|
@ -326,8 +324,6 @@ describe("Cryptography", function () {
|
|||
});
|
||||
|
||||
it("should show the correct shield on e2e events", function (this: CryptoTestContext) {
|
||||
skipIfRustCrypto();
|
||||
|
||||
// Bob has a second, not cross-signed, device
|
||||
let bobSecondDevice: MatrixClient;
|
||||
cy.loginBot(homeserver, bob.getUserId(), bob.__cypress_password, {}).then(async (data) => {
|
||||
|
@ -410,7 +406,7 @@ describe("Cryptography", function () {
|
|||
.should("contain", "test encrypted from unverified")
|
||||
.find(".mx_EventTile_e2eIcon", { timeout: 100000 })
|
||||
.should("have.class", "mx_EventTile_e2eIcon_warning")
|
||||
.should("have.attr", "aria-label", "Encrypted by an unverified session");
|
||||
.should("have.attr", "aria-label", "Encrypted by an unverified user.");
|
||||
|
||||
/* Should show a grey padlock for a message from an unknown device */
|
||||
|
||||
|
@ -423,11 +419,11 @@ describe("Cryptography", function () {
|
|||
.should("contain", "test encrypted from unverified")
|
||||
.find(".mx_EventTile_e2eIcon")
|
||||
.should("have.class", "mx_EventTile_e2eIcon_normal")
|
||||
.should("have.attr", "aria-label", "Encrypted by a deleted session");
|
||||
.should("have.attr", "aria-label", "Encrypted by an unknown or deleted device.");
|
||||
});
|
||||
|
||||
it("Should show a grey padlock for a key restored from backup", () => {
|
||||
skipIfRustCrypto();
|
||||
skipIfRustCrypto(); // requires key backup (https://github.com/vector-im/element-web/issues/24828)
|
||||
|
||||
enableKeyBackup();
|
||||
|
||||
|
@ -461,8 +457,6 @@ describe("Cryptography", function () {
|
|||
});
|
||||
|
||||
it("should show the correct shield on edited e2e events", function (this: CryptoTestContext) {
|
||||
skipIfRustCrypto();
|
||||
|
||||
// bob has a second, not cross-signed, device
|
||||
cy.loginBot(this.homeserver, this.bob.getUserId(), this.bob.__cypress_password, {}).as("bobSecondDevice");
|
||||
|
||||
|
|
|
@ -14,6 +14,29 @@ See the License for the specific language governing permissions and
|
|||
limitations under the License.
|
||||
*/
|
||||
|
||||
/*
|
||||
* # High Level Read Receipt Tests
|
||||
*
|
||||
* Tips for writing these tests:
|
||||
*
|
||||
* * Break up your tests into the smallest test case possible. The purpose of
|
||||
* these tests is to understand hard-to-find bugs, so small tests are necessary.
|
||||
* We know that Cypress recommends combining tests together for performance, but
|
||||
* that will frustrate our goals here. (We will need to find a different way to
|
||||
* reduce CI time.)
|
||||
*
|
||||
* * Try to assert something after every action, to make sure it has completed.
|
||||
* E.g.:
|
||||
* markAsRead(room2);
|
||||
* assertRead(room2);
|
||||
* You should especially follow this rule if you are jumping to a different
|
||||
* room or similar straight afterwards.
|
||||
*
|
||||
* * Use assertStillRead() if you are asserting something is read when it was
|
||||
* also read before. This waits a little while to make sure you're not getting a
|
||||
* false positive.
|
||||
*/
|
||||
|
||||
/// <reference types="cypress" />
|
||||
|
||||
import type { MatrixClient, MatrixEvent, Room, IndexedDBStore } from "matrix-js-sdk/src/matrix";
|
||||
|
@ -137,6 +160,16 @@ describe("Read receipts", () => {
|
|||
cy.get(".mx_ThreadView_timelinePanelWrapper", { log: false }).should("have.length", 1);
|
||||
}
|
||||
|
||||
/**
|
||||
* Close the threads panel. (Actually, close any right panel, but for these
|
||||
* tests we only open the threads panel.)
|
||||
*/
|
||||
function closeThreadsPanel() {
|
||||
cy.log("Close threads panel");
|
||||
cy.get(".mx_RightPanel").findByTitle("Close").click();
|
||||
cy.get(".mx_RightPanel").should("not.exist");
|
||||
}
|
||||
|
||||
function sendMessageAsClient(cli: MatrixClient, room: string, messages: Message[]) {
|
||||
findRoomByName(room).then(async ({ roomId }) => {
|
||||
const room = cli.getRoom(roomId);
|
||||
|
@ -1020,6 +1053,7 @@ describe("Read receipts", () => {
|
|||
goTo(room2);
|
||||
openThread("Msg1");
|
||||
assertRead(room2);
|
||||
backToThreadsList();
|
||||
goTo(room1);
|
||||
receiveMessages(room2, [editOf("Resp1", "Edit1")]);
|
||||
assertUnread(room2, 1);
|
||||
|
@ -1112,17 +1146,20 @@ describe("Read receipts", () => {
|
|||
assertUnread(room2, 2);
|
||||
goTo(room2);
|
||||
openThread("Msg1");
|
||||
backToThreadsList();
|
||||
assertRead(room2);
|
||||
goTo(room1);
|
||||
|
||||
// When the thread root is edited
|
||||
receiveMessages(room2, [editOf("Msg1", "Edit1")]);
|
||||
|
||||
// Then the room is unread but not the thread
|
||||
// Then the room is unread
|
||||
assertUnread(room2, 1);
|
||||
|
||||
// But the thread is read
|
||||
goTo(room2);
|
||||
assertRead(room2);
|
||||
assertReadThread("Msg1");
|
||||
assertReadThread("Edit1");
|
||||
});
|
||||
it("Reading an edit of a thread root makes the room read", () => {
|
||||
// Given a fully-read thread exists
|
||||
|
@ -1614,24 +1651,242 @@ describe("Read receipts", () => {
|
|||
});
|
||||
|
||||
describe("in threads", () => {
|
||||
// One of the following two must be right:
|
||||
it.skip("Redacting the threaded message pointed to by my receipt leaves the room read", () => {});
|
||||
it.skip("Redacting a threaded message after it was read makes the room unread", () => {});
|
||||
it("Redacting the threaded message pointed to by my receipt leaves the room read", () => {
|
||||
// Given I have some threads
|
||||
goTo(room1);
|
||||
receiveMessages(room2, [
|
||||
"Root",
|
||||
threadedOff("Root", "ThreadMsg1"),
|
||||
threadedOff("Root", "ThreadMsg2"),
|
||||
"Root2",
|
||||
threadedOff("Root2", "Root2->A"),
|
||||
]);
|
||||
assertUnread(room2, 5);
|
||||
|
||||
it.skip("Reading an unread thread after a redaction of the latest message makes it read", () => {});
|
||||
it.skip("Reading an unread thread after a redaction of an older message makes it read", () => {});
|
||||
it.skip("Marking an unread thread as read after a redaction makes it read", () => {});
|
||||
it.skip("Sending and redacting a message after marking the thread as read makes it unread", () => {});
|
||||
it.skip("?? Redacting a message after marking the thread as read makes it unread", () => {});
|
||||
it.skip("Reacting to a redacted message leaves the thread read", () => {});
|
||||
it.skip("Editing a redacted message leaves the thread read", () => {});
|
||||
// And I have read them
|
||||
goTo(room2);
|
||||
assertUnreadThread("Root");
|
||||
openThread("Root");
|
||||
assertUnreadLessThan(room2, 4);
|
||||
openThread("Root2");
|
||||
assertRead(room2);
|
||||
closeThreadsPanel();
|
||||
goTo(room1);
|
||||
assertRead(room2);
|
||||
|
||||
// When the latest message in a thread is redacted
|
||||
receiveMessages(room2, [redactionOf("ThreadMsg2")]);
|
||||
|
||||
// Then the room and thread are still read
|
||||
assertStillRead(room2);
|
||||
goTo(room2);
|
||||
assertReadThread("Root");
|
||||
});
|
||||
|
||||
// XXX: fails because the unread count is still 1 when it should be 0 (this is a genuine stuck unread case)
|
||||
it.skip("Reading an unread thread after a redaction of the latest message makes it read", () => {
|
||||
// Given an unread thread where the latest message was redacted
|
||||
goTo(room1);
|
||||
receiveMessages(room2, ["Root", threadedOff("Root", "ThreadMsg1"), threadedOff("Root", "ThreadMsg2")]);
|
||||
assertUnread(room2, 3);
|
||||
receiveMessages(room2, [redactionOf("ThreadMsg2")]);
|
||||
assertUnread(room2, 2);
|
||||
goTo(room2);
|
||||
assertUnreadThread("Root");
|
||||
|
||||
// When I read the thread
|
||||
openThread("Root");
|
||||
assertRead(room2);
|
||||
closeThreadsPanel();
|
||||
goTo(room1);
|
||||
|
||||
// Then the thread is read
|
||||
assertRead(room2);
|
||||
goTo(room2);
|
||||
assertReadThread("Root");
|
||||
});
|
||||
// XXX: fails because the unread count is still 1 when it should be 0
|
||||
it.skip("Reading an unread thread after a redaction of the latest message makes it read after restart", () => {
|
||||
// Given a redacted message is not counted in the unread count
|
||||
goTo(room1);
|
||||
receiveMessages(room2, ["Root", threadedOff("Root", "ThreadMsg1"), threadedOff("Root", "ThreadMsg2")]);
|
||||
assertUnread(room2, 3);
|
||||
receiveMessages(room2, [redactionOf("ThreadMsg2")]);
|
||||
assertUnread(room2, 2);
|
||||
goTo(room2);
|
||||
assertUnreadThread("Root");
|
||||
openThread("Root");
|
||||
assertRead(room2);
|
||||
closeThreadsPanel();
|
||||
goTo(room1);
|
||||
assertRead(room2);
|
||||
goTo(room2);
|
||||
assertReadThread("Root");
|
||||
|
||||
// When I restart
|
||||
saveAndReload();
|
||||
|
||||
// Then the room is still read
|
||||
assertRead(room2);
|
||||
});
|
||||
// XXX: fails because the unread count is still 1 when it should be 0
|
||||
it.skip("Reading an unread thread after a redaction of an older message makes it read", () => {
|
||||
// Given an unread thread where an older message was redacted
|
||||
goTo(room1);
|
||||
receiveMessages(room2, ["Root", threadedOff("Root", "ThreadMsg1"), threadedOff("Root", "ThreadMsg2")]);
|
||||
assertUnread(room2, 3);
|
||||
receiveMessages(room2, [redactionOf("ThreadMsg1")]);
|
||||
assertUnread(room2, 2);
|
||||
goTo(room2);
|
||||
assertUnreadThread("Root");
|
||||
|
||||
// When I read the thread
|
||||
openThread("Root");
|
||||
assertRead(room2);
|
||||
closeThreadsPanel();
|
||||
goTo(room1);
|
||||
|
||||
// Then the thread is read
|
||||
assertRead(room2);
|
||||
goTo(room2);
|
||||
assertReadThread("Root");
|
||||
});
|
||||
// XXX: fails because the room has an unread dot after I marked it as read
|
||||
it.skip("Marking an unread thread as read after a redaction makes it read", () => {
|
||||
// Given an unread thread where an older message was redacted
|
||||
goTo(room1);
|
||||
receiveMessages(room2, ["Root", threadedOff("Root", "ThreadMsg1"), threadedOff("Root", "ThreadMsg2")]);
|
||||
assertUnread(room2, 3);
|
||||
receiveMessages(room2, [redactionOf("ThreadMsg1")]);
|
||||
assertUnread(room2, 2);
|
||||
|
||||
// When I mark the room as read
|
||||
markAsRead(room2);
|
||||
assertRead(room2);
|
||||
|
||||
// Then the thread is read
|
||||
assertRead(room2);
|
||||
goTo(room2);
|
||||
assertReadThread("Root");
|
||||
});
|
||||
// XXX: fails because the room has an unread dot after I marked it as read
|
||||
it.skip("Sending and redacting a message after marking the thread as read leaves it read", () => {
|
||||
// Given a thread exists and is marked as read
|
||||
goTo(room1);
|
||||
receiveMessages(room2, ["Root", threadedOff("Root", "ThreadMsg1"), threadedOff("Root", "ThreadMsg2")]);
|
||||
assertUnread(room2, 3);
|
||||
markAsRead(room2);
|
||||
assertRead(room2);
|
||||
|
||||
// When I send and redact a message
|
||||
receiveMessages(room2, [threadedOff("Root", "Msg3")]);
|
||||
assertUnread(room2, 1);
|
||||
receiveMessages(room2, [redactionOf("Msg3")]);
|
||||
|
||||
// Then the room and thread are read
|
||||
assertRead(room2);
|
||||
goTo(room2);
|
||||
assertReadThread("Root");
|
||||
});
|
||||
// XXX: fails because the room has an unread dot after I marked it as read
|
||||
it.skip("Redacting a message after marking the thread as read leaves it read", () => {
|
||||
// Given a thread exists and is marked as read
|
||||
goTo(room1);
|
||||
receiveMessages(room2, ["Root", threadedOff("Root", "ThreadMsg1"), threadedOff("Root", "ThreadMsg2")]);
|
||||
assertUnread(room2, 3);
|
||||
markAsRead(room2);
|
||||
assertRead(room2);
|
||||
|
||||
// When I redact a message
|
||||
receiveMessages(room2, [redactionOf("ThreadMsg1")]);
|
||||
|
||||
// Then the room and thread are read
|
||||
assertRead(room2);
|
||||
goTo(room2);
|
||||
assertReadThread("Root");
|
||||
});
|
||||
// TODO: Doesn't work because the test setup can't (yet) find the ID of a redacted message
|
||||
it.skip("Reacting to a redacted message leaves the thread read", () => {
|
||||
// Given a message in a thread was redacted and everything is read
|
||||
goTo(room1);
|
||||
receiveMessages(room2, ["Root", threadedOff("Root", "Msg2"), threadedOff("Root", "Msg3")]);
|
||||
receiveMessages(room2, [redactionOf("Msg2")]);
|
||||
assertUnread(room2, 2);
|
||||
goTo(room2);
|
||||
assertUnread(room2, 1);
|
||||
openThread("Root");
|
||||
assertRead(room2);
|
||||
goTo(room1);
|
||||
|
||||
// When we receive a reaction to the redacted event
|
||||
// TODO: doesn't work yet because we need to be able to look up
|
||||
// the ID of Msg2 even though it has now disappeared from the
|
||||
// timeline.
|
||||
receiveMessages(room2, [reactionTo(room2, "Msg2")]);
|
||||
|
||||
// Then the room is unread
|
||||
assertStillRead(room2);
|
||||
});
|
||||
// TODO: Doesn't work because the test setup can't (yet) find the ID of a redacted message
|
||||
it.skip("Editing a redacted message leaves the thread read", () => {
|
||||
// Given a message in a thread was redacted and everything is read
|
||||
goTo(room1);
|
||||
receiveMessages(room2, ["Root", threadedOff("Root", "Msg2"), threadedOff("Root", "Msg3")]);
|
||||
receiveMessages(room2, [redactionOf("Msg2")]);
|
||||
assertUnread(room2, 2);
|
||||
goTo(room2);
|
||||
assertUnread(room2, 1);
|
||||
openThread("Root");
|
||||
assertRead(room2);
|
||||
goTo(room1);
|
||||
|
||||
// When we receive an edit of the redacted message
|
||||
// TODO: doesn't work yet because we need to be able to look up
|
||||
// the ID of Msg2 even though it has now disappeared from the
|
||||
// timeline.
|
||||
receiveMessages(room2, [editOf("Msg2", "New Msg2")]);
|
||||
|
||||
// Then the room is unread
|
||||
assertStillRead(room2);
|
||||
});
|
||||
|
||||
it.skip("?? Reading a reaction to a redacted message marks the thread as read", () => {});
|
||||
it.skip("?? Reading an edit of a redacted message marks the thread as read", () => {});
|
||||
it.skip("Reading a reply to a redacted message marks the thread as read", () => {});
|
||||
it.skip("Reading a thread root when its only message has been redacted leaves the room read", () => {});
|
||||
|
||||
it.skip("A thread with an unread redaction is still unread after restart", () => {});
|
||||
it.skip("A thread with a read redaction is still read after restart", () => {});
|
||||
it("A thread with a read redaction is still read after restart", () => {
|
||||
// Given my receipt points at a redacted thread message
|
||||
goTo(room1);
|
||||
receiveMessages(room2, [
|
||||
"Root",
|
||||
threadedOff("Root", "ThreadMsg1"),
|
||||
threadedOff("Root", "ThreadMsg2"),
|
||||
"Root2",
|
||||
threadedOff("Root2", "Root2->A"),
|
||||
]);
|
||||
assertUnread(room2, 5);
|
||||
goTo(room2);
|
||||
assertUnreadThread("Root");
|
||||
openThread("Root");
|
||||
assertUnreadLessThan(room2, 4);
|
||||
openThread("Root2");
|
||||
assertRead(room2);
|
||||
closeThreadsPanel();
|
||||
goTo(room1);
|
||||
assertRead(room2);
|
||||
receiveMessages(room2, [redactionOf("ThreadMsg2")]);
|
||||
assertStillRead(room2);
|
||||
goTo(room2);
|
||||
assertReadThread("Root");
|
||||
|
||||
// When I restart
|
||||
saveAndReload();
|
||||
|
||||
// Then the room is still read
|
||||
assertRead(room2);
|
||||
});
|
||||
it.skip("A thread with an unread reply to a redacted message is still unread after restart", () => {});
|
||||
it.skip("A thread with a read replt to a redacted message is still read after restart", () => {});
|
||||
});
|
||||
|
|
|
@ -38,6 +38,7 @@ describe("NotificationPanel", () => {
|
|||
});
|
||||
|
||||
it("should render empty state", () => {
|
||||
cy.enableLabsFeature("feature_notifications");
|
||||
cy.viewRoomByName(ROOM_NAME);
|
||||
cy.findByRole("button", { name: "Notifications" }).click();
|
||||
|
||||
|
|
|
@ -36,6 +36,7 @@ describe("Room Header", () => {
|
|||
});
|
||||
|
||||
it("should render default buttons properly", () => {
|
||||
cy.enableLabsFeature("feature_notifications");
|
||||
cy.createRoom({ name: "Test Room" }).viewRoomByName("Test Room");
|
||||
|
||||
cy.get(".mx_LegacyRoomHeader").within(() => {
|
||||
|
@ -79,6 +80,7 @@ describe("Room Header", () => {
|
|||
});
|
||||
|
||||
it("should render a very long room name without collapsing the buttons", () => {
|
||||
cy.enableLabsFeature("feature_notifications");
|
||||
const LONG_ROOM_NAME =
|
||||
"Lorem ipsum dolor sit amet, consectetur adipisicing elit, sed do eiusmod tempor incididunt ut labore " +
|
||||
"et dolore magna aliqua. Ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut " +
|
||||
|
@ -109,6 +111,7 @@ describe("Room Header", () => {
|
|||
});
|
||||
|
||||
it("should have buttons highlighted by being clicked", () => {
|
||||
cy.enableLabsFeature("feature_notifications");
|
||||
cy.createRoom({ name: "Test Room" }).viewRoomByName("Test Room");
|
||||
|
||||
cy.get(".mx_LegacyRoomHeader").within(() => {
|
||||
|
@ -142,6 +145,7 @@ describe("Room Header", () => {
|
|||
};
|
||||
|
||||
it("should render buttons for room options, beta pill, invite, chat, and room info", () => {
|
||||
cy.enableLabsFeature("feature_notifications");
|
||||
createVideoRoom();
|
||||
|
||||
cy.get(".mx_LegacyRoomHeader").within(() => {
|
||||
|
|
|
@ -846,17 +846,17 @@ $left-gutter: 64px;
|
|||
}
|
||||
|
||||
&.mx_EventTile_e2eIcon_warning::after {
|
||||
mask-image: url("$(res)/img/e2e/warning.svg");
|
||||
background-color: $e2e-warning-color;
|
||||
mask-image: url("$(res)/img/e2e/warning.svg"); // (!) in a shield
|
||||
background-color: $e2e-warning-color; // red
|
||||
}
|
||||
|
||||
&.mx_EventTile_e2eIcon_normal::after {
|
||||
mask-image: url("$(res)/img/e2e/normal.svg");
|
||||
background-color: $header-panel-text-primary-color;
|
||||
mask-image: url("$(res)/img/e2e/normal.svg"); // regular shield
|
||||
background-color: $header-panel-text-primary-color; // grey
|
||||
}
|
||||
|
||||
&.mx_EventTile_e2eIcon_decryption_failure::after {
|
||||
mask-image: url("$(res)/img/e2e/decryption-failure.svg");
|
||||
mask-image: url("$(res)/img/e2e/decryption-failure.svg"); // key in a circle
|
||||
background-color: $secondary-content;
|
||||
}
|
||||
}
|
||||
|
|
|
@ -307,7 +307,7 @@ export default class DeviceListener {
|
|||
|
||||
// cross signing isn't enabled - nag to enable it
|
||||
// There are 3 different toasts for:
|
||||
if (!(await crypto.getCrossSigningKeyId()) && cli.getStoredCrossSigningForUser(cli.getSafeUserId())) {
|
||||
if (!(await crypto.getCrossSigningKeyId()) && (await crypto.userHasCrossSigningKeys())) {
|
||||
// Cross-signing on account but this device doesn't trust the master key (verify this session)
|
||||
showSetupEncryptionToast(SetupKind.VERIFY_THIS_SESSION);
|
||||
this.checkKeyBackupStatus();
|
||||
|
|
128
src/Lifecycle.ts
128
src/Lifecycle.ts
|
@ -71,6 +71,23 @@ import GenericToast from "./components/views/toasts/GenericToast";
|
|||
const HOMESERVER_URL_KEY = "mx_hs_url";
|
||||
const ID_SERVER_URL_KEY = "mx_is_url";
|
||||
|
||||
/*
|
||||
* Keys used when storing the tokens in indexeddb or localstorage
|
||||
*/
|
||||
const ACCESS_TOKEN_STORAGE_KEY = "mx_access_token";
|
||||
const REFRESH_TOKEN_STORAGE_KEY = "mx_refresh_token";
|
||||
/*
|
||||
* Used as initialization vector during encryption in persistTokenInStorage
|
||||
* And decryption in restoreFromLocalStorage
|
||||
*/
|
||||
const ACCESS_TOKEN_IV = "access_token";
|
||||
const REFRESH_TOKEN_IV = "refresh_token";
|
||||
/*
|
||||
* Keys for localstorage items which indicate whether we expect a token in indexeddb.
|
||||
*/
|
||||
const HAS_ACCESS_TOKEN_STORAGE_KEY = "mx_has_access_token";
|
||||
const HAS_REFRESH_TOKEN_STORAGE_KEY = "mx_has_refresh_token";
|
||||
|
||||
dis.register((payload) => {
|
||||
if (payload.action === Action.TriggerLogout) {
|
||||
// noinspection JSIgnoredPromiseFromCall - we don't care if it fails
|
||||
|
@ -261,9 +278,8 @@ export async function attemptDelegatedAuthLogin(
|
|||
*/
|
||||
async function attemptOidcNativeLogin(queryParams: QueryDict): Promise<boolean> {
|
||||
try {
|
||||
const { accessToken, homeserverUrl, identityServerUrl, clientId, issuer } = await completeOidcLogin(
|
||||
queryParams,
|
||||
);
|
||||
const { accessToken, refreshToken, homeserverUrl, identityServerUrl, clientId, issuer } =
|
||||
await completeOidcLogin(queryParams);
|
||||
|
||||
const {
|
||||
user_id: userId,
|
||||
|
@ -273,6 +289,7 @@ async function attemptOidcNativeLogin(queryParams: QueryDict): Promise<boolean>
|
|||
|
||||
const credentials = {
|
||||
accessToken,
|
||||
refreshToken,
|
||||
homeserverUrl,
|
||||
identityServerUrl,
|
||||
deviceId,
|
||||
|
@ -503,17 +520,17 @@ export async function getStoredSessionVars(): Promise<Partial<IStoredSession>> {
|
|||
const isUrl = localStorage.getItem(ID_SERVER_URL_KEY) ?? undefined;
|
||||
let accessToken: string | undefined;
|
||||
try {
|
||||
accessToken = await StorageManager.idbLoad("account", "mx_access_token");
|
||||
accessToken = await StorageManager.idbLoad("account", ACCESS_TOKEN_STORAGE_KEY);
|
||||
} catch (e) {
|
||||
logger.error("StorageManager.idbLoad failed for account:mx_access_token", e);
|
||||
}
|
||||
if (!accessToken) {
|
||||
accessToken = localStorage.getItem("mx_access_token") ?? undefined;
|
||||
accessToken = localStorage.getItem(ACCESS_TOKEN_STORAGE_KEY) ?? undefined;
|
||||
if (accessToken) {
|
||||
try {
|
||||
// try to migrate access token to IndexedDB if we can
|
||||
await StorageManager.idbSave("account", "mx_access_token", accessToken);
|
||||
localStorage.removeItem("mx_access_token");
|
||||
await StorageManager.idbSave("account", ACCESS_TOKEN_STORAGE_KEY, accessToken);
|
||||
localStorage.removeItem(ACCESS_TOKEN_STORAGE_KEY);
|
||||
} catch (e) {
|
||||
logger.error("migration of access token to IndexedDB failed", e);
|
||||
}
|
||||
|
@ -521,7 +538,7 @@ export async function getStoredSessionVars(): Promise<Partial<IStoredSession>> {
|
|||
}
|
||||
// if we pre-date storing "mx_has_access_token", but we retrieved an access
|
||||
// token, then we should say we have an access token
|
||||
const hasAccessToken = localStorage.getItem("mx_has_access_token") === "true" || !!accessToken;
|
||||
const hasAccessToken = localStorage.getItem(HAS_ACCESS_TOKEN_STORAGE_KEY) === "true" || !!accessToken;
|
||||
const userId = localStorage.getItem("mx_user_id") ?? undefined;
|
||||
const deviceId = localStorage.getItem("mx_device_id") ?? undefined;
|
||||
|
||||
|
@ -607,7 +624,7 @@ export async function restoreFromLocalStorage(opts?: { ignoreGuest?: boolean }):
|
|||
logger.log("Got pickle key");
|
||||
if (typeof accessToken !== "string") {
|
||||
const encrKey = await pickleKeyToAesKey(pickleKey);
|
||||
decryptedAccessToken = await decryptAES(accessToken, encrKey, "access_token");
|
||||
decryptedAccessToken = await decryptAES(accessToken, encrKey, ACCESS_TOKEN_IV);
|
||||
encrKey.fill(0);
|
||||
}
|
||||
} else {
|
||||
|
@ -846,28 +863,41 @@ async function showStorageEvictedDialog(): Promise<boolean> {
|
|||
// `instanceof`. Babel 7 supports this natively in their class handling.
|
||||
class AbortLoginAndRebuildStorage extends Error {}
|
||||
|
||||
async function persistCredentials(credentials: IMatrixClientCreds): Promise<void> {
|
||||
localStorage.setItem(HOMESERVER_URL_KEY, credentials.homeserverUrl);
|
||||
if (credentials.identityServerUrl) {
|
||||
localStorage.setItem(ID_SERVER_URL_KEY, credentials.identityServerUrl);
|
||||
}
|
||||
localStorage.setItem("mx_user_id", credentials.userId);
|
||||
localStorage.setItem("mx_is_guest", JSON.stringify(credentials.guest));
|
||||
|
||||
// store whether we expect to find an access token, to detect the case
|
||||
/**
|
||||
* Persist a token in storage
|
||||
* When pickle key is present, will attempt to encrypt the token
|
||||
* Stores in idb, falling back to localStorage
|
||||
*
|
||||
* @param storageKey key used to store the token
|
||||
* @param initializationVector Initialization vector for encrypting the token. Only used when `pickleKey` is present
|
||||
* @param token the token to store, when undefined any existing token at the storageKey is removed from storage
|
||||
* @param pickleKey optional pickle key used to encrypt token
|
||||
* @param hasTokenStorageKey Localstorage key for an item which stores whether we expect to have a token in indexeddb, eg "mx_has_access_token".
|
||||
*/
|
||||
async function persistTokenInStorage(
|
||||
storageKey: string,
|
||||
initializationVector: string,
|
||||
token: string | undefined,
|
||||
pickleKey: string | undefined,
|
||||
hasTokenStorageKey: string,
|
||||
): Promise<void> {
|
||||
// store whether we expect to find a token, to detect the case
|
||||
// where IndexedDB is blown away
|
||||
if (credentials.accessToken) {
|
||||
localStorage.setItem("mx_has_access_token", "true");
|
||||
if (token) {
|
||||
localStorage.setItem(hasTokenStorageKey, "true");
|
||||
} else {
|
||||
localStorage.removeItem("mx_has_access_token");
|
||||
localStorage.removeItem(hasTokenStorageKey);
|
||||
}
|
||||
|
||||
if (credentials.pickleKey) {
|
||||
let encryptedAccessToken: IEncryptedPayload | undefined;
|
||||
if (pickleKey) {
|
||||
let encryptedToken: IEncryptedPayload | undefined;
|
||||
try {
|
||||
if (!token) {
|
||||
throw new Error("No token: not attempting encryption");
|
||||
}
|
||||
// try to encrypt the access token using the pickle key
|
||||
const encrKey = await pickleKeyToAesKey(credentials.pickleKey);
|
||||
encryptedAccessToken = await encryptAES(credentials.accessToken, encrKey, "access_token");
|
||||
const encrKey = await pickleKeyToAesKey(pickleKey);
|
||||
encryptedToken = await encryptAES(token, encrKey, initializationVector);
|
||||
encrKey.fill(0);
|
||||
} catch (e) {
|
||||
logger.warn("Could not encrypt access token", e);
|
||||
|
@ -876,28 +906,56 @@ async function persistCredentials(credentials: IMatrixClientCreds): Promise<void
|
|||
// save either the encrypted access token, or the plain access
|
||||
// token if we were unable to encrypt (e.g. if the browser doesn't
|
||||
// have WebCrypto).
|
||||
await StorageManager.idbSave("account", "mx_access_token", encryptedAccessToken || credentials.accessToken);
|
||||
await StorageManager.idbSave("account", storageKey, encryptedToken || token);
|
||||
} catch (e) {
|
||||
// if we couldn't save to indexedDB, fall back to localStorage. We
|
||||
// store the access token unencrypted since localStorage only saves
|
||||
// strings.
|
||||
if (!!credentials.accessToken) {
|
||||
localStorage.setItem("mx_access_token", credentials.accessToken);
|
||||
if (!!token) {
|
||||
localStorage.setItem(storageKey, token);
|
||||
} else {
|
||||
localStorage.removeItem("mx_access_token");
|
||||
localStorage.removeItem(storageKey);
|
||||
}
|
||||
}
|
||||
localStorage.setItem("mx_has_pickle_key", String(true));
|
||||
} else {
|
||||
try {
|
||||
await StorageManager.idbSave("account", "mx_access_token", credentials.accessToken);
|
||||
await StorageManager.idbSave("account", storageKey, token);
|
||||
} catch (e) {
|
||||
if (!!credentials.accessToken) {
|
||||
localStorage.setItem("mx_access_token", credentials.accessToken);
|
||||
if (!!token) {
|
||||
localStorage.setItem(storageKey, token);
|
||||
} else {
|
||||
localStorage.removeItem("mx_access_token");
|
||||
localStorage.removeItem(storageKey);
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
async function persistCredentials(credentials: IMatrixClientCreds): Promise<void> {
|
||||
localStorage.setItem(HOMESERVER_URL_KEY, credentials.homeserverUrl);
|
||||
if (credentials.identityServerUrl) {
|
||||
localStorage.setItem(ID_SERVER_URL_KEY, credentials.identityServerUrl);
|
||||
}
|
||||
localStorage.setItem("mx_user_id", credentials.userId);
|
||||
localStorage.setItem("mx_is_guest", JSON.stringify(credentials.guest));
|
||||
|
||||
await persistTokenInStorage(
|
||||
ACCESS_TOKEN_STORAGE_KEY,
|
||||
ACCESS_TOKEN_IV,
|
||||
credentials.accessToken,
|
||||
credentials.pickleKey,
|
||||
HAS_ACCESS_TOKEN_STORAGE_KEY,
|
||||
);
|
||||
await persistTokenInStorage(
|
||||
REFRESH_TOKEN_STORAGE_KEY,
|
||||
REFRESH_TOKEN_IV,
|
||||
credentials.refreshToken,
|
||||
credentials.pickleKey,
|
||||
HAS_REFRESH_TOKEN_STORAGE_KEY,
|
||||
);
|
||||
|
||||
if (credentials.pickleKey) {
|
||||
localStorage.setItem("mx_has_pickle_key", String(true));
|
||||
} else {
|
||||
if (localStorage.getItem("mx_has_pickle_key") === "true") {
|
||||
logger.error("Expected a pickle key, but none provided. Encryption may not work.");
|
||||
}
|
||||
|
@ -1090,7 +1148,7 @@ async function clearStorage(opts?: { deleteEverything?: boolean }): Promise<void
|
|||
AbstractLocalStorageSettingsHandler.clear();
|
||||
|
||||
try {
|
||||
await StorageManager.idbDelete("account", "mx_access_token");
|
||||
await StorageManager.idbDelete("account", ACCESS_TOKEN_STORAGE_KEY);
|
||||
} catch (e) {
|
||||
logger.error("idbDelete failed for account:mx_access_token", e);
|
||||
}
|
||||
|
|
|
@ -56,6 +56,7 @@ export interface IMatrixClientCreds {
|
|||
userId: string;
|
||||
deviceId?: string;
|
||||
accessToken: string;
|
||||
refreshToken?: string;
|
||||
guest?: boolean;
|
||||
pickleKey?: string;
|
||||
freshLogin?: boolean;
|
||||
|
|
|
@ -53,10 +53,10 @@ export async function startAnyRegistrationFlow(
|
|||
const modal = Modal.createDialog(QuestionDialog, {
|
||||
hasCancelButton: true,
|
||||
quitOnly: true,
|
||||
title: SettingsStore.getValue(UIFeature.Registration) ? _t("Sign In or Create Account") : _t("action|sign_in"),
|
||||
title: SettingsStore.getValue(UIFeature.Registration) ? _t("auth|sign_in_or_register") : _t("action|sign_in"),
|
||||
description: SettingsStore.getValue(UIFeature.Registration)
|
||||
? _t("Use your account or create a new one to continue.")
|
||||
: _t("Use your account to continue."),
|
||||
? _t("auth|sign_in_or_register_description")
|
||||
: _t("auth|sign_in_description"),
|
||||
button: _t("action|sign_in"),
|
||||
extraButtons: SettingsStore.getValue(UIFeature.Registration)
|
||||
? [
|
||||
|
@ -67,7 +67,7 @@ export async function startAnyRegistrationFlow(
|
|||
dis.dispatch({ action: "start_registration", screenAfterLogin: options.screen_after });
|
||||
}}
|
||||
>
|
||||
{_t("Create Account")}
|
||||
{_t("auth|register_action")}
|
||||
</button>,
|
||||
]
|
||||
: [],
|
||||
|
|
|
@ -129,6 +129,7 @@ import { WaitingForThirdPartyRoomView } from "./WaitingForThirdPartyRoomView";
|
|||
import { isNotUndefined } from "../../Typeguards";
|
||||
import { CancelAskToJoinPayload } from "../../dispatcher/payloads/CancelAskToJoinPayload";
|
||||
import { SubmitAskToJoinPayload } from "../../dispatcher/payloads/SubmitAskToJoinPayload";
|
||||
import RightPanelStore from "../../stores/right-panel/RightPanelStore";
|
||||
|
||||
const DEBUG = false;
|
||||
const PREVENT_MULTIPLE_JITSI_WITHIN = 30_000;
|
||||
|
@ -1248,6 +1249,33 @@ export class RoomView extends React.Component<IRoomProps, IRoomState> {
|
|||
this.messagePanel?.jumpToLiveTimeline();
|
||||
}
|
||||
break;
|
||||
case Action.ViewUser:
|
||||
if (payload.member) {
|
||||
if (payload.push) {
|
||||
RightPanelStore.instance.pushCard({
|
||||
phase: RightPanelPhases.RoomMemberInfo,
|
||||
state: { member: payload.member },
|
||||
});
|
||||
} else {
|
||||
RightPanelStore.instance.setCards([
|
||||
{ phase: RightPanelPhases.RoomSummary },
|
||||
{ phase: RightPanelPhases.RoomMemberList },
|
||||
{ phase: RightPanelPhases.RoomMemberInfo, state: { member: payload.member } },
|
||||
]);
|
||||
}
|
||||
} else {
|
||||
RightPanelStore.instance.showOrHidePanel(RightPanelPhases.RoomMemberList);
|
||||
}
|
||||
break;
|
||||
case "view_3pid_invite":
|
||||
if (payload.event) {
|
||||
RightPanelStore.instance.showOrHidePanel(RightPanelPhases.Room3pidMemberInfo, {
|
||||
memberInfoEvent: payload.event,
|
||||
});
|
||||
} else {
|
||||
RightPanelStore.instance.showOrHidePanel(RightPanelPhases.RoomMemberList);
|
||||
}
|
||||
break;
|
||||
}
|
||||
};
|
||||
|
||||
|
|
|
@ -36,7 +36,6 @@ import { inviteMultipleToRoom, showRoomInviteDialog } from "../../RoomInvite";
|
|||
import { UIComponent } from "../../settings/UIFeature";
|
||||
import { UPDATE_EVENT } from "../../stores/AsyncStore";
|
||||
import RightPanelStore from "../../stores/right-panel/RightPanelStore";
|
||||
import { IRightPanelCard } from "../../stores/right-panel/RightPanelStoreIPanelState";
|
||||
import { RightPanelPhases } from "../../stores/right-panel/RightPanelStorePhases";
|
||||
import ResizeNotifier from "../../utils/ResizeNotifier";
|
||||
import {
|
||||
|
@ -669,33 +668,6 @@ export default class SpaceRoomView extends React.PureComponent<IProps, IState> {
|
|||
this.setState({ phase: Phase.Landing });
|
||||
return;
|
||||
}
|
||||
|
||||
if (payload.action !== Action.ViewUser && payload.action !== "view_3pid_invite") return;
|
||||
|
||||
if (payload.action === Action.ViewUser && payload.member) {
|
||||
const spaceMemberInfoCard: IRightPanelCard = {
|
||||
phase: RightPanelPhases.SpaceMemberInfo,
|
||||
state: { spaceId: this.props.space.roomId, member: payload.member },
|
||||
};
|
||||
if (payload.push) {
|
||||
RightPanelStore.instance.pushCard(spaceMemberInfoCard);
|
||||
} else {
|
||||
RightPanelStore.instance.setCards([
|
||||
{ phase: RightPanelPhases.SpaceMemberList, state: { spaceId: this.props.space.roomId } },
|
||||
spaceMemberInfoCard,
|
||||
]);
|
||||
}
|
||||
} else if (payload.action === "view_3pid_invite" && payload.event) {
|
||||
RightPanelStore.instance.setCard({
|
||||
phase: RightPanelPhases.Space3pidMemberInfo,
|
||||
state: { spaceId: this.props.space.roomId, memberInfoEvent: payload.event },
|
||||
});
|
||||
} else {
|
||||
RightPanelStore.instance.setCard({
|
||||
phase: RightPanelPhases.SpaceMemberList,
|
||||
state: { spaceId: this.props.space.roomId },
|
||||
});
|
||||
}
|
||||
};
|
||||
|
||||
private goToFirstRoom = async (): Promise<void> => {
|
||||
|
|
|
@ -295,7 +295,7 @@ export default class UserMenu extends React.Component<IProps, IState> {
|
|||
topSection = (
|
||||
<div className="mx_UserMenu_contextMenu_header mx_UserMenu_contextMenu_guestPrompts">
|
||||
{_t(
|
||||
"Got an account? <a>Sign in</a>",
|
||||
"auth|sign_in_prompt",
|
||||
{},
|
||||
{
|
||||
a: (sub) => (
|
||||
|
@ -307,7 +307,7 @@ export default class UserMenu extends React.Component<IProps, IState> {
|
|||
)}
|
||||
{SettingsStore.getValue(UIFeature.Registration)
|
||||
? _t(
|
||||
"New here? <a>Create an account</a>",
|
||||
"auth|create_account_prompt",
|
||||
{},
|
||||
{
|
||||
a: (sub) => (
|
||||
|
@ -338,7 +338,7 @@ export default class UserMenu extends React.Component<IProps, IState> {
|
|||
feedbackButton = (
|
||||
<IconizedContextMenuOption
|
||||
iconClassName="mx_UserMenu_iconMessage"
|
||||
label={_t("Feedback")}
|
||||
label={_t("common|feedback")}
|
||||
onClick={this.onProvideFeedback}
|
||||
/>
|
||||
);
|
||||
|
|
|
@ -224,7 +224,7 @@ export default class LoginComponent extends React.PureComponent<IProps, IState>
|
|||
let errorText: ReactNode;
|
||||
// Some error strings only apply for logging in
|
||||
if (error.httpStatus === 400 && username && username.indexOf("@") > 0) {
|
||||
errorText = _t("This homeserver does not support login using email address.");
|
||||
errorText = _t("auth|unsupported_auth_email");
|
||||
} else {
|
||||
errorText = messageForLoginError(error, this.props.serverConfig);
|
||||
}
|
||||
|
@ -273,7 +273,7 @@ export default class LoginComponent extends React.PureComponent<IProps, IState>
|
|||
} catch (e) {
|
||||
logger.error("Problem parsing URL or unhandled error doing .well-known discovery:", e);
|
||||
|
||||
let message = _t("Failed to perform homeserver discovery");
|
||||
let message = _t("auth|failed_homeserver_discovery");
|
||||
if (e instanceof UserFriendlyError && e.translatedMessage) {
|
||||
message = e.translatedMessage;
|
||||
}
|
||||
|
@ -398,9 +398,7 @@ export default class LoginComponent extends React.PureComponent<IProps, IState>
|
|||
|
||||
if (supportedFlows.length === 0) {
|
||||
this.setState({
|
||||
errorText: _t(
|
||||
"This homeserver doesn't offer any login flows that are supported by this client.",
|
||||
),
|
||||
errorText: _t("auth|unsupported_auth"),
|
||||
});
|
||||
}
|
||||
},
|
||||
|
@ -532,12 +530,10 @@ export default class LoginComponent extends React.PureComponent<IProps, IState>
|
|||
<div className="mx_AuthBody_paddedFooter">
|
||||
<div className="mx_AuthBody_paddedFooter_title">
|
||||
<InlineSpinner w={20} h={20} />
|
||||
{this.props.isSyncing ? _t("Syncing…") : _t("Signing In…")}
|
||||
{this.props.isSyncing ? _t("auth|syncing") : _t("auth|signing_in")}
|
||||
</div>
|
||||
{this.props.isSyncing && (
|
||||
<div className="mx_AuthBody_paddedFooter_subtitle">
|
||||
{_t("If you've joined lots of rooms, this might take a while")}
|
||||
</div>
|
||||
<div className="mx_AuthBody_paddedFooter_subtitle">{_t("auth|sync_footer_subtitle")}</div>
|
||||
)}
|
||||
</div>
|
||||
);
|
||||
|
@ -545,7 +541,7 @@ export default class LoginComponent extends React.PureComponent<IProps, IState>
|
|||
footer = (
|
||||
<span className="mx_AuthBody_changeFlow">
|
||||
{_t(
|
||||
"New? <a>Create account</a>",
|
||||
"auth|create_account_prompt",
|
||||
{},
|
||||
{
|
||||
a: (sub) => (
|
||||
|
|
|
@ -263,7 +263,7 @@ export default class Registration extends React.Component<IProps, IState> {
|
|||
} else {
|
||||
this.setState({
|
||||
serverErrorIsFatal: true, // fatal because user cannot continue on this server
|
||||
errorText: _t("Registration has been disabled on this homeserver."),
|
||||
errorText: _t("auth|registration_disabled"),
|
||||
// add empty flows array to get rid of spinner
|
||||
flows: [],
|
||||
});
|
||||
|
@ -271,7 +271,7 @@ export default class Registration extends React.Component<IProps, IState> {
|
|||
} else {
|
||||
logger.log("Unable to query for supported registration methods.", e);
|
||||
this.setState({
|
||||
errorText: _t("Unable to query for supported registration methods."),
|
||||
errorText: _t("auth|failed_query_registration_methods"),
|
||||
// add empty flows array to get rid of spinner
|
||||
flows: [],
|
||||
});
|
||||
|
@ -326,12 +326,12 @@ export default class Registration extends React.Component<IProps, IState> {
|
|||
const flows = (response as IAuthData).flows ?? [];
|
||||
const msisdnAvailable = flows.some((flow) => flow.stages.includes(AuthType.Msisdn));
|
||||
if (!msisdnAvailable) {
|
||||
errorText = _t("This server does not support authentication with a phone number.");
|
||||
errorText = _t("auth|unsupported_auth_msisdn");
|
||||
}
|
||||
} else if (response instanceof MatrixError && response.errcode === "M_USER_IN_USE") {
|
||||
errorText = _t("Someone already has that username, please try another.");
|
||||
errorText = _t("auth|username_in_use");
|
||||
} else if (response instanceof MatrixError && response.errcode === "M_THREEPID_IN_USE") {
|
||||
errorText = _t("That e-mail address or phone number is already in use.");
|
||||
errorText = _t("auth|3pid_in_use");
|
||||
}
|
||||
|
||||
this.setState({
|
||||
|
|
|
@ -161,7 +161,7 @@ export default class SoftLogout extends React.Component<IProps, IState> {
|
|||
e.errcode === "M_FORBIDDEN" &&
|
||||
(e.httpStatus === 401 || e.httpStatus === 403)
|
||||
) {
|
||||
errorText = _t("Incorrect password");
|
||||
errorText = _t("auth|incorrect_password");
|
||||
}
|
||||
|
||||
this.setState({
|
||||
|
@ -173,7 +173,7 @@ export default class SoftLogout extends React.Component<IProps, IState> {
|
|||
|
||||
Lifecycle.hydrateSession(credentials).catch((e) => {
|
||||
logger.error(e);
|
||||
this.setState({ busy: false, errorText: _t("Failed to re-authenticate") });
|
||||
this.setState({ busy: false, errorText: _t("auth|failed_soft_logout_auth") });
|
||||
});
|
||||
};
|
||||
|
||||
|
@ -239,7 +239,7 @@ export default class SoftLogout extends React.Component<IProps, IState> {
|
|||
{_t("action|sign_in")}
|
||||
</AccessibleButton>
|
||||
<AccessibleButton onClick={this.onForgotPassword} kind="link">
|
||||
{_t("Forgotten your password?")}
|
||||
{_t("auth|forgot_password_prompt")}
|
||||
</AccessibleButton>
|
||||
</form>
|
||||
);
|
||||
|
@ -270,11 +270,11 @@ export default class SoftLogout extends React.Component<IProps, IState> {
|
|||
}
|
||||
|
||||
if (this.state.loginView === LoginView.Password) {
|
||||
return this.renderPasswordForm(_t("Enter your password to sign in and regain access to your account."));
|
||||
return this.renderPasswordForm(_t("auth|soft_logout_intro_password"));
|
||||
}
|
||||
|
||||
if (this.state.loginView === LoginView.SSO || this.state.loginView === LoginView.CAS) {
|
||||
return this.renderSsoForm(_t("Sign in and regain access to your account."));
|
||||
return this.renderSsoForm(_t("auth|soft_logout_intro_sso"));
|
||||
}
|
||||
|
||||
if (this.state.loginView === LoginView.PasswordWithSocialSignOn) {
|
||||
|
@ -284,7 +284,7 @@ export default class SoftLogout extends React.Component<IProps, IState> {
|
|||
// Note: "mx_AuthBody_centered" text taken from registration page.
|
||||
return (
|
||||
<>
|
||||
<p>{_t("Sign in and regain access to your account.")}</p>
|
||||
<p>{_t("auth|soft_logout_intro_sso")}</p>
|
||||
{this.renderSsoForm(null)}
|
||||
<h2 className="mx_AuthBody_centered">
|
||||
{_t("auth|sso_or_username_password", {
|
||||
|
@ -298,11 +298,7 @@ export default class SoftLogout extends React.Component<IProps, IState> {
|
|||
}
|
||||
|
||||
// Default: assume unsupported/error
|
||||
return (
|
||||
<p>
|
||||
{_t("You cannot sign in to your account. Please contact your homeserver admin for more information.")}
|
||||
</p>
|
||||
);
|
||||
return <p>{_t("auth|soft_logout_intro_unsupported_auth")}</p>;
|
||||
}
|
||||
|
||||
public render(): React.ReactNode {
|
||||
|
@ -310,7 +306,7 @@ export default class SoftLogout extends React.Component<IProps, IState> {
|
|||
<AuthPage>
|
||||
<AuthHeader />
|
||||
<AuthBody>
|
||||
<h1>{_t("You're signed out")}</h1>
|
||||
<h1>{_t("auth|soft_logout_heading")}</h1>
|
||||
|
||||
<h2>{_t("action|sign_in")}</h2>
|
||||
<div>{this.renderSignInSection()}</div>
|
||||
|
|
|
@ -55,20 +55,18 @@ export const CheckEmail: React.FC<CheckEmailProps> = ({
|
|||
<EMailPromptIcon className="mx_AuthBody_emailPromptIcon--shifted" />
|
||||
<h1>{_t("Check your email to continue")}</h1>
|
||||
<div className="mx_AuthBody_text">
|
||||
<p>
|
||||
{_t("Follow the instructions sent to <b>%(email)s</b>", { email: email }, { b: (t) => <b>{t}</b> })}
|
||||
</p>
|
||||
<p>{_t("auth|check_email_explainer", { email: email }, { b: (t) => <b>{t}</b> })}</p>
|
||||
<div className="mx_AuthBody_did-not-receive">
|
||||
<span className="mx_VerifyEMailDialog_text-light">{_t("Wrong email address?")}</span>
|
||||
<span className="mx_VerifyEMailDialog_text-light">{_t("auth|check_email_wrong_email_prompt")}</span>
|
||||
<AccessibleButton className="mx_AuthBody_resend-button" kind="link" onClick={onReEnterEmailClick}>
|
||||
{_t("Re-enter email address")}
|
||||
{_t("auth|check_email_wrong_email_button")}
|
||||
</AccessibleButton>
|
||||
</div>
|
||||
</div>
|
||||
{errorText && <ErrorMessage message={errorText} />}
|
||||
<input onClick={onSubmitForm} type="button" className="mx_Login_submit" value={_t("action|next")} />
|
||||
<div className="mx_AuthBody_did-not-receive">
|
||||
<span className="mx_VerifyEMailDialog_text-light">{_t("Did not receive it?")}</span>
|
||||
<span className="mx_VerifyEMailDialog_text-light">{_t("auth|check_email_resend_prompt")}</span>
|
||||
<AccessibleButton
|
||||
className="mx_AuthBody_resend-button"
|
||||
kind="link"
|
||||
|
@ -79,7 +77,7 @@ export const CheckEmail: React.FC<CheckEmailProps> = ({
|
|||
{_t("action|resend")}
|
||||
<Tooltip
|
||||
id={tooltipId}
|
||||
label={_t("Verification link email resent!")}
|
||||
label={_t("auth|check_email_resend_tooltip")}
|
||||
alignment={Alignment.Top}
|
||||
visible={tooltipVisible}
|
||||
/>
|
||||
|
|
|
@ -63,13 +63,9 @@ export const EnterEmail: React.FC<EnterEmailProps> = ({
|
|||
return (
|
||||
<>
|
||||
<EmailIcon className="mx_AuthBody_icon" />
|
||||
<h1>{_t("Enter your email to reset password")}</h1>
|
||||
<h1>{_t("auth|enter_email_heading")}</h1>
|
||||
<p className="mx_AuthBody_text">
|
||||
{_t(
|
||||
"<b>%(homeserver)s</b> will send you a verification link to let you reset your password.",
|
||||
{ homeserver },
|
||||
{ b: (t) => <b>{t}</b> },
|
||||
)}
|
||||
{_t("auth|enter_email_explainer", { homeserver }, { b: (t) => <b>{t}</b> })}
|
||||
</p>
|
||||
<form onSubmit={onSubmit}>
|
||||
<fieldset disabled={loading}>
|
||||
|
@ -77,8 +73,8 @@ export const EnterEmail: React.FC<EnterEmailProps> = ({
|
|||
<EmailField
|
||||
name="reset_email" // define a name so browser's password autofill gets less confused
|
||||
label="Email address"
|
||||
labelRequired={_td("The email address linked to your account must be entered.")}
|
||||
labelInvalid={_td("The email address doesn't appear to be valid.")}
|
||||
labelRequired={_td("auth|forgot_password_email_required")}
|
||||
labelInvalid={_td("auth|forgot_password_email_invalid")}
|
||||
value={email}
|
||||
autoFocus={true}
|
||||
onChange={(event: React.FormEvent<HTMLInputElement>) => onInputChanged("email", event)}
|
||||
|
@ -99,7 +95,7 @@ export const EnterEmail: React.FC<EnterEmailProps> = ({
|
|||
onLoginClick();
|
||||
}}
|
||||
>
|
||||
{_t("Sign in instead")}
|
||||
{_t("auth|sign_in_instead")}
|
||||
</AccessibleButton>
|
||||
</div>
|
||||
</fieldset>
|
||||
|
|
|
@ -51,10 +51,10 @@ export const VerifyEmailModal: React.FC<Props> = ({
|
|||
return (
|
||||
<>
|
||||
<EmailPromptIcon className="mx_AuthBody_emailPromptIcon" />
|
||||
<h1>{_t("Verify your email to continue")}</h1>
|
||||
<h1>{_t("auth|verify_email_heading")}</h1>
|
||||
<p>
|
||||
{_t(
|
||||
"We need to know it’s you before resetting your password. Click the link in the email we just sent to <b>%(email)s</b>",
|
||||
"auth|verify_email_explainer",
|
||||
{
|
||||
email,
|
||||
},
|
||||
|
@ -65,7 +65,7 @@ export const VerifyEmailModal: React.FC<Props> = ({
|
|||
</p>
|
||||
|
||||
<div className="mx_AuthBody_did-not-receive">
|
||||
<span className="mx_VerifyEMailDialog_text-light">{_t("Did not receive it?")}</span>
|
||||
<span className="mx_VerifyEMailDialog_text-light">{_t("auth|check_email_resend_prompt")}</span>
|
||||
<AccessibleButton
|
||||
className="mx_AuthBody_resend-button"
|
||||
kind="link"
|
||||
|
@ -76,7 +76,7 @@ export const VerifyEmailModal: React.FC<Props> = ({
|
|||
{_t("action|resend")}
|
||||
<Tooltip
|
||||
id={tooltipId}
|
||||
label={_t("Verification link email resent!")}
|
||||
label={_t("auth|check_email_resend_tooltip")}
|
||||
alignment={Alignment.Top}
|
||||
visible={tooltipVisible}
|
||||
/>
|
||||
|
@ -85,9 +85,9 @@ export const VerifyEmailModal: React.FC<Props> = ({
|
|||
</div>
|
||||
|
||||
<div className="mx_AuthBody_did-not-receive">
|
||||
<span className="mx_VerifyEMailDialog_text-light">{_t("Wrong email address?")}</span>
|
||||
<span className="mx_VerifyEMailDialog_text-light">{_t("auth|check_email_wrong_email_prompt")}</span>
|
||||
<AccessibleButton className="mx_AuthBody_resend-button" kind="link" onClick={onReEnterEmailClick}>
|
||||
{_t("Re-enter email address")}
|
||||
{_t("auth|check_email_wrong_email_button")}
|
||||
</AccessibleButton>
|
||||
</div>
|
||||
|
||||
|
|
|
@ -25,7 +25,7 @@ export default class AuthFooter extends React.Component {
|
|||
return (
|
||||
<footer className="mx_AuthFooter" role="contentinfo">
|
||||
<a href="https://matrix.org" target="_blank" rel="noreferrer noopener">
|
||||
{_t("powered by Matrix")}
|
||||
{_t("auth|footer_powered_by_matrix")}
|
||||
</a>
|
||||
</footer>
|
||||
);
|
||||
|
|
|
@ -19,16 +19,12 @@ import classNames from "classnames";
|
|||
|
||||
import SdkConfig from "../../../SdkConfig";
|
||||
import AuthPage from "./AuthPage";
|
||||
import { _td } from "../../../languageHandler";
|
||||
import SettingsStore from "../../../settings/SettingsStore";
|
||||
import { UIFeature } from "../../../settings/UIFeature";
|
||||
import LanguageSelector from "./LanguageSelector";
|
||||
import EmbeddedPage from "../../structures/EmbeddedPage";
|
||||
import { MATRIX_LOGO_HTML } from "../../structures/static-page-vars";
|
||||
|
||||
// translatable strings for Welcome pages
|
||||
_td("Sign in with SSO");
|
||||
|
||||
interface IProps {}
|
||||
|
||||
export default class Welcome extends React.PureComponent<IProps> {
|
||||
|
|
|
@ -86,7 +86,7 @@ const BetaCard: React.FC<IProps> = ({ title: titleOverride, featureId }) => {
|
|||
}}
|
||||
kind="primary"
|
||||
>
|
||||
{_t("Feedback")}
|
||||
{_t("common|feedback")}
|
||||
</AccessibleButton>
|
||||
);
|
||||
}
|
||||
|
|
|
@ -257,7 +257,7 @@ export default class CreateRoomDialog extends React.Component<IProps, IState> {
|
|||
{
|
||||
key: "required",
|
||||
test: async ({ value }) => !!value,
|
||||
invalid: () => _t("Please enter a name for the room"),
|
||||
invalid: () => _t("create_room|name_validation_required"),
|
||||
},
|
||||
],
|
||||
});
|
||||
|
@ -285,54 +285,48 @@ export default class CreateRoomDialog extends React.Component<IProps, IState> {
|
|||
publicPrivateLabel = (
|
||||
<p>
|
||||
{_t(
|
||||
"Everyone in <SpaceName/> will be able to find and join this room.",
|
||||
"create_room|join_rule_restricted_label",
|
||||
{},
|
||||
{
|
||||
SpaceName: () => <b>{this.props.parentSpace?.name ?? _t("common|unnamed_space")}</b>,
|
||||
},
|
||||
)}
|
||||
|
||||
{_t("You can change this at any time from room settings.")}
|
||||
{_t("create_room|join_rule_change_notice")}
|
||||
</p>
|
||||
);
|
||||
} else if (this.state.joinRule === JoinRule.Public && this.props.parentSpace) {
|
||||
publicPrivateLabel = (
|
||||
<p>
|
||||
{_t(
|
||||
"Anyone will be able to find and join this room, not just members of <SpaceName/>.",
|
||||
"create_room|join_rule_public_parent_space_label",
|
||||
{},
|
||||
{
|
||||
SpaceName: () => <b>{this.props.parentSpace?.name ?? _t("common|unnamed_space")}</b>,
|
||||
},
|
||||
)}
|
||||
|
||||
{_t("You can change this at any time from room settings.")}
|
||||
{_t("create_room|join_rule_change_notice")}
|
||||
</p>
|
||||
);
|
||||
} else if (this.state.joinRule === JoinRule.Public) {
|
||||
publicPrivateLabel = (
|
||||
<p>
|
||||
{_t("Anyone will be able to find and join this room.")}
|
||||
{_t("create_room|join_rule_public_label")}
|
||||
|
||||
{_t("You can change this at any time from room settings.")}
|
||||
{_t("create_room|join_rule_change_notice")}
|
||||
</p>
|
||||
);
|
||||
} else if (this.state.joinRule === JoinRule.Invite) {
|
||||
publicPrivateLabel = (
|
||||
<p>
|
||||
{_t("Only people invited will be able to find and join this room.")}
|
||||
{_t("create_room|join_rule_invite_label")}
|
||||
|
||||
{_t("You can change this at any time from room settings.")}
|
||||
{_t("create_room|join_rule_change_notice")}
|
||||
</p>
|
||||
);
|
||||
} else if (this.state.joinRule === JoinRule.Knock) {
|
||||
publicPrivateLabel = (
|
||||
<p>
|
||||
{_t(
|
||||
"Anyone can request to join, but admins or moderators need to grant access. You can change this later.",
|
||||
)}
|
||||
</p>
|
||||
);
|
||||
publicPrivateLabel = <p>{_t("create_room|join_rule_knock_label")}</p>;
|
||||
}
|
||||
|
||||
let visibilitySection: JSX.Element | undefined;
|
||||
|
@ -353,10 +347,10 @@ export default class CreateRoomDialog extends React.Component<IProps, IState> {
|
|||
if (privateShouldBeEncrypted(MatrixClientPeg.safeGet())) {
|
||||
if (this.state.canChangeEncryption) {
|
||||
microcopy = isVideoRoom
|
||||
? _t("You can't disable this later. The room will be encrypted but the embedded call will not.")
|
||||
: _t("You can't disable this later. Bridges & most bots won't work yet.");
|
||||
? _t("create_room|encrypted_video_room_warning")
|
||||
: _t("create_room|encrypted_warning");
|
||||
} else {
|
||||
microcopy = _t("Your server requires encryption to be enabled in private rooms.");
|
||||
microcopy = _t("create_room|encryption_forced");
|
||||
}
|
||||
} else {
|
||||
microcopy = _t(
|
||||
|
@ -366,7 +360,7 @@ export default class CreateRoomDialog extends React.Component<IProps, IState> {
|
|||
e2eeSection = (
|
||||
<React.Fragment>
|
||||
<LabelledToggleSwitch
|
||||
label={_t("Enable end-to-end encryption")}
|
||||
label={_t("create_room|encryption_label")}
|
||||
onChange={this.onEncryptedChange}
|
||||
value={this.state.isEncrypted}
|
||||
className="mx_CreateRoomDialog_e2eSwitch" // for end-to-end tests
|
||||
|
@ -377,15 +371,11 @@ export default class CreateRoomDialog extends React.Component<IProps, IState> {
|
|||
);
|
||||
}
|
||||
|
||||
let federateLabel = _t(
|
||||
"You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.",
|
||||
);
|
||||
let federateLabel = _t("create_room|unfederated_label_default_off");
|
||||
if (SdkConfig.get().default_federate === false) {
|
||||
// We only change the label if the default setting is different to avoid jarring text changes to the
|
||||
// user. They will have read the implications of turning this off/on, so no need to rephrase for them.
|
||||
federateLabel = _t(
|
||||
"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.",
|
||||
);
|
||||
federateLabel = _t("create_room|unfederated_label_default_on");
|
||||
}
|
||||
|
||||
let title: string;
|
||||
|
@ -418,18 +408,20 @@ export default class CreateRoomDialog extends React.Component<IProps, IState> {
|
|||
className="mx_CreateRoomDialog_name"
|
||||
/>
|
||||
<Field
|
||||
label={_t("Topic (optional)")}
|
||||
label={_t("create_room|topic_label")}
|
||||
onChange={this.onTopicChange}
|
||||
value={this.state.topic}
|
||||
className="mx_CreateRoomDialog_topic"
|
||||
/>
|
||||
|
||||
<JoinRuleDropdown
|
||||
label={_t("Room visibility")}
|
||||
labelInvite={_t("Private room (invite only)")}
|
||||
label={_t("create_room|room_visibility_label")}
|
||||
labelInvite={_t("create_room|join_rule_invite")}
|
||||
labelKnock={this.askToJoinEnabled ? _t("Ask to join") : undefined}
|
||||
labelPublic={_t("Public room")}
|
||||
labelRestricted={this.supportsRestricted ? _t("Visible to space members") : undefined}
|
||||
labelRestricted={
|
||||
this.supportsRestricted ? _t("create_room|join_rule_restricted") : undefined
|
||||
}
|
||||
value={this.state.joinRule}
|
||||
onChange={this.onJoinRuleChange}
|
||||
/>
|
||||
|
@ -443,7 +435,7 @@ export default class CreateRoomDialog extends React.Component<IProps, IState> {
|
|||
{this.state.detailsOpen ? _t("Hide advanced") : _t("Show advanced")}
|
||||
</summary>
|
||||
<LabelledToggleSwitch
|
||||
label={_t("Block anyone not part of %(serverName)s from ever joining this room.", {
|
||||
label={_t("create_room|unfederated", {
|
||||
serverName: MatrixClientPeg.getHomeserverName(),
|
||||
})}
|
||||
onChange={this.onNoFederateChange}
|
||||
|
|
|
@ -164,7 +164,7 @@ const CreateSubspaceDialog: React.FC<IProps> = ({ space, onAddExistingSpaceClick
|
|||
label={_t("Space visibility")}
|
||||
labelInvite={_t("Private space (invite only)")}
|
||||
labelPublic={_t("Public space")}
|
||||
labelRestricted={_t("Visible to space members")}
|
||||
labelRestricted={_t("create_room|join_rule_restricted")}
|
||||
width={478}
|
||||
value={joinRule}
|
||||
onChange={setJoinRule}
|
||||
|
|
|
@ -56,7 +56,7 @@ const FeedbackDialog: React.FC<IProps> = (props: IProps) => {
|
|||
submitFeedback(label, comment, canContact);
|
||||
|
||||
Modal.createDialog(InfoDialog, {
|
||||
title: _t("Feedback sent"),
|
||||
title: _t("feedback|sent"),
|
||||
description: _t("Thank you!"),
|
||||
});
|
||||
}
|
||||
|
@ -67,13 +67,13 @@ const FeedbackDialog: React.FC<IProps> = (props: IProps) => {
|
|||
if (hasFeedback) {
|
||||
feedbackSection = (
|
||||
<div className="mx_FeedbackDialog_section mx_FeedbackDialog_rateApp">
|
||||
<h3>{_t("Comment")}</h3>
|
||||
<h3>{_t("feedback|comment_label")}</h3>
|
||||
|
||||
<p>{_t("Your platform and username will be noted to help us use your feedback as much as we can.")}</p>
|
||||
<p>{_t("feedback|platform_username")}</p>
|
||||
|
||||
<Field
|
||||
id="feedbackComment"
|
||||
label={_t("Feedback")}
|
||||
label={_t("common|feedback")}
|
||||
type="text"
|
||||
autoComplete="off"
|
||||
value={comment}
|
||||
|
@ -85,7 +85,7 @@ const FeedbackDialog: React.FC<IProps> = (props: IProps) => {
|
|||
/>
|
||||
|
||||
<StyledCheckbox checked={canContact} onChange={toggleCanContact}>
|
||||
{_t("You may contact me if you want to follow up or to let me test out upcoming ideas")}
|
||||
{_t("feedback|may_contact_label")}
|
||||
</StyledCheckbox>
|
||||
</div>
|
||||
);
|
||||
|
@ -96,7 +96,7 @@ const FeedbackDialog: React.FC<IProps> = (props: IProps) => {
|
|||
bugReports = (
|
||||
<p className="mx_FeedbackDialog_section_microcopy">
|
||||
{_t(
|
||||
"PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.",
|
||||
"feedback|pro_type",
|
||||
{},
|
||||
{
|
||||
debugLogsLink: (sub) => (
|
||||
|
@ -117,14 +117,14 @@ const FeedbackDialog: React.FC<IProps> = (props: IProps) => {
|
|||
<QuestionDialog
|
||||
className="mx_FeedbackDialog"
|
||||
hasCancelButton={hasFeedback}
|
||||
title={_t("Feedback")}
|
||||
title={_t("common|feedback")}
|
||||
description={
|
||||
<React.Fragment>
|
||||
<div className="mx_FeedbackDialog_section mx_FeedbackDialog_reportBug">
|
||||
<h3>{_t("common|report_a_bug")}</h3>
|
||||
<p>
|
||||
{_t(
|
||||
"Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.",
|
||||
"feedback|existing_issue_link",
|
||||
{},
|
||||
{
|
||||
existingIssuesLink: (sub) => {
|
||||
|
@ -153,7 +153,7 @@ const FeedbackDialog: React.FC<IProps> = (props: IProps) => {
|
|||
{feedbackSection}
|
||||
</React.Fragment>
|
||||
}
|
||||
button={hasFeedback ? _t("Send feedback") : _t("action|go_back")}
|
||||
button={hasFeedback ? _t("feedback|send_feedback_action") : _t("action|go_back")}
|
||||
buttonDisabled={hasFeedback && !comment}
|
||||
onFinished={onFinished}
|
||||
/>
|
||||
|
|
|
@ -69,14 +69,14 @@ const GenericFeatureFeedbackDialog: React.FC<IProps> = ({
|
|||
<div className="mx_GenericFeatureFeedbackDialog_subheading">
|
||||
{subheading}
|
||||
|
||||
{_t("Your platform and username will be noted to help us use your feedback as much as we can.")}
|
||||
{_t("feedback|platform_username")}
|
||||
|
||||
{children}
|
||||
</div>
|
||||
|
||||
<Field
|
||||
id="feedbackComment"
|
||||
label={_t("Feedback")}
|
||||
label={_t("common|feedback")}
|
||||
type="text"
|
||||
autoComplete="off"
|
||||
value={comment}
|
||||
|
@ -95,7 +95,7 @@ const GenericFeatureFeedbackDialog: React.FC<IProps> = ({
|
|||
</StyledCheckbox>
|
||||
</React.Fragment>
|
||||
}
|
||||
button={_t("Send feedback")}
|
||||
button={_t("feedback|send_feedback_action")}
|
||||
buttonDisabled={!comment}
|
||||
onFinished={sendFeedback}
|
||||
/>
|
||||
|
|
|
@ -112,7 +112,7 @@ export default class ServerPickerDialog extends React.PureComponent<IProps, ISta
|
|||
|
||||
const stateForError = AutoDiscoveryUtils.authComponentStateForError(e);
|
||||
if (stateForError.serverErrorIsFatal) {
|
||||
let error = _t("Unable to validate homeserver");
|
||||
let error = _t("auth|server_picker_failed_validate_homeserver");
|
||||
if (e instanceof UserFriendlyError && e.translatedMessage) {
|
||||
error = e.translatedMessage;
|
||||
}
|
||||
|
@ -129,7 +129,7 @@ export default class ServerPickerDialog extends React.PureComponent<IProps, ISta
|
|||
return {};
|
||||
} catch (e) {
|
||||
logger.error(e);
|
||||
return { error: _t("Invalid URL") };
|
||||
return { error: _t("auth|server_picker_invalid_url") };
|
||||
}
|
||||
}
|
||||
},
|
||||
|
@ -137,7 +137,7 @@ export default class ServerPickerDialog extends React.PureComponent<IProps, ISta
|
|||
{
|
||||
key: "required",
|
||||
test: ({ value, allowEmpty }) => allowEmpty || !!value,
|
||||
invalid: () => _t("Specify a homeserver"),
|
||||
invalid: () => _t("auth|server_picker_required"),
|
||||
},
|
||||
{
|
||||
key: "valid",
|
||||
|
@ -176,7 +176,7 @@ export default class ServerPickerDialog extends React.PureComponent<IProps, ISta
|
|||
public render(): React.ReactNode {
|
||||
let text: string | undefined;
|
||||
if (this.defaultServer.hsName === "matrix.org") {
|
||||
text = _t("Matrix.org is the biggest public homeserver in the world, so it's a good place for many.");
|
||||
text = _t("auth|server_picker_matrix.org");
|
||||
}
|
||||
|
||||
let defaultServerName: React.ReactNode = this.defaultServer.hsName;
|
||||
|
@ -190,7 +190,7 @@ export default class ServerPickerDialog extends React.PureComponent<IProps, ISta
|
|||
|
||||
return (
|
||||
<BaseDialog
|
||||
title={this.props.title || _t("Sign into your homeserver")}
|
||||
title={this.props.title || _t("auth|server_picker_title")}
|
||||
className="mx_ServerPickerDialog"
|
||||
contentId="mx_ServerPickerDialog"
|
||||
onFinished={this.props.onFinished}
|
||||
|
@ -199,7 +199,7 @@ export default class ServerPickerDialog extends React.PureComponent<IProps, ISta
|
|||
>
|
||||
<form className="mx_Dialog_content" id="mx_ServerPickerDialog" onSubmit={this.onSubmit}>
|
||||
<p>
|
||||
{_t("We call the places where you can host your account 'homeservers'.")} {text}
|
||||
{_t("auth|server_picker_intro")} {text}
|
||||
</p>
|
||||
|
||||
<StyledRadioButton
|
||||
|
@ -219,12 +219,12 @@ export default class ServerPickerDialog extends React.PureComponent<IProps, ISta
|
|||
checked={!this.state.defaultChosen}
|
||||
onChange={this.onOtherChosen}
|
||||
childrenInLabel={false}
|
||||
aria-label={_t("Other homeserver")}
|
||||
aria-label={_t("auth|server_picker_custom")}
|
||||
>
|
||||
<Field
|
||||
type="text"
|
||||
className="mx_ServerPickerDialog_otherHomeserver"
|
||||
label={_t("Other homeserver")}
|
||||
label={_t("auth|server_picker_custom")}
|
||||
onChange={this.onHomeserverChange}
|
||||
onFocus={this.onOtherChosen}
|
||||
ref={this.fieldRef}
|
||||
|
@ -236,7 +236,7 @@ export default class ServerPickerDialog extends React.PureComponent<IProps, ISta
|
|||
id="mx_homeserverInput"
|
||||
/>
|
||||
</StyledRadioButton>
|
||||
<p>{_t("Use your preferred Matrix homeserver if you have one, or host your own.")}</p>
|
||||
<p>{_t("auth|server_picker_explainer")}</p>
|
||||
|
||||
<AccessibleButton className="mx_ServerPickerDialog_continue" kind="primary" onClick={this.onSubmit}>
|
||||
{_t("action|continue")}
|
||||
|
@ -248,7 +248,7 @@ export default class ServerPickerDialog extends React.PureComponent<IProps, ISta
|
|||
target="_blank"
|
||||
rel="noreferrer noopener"
|
||||
>
|
||||
{_t("About homeservers")}
|
||||
{_t("auth|server_picker_learn_more")}
|
||||
</ExternalLink>
|
||||
</form>
|
||||
</BaseDialog>
|
||||
|
|
|
@ -110,7 +110,7 @@ const EncryptionPanel: React.FC<IProps> = (props: IProps) => {
|
|||
if (!roomId) {
|
||||
throw new Error("Unable to create Room for verification");
|
||||
}
|
||||
verificationRequest_ = await cli.requestVerificationDM(member.userId, roomId);
|
||||
verificationRequest_ = await cli.getCrypto()!.requestVerificationDM(member.userId, roomId);
|
||||
} catch (e) {
|
||||
console.error("Error starting verification", e);
|
||||
setRequesting(false);
|
||||
|
|
|
@ -23,10 +23,9 @@ import React from "react";
|
|||
import dis from "../../../dispatcher/dispatcher";
|
||||
import RightPanelStore from "../../../stores/right-panel/RightPanelStore";
|
||||
import { RightPanelPhases } from "../../../stores/right-panel/RightPanelStorePhases";
|
||||
import { IRightPanelCardState } from "../../../stores/right-panel/RightPanelStoreIPanelState";
|
||||
import { UPDATE_EVENT } from "../../../stores/AsyncStore";
|
||||
import { NotificationColor } from "../../../stores/notifications/NotificationColor";
|
||||
import { ActionPayload } from "../../../dispatcher/payloads";
|
||||
import SettingsStore from "../../../settings/SettingsStore";
|
||||
|
||||
export enum HeaderKind {
|
||||
Room = "room",
|
||||
|
@ -37,6 +36,7 @@ interface IState {
|
|||
phase: RightPanelPhases | null;
|
||||
threadNotificationColor: NotificationColor;
|
||||
globalNotificationColor: NotificationColor;
|
||||
notificationsEnabled?: boolean;
|
||||
}
|
||||
|
||||
interface IProps {}
|
||||
|
@ -44,6 +44,7 @@ interface IProps {}
|
|||
export default abstract class HeaderButtons<P = {}> extends React.Component<IProps & P, IState> {
|
||||
private unmounted = false;
|
||||
private dispatcherRef?: string = undefined;
|
||||
private readonly watcherRef: string;
|
||||
|
||||
public constructor(props: IProps & P, kind: HeaderKind) {
|
||||
super(props);
|
||||
|
@ -54,30 +55,22 @@ export default abstract class HeaderButtons<P = {}> extends React.Component<IPro
|
|||
phase: rps.currentCard.phase,
|
||||
threadNotificationColor: NotificationColor.None,
|
||||
globalNotificationColor: NotificationColor.None,
|
||||
notificationsEnabled: SettingsStore.getValue("feature_notifications"),
|
||||
};
|
||||
this.watcherRef = SettingsStore.watchSetting("feature_notifications", null, (...[, , , value]) =>
|
||||
this.setState({ notificationsEnabled: value }),
|
||||
);
|
||||
}
|
||||
|
||||
public componentDidMount(): void {
|
||||
RightPanelStore.instance.on(UPDATE_EVENT, this.onRightPanelStoreUpdate);
|
||||
this.dispatcherRef = dis.register(this.onAction.bind(this)); // used by subclasses
|
||||
}
|
||||
|
||||
public componentWillUnmount(): void {
|
||||
this.unmounted = true;
|
||||
RightPanelStore.instance.off(UPDATE_EVENT, this.onRightPanelStoreUpdate);
|
||||
if (this.dispatcherRef) dis.unregister(this.dispatcherRef);
|
||||
}
|
||||
|
||||
protected abstract onAction(payload: ActionPayload): void;
|
||||
|
||||
public setPhase(phase: RightPanelPhases, cardState?: Partial<IRightPanelCardState>): void {
|
||||
const rps = RightPanelStore.instance;
|
||||
if (rps.currentCard.phase == phase && !cardState && rps.isOpen) {
|
||||
rps.togglePanel(null);
|
||||
} else {
|
||||
RightPanelStore.instance.setCard({ phase, state: cardState });
|
||||
if (!rps.isOpen) rps.togglePanel(null);
|
||||
}
|
||||
if (this.watcherRef) SettingsStore.unwatchSetting(this.watcherRef);
|
||||
}
|
||||
|
||||
public isPhase(phases: string | string[]): boolean {
|
||||
|
|
|
@ -26,7 +26,6 @@ import { _t } from "../../../languageHandler";
|
|||
import HeaderButton from "./HeaderButton";
|
||||
import HeaderButtons, { HeaderKind } from "./HeaderButtons";
|
||||
import { RightPanelPhases } from "../../../stores/right-panel/RightPanelStorePhases";
|
||||
import { Action } from "../../../dispatcher/actions";
|
||||
import { ActionPayload } from "../../../dispatcher/payloads";
|
||||
import RightPanelStore from "../../../stores/right-panel/RightPanelStore";
|
||||
import { useReadPinnedEvents, usePinnedEvents } from "./PinnedMessagesCard";
|
||||
|
@ -203,59 +202,34 @@ export default class LegacyRoomHeaderButtons extends HeaderButtons<IProps> {
|
|||
});
|
||||
};
|
||||
|
||||
protected onAction(payload: ActionPayload): void {
|
||||
if (payload.action === Action.ViewUser) {
|
||||
if (payload.member) {
|
||||
if (payload.push) {
|
||||
RightPanelStore.instance.pushCard({
|
||||
phase: RightPanelPhases.RoomMemberInfo,
|
||||
state: { member: payload.member },
|
||||
});
|
||||
} else {
|
||||
RightPanelStore.instance.setCards([
|
||||
{ phase: RightPanelPhases.RoomSummary },
|
||||
{ phase: RightPanelPhases.RoomMemberList },
|
||||
{ phase: RightPanelPhases.RoomMemberInfo, state: { member: payload.member } },
|
||||
]);
|
||||
}
|
||||
} else {
|
||||
this.setPhase(RightPanelPhases.RoomMemberList);
|
||||
}
|
||||
} else if (payload.action === "view_3pid_invite") {
|
||||
if (payload.event) {
|
||||
this.setPhase(RightPanelPhases.Room3pidMemberInfo, { memberInfoEvent: payload.event });
|
||||
} else {
|
||||
this.setPhase(RightPanelPhases.RoomMemberList);
|
||||
}
|
||||
}
|
||||
}
|
||||
protected onAction(payload: ActionPayload): void {}
|
||||
|
||||
private onRoomSummaryClicked = (): void => {
|
||||
// use roomPanelPhase rather than this.state.phase as it remembers the latest one if we close
|
||||
const currentPhase = RightPanelStore.instance.currentCard.phase;
|
||||
if (currentPhase && ROOM_INFO_PHASES.includes(currentPhase)) {
|
||||
if (this.state.phase === currentPhase) {
|
||||
this.setPhase(currentPhase);
|
||||
RightPanelStore.instance.showOrHidePanel(currentPhase);
|
||||
} else {
|
||||
this.setPhase(currentPhase, RightPanelStore.instance.currentCard.state);
|
||||
RightPanelStore.instance.showOrHidePanel(currentPhase, RightPanelStore.instance.currentCard.state);
|
||||
}
|
||||
} else {
|
||||
// This toggles for us, if needed
|
||||
this.setPhase(RightPanelPhases.RoomSummary);
|
||||
RightPanelStore.instance.showOrHidePanel(RightPanelPhases.RoomSummary);
|
||||
}
|
||||
};
|
||||
|
||||
private onNotificationsClicked = (): void => {
|
||||
// This toggles for us, if needed
|
||||
this.setPhase(RightPanelPhases.NotificationPanel);
|
||||
RightPanelStore.instance.showOrHidePanel(RightPanelPhases.NotificationPanel);
|
||||
};
|
||||
|
||||
private onPinnedMessagesClicked = (): void => {
|
||||
// This toggles for us, if needed
|
||||
this.setPhase(RightPanelPhases.PinnedMessages);
|
||||
RightPanelStore.instance.showOrHidePanel(RightPanelPhases.PinnedMessages);
|
||||
};
|
||||
private onTimelineCardClicked = (): void => {
|
||||
this.setPhase(RightPanelPhases.Timeline);
|
||||
RightPanelStore.instance.showOrHidePanel(RightPanelPhases.Timeline);
|
||||
};
|
||||
|
||||
private onThreadsPanelClicked = (ev: ButtonEvent): void => {
|
||||
|
@ -308,21 +282,23 @@ export default class LegacyRoomHeaderButtons extends HeaderButtons<IProps> {
|
|||
<UnreadIndicator color={this.state.threadNotificationColor} />
|
||||
</HeaderButton>,
|
||||
);
|
||||
rightPanelPhaseButtons.set(
|
||||
RightPanelPhases.NotificationPanel,
|
||||
<HeaderButton
|
||||
key="notifsButton"
|
||||
name="notifsButton"
|
||||
title={_t("Notifications")}
|
||||
isHighlighted={this.isPhase(RightPanelPhases.NotificationPanel)}
|
||||
onClick={this.onNotificationsClicked}
|
||||
isUnread={this.globalNotificationState.color === NotificationColor.Red}
|
||||
>
|
||||
{this.globalNotificationState.color === NotificationColor.Red ? (
|
||||
<UnreadIndicator color={this.globalNotificationState.color} />
|
||||
) : null}
|
||||
</HeaderButton>,
|
||||
);
|
||||
if (this.state.notificationsEnabled) {
|
||||
rightPanelPhaseButtons.set(
|
||||
RightPanelPhases.NotificationPanel,
|
||||
<HeaderButton
|
||||
key="notifsButton"
|
||||
name="notifsButton"
|
||||
title={_t("Notifications")}
|
||||
isHighlighted={this.isPhase(RightPanelPhases.NotificationPanel)}
|
||||
onClick={this.onNotificationsClicked}
|
||||
isUnread={this.globalNotificationState.color === NotificationColor.Red}
|
||||
>
|
||||
{this.globalNotificationState.color === NotificationColor.Red ? (
|
||||
<UnreadIndicator color={this.globalNotificationState.color} />
|
||||
) : null}
|
||||
</HeaderButton>,
|
||||
);
|
||||
}
|
||||
rightPanelPhaseButtons.set(
|
||||
RightPanelPhases.RoomSummary,
|
||||
<HeaderButton
|
||||
|
|
|
@ -105,9 +105,15 @@ export const disambiguateDevices = (devices: IDevice[]): void => {
|
|||
}
|
||||
};
|
||||
|
||||
export const getE2EStatus = async (cli: MatrixClient, userId: string, devices: IDevice[]): Promise<E2EStatus> => {
|
||||
export const getE2EStatus = async (
|
||||
cli: MatrixClient,
|
||||
userId: string,
|
||||
devices: IDevice[],
|
||||
): Promise<E2EStatus | undefined> => {
|
||||
const crypto = cli.getCrypto();
|
||||
if (!crypto) return undefined;
|
||||
const isMe = userId === cli.getUserId();
|
||||
const userTrust = cli.checkUserTrust(userId);
|
||||
const userTrust = await crypto.getUserVerificationStatus(userId);
|
||||
if (!userTrust.isCrossSigningVerified()) {
|
||||
return userTrust.wasCrossSigningVerified() ? E2EStatus.Warning : E2EStatus.Normal;
|
||||
}
|
||||
|
@ -119,7 +125,7 @@ export const getE2EStatus = async (cli: MatrixClient, userId: string, devices: I
|
|||
// cross-signing so that other users can then safely trust you.
|
||||
// For other people's devices, the more general verified check that
|
||||
// includes locally verified devices can be used.
|
||||
const deviceTrust = await cli.getCrypto()?.getDeviceVerificationStatus(userId, deviceId);
|
||||
const deviceTrust = await crypto.getDeviceVerificationStatus(userId, deviceId);
|
||||
return isMe ? !deviceTrust?.crossSigningVerified : !deviceTrust?.isVerified();
|
||||
});
|
||||
return anyDeviceUnverified ? E2EStatus.Warning : E2EStatus.Verified;
|
||||
|
@ -152,11 +158,7 @@ function useHasCrossSigningKeys(
|
|||
}
|
||||
setUpdating(true);
|
||||
try {
|
||||
// We call it to populate the user keys and devices
|
||||
await cli.getCrypto()?.getUserDeviceInfo([member.userId], true);
|
||||
const xsi = cli.getStoredCrossSigningForUser(member.userId);
|
||||
const key = xsi && xsi.getId();
|
||||
return !!key;
|
||||
return await cli.getCrypto()?.userHasCrossSigningKeys(member.userId, true);
|
||||
} finally {
|
||||
setUpdating(false);
|
||||
}
|
||||
|
|
|
@ -282,9 +282,7 @@ export default class BasicMessageEditor extends React.Component<IProps, IState>
|
|||
};
|
||||
|
||||
private showPlaceholder(): void {
|
||||
// escape single quotes
|
||||
const placeholder = this.props.placeholder?.replace(/'/g, "\\'");
|
||||
this.editorRef.current?.style.setProperty("--placeholder", `'${placeholder}'`);
|
||||
this.editorRef.current?.style.setProperty("--placeholder", `'${CSS.escape(this.props.placeholder ?? "")}'`);
|
||||
this.editorRef.current?.classList.add("mx_BasicMessageComposer_inputEmpty");
|
||||
}
|
||||
|
||||
|
|
|
@ -18,17 +18,17 @@ limitations under the License.
|
|||
import React, { createRef, forwardRef, MouseEvent, ReactNode, useRef } from "react";
|
||||
import classNames from "classnames";
|
||||
import {
|
||||
EventType,
|
||||
MsgType,
|
||||
RelationType,
|
||||
EventStatus,
|
||||
EventType,
|
||||
MatrixEvent,
|
||||
MatrixEventEvent,
|
||||
RoomMember,
|
||||
MsgType,
|
||||
NotificationCountType,
|
||||
Relations,
|
||||
RelationType,
|
||||
Room,
|
||||
RoomEvent,
|
||||
Relations,
|
||||
RoomMember,
|
||||
Thread,
|
||||
ThreadEvent,
|
||||
} from "matrix-js-sdk/src/matrix";
|
||||
|
@ -36,6 +36,7 @@ import { logger } from "matrix-js-sdk/src/logger";
|
|||
import { CallErrorCode } from "matrix-js-sdk/src/webrtc/call";
|
||||
import { CryptoEvent } from "matrix-js-sdk/src/crypto";
|
||||
import { UserTrustLevel } from "matrix-js-sdk/src/crypto/CrossSigning";
|
||||
import { EventShieldColour, EventShieldReason } from "matrix-js-sdk/src/crypto-api";
|
||||
|
||||
import ReplyChain from "../elements/ReplyChain";
|
||||
import { _t } from "../../../languageHandler";
|
||||
|
@ -44,7 +45,6 @@ import { Layout } from "../../../settings/enums/Layout";
|
|||
import { formatTime } from "../../../DateUtils";
|
||||
import { MatrixClientPeg } from "../../../MatrixClientPeg";
|
||||
import { DecryptionFailureBody } from "../messages/DecryptionFailureBody";
|
||||
import { E2EState } from "./E2EIcon";
|
||||
import RoomAvatar from "../avatars/RoomAvatar";
|
||||
import MessageContextMenu from "../context_menus/MessageContextMenu";
|
||||
import { aboveRightOf } from "../../structures/ContextMenu";
|
||||
|
@ -236,8 +236,19 @@ export interface EventTileProps {
|
|||
interface IState {
|
||||
// Whether the action bar is focused.
|
||||
actionBarFocused: boolean;
|
||||
// Whether the event's sender has been verified.
|
||||
verified: string | null;
|
||||
|
||||
/**
|
||||
* E2EE shield we should show for decryption problems.
|
||||
*
|
||||
* Note this will be `EventShieldColour.NONE` for all unencrypted events, **including those in encrypted rooms**.
|
||||
*/
|
||||
shieldColour: EventShieldColour;
|
||||
|
||||
/**
|
||||
* Reason code for the E2EE shield. `null` if `shieldColour` is `EventShieldColour.NONE`
|
||||
*/
|
||||
shieldReason: EventShieldReason | null;
|
||||
|
||||
// The Relations model from the JS SDK for reactions to `mxEvent`
|
||||
reactions?: Relations | null | undefined;
|
||||
|
||||
|
@ -299,9 +310,10 @@ export class UnwrappedEventTile extends React.Component<EventTileProps, IState>
|
|||
this.state = {
|
||||
// Whether the action bar is focused.
|
||||
actionBarFocused: false,
|
||||
// Whether the event's sender has been verified. `null` if no attempt has yet been made to verify
|
||||
// (including if the event is not encrypted).
|
||||
verified: null,
|
||||
|
||||
shieldColour: EventShieldColour.NONE,
|
||||
shieldReason: null,
|
||||
|
||||
// The Relations model from the JS SDK for reactions to `mxEvent`
|
||||
reactions: this.getReactions(),
|
||||
|
||||
|
@ -437,8 +449,9 @@ export class UnwrappedEventTile extends React.Component<EventTileProps, IState>
|
|||
}
|
||||
|
||||
public componentDidUpdate(prevProps: Readonly<EventTileProps>, prevState: Readonly<IState>): void {
|
||||
// If the verification state changed, the height might have changed
|
||||
if (prevState.verified !== this.state.verified && this.props.onHeightChanged) {
|
||||
// If the shield state changed, the height might have changed.
|
||||
// XXX: does the shield *actually* cause a change in height? Not sure.
|
||||
if (prevState.shieldColour !== this.state.shieldColour && this.props.onHeightChanged) {
|
||||
this.props.onHeightChanged();
|
||||
}
|
||||
// If we're not listening for receipts and expect to be, register a listener.
|
||||
|
@ -576,65 +589,33 @@ export class UnwrappedEventTile extends React.Component<EventTileProps, IState>
|
|||
this.verifyEvent();
|
||||
};
|
||||
|
||||
private async verifyEvent(): Promise<void> {
|
||||
private verifyEvent(): void {
|
||||
this.doVerifyEvent().catch((e) => {
|
||||
const event = this.props.mxEvent;
|
||||
logger.error("Error getting encryption info on event", e, event);
|
||||
});
|
||||
}
|
||||
|
||||
private async doVerifyEvent(): Promise<void> {
|
||||
// if the event was edited, show the verification info for the edit, not
|
||||
// the original
|
||||
const mxEvent = this.props.mxEvent.replacingEvent() ?? this.props.mxEvent;
|
||||
|
||||
if (!mxEvent.isEncrypted() || mxEvent.isRedacted()) {
|
||||
this.setState({ verified: null });
|
||||
this.setState({ shieldColour: EventShieldColour.NONE, shieldReason: null });
|
||||
return;
|
||||
}
|
||||
|
||||
const encryptionInfo = MatrixClientPeg.safeGet().getEventEncryptionInfo(mxEvent);
|
||||
const senderId = mxEvent.getSender();
|
||||
if (!senderId) {
|
||||
// something definitely wrong is going on here
|
||||
this.setState({ verified: E2EState.Warning });
|
||||
return;
|
||||
}
|
||||
|
||||
const userTrust = MatrixClientPeg.safeGet().checkUserTrust(senderId);
|
||||
|
||||
if (encryptionInfo.mismatchedSender) {
|
||||
// something definitely wrong is going on here
|
||||
this.setState({ verified: E2EState.Warning });
|
||||
return;
|
||||
}
|
||||
|
||||
if (!userTrust.isCrossSigningVerified()) {
|
||||
// If the message is unauthenticated, then display a grey
|
||||
// shield, otherwise if the user isn't cross-signed then
|
||||
// nothing's needed
|
||||
this.setState({ verified: encryptionInfo.authenticated ? E2EState.Normal : E2EState.Unauthenticated });
|
||||
return;
|
||||
}
|
||||
|
||||
const eventSenderTrust =
|
||||
senderId &&
|
||||
encryptionInfo.sender &&
|
||||
(await MatrixClientPeg.safeGet()
|
||||
.getCrypto()
|
||||
?.getDeviceVerificationStatus(senderId, encryptionInfo.sender.deviceId));
|
||||
|
||||
const encryptionInfo =
|
||||
(await MatrixClientPeg.safeGet().getCrypto()?.getEncryptionInfoForEvent(mxEvent)) ?? null;
|
||||
if (this.unmounted) return;
|
||||
|
||||
if (!eventSenderTrust) {
|
||||
this.setState({ verified: E2EState.Unknown });
|
||||
if (encryptionInfo === null) {
|
||||
// likely a decryption error
|
||||
this.setState({ shieldColour: EventShieldColour.NONE, shieldReason: null });
|
||||
return;
|
||||
}
|
||||
|
||||
if (!eventSenderTrust.isVerified()) {
|
||||
this.setState({ verified: E2EState.Warning });
|
||||
return;
|
||||
}
|
||||
|
||||
if (!encryptionInfo.authenticated) {
|
||||
this.setState({ verified: E2EState.Unauthenticated });
|
||||
return;
|
||||
}
|
||||
|
||||
this.setState({ verified: E2EState.Verified });
|
||||
this.setState({ shieldColour: encryptionInfo.shieldColour, shieldReason: encryptionInfo.shieldReason });
|
||||
}
|
||||
|
||||
private propsEqual(objA: EventTileProps, objB: EventTileProps): boolean {
|
||||
|
@ -751,18 +732,42 @@ export class UnwrappedEventTile extends React.Component<EventTileProps, IState>
|
|||
return <E2ePadlockDecryptionFailure />;
|
||||
}
|
||||
|
||||
// event is encrypted and not redacted, display padlock corresponding to whether or not it is verified
|
||||
if (ev.isEncrypted() && !ev.isRedacted()) {
|
||||
if (this.state.verified === E2EState.Normal) {
|
||||
return null; // no icon if we've not even cross-signed the user
|
||||
} else if (this.state.verified === E2EState.Verified) {
|
||||
return null; // no icon for verified
|
||||
} else if (this.state.verified === E2EState.Unauthenticated) {
|
||||
return <E2ePadlockUnauthenticated />;
|
||||
} else if (this.state.verified === E2EState.Unknown) {
|
||||
return <E2ePadlockUnknown />;
|
||||
if (this.state.shieldColour !== EventShieldColour.NONE) {
|
||||
let shieldReasonMessage: string;
|
||||
switch (this.state.shieldReason) {
|
||||
case null:
|
||||
case EventShieldReason.UNKNOWN:
|
||||
shieldReasonMessage = _t("Unknown error");
|
||||
break;
|
||||
|
||||
case EventShieldReason.UNVERIFIED_IDENTITY:
|
||||
shieldReasonMessage = _t("Encrypted by an unverified user.");
|
||||
break;
|
||||
|
||||
case EventShieldReason.UNSIGNED_DEVICE:
|
||||
shieldReasonMessage = _t("Encrypted by a device not verified by its owner.");
|
||||
break;
|
||||
|
||||
case EventShieldReason.UNKNOWN_DEVICE:
|
||||
shieldReasonMessage = _t("Encrypted by an unknown or deleted device.");
|
||||
break;
|
||||
|
||||
case EventShieldReason.AUTHENTICITY_NOT_GUARANTEED:
|
||||
shieldReasonMessage = _t(
|
||||
"The authenticity of this encrypted message can't be guaranteed on this device.",
|
||||
);
|
||||
break;
|
||||
|
||||
case EventShieldReason.MISMATCHED_SENDER_KEY:
|
||||
shieldReasonMessage = _t("Encrypted by an unverified session");
|
||||
break;
|
||||
}
|
||||
|
||||
if (this.state.shieldColour === EventShieldColour.GREY) {
|
||||
return <E2ePadlock icon={E2ePadlockIcon.Normal} title={shieldReasonMessage} />;
|
||||
} else {
|
||||
return <E2ePadlockUnverified />;
|
||||
// red, by elimination
|
||||
return <E2ePadlock icon={E2ePadlockIcon.Warning} title={shieldReasonMessage} />;
|
||||
}
|
||||
}
|
||||
|
||||
|
@ -781,8 +786,10 @@ export class UnwrappedEventTile extends React.Component<EventTileProps, IState>
|
|||
if (ev.isRedacted()) {
|
||||
return null; // we expect this to be unencrypted
|
||||
}
|
||||
// if the event is not encrypted, but it's an e2e room, show the open padlock
|
||||
return <E2ePadlockUnencrypted />;
|
||||
if (!ev.isEncrypted()) {
|
||||
// if the event is not encrypted, but it's an e2e room, show a warning
|
||||
return <E2ePadlockUnencrypted />;
|
||||
}
|
||||
}
|
||||
|
||||
// no padlock needed
|
||||
|
@ -1460,28 +1467,10 @@ const SafeEventTile = forwardRef<UnwrappedEventTile, EventTileProps>((props, ref
|
|||
});
|
||||
export default SafeEventTile;
|
||||
|
||||
function E2ePadlockUnverified(props: Omit<IE2ePadlockProps, "title" | "icon">): JSX.Element {
|
||||
return <E2ePadlock title={_t("Encrypted by an unverified session")} icon={E2ePadlockIcon.Warning} {...props} />;
|
||||
}
|
||||
|
||||
function E2ePadlockUnencrypted(props: Omit<IE2ePadlockProps, "title" | "icon">): JSX.Element {
|
||||
return <E2ePadlock title={_t("Unencrypted")} icon={E2ePadlockIcon.Warning} {...props} />;
|
||||
}
|
||||
|
||||
function E2ePadlockUnknown(props: Omit<IE2ePadlockProps, "title" | "icon">): JSX.Element {
|
||||
return <E2ePadlock title={_t("Encrypted by a deleted session")} icon={E2ePadlockIcon.Normal} {...props} />;
|
||||
}
|
||||
|
||||
function E2ePadlockUnauthenticated(props: Omit<IE2ePadlockProps, "title" | "icon">): JSX.Element {
|
||||
return (
|
||||
<E2ePadlock
|
||||
title={_t("The authenticity of this encrypted message can't be guaranteed on this device.")}
|
||||
icon={E2ePadlockIcon.Normal}
|
||||
{...props}
|
||||
/>
|
||||
);
|
||||
}
|
||||
|
||||
function E2ePadlockDecryptionFailure(props: Omit<IE2ePadlockProps, "title" | "icon">): JSX.Element {
|
||||
return (
|
||||
<E2ePadlock
|
||||
|
@ -1493,8 +1482,13 @@ function E2ePadlockDecryptionFailure(props: Omit<IE2ePadlockProps, "title" | "ic
|
|||
}
|
||||
|
||||
enum E2ePadlockIcon {
|
||||
/** grey shield */
|
||||
Normal = "normal",
|
||||
|
||||
/** red shield with (!) */
|
||||
Warning = "warning",
|
||||
|
||||
/** key in grey circle */
|
||||
DecryptionFailure = "decryption_failure",
|
||||
}
|
||||
|
||||
|
|
|
@ -30,15 +30,19 @@ const HistoryTile: React.FC = () => {
|
|||
|
||||
let subtitle: string | undefined;
|
||||
if (historyState == "invited") {
|
||||
subtitle = _t("You don't have permission to view messages from before you were invited.");
|
||||
subtitle = _t("timeline|no_permission_messages_before_invite");
|
||||
} else if (historyState == "joined") {
|
||||
subtitle = _t("You don't have permission to view messages from before you joined.");
|
||||
subtitle = _t("timeline|no_permission_messages_before_join");
|
||||
} else if (encryptionState) {
|
||||
subtitle = _t("Encrypted messages before this point are unavailable.");
|
||||
subtitle = _t("timeline|encrypted_historical_messages_unavailable");
|
||||
}
|
||||
|
||||
return (
|
||||
<EventTileBubble className="mx_HistoryTile" title={_t("You can't see earlier messages")} subtitle={subtitle} />
|
||||
<EventTileBubble
|
||||
className="mx_HistoryTile"
|
||||
title={_t("timeline|historical_messages_unavailable")}
|
||||
subtitle={subtitle}
|
||||
/>
|
||||
);
|
||||
};
|
||||
|
||||
|
|
|
@ -27,7 +27,6 @@ import { EventType, JoinRule, type Room } from "matrix-js-sdk/src/matrix";
|
|||
|
||||
import { useRoomName } from "../../../hooks/useRoomName";
|
||||
import { RightPanelPhases } from "../../../stores/right-panel/RightPanelStorePhases";
|
||||
import RightPanelStore from "../../../stores/right-panel/RightPanelStore";
|
||||
import { useTopic } from "../../../hooks/room/useTopic";
|
||||
import { useAccountData } from "../../../hooks/useAccountData";
|
||||
import { useMatrixClientContext } from "../../../contexts/MatrixClientContext";
|
||||
|
@ -47,6 +46,7 @@ import FacePile from "../elements/FacePile";
|
|||
import { useRoomState } from "../../../hooks/useRoomState";
|
||||
import RoomAvatar from "../avatars/RoomAvatar";
|
||||
import { formatCount } from "../../../utils/FormattingUtils";
|
||||
import RightPanelStore from "../../../stores/right-panel/RightPanelStore";
|
||||
|
||||
/**
|
||||
* A helper to transform a notification color to the what the Compound Icon Button
|
||||
|
@ -62,16 +62,6 @@ function notificationColorToIndicator(color: NotificationColor): React.Component
|
|||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* A helper to show or hide the right panel
|
||||
*/
|
||||
function showOrHidePanel(phase: RightPanelPhases): void {
|
||||
const rightPanel = RightPanelStore.instance;
|
||||
rightPanel.isOpen && rightPanel.currentCard.phase === phase
|
||||
? rightPanel.togglePanel(null)
|
||||
: rightPanel.setCard({ phase });
|
||||
}
|
||||
|
||||
export default function RoomHeader({ room }: { room: Room }): JSX.Element {
|
||||
const client = useMatrixClientContext();
|
||||
|
||||
|
@ -108,6 +98,8 @@ export default function RoomHeader({ room }: { room: Room }): JSX.Element {
|
|||
}, [room, directRoomsList]);
|
||||
const e2eStatus = useEncryptionStatus(client, room);
|
||||
|
||||
const notificationsEnabled = useFeatureEnabled("feature_notifications");
|
||||
|
||||
return (
|
||||
<Flex
|
||||
as="header"
|
||||
|
@ -115,7 +107,7 @@ export default function RoomHeader({ room }: { room: Room }): JSX.Element {
|
|||
gap="var(--cpd-space-3x)"
|
||||
className="mx_RoomHeader light-panel"
|
||||
onClick={() => {
|
||||
showOrHidePanel(RightPanelPhases.RoomSummary);
|
||||
RightPanelStore.instance.showOrHidePanel(RightPanelPhases.RoomSummary);
|
||||
}}
|
||||
>
|
||||
<RoomAvatar room={room} size="40px" />
|
||||
|
@ -197,25 +189,27 @@ export default function RoomHeader({ room }: { room: Room }): JSX.Element {
|
|||
indicator={notificationColorToIndicator(threadNotifications)}
|
||||
onClick={(evt) => {
|
||||
evt.stopPropagation();
|
||||
showOrHidePanel(RightPanelPhases.ThreadPanel);
|
||||
RightPanelStore.instance.showOrHidePanel(RightPanelPhases.ThreadPanel);
|
||||
}}
|
||||
aria-label={_t("common|threads")}
|
||||
>
|
||||
<ThreadsIcon />
|
||||
</IconButton>
|
||||
</Tooltip>
|
||||
<Tooltip label={_t("Notifications")}>
|
||||
<IconButton
|
||||
indicator={notificationColorToIndicator(globalNotificationState.color)}
|
||||
onClick={(evt) => {
|
||||
evt.stopPropagation();
|
||||
showOrHidePanel(RightPanelPhases.NotificationPanel);
|
||||
}}
|
||||
aria-label={_t("Notifications")}
|
||||
>
|
||||
<NotificationsIcon />
|
||||
</IconButton>
|
||||
</Tooltip>
|
||||
{notificationsEnabled && (
|
||||
<Tooltip label={_t("Notifications")}>
|
||||
<IconButton
|
||||
indicator={notificationColorToIndicator(globalNotificationState.color)}
|
||||
onClick={(evt) => {
|
||||
evt.stopPropagation();
|
||||
RightPanelStore.instance.showOrHidePanel(RightPanelPhases.NotificationPanel);
|
||||
}}
|
||||
aria-label={_t("Notifications")}
|
||||
>
|
||||
<NotificationsIcon />
|
||||
</IconButton>
|
||||
</Tooltip>
|
||||
)}
|
||||
</Flex>
|
||||
{!isDirectMessage && (
|
||||
<BodyText
|
||||
|
@ -224,7 +218,7 @@ export default function RoomHeader({ room }: { room: Room }): JSX.Element {
|
|||
weight="medium"
|
||||
aria-label={_t("%(count)s members", { count: memberCount })}
|
||||
onClick={(e: React.MouseEvent) => {
|
||||
showOrHidePanel(RightPanelPhases.RoomMemberList);
|
||||
RightPanelStore.instance.showOrHidePanel(RightPanelPhases.RoomMemberList);
|
||||
e.stopPropagation();
|
||||
}}
|
||||
>
|
||||
|
|
|
@ -90,10 +90,9 @@ export function attachMentions(
|
|||
replyToEvent: MatrixEvent | undefined,
|
||||
editedContent: IContent | null = null,
|
||||
): void {
|
||||
// If this feature is disabled, do nothing.
|
||||
if (!SettingsStore.getValue("feature_intentional_mentions")) {
|
||||
return;
|
||||
}
|
||||
// We always attach the mentions even if the home server doesn't yet support
|
||||
// intentional mentions. This is safe because m.mentions is an additive change
|
||||
// that should simply be ignored by incapable home servers.
|
||||
|
||||
// The mentions property *always* gets included to disable legacy push rules.
|
||||
const mentions: IMentions = (content["m.mentions"] = {});
|
||||
|
|
|
@ -15,7 +15,6 @@
|
|||
"Waiting for response from server": "في انتظار الرد مِن الخادوم",
|
||||
"Thank you!": "شكرًا !",
|
||||
"What's new?": "ما الجديد ؟",
|
||||
"powered by Matrix": "مشغل بواسطة Matrix",
|
||||
"Use Single Sign On to continue": "استعمل الولوج الموحّد للمواصلة",
|
||||
"Confirm adding this email address by using Single Sign On to prove your identity.": "أكّد إضافتك لعنوان البريد هذا باستعمال الولوج الموحّد لإثبات هويّتك.",
|
||||
"Confirm adding email": "أكّد إضافة البريد الإلكتروني",
|
||||
|
@ -72,9 +71,6 @@
|
|||
"%(brand)s was not given permission to send notifications - please try again": "لم تقدّم التصريح اللازم كي يُرسل %(brand)s التنبيهات. من فضلك أعِد المحاولة",
|
||||
"Unable to enable Notifications": "تعذر تفعيل التنبيهات",
|
||||
"This email address was not found": "لم يوجد عنوان البريد الإلكتروني هذا",
|
||||
"Sign In or Create Account": "لِج أو أنشِئ حسابًا",
|
||||
"Use your account or create a new one to continue.": "استعمل حسابك أو أنشِئ واحدًا جديدًا للمواصلة.",
|
||||
"Create Account": "أنشِئ حسابًا",
|
||||
"Default": "المبدئي",
|
||||
"Restricted": "مقيد",
|
||||
"Moderator": "مشرف",
|
||||
|
@ -98,14 +94,10 @@
|
|||
"Use an identity server": "خادوم التعريف",
|
||||
"Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "استخدم سيرفر للهوية للدعوة عبر البريد الالكتروني. انقر على استمرار لاستخدام سيرفر الهوية الافتراضي (%(defaultIdentityServerName)s) او قم بضبط الاعدادات.",
|
||||
"Use an identity server to invite by email. Manage in Settings.": "استخدم سيرفر الهوية للدعوة عبر البريد الالكتروني. ضبط الاعدادات.",
|
||||
"Joins room with given address": "الانضمام الى الغرفة بحسب العنوان المعطى",
|
||||
"Ignored user": "مستخدم متجاهل",
|
||||
"You are now ignoring %(userId)s": "انت تقوم الان بتجاهل %(userId)s",
|
||||
"Unignored user": "المستخدم غير متجاهل",
|
||||
"You are no longer ignoring %(userId)s": "انت لم تعد متجاهلا للمستخدم %(userId)s",
|
||||
"Define the power level of a user": "قم بتعريف مستوى الطاقة للمستخدم",
|
||||
"Could not find user in room": "لم يستطع ايجاد مستخدم في غرفة",
|
||||
"Deops user with given id": "يُلغي إدارية المستخدم حسب المعرّف المعطى",
|
||||
"Verifies a user, session, and pubkey tuple": "يتحقق من العناصر: المستخدم والجلسة والمفتاح العام",
|
||||
"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!": "تحذير: فشل التحقق من المفتاح! مفتاح التوقيع للمستخدم %(userId)s و الجلسة %(deviceId)s هو \"%(fprint)s\" والتي لا تتوافق مع المفتاح \"%(fingerprint)s\" المعطى. هذا يعني ان اتصالك اصبح مكشوف!",
|
||||
|
@ -554,8 +546,6 @@
|
|||
"How fast should messages be downloaded.": "ما مدى سرعة تنزيل الرسائل.",
|
||||
"Enable message search in encrypted rooms": "تمكين البحث عن الرسائل في الغرف المشفرة",
|
||||
"Show hidden events in timeline": "إظهار الأحداث المخفية في الجدول الزمني",
|
||||
"Enable URL previews by default for participants in this room": "تمكين معاينة الروابط أصلاً لأي مشارك في هذه الغرفة",
|
||||
"Enable URL previews for this room (only affects you)": "تمكين معاينة الروابط لهذه الغرفة (يؤثر عليك فقط)",
|
||||
"Never send encrypted messages to unverified sessions in this room from this session": "لا ترسل أبدًا رسائل مشفرة إلى اتصالات التي لم يتم التحقق منها في هذه الغرفة من هذا الاتصال",
|
||||
"Never send encrypted messages to unverified sessions from this session": "لا ترسل أبدًا رسائل مشفرة إلى اتصالات لم يتم التحقق منها من هذا الاتصال",
|
||||
"Send analytics data": "إرسال بيانات التحليلات",
|
||||
|
@ -721,54 +711,6 @@
|
|||
"United Kingdom": "المملكة المتحدة",
|
||||
"The call was answered on another device.": "ردّ المستلم على المكالمة من جهاز آخر.",
|
||||
"The call could not be established": "تعذر إجراء المكالمة",
|
||||
"See videos posted to your active room": "أظهر الفيديوهات المرسلة إلى هذه غرفتك النشطة",
|
||||
"See videos posted to this room": "أظهر الفيديوهات المرسلة إلى هذه الغرفة",
|
||||
"Send videos as you in your active room": "أرسل الفيديوهات بهويتك في غرفتك النشطة",
|
||||
"Send videos as you in this room": "أرسل الفيديوهات بهويتك في هذه الغرفة",
|
||||
"See messages posted to this room": "أرسل الرسائل المرسلة إلى هذه الغرفة",
|
||||
"See images posted to your active room": "أظهر الصور المرسلة إلى غرفتك النشطة",
|
||||
"See images posted to this room": "أظهر الصور المرسلة إلى هذه الغرفة",
|
||||
"Send images as you in your active room": "أرسل الصور بهويتك في غرفتك النشطة",
|
||||
"Send images as you in this room": "أرسل الصور بهويتك في هذه الغرفة",
|
||||
"See emotes posted to your active room": "أظهر الرموز التعبيرية المرسلة لغرفتك النشطة",
|
||||
"See emotes posted to this room": "أظهر الرموز التعبيرية المرسلة إلى هذه الغرفة",
|
||||
"Send emotes as you in your active room": "أظهر الرموز التعبيرية بهويتك في غرفتك النشطة",
|
||||
"Send emotes as you in this room": "أرسل الرموز التعبيرية بهويتك",
|
||||
"See text messages posted to your active room": "أظهر الرسائل النصية المرسلة إلى غرفتك النشطة",
|
||||
"See text messages posted to this room": "أظهر الرسائل النصية المرسلة إلى هذه الغرفة",
|
||||
"Send text messages as you in your active room": "أرسل الرسائل النصية بهويتك في غرفتك النشطة",
|
||||
"Send text messages as you in this room": "أرسل الرسائل النصية بهويتك في هذه الغرفة",
|
||||
"See messages posted to your active room": "أظهر الرسائل المرسلة إلى غرفتك النشطة",
|
||||
"Send messages as you in your active room": "أرسل رسائل بهويتك في غرفتك النشطة",
|
||||
"Send messages as you in this room": "أرسل رسائل بهويتك في هذه الغرفة",
|
||||
"The <b>%(capability)s</b> capability": "القدرة <b>%(capability)s</b>",
|
||||
"See <b>%(eventType)s</b> events posted to your active room": "أظهر أحداث <b>%(eventType)s</b> المنشورة بغرفة النشطة",
|
||||
"Send <b>%(eventType)s</b> events as you in your active room": "أرسل أحداث <b>%(eventType)s</b> بهويتك في غرفتك النشطة",
|
||||
"See <b>%(eventType)s</b> events posted to this room": "أظهر أحداث <b>%(eventType)s</b> المنشورة في هذه الغرفة",
|
||||
"Send <b>%(eventType)s</b> events as you in this room": "أرسل أحداث <b>%(eventType)s</b> بهويتك في هذه الغرفة",
|
||||
"with state key %(stateKey)s": "مع مفتاح الحالة %(stateKey)s",
|
||||
"with an empty state key": "بمفتاح حالة فارغ",
|
||||
"See when anyone posts a sticker to your active room": "أظهر وضع أي أحد للملصقات لغرفتك النشطة",
|
||||
"Send stickers to your active room as you": "أرسل ملصقات لغرفتك النشطة بهويتك",
|
||||
"See when a sticker is posted in this room": "أظهر وضع الملصقات في هذه الغرفة",
|
||||
"Send stickers to this room as you": "أرسل ملصقات لهذه الغرفة بهويتك",
|
||||
"See when the avatar changes in your active room": "أظهر تغييرات صورة غرفتك النشطة",
|
||||
"Change the avatar of your active room": "غير صورة غرفتك النشطة",
|
||||
"See when the avatar changes in this room": "أظهر تغييرات الصورة في هذه الغرفة",
|
||||
"Change the avatar of this room": "غير صورة هذه الغرفة",
|
||||
"See when the name changes in your active room": "أظهر تغييرات الاسم في غرفتك النشطة",
|
||||
"Change the name of your active room": "غير اسم غرفتك النشطة",
|
||||
"See when the name changes in this room": "أظهر تغييرات الاسم في هذه الغرفة",
|
||||
"Change the name of this room": "غير اسم هذه الغرفة",
|
||||
"See when the topic changes in your active room": "أظهر تغيير موضوع غرفتك النشطة",
|
||||
"Change the topic of your active room": "غير موضوع غرفتك النشطة",
|
||||
"See when the topic changes in this room": "أظهر تغير موضوع هذه الغرفة",
|
||||
"Change the topic of this room": "تغيير موضوع هذه الغرفة",
|
||||
"Change which room you're viewing": "تغيير الغرفة التي تشاهدها",
|
||||
"Send stickers into your active room": "أرسل ملصقات إلى غرفتك النشطة",
|
||||
"Send stickers into this room": "أرسل ملصقات إلى هذه الغرفة",
|
||||
"Remain on your screen while running": "ابقَ على شاشتك أثناء إجراء",
|
||||
"Remain on your screen when viewing another room, when running": "ابقَ على شاشتك عند مشاهدة غرفة أخرى أثناء إجراء",
|
||||
"Cuba": "كوبا",
|
||||
"Croatia": "كرواتيا",
|
||||
"Costa Rica": "كوستا ريكا",
|
||||
|
@ -1144,7 +1086,9 @@
|
|||
"font_size": "حجم الخط",
|
||||
"custom_font_description": "قم بتعيين اسم الخط المثبت على نظامك وسيحاول %(brand)s استخدامه.",
|
||||
"timeline_image_size_default": "المبدئي"
|
||||
}
|
||||
},
|
||||
"inline_url_previews_room_account": "تمكين معاينة الروابط لهذه الغرفة (يؤثر عليك فقط)",
|
||||
"inline_url_previews_room": "تمكين معاينة الروابط أصلاً لأي مشارك في هذه الغرفة"
|
||||
},
|
||||
"devtools": {
|
||||
"state_key": "مفتاح الحالة",
|
||||
|
@ -1308,7 +1252,11 @@
|
|||
"query": "يفتح دردشة من المستخدم المعطى",
|
||||
"holdcall": "يضع المكالمة في الغرفة الحالية قيد الانتظار",
|
||||
"unholdcall": "يوقف المكالمة في الغرفة الحالية",
|
||||
"me": "يعرض إجراءً"
|
||||
"me": "يعرض إجراءً",
|
||||
"join": "الانضمام الى الغرفة بحسب العنوان المعطى",
|
||||
"failed_find_user": "لم يستطع ايجاد مستخدم في غرفة",
|
||||
"op": "قم بتعريف مستوى الطاقة للمستخدم",
|
||||
"deop": "يُلغي إدارية المستخدم حسب المعرّف المعطى"
|
||||
},
|
||||
"presence": {
|
||||
"online_for": "متصل منذ %(duration)s",
|
||||
|
@ -1405,7 +1353,11 @@
|
|||
"quick_reactions": "ردود الفعل السريعة"
|
||||
},
|
||||
"auth": {
|
||||
"sso": "الولوج الموحّد"
|
||||
"sso": "الولوج الموحّد",
|
||||
"footer_powered_by_matrix": "مشغل بواسطة Matrix",
|
||||
"sign_in_or_register": "لِج أو أنشِئ حسابًا",
|
||||
"sign_in_or_register_description": "استعمل حسابك أو أنشِئ واحدًا جديدًا للمواصلة.",
|
||||
"register_action": "أنشِئ حسابًا"
|
||||
},
|
||||
"export_chat": {
|
||||
"messages": "الرسائل"
|
||||
|
@ -1445,5 +1397,57 @@
|
|||
"versions": "الإصدارات",
|
||||
"clear_cache_reload": "محو مخزن الجيب وإعادة التحميل"
|
||||
}
|
||||
},
|
||||
"widget": {
|
||||
"capability": {
|
||||
"send_stickers_this_room": "أرسل ملصقات إلى هذه الغرفة",
|
||||
"send_stickers_active_room": "أرسل ملصقات إلى غرفتك النشطة",
|
||||
"send_stickers_this_room_as_you": "أرسل ملصقات لهذه الغرفة بهويتك",
|
||||
"send_stickers_active_room_as_you": "أرسل ملصقات لغرفتك النشطة بهويتك",
|
||||
"see_sticker_posted_this_room": "أظهر وضع الملصقات في هذه الغرفة",
|
||||
"see_sticker_posted_active_room": "أظهر وضع أي أحد للملصقات لغرفتك النشطة",
|
||||
"always_on_screen_viewing_another_room": "ابقَ على شاشتك عند مشاهدة غرفة أخرى أثناء إجراء",
|
||||
"always_on_screen_generic": "ابقَ على شاشتك أثناء إجراء",
|
||||
"switch_room": "تغيير الغرفة التي تشاهدها",
|
||||
"change_topic_this_room": "تغيير موضوع هذه الغرفة",
|
||||
"see_topic_change_this_room": "أظهر تغير موضوع هذه الغرفة",
|
||||
"change_topic_active_room": "غير موضوع غرفتك النشطة",
|
||||
"see_topic_change_active_room": "أظهر تغيير موضوع غرفتك النشطة",
|
||||
"change_name_this_room": "غير اسم هذه الغرفة",
|
||||
"see_name_change_this_room": "أظهر تغييرات الاسم في هذه الغرفة",
|
||||
"change_name_active_room": "غير اسم غرفتك النشطة",
|
||||
"see_name_change_active_room": "أظهر تغييرات الاسم في غرفتك النشطة",
|
||||
"change_avatar_this_room": "غير صورة هذه الغرفة",
|
||||
"see_avatar_change_this_room": "أظهر تغييرات الصورة في هذه الغرفة",
|
||||
"change_avatar_active_room": "غير صورة غرفتك النشطة",
|
||||
"see_avatar_change_active_room": "أظهر تغييرات صورة غرفتك النشطة",
|
||||
"byline_empty_state_key": "بمفتاح حالة فارغ",
|
||||
"byline_state_key": "مع مفتاح الحالة %(stateKey)s",
|
||||
"send_event_type_this_room": "أرسل أحداث <b>%(eventType)s</b> بهويتك في هذه الغرفة",
|
||||
"see_event_type_sent_this_room": "أظهر أحداث <b>%(eventType)s</b> المنشورة في هذه الغرفة",
|
||||
"send_event_type_active_room": "أرسل أحداث <b>%(eventType)s</b> بهويتك في غرفتك النشطة",
|
||||
"see_event_type_sent_active_room": "أظهر أحداث <b>%(eventType)s</b> المنشورة بغرفة النشطة",
|
||||
"capability": "القدرة <b>%(capability)s</b>",
|
||||
"send_messages_this_room": "أرسل رسائل بهويتك في هذه الغرفة",
|
||||
"send_messages_active_room": "أرسل رسائل بهويتك في غرفتك النشطة",
|
||||
"see_messages_sent_this_room": "أرسل الرسائل المرسلة إلى هذه الغرفة",
|
||||
"see_messages_sent_active_room": "أظهر الرسائل المرسلة إلى غرفتك النشطة",
|
||||
"send_text_messages_this_room": "أرسل الرسائل النصية بهويتك في هذه الغرفة",
|
||||
"send_text_messages_active_room": "أرسل الرسائل النصية بهويتك في غرفتك النشطة",
|
||||
"see_text_messages_sent_this_room": "أظهر الرسائل النصية المرسلة إلى هذه الغرفة",
|
||||
"see_text_messages_sent_active_room": "أظهر الرسائل النصية المرسلة إلى غرفتك النشطة",
|
||||
"send_emotes_this_room": "أرسل الرموز التعبيرية بهويتك",
|
||||
"send_emotes_active_room": "أظهر الرموز التعبيرية بهويتك في غرفتك النشطة",
|
||||
"see_sent_emotes_this_room": "أظهر الرموز التعبيرية المرسلة إلى هذه الغرفة",
|
||||
"see_sent_emotes_active_room": "أظهر الرموز التعبيرية المرسلة لغرفتك النشطة",
|
||||
"send_images_this_room": "أرسل الصور بهويتك في هذه الغرفة",
|
||||
"send_images_active_room": "أرسل الصور بهويتك في غرفتك النشطة",
|
||||
"see_images_sent_this_room": "أظهر الصور المرسلة إلى هذه الغرفة",
|
||||
"see_images_sent_active_room": "أظهر الصور المرسلة إلى غرفتك النشطة",
|
||||
"send_videos_this_room": "أرسل الفيديوهات بهويتك في هذه الغرفة",
|
||||
"send_videos_active_room": "أرسل الفيديوهات بهويتك في غرفتك النشطة",
|
||||
"see_videos_sent_this_room": "أظهر الفيديوهات المرسلة إلى هذه الغرفة",
|
||||
"see_videos_sent_active_room": "أظهر الفيديوهات المرسلة إلى هذه غرفتك النشطة"
|
||||
}
|
||||
}
|
||||
}
|
||||
|
|
|
@ -41,7 +41,6 @@
|
|||
"You are now ignoring %(userId)s": "Siz %(userId)s blokladınız",
|
||||
"Unignored user": "İstifadəçi blokun siyahısından götürülmüşdür",
|
||||
"You are no longer ignoring %(userId)s": "Siz %(userId)s blokdan çıxardınız",
|
||||
"Deops user with given id": "Verilmiş ID-lə istifadəçidən operatorun səlahiyyətlərini çıxardır",
|
||||
"Reason": "Səbəb",
|
||||
"Incorrect verification code": "Təsdiq etmənin səhv kodu",
|
||||
"Phone": "Telefon",
|
||||
|
@ -119,7 +118,6 @@
|
|||
"A new password must be entered.": "Yeni parolu daxil edin.",
|
||||
"New passwords must match each other.": "Yeni şifrələr uyğun olmalıdır.",
|
||||
"Return to login screen": "Girişin ekranına qayıtmaq",
|
||||
"This server does not support authentication with a phone number.": "Bu server telefon nömrəsinin köməyi ilə müəyyənləşdirilməni dəstəkləmir.",
|
||||
"Commands": "Komandalar",
|
||||
"Users": "İstifadəçilər",
|
||||
"Confirm passphrase": "Şifrəni təsdiqləyin",
|
||||
|
@ -143,7 +141,6 @@
|
|||
"This room is not recognised.": "Bu otaq tanınmır.",
|
||||
"You are not in this room.": "Sən bu otaqda deyilsən.",
|
||||
"You do not have permission to do that in this room.": "Bu otaqda bunu etməyə icazəniz yoxdur.",
|
||||
"Define the power level of a user": "Bir istifadəçinin güc səviyyəsini müəyyənləşdirin",
|
||||
"Verified key": "Təsdiqlənmiş açar",
|
||||
"Add Email Address": "Emal ünvan əlavə etmək",
|
||||
"Add Phone Number": "Telefon nömrəsi əlavə etmək",
|
||||
|
@ -161,8 +158,6 @@
|
|||
"Use an identity server": "Şəxsiyyət serverindən istifadə edin",
|
||||
"Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "E-poçtla dəvət etmək üçün şəxsiyyət serverindən istifadə edin. Defolt şəxsiyyət serverini (%(defaultIdentityServerName)s) istifadə etməyə və ya Parametrlərdə idarə etməyə davam edin.",
|
||||
"Use an identity server to invite by email. Manage in Settings.": "E-poçtla dəvət etmək üçün şəxsiyyət serverindən istifadə edin. Parametrlərdə idarə edin.",
|
||||
"powered by Matrix": "Matrix tərəfindən təchiz edilmişdir",
|
||||
"Create Account": "Hesab Aç",
|
||||
"Explore rooms": "Otaqları kəşf edin",
|
||||
"common": {
|
||||
"analytics": "Analitik",
|
||||
|
@ -279,7 +274,9 @@
|
|||
"addwidget_invalid_protocol": "Zəhmət olmasa https:// və ya http:// widget URL təmin edin",
|
||||
"addwidget_no_permissions": "Bu otaqda vidjetləri dəyişdirə bilməzsiniz.",
|
||||
"discardsession": "Şifrəli bir otaqda mövcud qrup sessiyasını ləğv etməyə məcbur edir",
|
||||
"me": "Hərəkətlərin nümayişi"
|
||||
"me": "Hərəkətlərin nümayişi",
|
||||
"op": "Bir istifadəçinin güc səviyyəsini müəyyənləşdirin",
|
||||
"deop": "Verilmiş ID-lə istifadəçidən operatorun səlahiyyətlərini çıxardır"
|
||||
},
|
||||
"bug_reporting": {
|
||||
"collecting_information": "Proqramın versiyası haqqında məlumatın yığılması",
|
||||
|
@ -301,5 +298,10 @@
|
|||
},
|
||||
"export_chat": {
|
||||
"messages": "Mesajlar"
|
||||
},
|
||||
"auth": {
|
||||
"footer_powered_by_matrix": "Matrix tərəfindən təchiz edilmişdir",
|
||||
"unsupported_auth_msisdn": "Bu server telefon nömrəsinin köməyi ilə müəyyənləşdirilməni dəstəkləmir.",
|
||||
"register_action": "Hesab Aç"
|
||||
}
|
||||
}
|
||||
|
|
|
@ -12,7 +12,6 @@
|
|||
"Invite to this room": "Запрасіць у гэты пакой",
|
||||
"Failed to remove tag %(tagName)s from room": "Не ўдалося выдаліць %(tagName)s з пакоя",
|
||||
"Operation failed": "Не атрымалася выканаць аперацыю",
|
||||
"powered by Matrix": "працуе на Matrix",
|
||||
"Source URL": "URL-адрас крыніцы",
|
||||
"common": {
|
||||
"error": "Памылка",
|
||||
|
@ -26,5 +25,8 @@
|
|||
"reject": "Адхіліць",
|
||||
"dismiss": "Aдхіліць",
|
||||
"close": "Зачыніць"
|
||||
},
|
||||
"auth": {
|
||||
"footer_powered_by_matrix": "працуе на Matrix"
|
||||
}
|
||||
}
|
||||
|
|
|
@ -1,6 +1,5 @@
|
|||
{
|
||||
"Operation failed": "Операцията е неуспешна",
|
||||
"powered by Matrix": "базирано на Matrix",
|
||||
"Send": "Изпрати",
|
||||
"Failed to change password. Is your password correct?": "Неуспешна промяна. Правилно ли сте въвели Вашата парола?",
|
||||
"Sun": "нд.",
|
||||
|
@ -73,8 +72,6 @@
|
|||
"Not a valid %(brand)s keyfile": "Невалиден файл с ключ за %(brand)s",
|
||||
"Authentication check failed: incorrect password?": "Неуспешна автентикация: неправилна парола?",
|
||||
"Mirror local video feed": "Показвай ми огледално моя видео образ",
|
||||
"Enable URL previews for this room (only affects you)": "Включване на URL прегледи за тази стая (засяга само Вас)",
|
||||
"Enable URL previews by default for participants in this room": "Включване по подразбиране на URL прегледи за участници в тази стая",
|
||||
"Incorrect verification code": "Неправилен код за потвърждение",
|
||||
"Phone": "Телефон",
|
||||
"No display name": "Няма име",
|
||||
|
@ -185,7 +182,6 @@
|
|||
},
|
||||
"Confirm Removal": "Потвърдете премахването",
|
||||
"Unknown error": "Неизвестна грешка",
|
||||
"Incorrect password": "Неправилна парола",
|
||||
"Deactivate Account": "Затвори акаунта",
|
||||
"Verification Pending": "Очакване на потвърждение",
|
||||
"An error has occurred.": "Възникна грешка.",
|
||||
|
@ -236,16 +232,12 @@
|
|||
"Email": "Имейл",
|
||||
"Profile": "Профил",
|
||||
"Account": "Акаунт",
|
||||
"The email address linked to your account must be entered.": "Имейл адресът, свързан с профила Ви, трябва да бъде въведен.",
|
||||
"A new password must be entered.": "Трябва да бъде въведена нова парола.",
|
||||
"New passwords must match each other.": "Новите пароли трябва да съвпадат една с друга.",
|
||||
"Return to login screen": "Връщане към страницата за влизане в профила",
|
||||
"Incorrect username and/or password.": "Неправилно потребителско име и/или парола.",
|
||||
"Please note you are logging into the %(hs)s server, not matrix.org.": "Моля, обърнете внимание, че влизате в %(hs)s сървър, а не в matrix.org.",
|
||||
"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>.": "Не е възможно свързване към Home сървъра чрез HTTP, когато има HTTPS адрес в лентата на браузъра Ви. Или използвайте HTTPS или <a>включете функция небезопасни скриптове</a>.",
|
||||
"This server does not support authentication with a phone number.": "Този сървър не поддържа автентикация с телефонен номер.",
|
||||
"Define the power level of a user": "Променя нивото на достъп на потребителя",
|
||||
"Deops user with given id": "Отнема правата на потребител с даден идентификатор",
|
||||
"Commands": "Команди",
|
||||
"Notify the whole room": "Извести всички в стаята",
|
||||
"Room Notification": "Известие за стая",
|
||||
|
@ -401,7 +393,6 @@
|
|||
"Invalid homeserver discovery response": "Невалиден отговор по време на откриването на конфигурацията за сървъра",
|
||||
"Invalid identity server discovery response": "Невалиден отговор по време на откриването на конфигурацията за сървъра за самоличност",
|
||||
"General failure": "Обща грешка",
|
||||
"Failed to perform homeserver discovery": "Неуспешно откриване на конфигурацията за сървъра",
|
||||
"That matches!": "Това съвпада!",
|
||||
"That doesn't match.": "Това не съвпада.",
|
||||
"Go back to set it again.": "Върнете се за да настройте нова.",
|
||||
|
@ -530,9 +521,6 @@
|
|||
"This homeserver would like to make sure you are not a robot.": "Сървърът иска да потвърди, че не сте робот.",
|
||||
"Couldn't load page": "Страницата не можа да бъде заредена",
|
||||
"Your password has been reset.": "Паролата беше анулирана.",
|
||||
"This homeserver does not support login using email address.": "Този сървър не поддържа влизане в профил посредством имейл адрес.",
|
||||
"Registration has been disabled on this homeserver.": "Регистрацията е изключена на този сървър.",
|
||||
"Unable to query for supported registration methods.": "Неуспешно взимане на поддържаните методи за регистрация.",
|
||||
"Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "Сигурни ли сте? Ако нямате работещо резервно копие на ключовете, ще загубите достъп до шифрованите съобщения.",
|
||||
"Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "Шифрованите съобщения са защитени с шифроване от край до край. Само Вие и получателят (получателите) имате ключове за четенето им.",
|
||||
"Restore from Backup": "Възстанови от резервно копие",
|
||||
|
@ -656,12 +644,6 @@
|
|||
"Your homeserver doesn't seem to support this feature.": "Не изглежда сървърът ви да поддържа тази функция.",
|
||||
"Resend %(unsentCount)s reaction(s)": "Изпрати наново %(unsentCount)s реакция(и)",
|
||||
"Failed to re-authenticate due to a homeserver problem": "Неуспешна повторна автентикация поради проблем със сървъра",
|
||||
"Failed to re-authenticate": "Неуспешна повторна автентикация",
|
||||
"Enter your password to sign in and regain access to your account.": "Въведете паролата си за да влезете и да възстановите достъп до профила.",
|
||||
"Forgotten your password?": "Забравили сте си паролата?",
|
||||
"Sign in and regain access to your account.": "Влез и възвърни достъп до профила.",
|
||||
"You cannot sign in to your account. Please contact your homeserver admin for more information.": "Не можете да влезете в профила си. Свържете се с администратора на сървъра за повече информация.",
|
||||
"You're signed out": "Излязохте от профила",
|
||||
"Clear personal data": "Изчисти личните данни",
|
||||
"Find others by phone or email": "Открийте други по телефон или имейл",
|
||||
"Be found by phone or email": "Бъдете открит по телефон или имейл",
|
||||
|
@ -739,8 +721,6 @@
|
|||
"Read Marker lifetime (ms)": "Живот на маркера за прочитане (мсек)",
|
||||
"Read Marker off-screen lifetime (ms)": "Живот на маркера за прочитане извън екрана (мсек)",
|
||||
"e.g. my-room": "например my-room",
|
||||
"Please enter a name for the room": "Въведете име на стаята",
|
||||
"Topic (optional)": "Тема (незадължително)",
|
||||
"Hide advanced": "Скрий разширени настройки",
|
||||
"Show advanced": "Покажи разширени настройки",
|
||||
"Close dialog": "Затвори прозореца",
|
||||
|
@ -874,9 +854,6 @@
|
|||
"Setting up keys": "Настройка на ключове",
|
||||
"Verify this session": "Потвърди тази сесия",
|
||||
"Encryption upgrade available": "Има обновление на шифроването",
|
||||
"Sign In or Create Account": "Влезте или Създайте профил",
|
||||
"Use your account or create a new one to continue.": "Използвайте профила си или създайте нов за да продължите.",
|
||||
"Create Account": "Създай профил",
|
||||
"Verifies a user, session, and pubkey tuple": "Потвърждава потребител, сесия и двойка ключове",
|
||||
"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!": "ВНИМАНИЕ: ПОТВЪРЖДАВАНЕТО НА КЛЮЧОВЕТЕ Е НЕУСПЕШНО! Подписващия ключ за %(userId)s и сесия %(deviceId)s е \"%(fprint)s\", което не съвпада с предоставения ключ \"%(fingerprint)s\". Това може би означава, че комуникацията ви бива прихваната!",
|
||||
|
@ -891,7 +868,6 @@
|
|||
"Manually verify all remote sessions": "Ръчно потвърждаване на всички отдалечени сесии",
|
||||
"New login. Was this you?": "Нов вход. Вие ли бяхте това?",
|
||||
"%(name)s is requesting verification": "%(name)s изпрати запитване за верификация",
|
||||
"Could not find user in room": "Неуспешно намиране на потребител в стаята",
|
||||
"Waiting for %(displayName)s to verify…": "Изчакване на %(displayName)s да потвърди…",
|
||||
"Cancelling…": "Отказване…",
|
||||
"Lock": "Заключи",
|
||||
|
@ -998,7 +974,6 @@
|
|||
"Clear cross-signing keys": "Изчисти ключовете за кръстосано-подписване",
|
||||
"Clear all data in this session?": "Изчисти всички данни в тази сесия?",
|
||||
"Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "Изчистването на всички данни от сесията е необратимо. Шифрованите съобщения ще бъдат загубени, освен ако няма резервно копие на ключовете им.",
|
||||
"Enable end-to-end encryption": "Включи шифроване от-край-до-край",
|
||||
"Server did not require any authentication": "Сървърът не изисква никаква автентикация",
|
||||
"Server did not return valid authentication information.": "Сървърът не върна валидна информация относно автентикация.",
|
||||
"Confirm your account deactivation by using Single Sign On to prove your identity.": "Потвърдете деактивацията на профила си използвайки Single Sign On за потвърждаване на самоличността.",
|
||||
|
@ -1035,7 +1010,6 @@
|
|||
"Confirm by comparing the following with the User Settings in your other session:": "Потвърдете чрез сравняване на следното с Потребителски Настройки в другата ви сесия:",
|
||||
"Confirm this user's session by comparing the following with their User Settings:": "Потвърдете сесията на този потребител чрез сравняване на следното с техните Потребителски Настройки:",
|
||||
"If they don't match, the security of your communication may be compromised.": "Ако няма съвпадение, сигурността на комуникацията ви може би е компрометирана.",
|
||||
"Joins room with given address": "Присъединява се към стая с дадения адрес",
|
||||
"Your homeserver has exceeded its user limit.": "Надвишен е лимитът за потребители на сървъра ви.",
|
||||
"Your homeserver has exceeded one of its resource limits.": "Беше надвишен някой от лимитите на сървъра.",
|
||||
"Contact your <a>server admin</a>.": "Свържете се със <a>сървърния администратор</a>.",
|
||||
|
@ -1064,8 +1038,6 @@
|
|||
"Switch to dark mode": "Смени на тъмен режим",
|
||||
"Switch theme": "Смени темата",
|
||||
"All settings": "Всички настройки",
|
||||
"Feedback": "Обратна връзка",
|
||||
"If you've joined lots of rooms, this might take a while": "Това може да отнеме известно време, ако сте в много стаи",
|
||||
"Confirm encryption setup": "Потвърждение на настройки за шифроване",
|
||||
"Click the button below to confirm setting up encryption.": "Кликнете бутона по-долу за да потвърдите настройването на шифроване.",
|
||||
"Enter your account password to confirm the upgrade:": "Въведете паролата за профила си за да потвърдите обновлението:",
|
||||
|
@ -1133,15 +1105,6 @@
|
|||
"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/>).",
|
||||
"Invite by email": "Покани по имейл",
|
||||
"Send feedback": "Изпрати обратна връзка",
|
||||
"PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "ПРОФЕСИОНАЛЕН СЪВЕТ: Ако ще съобщавате за проблем, изпратете и <debugLogsLink>логове за разработчици</debugLogsLink> за да ни помогнете да открием проблема.",
|
||||
"Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.": "Първо прегледайте <existingIssuesLink>съществуващите проблеми в Github</existingIssuesLink>. Няма подобни? <newIssueLink>Създайте нов</newIssueLink>.",
|
||||
"Comment": "Коментар",
|
||||
"Feedback sent": "Обратната връзка беше изпратена",
|
||||
"Block anyone not part of %(serverName)s from ever joining this room.": "Блокирай всеки, който не е част от %(serverName)s от присъединяване в тази стая.",
|
||||
"You might disable this if the room will be used for collaborating with external teams who have their own homeserver. This cannot be changed later.": "Може да изключите това, ако стаята ще се използва за съвместна работа с външни екипи, имащи собствен сървър. Това не може да бъде променено по-късно.",
|
||||
"You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "Може да включите това, ако стаята ще се използва само за съвместна работа на вътрешни екипи на сървъра ви. Това не може да бъде променено по-късно.",
|
||||
"Your server requires encryption to be enabled in private rooms.": "Сървърът ви изисква в частните стаи да е включено шифроване.",
|
||||
"Preparing to download logs": "Подготвяне за изтегляне на логове",
|
||||
"Information": "Информация",
|
||||
"This version of %(brand)s does not support searching encrypted messages": "Тази версия на %(brand)s не поддържа търсенето в шифровани съобщения",
|
||||
|
@ -1202,10 +1165,7 @@
|
|||
"No files visible in this room": "Няма видими файлове в тази стая",
|
||||
"%(creator)s created this DM.": "%(creator)s създаде този директен чат.",
|
||||
"You have no visible notifications.": "Нямате видими уведомления.",
|
||||
"Got an account? <a>Sign in</a>": "Имате профил? <a>Влезте от тук</a>",
|
||||
"New here? <a>Create an account</a>": "Вие сте нов тук? <a>Създайте профил</a>",
|
||||
"There was a problem communicating with the homeserver, please try again later.": "Възникна проблем при комуникацията със Home сървъра, моля опитайте отново по-късно.",
|
||||
"New? <a>Create account</a>": "Вие сте нов? <a>Създайте профил</a>",
|
||||
"This session has detected that your Security Phrase and key for Secure Messages have been removed.": "Тази сесия откри, че вашата фраза за сигурност и ключ за защитени съобщения бяха премахнати.",
|
||||
"A new Security Phrase and key for Secure Messages have been detected.": "Новa фраза за сигурност и ключ за защитени съобщения бяха открити.",
|
||||
"Great! This Security Phrase looks strong enough.": "Чудесно! Тази фраза за сигурност изглежда достатъчно силна.",
|
||||
|
@ -1581,7 +1541,8 @@
|
|||
"cross_signing": "Кръстосано-подписване",
|
||||
"identity_server": "Сървър за самоличност",
|
||||
"integration_manager": "Мениджър на интеграции",
|
||||
"qr_code": "QR код"
|
||||
"qr_code": "QR код",
|
||||
"feedback": "Обратна връзка"
|
||||
},
|
||||
"action": {
|
||||
"continue": "Продължи",
|
||||
|
@ -1828,7 +1789,9 @@
|
|||
"font_size": "Размер на шрифта",
|
||||
"custom_font_description": "Настройте името на шрифт инсталиран в системата и %(brand)s ще се опита да го използва.",
|
||||
"timeline_image_size_default": "По подразбиране"
|
||||
}
|
||||
},
|
||||
"inline_url_previews_room_account": "Включване на URL прегледи за тази стая (засяга само Вас)",
|
||||
"inline_url_previews_room": "Включване по подразбиране на URL прегледи за участници в тази стая"
|
||||
},
|
||||
"devtools": {
|
||||
"event_type": "Вид на събитие",
|
||||
|
@ -1842,7 +1805,14 @@
|
|||
},
|
||||
"create_room": {
|
||||
"title_public_room": "Създай публична стая",
|
||||
"title_private_room": "Създай частна стая"
|
||||
"title_private_room": "Създай частна стая",
|
||||
"name_validation_required": "Въведете име на стаята",
|
||||
"encryption_forced": "Сървърът ви изисква в частните стаи да е включено шифроване.",
|
||||
"encryption_label": "Включи шифроване от-край-до-край",
|
||||
"unfederated_label_default_off": "Може да включите това, ако стаята ще се използва само за съвместна работа на вътрешни екипи на сървъра ви. Това не може да бъде променено по-късно.",
|
||||
"unfederated_label_default_on": "Може да изключите това, ако стаята ще се използва за съвместна работа с външни екипи, имащи собствен сървър. Това не може да бъде променено по-късно.",
|
||||
"topic_label": "Тема (незадължително)",
|
||||
"unfederated": "Блокирай всеки, който не е част от %(serverName)s от присъединяване в тази стая."
|
||||
},
|
||||
"timeline": {
|
||||
"m.call.invite": {
|
||||
|
@ -2081,7 +2051,11 @@
|
|||
"query": "Отваря чат с дадения потребител",
|
||||
"holdcall": "Задържа повикването в текущата стая",
|
||||
"unholdcall": "Възстановява повикването в текущата стая",
|
||||
"me": "Показва действие"
|
||||
"me": "Показва действие",
|
||||
"join": "Присъединява се към стая с дадения адрес",
|
||||
"failed_find_user": "Неуспешно намиране на потребител в стаята",
|
||||
"op": "Променя нивото на достъп на потребителя",
|
||||
"deop": "Отнема правата на потребител с даден идентификатор"
|
||||
},
|
||||
"presence": {
|
||||
"online_for": "Онлайн от %(duration)s",
|
||||
|
@ -2198,7 +2172,27 @@
|
|||
"account_clash": "Новият ви профил (%(newAccountId)s) е регистриран, но вече сте влезли с друг профил (%(loggedInUserId)s).",
|
||||
"account_clash_previous_account": "Продължи с предишния профил",
|
||||
"log_in_new_account": "<a>Влезте</a> в новия си профил.",
|
||||
"registration_successful": "Успешна регистрация"
|
||||
"registration_successful": "Успешна регистрация",
|
||||
"footer_powered_by_matrix": "базирано на Matrix",
|
||||
"failed_homeserver_discovery": "Неуспешно откриване на конфигурацията за сървъра",
|
||||
"sync_footer_subtitle": "Това може да отнеме известно време, ако сте в много стаи",
|
||||
"unsupported_auth_msisdn": "Този сървър не поддържа автентикация с телефонен номер.",
|
||||
"unsupported_auth_email": "Този сървър не поддържа влизане в профил посредством имейл адрес.",
|
||||
"registration_disabled": "Регистрацията е изключена на този сървър.",
|
||||
"failed_query_registration_methods": "Неуспешно взимане на поддържаните методи за регистрация.",
|
||||
"incorrect_password": "Неправилна парола",
|
||||
"failed_soft_logout_auth": "Неуспешна повторна автентикация",
|
||||
"soft_logout_heading": "Излязохте от профила",
|
||||
"forgot_password_email_required": "Имейл адресът, свързан с профила Ви, трябва да бъде въведен.",
|
||||
"sign_in_prompt": "Имате профил? <a>Влезте от тук</a>",
|
||||
"forgot_password_prompt": "Забравили сте си паролата?",
|
||||
"soft_logout_intro_password": "Въведете паролата си за да влезете и да възстановите достъп до профила.",
|
||||
"soft_logout_intro_sso": "Влез и възвърни достъп до профила.",
|
||||
"soft_logout_intro_unsupported_auth": "Не можете да влезете в профила си. Свържете се с администратора на сървъра за повече информация.",
|
||||
"create_account_prompt": "Вие сте нов тук? <a>Създайте профил</a>",
|
||||
"sign_in_or_register": "Влезте или Създайте профил",
|
||||
"sign_in_or_register_description": "Използвайте профила си или създайте нов за да продължите.",
|
||||
"register_action": "Създай профил"
|
||||
},
|
||||
"export_chat": {
|
||||
"messages": "Съобщения"
|
||||
|
@ -2242,5 +2236,12 @@
|
|||
"versions": "Версии",
|
||||
"clear_cache_reload": "Изчисти кеша и презареди"
|
||||
}
|
||||
},
|
||||
"feedback": {
|
||||
"sent": "Обратната връзка беше изпратена",
|
||||
"comment_label": "Коментар",
|
||||
"pro_type": "ПРОФЕСИОНАЛЕН СЪВЕТ: Ако ще съобщавате за проблем, изпратете и <debugLogsLink>логове за разработчици</debugLogsLink> за да ни помогнете да открием проблема.",
|
||||
"existing_issue_link": "Първо прегледайте <existingIssuesLink>съществуващите проблеми в Github</existingIssuesLink>. Няма подобни? <newIssueLink>Създайте нов</newIssueLink>.",
|
||||
"send_feedback_action": "Изпрати обратна връзка"
|
||||
}
|
||||
}
|
||||
|
|
|
@ -1,5 +1,4 @@
|
|||
{
|
||||
"Create Account": "Otvori račun",
|
||||
"Explore rooms": "Istražite sobe",
|
||||
"action": {
|
||||
"dismiss": "Odbaci",
|
||||
|
@ -7,5 +6,8 @@
|
|||
},
|
||||
"common": {
|
||||
"identity_server": "Identifikacioni Server"
|
||||
},
|
||||
"auth": {
|
||||
"register_action": "Otvori račun"
|
||||
}
|
||||
}
|
||||
|
|
|
@ -9,7 +9,6 @@
|
|||
"Notifications": "Notificacions",
|
||||
"unknown error code": "codi d'error desconegut",
|
||||
"Operation failed": "No s'ha pogut realitzar l'operació",
|
||||
"powered by Matrix": "amb tecnologia de Matrix",
|
||||
"Rooms": "Sales",
|
||||
"This email address is already in use": "Aquesta adreça de correu electrònic ja està en ús",
|
||||
"This phone number is already in use": "Aquest número de telèfon ja està en ús",
|
||||
|
@ -73,8 +72,6 @@
|
|||
"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",
|
||||
"Authentication check failed: incorrect password?": "Ha fallat l'autenticació: heu introduït correctament la contrasenya?",
|
||||
"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",
|
||||
"Incorrect verification code": "El codi de verificació és incorrecte",
|
||||
"Phone": "Telèfon",
|
||||
"No display name": "Sense nom visible",
|
||||
|
@ -187,7 +184,6 @@
|
|||
},
|
||||
"Confirm Removal": "Confirmeu l'eliminació",
|
||||
"Unknown error": "Error desconegut",
|
||||
"Incorrect password": "Contrasenya incorrecta",
|
||||
"Deactivate Account": "Desactivar el compte",
|
||||
"An error has occurred.": "S'ha produït un error.",
|
||||
"Unable to restore session": "No s'ha pogut restaurar la sessió",
|
||||
|
@ -272,8 +268,6 @@
|
|||
"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",
|
||||
"Unable to load! Check your network connectivity and try again.": "No s'ha pogut carregar! Comprova la connectivitat de xarxa i torna-ho a intentar.",
|
||||
"Missing roomId.": "Falta l'ID de sala.",
|
||||
"Define the power level of a user": "Defineix el nivell d'autoritat d'un usuari",
|
||||
"Deops user with given id": "Degrada l'usuari amb l'id donat",
|
||||
"The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "El fitxer %(fileName)s supera la mida màxima permesa per a pujades d'aquest servidor",
|
||||
"You do not have permission to invite people to this room.": "No teniu permís per convidar gent a aquesta sala.",
|
||||
"Use a few words, avoid common phrases": "Feu servir unes quantes paraules, eviteu frases comunes",
|
||||
|
@ -340,15 +334,11 @@
|
|||
"An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "S'ha produït un error en canviar els requisits del nivell d'autoritat de la sala. Assegura't que tens suficients permisos i torna-ho a provar.",
|
||||
"An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "S'ha produït un error en canviar el nivell d'autoritat de l'usuari. Assegura't que tens suficients permisos i torna-ho a provar.",
|
||||
"Power level": "Nivell d'autoritat",
|
||||
"Joins room with given address": "S'uneix a la sala amb l'adreça indicada",
|
||||
"Use an identity server": "Utilitza un servidor d'identitat",
|
||||
"Double check that your server supports the room version chosen and try again.": "Comprova que el teu servidor és compatible amb la versió de sala que has triat i torna-ho a intentar.",
|
||||
"Setting up keys": "Configurant claus",
|
||||
"Are you sure you want to cancel entering passphrase?": "Estàs segur que vols cancel·lar la introducció de la frase secreta?",
|
||||
"Cancel entering passphrase?": "Vols cancel·lar la introducció de la frase secreta?",
|
||||
"Create Account": "Crea un compte",
|
||||
"Use your account or create a new one to continue.": "Utilitza el teu compte o crea'n un de nou per continuar.",
|
||||
"Sign In or Create Account": "Inicia sessió o Crea un compte",
|
||||
"%(name)s is requesting verification": "%(name)s està demanant verificació",
|
||||
"Only continue if you trust the owner of the server.": "Continua, només, si confies amb el propietari del servidor.",
|
||||
"Identity server has no terms of service": "El servidor d'identitat no disposa de condicions de servei",
|
||||
|
@ -511,7 +501,9 @@
|
|||
"subheading": "La configuració d'aspecte només afecta aquesta sessió %(brand)s.",
|
||||
"custom_theme_error_downloading": "Error baixant informació de tema.",
|
||||
"timeline_image_size_default": "Predeterminat"
|
||||
}
|
||||
},
|
||||
"inline_url_previews_room_account": "Activa la vista prèvia d'URL d'aquesta sala (no afecta altres usuaris)",
|
||||
"inline_url_previews_room": "Activa per defecte la vista prèvia d'URL per als participants d'aquesta sala"
|
||||
},
|
||||
"devtools": {
|
||||
"event_type": "Tipus d'esdeveniment",
|
||||
|
@ -688,7 +680,10 @@
|
|||
"category_admin": "Administrador",
|
||||
"category_advanced": "Avançat",
|
||||
"category_other": "Altres",
|
||||
"me": "Mostra l'acció"
|
||||
"me": "Mostra l'acció",
|
||||
"join": "S'uneix a la sala amb l'adreça indicada",
|
||||
"op": "Defineix el nivell d'autoritat d'un usuari",
|
||||
"deop": "Degrada l'usuari amb l'id donat"
|
||||
},
|
||||
"presence": {
|
||||
"online_for": "En línia durant %(duration)s",
|
||||
|
@ -722,7 +717,12 @@
|
|||
},
|
||||
"auth": {
|
||||
"sign_in_with_sso": "Inicia sessió mitjançant la inscripció única (SSO)",
|
||||
"sso": "Inscripció única (SSO)"
|
||||
"sso": "Inscripció única (SSO)",
|
||||
"footer_powered_by_matrix": "amb tecnologia de Matrix",
|
||||
"incorrect_password": "Contrasenya incorrecta",
|
||||
"sign_in_or_register": "Inicia sessió o Crea un compte",
|
||||
"sign_in_or_register_description": "Utilitza el teu compte o crea'n un de nou per continuar.",
|
||||
"register_action": "Crea un compte"
|
||||
},
|
||||
"export_chat": {
|
||||
"messages": "Missatges"
|
||||
|
|
|
@ -31,7 +31,6 @@
|
|||
"Operation failed": "Operace se nezdařila",
|
||||
"unknown error code": "neznámý kód chyby",
|
||||
"Failed to forget room %(errCode)s": "Nepodařilo se zapomenout místnost %(errCode)s",
|
||||
"powered by Matrix": "používá protokol Matrix",
|
||||
"Account": "Účet",
|
||||
"No Microphones detected": "Nerozpoznány žádné mikrofony",
|
||||
"No Webcams detected": "Nerozpoznány žádné webkamery",
|
||||
|
@ -94,7 +93,6 @@
|
|||
"Passwords can't be empty": "Hesla nemohou být prázdná",
|
||||
"Permissions": "Oprávnění",
|
||||
"Phone": "Telefon",
|
||||
"Define the power level of a user": "Stanovte úroveň oprávnění uživatele",
|
||||
"Failed to change power level": "Nepodařilo se změnit úroveň oprávnění",
|
||||
"Power level must be positive integer.": "Úroveň oprávnění musí být kladné celé číslo.",
|
||||
"%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (oprávnění %(powerLevelNumber)s)",
|
||||
|
@ -204,8 +202,6 @@
|
|||
"Missing user_id in request": "V zadání chybí user_id",
|
||||
"Not a valid %(brand)s keyfile": "Neplatný soubor s klíčem %(brand)s",
|
||||
"Mirror local video feed": "Zrcadlit lokání video",
|
||||
"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í",
|
||||
"%(duration)ss": "%(duration)ss",
|
||||
"%(duration)sm": "%(duration)sm",
|
||||
"%(duration)sh": "%(duration)sh",
|
||||
|
@ -229,7 +225,6 @@
|
|||
},
|
||||
"Confirm Removal": "Potvrdit odstranění",
|
||||
"Unknown error": "Neznámá chyba",
|
||||
"Incorrect password": "Nesprávné heslo",
|
||||
"Unable to restore session": "Nelze obnovit relaci",
|
||||
"If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Pokud jste se v minulosti již přihlásili s novější verzi programu %(brand)s, vaše relace nemusí být kompatibilní s touto verzí. Zavřete prosím toto okno a přihlaste se znovu pomocí nové verze.",
|
||||
"Please check your email and click on the link it contains. Once this is done, click continue.": "Zkontrolujte svou e-mailovou schránku a klepněte na odkaz ve zprávě, kterou jsme vám poslali. V případě, že jste to už udělali, klepněte na tlačítko Pokračovat.",
|
||||
|
@ -245,10 +240,7 @@
|
|||
"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",
|
||||
"Profile": "Profil",
|
||||
"The email address linked to your account must be entered.": "Musíte zadat e-mailovou adresu spojenou s vaším účtem.",
|
||||
"Please note you are logging into the %(hs)s server, not matrix.org.": "Právě se přihlašujete na server %(hs)s, a nikoliv na server matrix.org.",
|
||||
"This server does not support authentication with a phone number.": "Tento server nepodporuje ověření telefonním číslem.",
|
||||
"Deops user with given id": "Zruší stav moderátor uživateli se zadaným ID",
|
||||
"Notify the whole room": "Oznámení pro celou místnost",
|
||||
"Room Notification": "Oznámení místnosti",
|
||||
"This process allows you to import encryption keys that you had previously exported from another Matrix client. You will then be able to decrypt any messages that the other client could decrypt.": "Tento proces vás provede importem šifrovacích klíčů, které jste si stáhli z jiného Matrix klienta. Po úspěšném naimportování budete v tomto klientovi moci dešifrovat všechny zprávy, které jste mohli dešifrovat v původním klientovi.",
|
||||
|
@ -353,7 +345,6 @@
|
|||
"Once enabled, encryption cannot be disabled.": "Po zapnutí šifrování ho není možné vypnout.",
|
||||
"General": "Obecné",
|
||||
"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.",
|
||||
"Room Name": "Název místnosti",
|
||||
"Room Topic": "Téma místnosti",
|
||||
"Room avatar": "Avatar místnosti",
|
||||
|
@ -532,8 +523,6 @@
|
|||
"Please review and accept all of the homeserver's policies": "Pročtěte si a odsouhlaste prosím všechna pravidla domovského serveru",
|
||||
"Please review and accept the policies of this homeserver:": "Pročtěte si a odsouhlaste prosím pravidla domovského serveru:",
|
||||
"Invalid homeserver discovery response": "Neplatná odpověd při hledání domovského serveru",
|
||||
"Failed to perform homeserver discovery": "Nepovedlo se zjisit adresu domovského serveru",
|
||||
"Registration has been disabled on this homeserver.": "Tento domovský server nepovoluje registraci.",
|
||||
"Invalid identity server discovery response": "Neplatná odpověď při hledání serveru identity",
|
||||
"Email (optional)": "E-mail (nepovinné)",
|
||||
"Phone (optional)": "Telefonní číslo (nepovinné)",
|
||||
|
@ -541,7 +530,6 @@
|
|||
"Couldn't load page": "Nepovedlo se načíst stránku",
|
||||
"Your password has been reset.": "Heslo bylo resetováno.",
|
||||
"Create account": "Vytvořit účet",
|
||||
"Unable to query for supported registration methods.": "Nepovedlo se načíst podporované způsoby přihlášení.",
|
||||
"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.",
|
||||
"Scissors": "Nůžky",
|
||||
"Accept all %(invitedRooms)s invites": "Přijmout pozvání do všech těchto místností: %(invitedRooms)s",
|
||||
|
@ -678,8 +666,6 @@
|
|||
"Please tell us what went wrong or, better, create a GitHub issue that describes the problem.": "Dejte nám vědět, prosím, co se pokazilo nebo vytvořte issue na GitHubu, kde problém popište.",
|
||||
"Removing…": "Odstaňování…",
|
||||
"Clear all data": "Smazat všechna data",
|
||||
"Please enter a name for the room": "Zadejte prosím název místnosti",
|
||||
"Topic (optional)": "Téma (volitelné)",
|
||||
"Hide advanced": "Skrýt pokročilé možnosti",
|
||||
"Show advanced": "Zobrazit pokročilé možnosti",
|
||||
"Your homeserver doesn't seem to support this feature.": "Váš domovský server asi tuto funkci nepodporuje.",
|
||||
|
@ -768,12 +754,6 @@
|
|||
"Jump to first invite.": "Přejít na první pozvánku.",
|
||||
"This account has been deactivated.": "Tento účet byl deaktivován.",
|
||||
"Failed to re-authenticate due to a homeserver problem": "Kvůli problémům s domovským server se nepovedlo autentifikovat znovu",
|
||||
"Failed to re-authenticate": "Nepovedlo se autentifikovat",
|
||||
"Enter your password to sign in and regain access to your account.": "Zadejte heslo pro přihlášení a obnovte si přístup k účtu.",
|
||||
"Forgotten your password?": "Zapomněli jste heslo?",
|
||||
"Sign in and regain access to your account.": "Přihlaste se a získejte přístup ke svému účtu.",
|
||||
"You cannot sign in to your account. Please contact your homeserver admin for more information.": "Nemůžete se přihlásit do svého účtu. Kontaktujte správce domovského serveru pro více informací.",
|
||||
"You're signed out": "Jste odhlášeni",
|
||||
"Clear personal data": "Smazat osobní data",
|
||||
"Command Autocomplete": "Automatické doplňování příkazů",
|
||||
"Emoji Autocomplete": "Automatické doplňování emoji",
|
||||
|
@ -960,9 +940,6 @@
|
|||
"Indexed messages:": "Indexované zprávy:",
|
||||
"Indexed rooms:": "Indexované místnosti:",
|
||||
"Message downloading sleep time(ms)": "Čas na stažení zprávy (ms)",
|
||||
"Sign In or Create Account": "Přihlásit nebo vytvořit nový účet",
|
||||
"Use your account or create a new one to continue.": "Pro pokračování se přihlaste stávajícím účtem, nebo si vytvořte nový.",
|
||||
"Create Account": "Vytvořit účet",
|
||||
"Cancelling…": "Rušení…",
|
||||
"Your homeserver does not support cross-signing.": "Váš domovský server nepodporuje křížové podepisování.",
|
||||
"Homeserver feature support:": "Funkce podporovaná domovským serverem:",
|
||||
|
@ -999,7 +976,6 @@
|
|||
"You've successfully verified %(deviceName)s (%(deviceId)s)!": "Ověřili jste %(deviceName)s (%(deviceId)s)!",
|
||||
"New login. Was this you?": "Nové přihlášní. Jste to vy?",
|
||||
"%(name)s is requesting verification": "%(name)s žádá o ověření",
|
||||
"Could not find user in room": "Nepovedlo se najít uživatele v místnosti",
|
||||
"You signed in to a new session without verifying it:": "Přihlásili jste se do nové relace, aniž byste ji ověřili:",
|
||||
"Verify your other session using one of the options below.": "Ověřte další relaci jedním z následujících způsobů.",
|
||||
"You've successfully verified your device!": "Úspěšně jste ověřili vaše zařízení!",
|
||||
|
@ -1017,14 +993,12 @@
|
|||
"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.",
|
||||
"Server name": "Jméno serveru",
|
||||
"Enable end-to-end encryption": "Povolit koncové šifrování",
|
||||
"Server did not require any authentication": "Server nevyžadoval žádné ověření",
|
||||
"Server did not return valid authentication information.": "Server neposkytl platné informace o ověření.",
|
||||
"Confirm your account deactivation by using Single Sign On to prove your identity.": "Potvrďte deaktivaci účtu použtím Jednotného přihlášení.",
|
||||
"Are you sure you want to deactivate your account? This is irreversible.": "Opravdu chcete deaktivovat účet? Je to nevratné.",
|
||||
"Confirm account deactivation": "Potvrďte deaktivaci účtu",
|
||||
"There was a problem communicating with the server. Please try again.": "Došlo k potížím při komunikaci se serverem. Zkuste to prosím znovu.",
|
||||
"Joins room with given address": "Vstoupit do místnosti s danou adresou",
|
||||
"IRC display name width": "šířka zobrazovného IRC jména",
|
||||
"unexpected type": "neočekávaný typ",
|
||||
"Size must be a number": "Velikost musí být číslo",
|
||||
|
@ -1081,12 +1055,8 @@
|
|||
"Cancelled signature upload": "Nahrávání podpisu zrušeno",
|
||||
"Unable to upload": "Nelze nahrát",
|
||||
"Server isn't responding": "Server neodpovídá",
|
||||
"Send feedback": "Odeslat zpětnou vazbu",
|
||||
"Feedback": "Zpětná vazba",
|
||||
"Feedback sent": "Zpětná vazba byla odeslána",
|
||||
"All settings": "Všechna nastavení",
|
||||
"Start a conversation with someone using their name, email address or username (like <userId/>).": "Napište jméno nebo emailovou adresu uživatele se kterým chcete začít konverzaci (např. <userId/>).",
|
||||
"Change the topic of this room": "Změnit téma této místnosti",
|
||||
"Czech Republic": "Česká republika",
|
||||
"Algeria": "Alžírsko",
|
||||
"Albania": "Albánie",
|
||||
|
@ -1097,8 +1067,6 @@
|
|||
"The call was answered on another device.": "Hovor byl přijat na jiném zařízení.",
|
||||
"Answered Elsewhere": "Zodpovězeno jinde",
|
||||
"The call could not be established": "Hovor se nepovedlo navázat",
|
||||
"PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "TIP pro profíky: Pokud nahlásíte chybu, odešlete prosím <debugLogsLink>ladicí protokoly</debugLogsLink>, které nám pomohou problém vypátrat.",
|
||||
"Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.": "Nejříve si prosím prohlédněte <existingIssuesLink>existující chyby na Githubu</existingIssuesLink>. Žádná shoda? <newIssueLink>Nahlašte novou chybu</newIssueLink>.",
|
||||
"Add widgets, bridges & bots": "Přidat widgety, propojení a boty",
|
||||
"Widgets": "Widgety",
|
||||
"Show Widgets": "Zobrazit widgety",
|
||||
|
@ -1113,8 +1081,6 @@
|
|||
"Backup key stored:": "Klíč zálohy uložen:",
|
||||
"Backup version:": "Verze zálohy:",
|
||||
"Algorithm:": "Algoritmus:",
|
||||
"You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "Tuto možnost můžete povolit, pokud bude místnost použita pouze pro spolupráci s interními týmy na vašem domovském serveru. Toto nelze později změnit.",
|
||||
"Block anyone not part of %(serverName)s from ever joining this room.": "Blokovat komukoli, kdo není součástí serveru %(serverName)s, aby vstoupil do této místnosti.",
|
||||
"Cross-signing is not set up.": "Křížové podepisování není nastaveno.",
|
||||
"Cross-signing is ready for use.": "Křížové podepisování je připraveno k použití.",
|
||||
"You've reached the maximum number of simultaneous calls.": "Dosáhli jste maximálního počtu souběžných hovorů.",
|
||||
|
@ -1123,7 +1089,6 @@
|
|||
"Switch to dark mode": "Přepnout do tmavého režimu",
|
||||
"Switch to light mode": "Přepnout do světlého režimu",
|
||||
"Use a different passphrase?": "Použít jinou přístupovou frázi?",
|
||||
"If you've joined lots of rooms, this might take a while": "Pokud jste se připojili k mnoha místnostem, může to chvíli trvat",
|
||||
"There was a problem communicating with the homeserver, please try again later.": "Při komunikaci s domovským serverem došlo k potížím, zkuste to prosím později.",
|
||||
"%(creator)s created this DM.": "%(creator)s vytvořil(a) tuto přímou zprávu.",
|
||||
"Looks good!": "To vypadá dobře!",
|
||||
|
@ -1150,8 +1115,6 @@
|
|||
"You created this room.": "Vytvořili jste tuto místnost.",
|
||||
"<a>Add a topic</a> to help people know what it is about.": "<a>Přidejte téma</a>, aby lidé věděli, o co jde.",
|
||||
"Invite by email": "Pozvat emailem",
|
||||
"Comment": "Komentář",
|
||||
"Your server requires encryption to be enabled in private rooms.": "Váš server vyžaduje povolení šifrování v soukromých místnostech.",
|
||||
"Reason (optional)": "Důvod (volitelné)",
|
||||
"Currently indexing: %(currentRoom)s": "Aktuálně se indexuje: %(currentRoom)s",
|
||||
"Use email to optionally be discoverable by existing contacts.": "Pomocí e-mailu můžete být volitelně viditelní pro existující kontakty.",
|
||||
|
@ -1329,23 +1292,13 @@
|
|||
"Confirm encryption setup": "Potvrďte nastavení šifrování",
|
||||
"Unable to set up keys": "Nepovedlo se nastavit klíče",
|
||||
"Save your Security Key": "Uložte svůj bezpečnostní klíč",
|
||||
"About homeservers": "O domovských serverech",
|
||||
"Use your preferred Matrix homeserver if you have one, or host your own.": "Použijte svůj preferovaný domovský server Matrix, pokud ho máte, nebo hostujte svůj vlastní.",
|
||||
"Other homeserver": "Jiný domovský server",
|
||||
"Sign into your homeserver": "Přihlaste se do svého domovského serveru",
|
||||
"not found in storage": "nebylo nalezeno v úložišti",
|
||||
"ready": "připraveno",
|
||||
"Specify a homeserver": "Zadejte domovský server",
|
||||
"Invalid URL": "Neplatné URL",
|
||||
"Unable to validate homeserver": "Nelze ověřit domovský server",
|
||||
"New? <a>Create account</a>": "Poprvé? <a>Vytvořte si účet</a>",
|
||||
"Don't miss a reply": "Nezmeškejte odpovědět",
|
||||
"Unknown App": "Neznámá aplikace",
|
||||
"Move right": "Posunout doprava",
|
||||
"Move left": "Posunout doleva",
|
||||
"Not encrypted": "Není šifrováno",
|
||||
"New here? <a>Create an account</a>": "Jste zde poprvé? <a>Vytvořte si účet</a>",
|
||||
"Got an account? <a>Sign in</a>": "Máte již účet? <a>Přihlásit se</a>",
|
||||
"Approve widget permissions": "Schválit oprávnění widgetu",
|
||||
"Ignored attempt to disable encryption": "Ignorovaný pokus o deaktivaci šifrování",
|
||||
"Zimbabwe": "Zimbabwe",
|
||||
|
@ -1468,15 +1421,6 @@
|
|||
"Video conference ended by %(senderName)s": "Videokonference byla ukončena uživatelem %(senderName)s",
|
||||
"New version of %(brand)s is available": "K dispozici je nová verze %(brand)s",
|
||||
"Error leaving room": "Při opouštění místnosti došlo k chybě",
|
||||
"See messages posted to your active room": "Zobrazit zprávy odeslané do vaší aktivní místnosti",
|
||||
"See messages posted to this room": "Zobrazit zprávy odeslané do této místnosti",
|
||||
"See when the avatar changes in your active room": "Podívejte se, kdy se změní avatar ve vaší aktivní místnosti",
|
||||
"Change the avatar of your active room": "Změňte avatar vaší aktivní místnosti",
|
||||
"See when the avatar changes in this room": "Podívejte se, kdy se změní avatar v této místnosti",
|
||||
"Change the avatar of this room": "Změňte avatar této místnosti",
|
||||
"See when the name changes in your active room": "Podívejte se, kdy se ve vaší aktivní místnosti změní název",
|
||||
"Change the name of your active room": "Změňte název své aktivní místnosti",
|
||||
"Change the name of this room": "Změňte název této místnosti",
|
||||
"A browser extension is preventing the request.": "Rozšíření prohlížeče brání požadavku.",
|
||||
"Your firewall or anti-virus is blocking the request.": "Váš firewall nebo antivirový program blokuje požadavek.",
|
||||
"The server (%(serverName)s) took too long to respond.": "Serveru (%(serverName)s) trvalo příliš dlouho, než odpověděl.",
|
||||
|
@ -1490,7 +1434,6 @@
|
|||
"a device cross-signing signature": "zařízení používající křížový podpis",
|
||||
"This widget would like to:": "Tento widget by chtěl:",
|
||||
"Modal Widget": "Modální widget",
|
||||
"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.": "Toto můžete deaktivovat, pokud bude místnost použita pro spolupráci s externími týmy, které mají svůj vlastní domovský server. Toto nelze později změnit.",
|
||||
"Join the conference from the room information card on the right": "Připojte se ke konferenci z informační karty místnosti napravo",
|
||||
"Join the conference at the top of this room": "Připojte se ke konferenci v horní části této místnosti",
|
||||
"Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": {
|
||||
|
@ -1498,54 +1441,8 @@
|
|||
"other": "Bezpečně uloží zašifrované zprávy v místním úložišti, aby se mohly objevit ve výsledcích vyhledávání, využívá se %(size)s k ukládání zpráv z %(rooms)s místností."
|
||||
},
|
||||
"well formed": "ve správném tvaru",
|
||||
"See <b>%(eventType)s</b> events posted to this room": "Zobrazit události <b>%(eventType)s</b> zveřejněné v této místnosti",
|
||||
"Send stickers to your active room as you": "Poslat nálepky do vaší aktivní místnosti jako vy",
|
||||
"Send stickers to this room as you": "Poslat nálepky jako vy do této místnosti",
|
||||
"Change the topic of your active room": "Změnit téma vaší aktivní místnosti",
|
||||
"Change which room you're viewing": "Změnit kterou místnost si prohlížíte",
|
||||
"Send stickers into your active room": "Poslat nálepky do vaší aktivní místnosti",
|
||||
"Send stickers into this room": "Poslat nálepky do této místnosti",
|
||||
"Send messages as you in this room": "Poslat zprávy jako vy v této místnosti",
|
||||
"Send messages as you in your active room": "Poslat zprávy jako vy ve vaší aktivní místnosti",
|
||||
"Send text messages as you in this room": "Poslat textové zprávy jako vy v této místnosti",
|
||||
"Send text messages as you in your active room": "Poslat textové zprávy jako vy ve vaší aktivní místnosti",
|
||||
"See text messages posted to this room": "Podívat se na textové zprávy odeslané do této místnosti",
|
||||
"See text messages posted to your active room": "Podívat se na textové zprávy odeslané do vaší aktivní místnosti",
|
||||
"Send images as you in this room": "Poslat obrázky jako vy v této místnosti",
|
||||
"Send images as you in your active room": "Poslat obrázky jako vy ve vaší aktivní místnosti",
|
||||
"See images posted to this room": "Podívat se na obrázky zveřejněné v této místnosti",
|
||||
"See images posted to your active room": "Podívat se na obrázky zveřejněné ve vaší aktivní místnosti",
|
||||
"Send videos as you in this room": "Poslat videa jako vy v této místnosti",
|
||||
"Send videos as you in your active room": "Podívat se na videa jako vy ve vaší aktivní místnosti",
|
||||
"See videos posted to this room": "Podívat se na videa zveřejněná v této místnosti",
|
||||
"See videos posted to your active room": "Podívat se na videa zveřejněná ve vaší aktivní místnosti",
|
||||
"Send general files as you in this room": "Poslat obecné soubory jako vy v této místnosti",
|
||||
"Send general files as you in your active room": "Poslat obecné soubory jako vy ve vaší aktivní místnosti",
|
||||
"See general files posted to this room": "Prohlédnout obecné soubory zveřejněné v této místnosti",
|
||||
"See general files posted to your active room": "Prohlédnout obecné soubory zveřejněné ve vaší aktivní místnosti",
|
||||
"Send <b>%(msgtype)s</b> messages as you in this room": "Poslat zprávy <b>%(msgtype)s</b> jako vy v této místnosti",
|
||||
"Send <b>%(msgtype)s</b> messages as you in your active room": "Poslat zprávy <b>%(msgtype)s</b> jako vy ve vašá aktivní místnosti",
|
||||
"See <b>%(msgtype)s</b> messages posted to this room": "Prohlédnout zprávy <b>%(msgtype)s</b> zveřejněné v této místnosti",
|
||||
"See <b>%(msgtype)s</b> messages posted to your active room": "Prohlédnout zprávy <b>%(msgtype)s</b> zveřejněné ve vaší aktivní místnosti",
|
||||
"The <b>%(capability)s</b> capability": "Schopnost <b>%(capability)s</b>",
|
||||
"See <b>%(eventType)s</b> events posted to your active room": "Zobrazit události <b>%(eventType)s</b> odeslané do vaší aktivní místnosti",
|
||||
"Send <b>%(eventType)s</b> events as you in your active room": "Poslat události <b>%(eventType)s</b> jako vy ve vaší aktivní místnosti",
|
||||
"Send <b>%(eventType)s</b> events as you in this room": "Poslat události <b>%(eventType)s</b> jako vy v této místnosti",
|
||||
"with an empty state key": "s prázdným stavovým klíčem",
|
||||
"with state key %(stateKey)s": "se stavovým klíčem %(stateKey)s",
|
||||
"User signing private key:": "Podpisový klíč uživatele:",
|
||||
"Self signing private key:": "Vlastní podpisový klíč:",
|
||||
"Remain on your screen while running": "Při běhu zůstává na obrazovce",
|
||||
"Remain on your screen when viewing another room, when running": "Při prohlížení jiné místnosti zůstává při běhu na obrazovce",
|
||||
"See emotes posted to your active room": "Prohlédněte si emoji zveřejněné ve vaší aktivní místnosti",
|
||||
"See emotes posted to this room": "Prohlédněte si emoji zveřejněné v této místnosti",
|
||||
"Send emotes as you in your active room": "Poslat emoji jako vy ve své aktivní místnosti",
|
||||
"Send emotes as you in this room": "Poslat emoji jako vy v této místnosti",
|
||||
"See when anyone posts a sticker to your active room": "Podívejte se, kdy někdo zveřejní nálepku ve vaší aktivní místnosti",
|
||||
"See when a sticker is posted in this room": "Podívejte se, kdy je zveřejněna nálepka v této místnosti",
|
||||
"See when the name changes in this room": "Podívejte se, kdy se změní název v této místnosti",
|
||||
"See when the topic changes in your active room": "Podívejte se, kdy se změní téma ve vaší aktivní místnosti",
|
||||
"See when the topic changes in this room": "Podívejte se, kdy se změní téma v této místnosti",
|
||||
"You have no visible notifications.": "Nejsou dostupná žádná oznámení.",
|
||||
"Transfer": "Přepojit",
|
||||
"Failed to transfer call": "Hovor se nepodařilo přepojit",
|
||||
|
@ -1555,7 +1452,6 @@
|
|||
"There was an error looking up the phone number": "Při vyhledávání telefonního čísla došlo k chybě",
|
||||
"Unable to look up phone number": "Nelze nalézt telefonní číslo",
|
||||
"Channel: <channelLink/>": "Kanál: <channelLink/>",
|
||||
"Change which room, message, or user you're viewing": "Změňte, kterou místnost, zprávu nebo uživatele si prohlížíte",
|
||||
"Workspace: <networkLink/>": "Pracovní oblast: <networkLink/>",
|
||||
"If you've forgotten your Security Key you can <button>set up new recovery options</button>": "Pokud jste zapomněli bezpečnostní klíč, můžete <button>nastavit nové možnosti obnovení</button>",
|
||||
"If you've forgotten your Security Phrase you can <button1>use your Security Key</button1> or <button2>set up new recovery options</button2>": "Pokud jste zapomněli bezpečnostní frázi, můžete <button1>použít bezpečnostní klíč</button1> nebo <button2>nastavit nové možnosti obnovení</button2>",
|
||||
|
@ -1727,12 +1623,9 @@
|
|||
"Search names and descriptions": "Hledat názvy a popisy",
|
||||
"You may contact me if you have any follow up questions": "V případě dalších dotazů se na mě můžete obrátit",
|
||||
"To leave the beta, visit your settings.": "Chcete-li opustit beta verzi, jděte do nastavení.",
|
||||
"Your platform and username will be noted to help us use your feedback as much as we can.": "Vaše platforma a uživatelské jméno budou zaznamenány, abychom mohli co nejlépe využít vaši zpětnou vazbu.",
|
||||
"Add reaction": "Přidat reakci",
|
||||
"Space Autocomplete": "Automatické dokončení prostoru",
|
||||
"Go to my space": "Přejít do mého prostoru",
|
||||
"See when people join, leave, or are invited to your active room": "Zjistěte, kdy se lidé připojí, odejdou nebo jsou pozváni do vaší aktivní místnosti",
|
||||
"See when people join, leave, or are invited to this room": "Zjistěte, kdy se lidé připojí, odejdou nebo jsou pozváni do této místnosti",
|
||||
"Currently joining %(count)s rooms": {
|
||||
"one": "Momentálně se připojuje %(count)s místnost",
|
||||
"other": "Momentálně se připojuje %(count)s místností"
|
||||
|
@ -1822,14 +1715,7 @@
|
|||
"Unable to copy a link to the room to the clipboard.": "Nelze zkopírovat odkaz na místnost do schránky.",
|
||||
"Unable to copy room link": "Nelze zkopírovat odkaz na místnost",
|
||||
"Anyone can find and join.": "Kdokoliv může místnost najít a připojit se do ní.",
|
||||
"Room visibility": "Viditelnost místnosti",
|
||||
"Visible to space members": "Viditelné pro členy prostoru",
|
||||
"Public room": "Veřejná místnost",
|
||||
"Private room (invite only)": "Soukromá místnost (pouze pro pozvané)",
|
||||
"Only people invited will be able to find and join this room.": "Tuto místnost budou moci najít a připojit se k ní pouze pozvaní lidé.",
|
||||
"Anyone will be able to find and join this room, not just members of <SpaceName/>.": "Tuto místnost bude moci najít a připojit se k ní kdokoli, nejen členové <SpaceName/>.",
|
||||
"You can change this at any time from room settings.": "Tuto hodnotu můžete kdykoli změnit v nastavení místnosti.",
|
||||
"Everyone in <SpaceName/> will be able to find and join this room.": "Všichni v <SpaceName/> budou moci tuto místnost najít a připojit se k ní.",
|
||||
"The call is in an unknown state!": "Hovor je v neznámém stavu!",
|
||||
"Call back": "Zavolat zpět",
|
||||
"Show %(count)s other previews": {
|
||||
|
@ -1856,7 +1742,6 @@
|
|||
"Share content": "Sdílet obsah",
|
||||
"Application window": "Okno aplikace",
|
||||
"Share entire screen": "Sdílet celou obrazovku",
|
||||
"Anyone will be able to find and join this room.": "Kdokoliv může najít tuto místnost a připojit se k ní.",
|
||||
"Add existing space": "Přidat stávající prostor",
|
||||
"Add space": "Přidat prostor",
|
||||
"Leave %(spaceName)s": "Opustit %(spaceName)s",
|
||||
|
@ -1898,8 +1783,6 @@
|
|||
"To avoid these issues, create a <a>new encrypted room</a> for the conversation you plan to have.": "Chcete-li se těmto problémům vyhnout, vytvořte pro plánovanou konverzaci <a>novou šifrovanou místnost</a>.",
|
||||
"Are you sure you want to add encryption to this public room?": "Opravdu chcete šifrovat tuto veřejnou místnost?",
|
||||
"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 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",
|
||||
"Some encryption parameters have been changed.": "Byly změněny některé parametry šifrování.",
|
||||
"Role in <RoomName/>": "Role v <RoomName/>",
|
||||
"Unknown failure": "Neznámá chyba",
|
||||
|
@ -1957,7 +1840,6 @@
|
|||
"View in room": "Zobrazit v místnosti",
|
||||
"Enter your Security Phrase or <button>use your Security Key</button> to continue.": "Zadejte bezpečnostní frázi nebo <button>použijte bezpečnostní klíč</button> pro pokračování.",
|
||||
"What projects are your team working on?": "Na jakých projektech váš tým pracuje?",
|
||||
"The email address doesn't appear to be valid.": "E-mailová adresa se nezdá být platná.",
|
||||
"See room timeline (devtools)": "Časová osa místnosti (devtools)",
|
||||
"Developer mode": "Vývojářský režim",
|
||||
"Insert link": "Vložit odkaz",
|
||||
|
@ -1969,10 +1851,7 @@
|
|||
"Without verifying, you won't have access to all your messages and may appear as untrusted to others.": "Bez ověření nebudete mít přístup ke všem svým zprávám a můžete se ostatním jevit jako nedůvěryhodní.",
|
||||
"Shows all threads you've participated in": "Zobrazit všechna vlákna, kterých jste se zúčastnili",
|
||||
"Joining": "Připojování",
|
||||
"We call the places where you can host your account 'homeservers'.": "Místa, kde můžete hostovat svůj účet, nazýváme \"domovské servery\".",
|
||||
"Matrix.org is the biggest public homeserver in the world, so it's a good place for many.": "Matrix.org je největší veřejný domovský server na světě, takže je pro mnohé vhodným místem.",
|
||||
"If you can't see who you're looking for, send them your invite link below.": "Pokud nevidíte, koho hledáte, pošlete mu odkaz na pozvánku níže.",
|
||||
"You can't disable this later. Bridges & most bots won't work yet.": "Později to nelze zakázat. Propojení a většina botů zatím nebude fungovat.",
|
||||
"In encrypted rooms, verify all users to ensure it's secure.": "V šifrovaných místnostech ověřte všechny uživatele, abyste zajistili bezpečnost komunikace.",
|
||||
"Yours, or the other users' session": "Vaše relace nebo relace ostatních uživatelů",
|
||||
"Yours, or the other users' internet connection": "Vaše internetové připojení nebo připojení ostatních uživatelů",
|
||||
|
@ -2006,7 +1885,6 @@
|
|||
"You do not have permission to start polls in this room.": "Nemáte oprávnění zahajovat hlasování v této místnosti.",
|
||||
"Copy link to thread": "Kopírovat odkaz na vlákno",
|
||||
"Thread options": "Možnosti vláken",
|
||||
"Someone already has that username, please try another.": "Toto uživatelské jméno už někdo má, zkuste prosím jiné.",
|
||||
"Someone already has that username. Try another or if it is you, sign in below.": "Tohle uživatelské jméno už někdo má. Zkuste jiné, nebo pokud jste to vy, přihlaste se níže.",
|
||||
"Show tray icon and minimise window to it on close": "Zobrazit ikonu v oznamovací oblasti a minimalizivat při zavření okna",
|
||||
"Reply in thread": "Odpovědět ve vlákně",
|
||||
|
@ -2054,7 +1932,6 @@
|
|||
"Quick settings": "Rychlá nastavení",
|
||||
"Spaces you know that contain this space": "Prostory, které znáte obsahující tento prostor",
|
||||
"Chat": "Chat",
|
||||
"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",
|
||||
"%(spaceName)s menu": "Nabídka pro %(spaceName)s",
|
||||
"Join public room": "Připojit se k veřejné místnosti",
|
||||
|
@ -2120,10 +1997,7 @@
|
|||
"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í:",
|
||||
"Expand map": "Rozbalit mapu",
|
||||
"Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Neznámý pár (uživatel, relace): (%(userId)s, %(deviceId)s)",
|
||||
"Command failed: Unable to find room (%(roomId)s": "Příkaz se nezdařil: Nelze najít místnost (%(roomId)s",
|
||||
"Unrecognised room address: %(roomAlias)s": "Nerozpoznaná adresa místnosti: %(roomAlias)s",
|
||||
"Command error: Unable to find rendering type (%(renderingType)s)": "Chyba příkazu: Nelze najít typ vykreslování (%(renderingType)s)",
|
||||
"Command error: Unable to handle slash command.": "Chyba příkazu: Nelze zpracovat příkaz za lomítkem.",
|
||||
"From a thread": "Z vlákna",
|
||||
"Unknown error fetching location. Please try again later.": "Neznámá chyba při zjištění polohy. Zkuste to prosím později.",
|
||||
"Timed out trying to fetch your location. Please try again later.": "Pokus o zjištění vaší polohy vypršel. Zkuste to prosím později.",
|
||||
|
@ -2136,16 +2010,10 @@
|
|||
"Remove them from everything I'm able to": "Odebrat je ze všeho, kde mohu",
|
||||
"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",
|
||||
"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",
|
||||
"Keyboard": "Klávesnice",
|
||||
"Message pending moderation": "Zpráva čeká na moderaci",
|
||||
"Message pending moderation: %(reason)s": "Zpráva čeká na moderaci: %(reason)s",
|
||||
"Space home": "Domov prostoru",
|
||||
"You can't see earlier messages": "Dřívější zprávy nelze zobrazit",
|
||||
"Encrypted messages before this point are unavailable.": "Šifrované zprávy před tímto bodem nejsou k dispozici.",
|
||||
"You don't have permission to view messages from before you joined.": "Nemáte oprávnění zobrazovat zprávy z doby, než jste se připojili.",
|
||||
"You don't have permission to view messages from before you were invited.": "Nemáte oprávnění zobrazovat zprávy z doby před pozváním.",
|
||||
"Internal room ID": "Interní ID místnosti",
|
||||
"Group all your rooms that aren't part of a space in one place.": "Seskupte všechny místnosti, které nejsou součástí prostoru, na jednom místě.",
|
||||
"Group all your people in one place.": "Seskupte všechny své kontakty na jednom místě.",
|
||||
|
@ -2361,7 +2229,6 @@
|
|||
"Show spaces": "Zobrazit prostory",
|
||||
"Show rooms": "Zobrazit místnosti",
|
||||
"Explore public spaces in the new search dialog": "Prozkoumejte veřejné prostory v novém dialogu vyhledávání",
|
||||
"You can't disable this later. The room will be encrypted but the embedded call will not.": "Později to nelze zakázat. Místnost bude šifrována, ale vložený hovor nikoli.",
|
||||
"Join the room to participate": "Připojte se k místnosti a zúčastněte se",
|
||||
"Reset bearing to north": "Obnovení směru na sever",
|
||||
"Mapbox logo": "Logo mapy",
|
||||
|
@ -2541,20 +2408,13 @@
|
|||
"When enabled, the other party might be able to see your IP address": "Pokud je povoleno, může druhá strana vidět vaši IP adresu",
|
||||
"Allow Peer-to-Peer for 1:1 calls": "Povolit Peer-to-Peer pro hovory 1:1",
|
||||
"Go live": "Přejít naživo",
|
||||
"That e-mail address or phone number is already in use.": "Tato e-mailová adresa nebo telefonní číslo se již používá.",
|
||||
"This means that you have all the keys needed to unlock your encrypted messages and confirm to other users that you trust this session.": "To znamená, že máte všechny klíče potřebné k odemknutí zašifrovaných zpráv a potvrzení ostatním uživatelům, že této relaci důvěřujete.",
|
||||
"Verified sessions are anywhere you are using this account after entering your passphrase or confirming your identity with another verified session.": "Ověřené relace jsou všude tam, kde tento účet používáte po zadání své přístupové fráze nebo po potvrzení své totožnosti jinou ověřenou relací.",
|
||||
"Show details": "Zobrazit podrobnosti",
|
||||
"Hide details": "Skrýt podrobnosti",
|
||||
"30s forward": "30s vpřed",
|
||||
"30s backward": "30s zpět",
|
||||
"Verify your email to continue": "Pro pokračování ověřte svůj e-mail",
|
||||
"<b>%(homeserver)s</b> will send you a verification link to let you reset your password.": "<b>%(homeserver)s</b> vám zašle ověřovací odkaz, který vám umožní obnovit heslo.",
|
||||
"Enter your email to reset password": "Zadejte svůj e-mail pro obnovení hesla",
|
||||
"Send email": "Odeslat e-mail",
|
||||
"Verification link email resent!": "E-mail s ověřovacím odkazem odeslán znovu!",
|
||||
"Did not receive it?": "Nedostali jste ho?",
|
||||
"Follow the instructions sent to <b>%(email)s</b>": "Postupujte podle pokynů zaslaných na <b>%(email)s</b>",
|
||||
"Sign out of all devices": "Odhlásit se ze všech zařízení",
|
||||
"Confirm new password": "Potvrďte nové heslo",
|
||||
"Too many attempts in a short time. Retry after %(timeout)s.": "Příliš mnoho pokusů v krátkém čase. Zkuste to znovu po %(timeout)s.",
|
||||
|
@ -2573,9 +2433,6 @@
|
|||
"Low bandwidth mode": "Režim malé šířky pásma",
|
||||
"You have unverified sessions": "Máte neověřené relace",
|
||||
"Change layout": "Změnit rozvržení",
|
||||
"Sign in instead": "Namísto toho se přihlásit",
|
||||
"Re-enter email address": "Zadejte znovu e-mailovou adresu",
|
||||
"Wrong email address?": "Špatná e-mailová adresa?",
|
||||
"Search users in this room…": "Hledání uživatelů v této místnosti…",
|
||||
"Give one or multiple users in this room more privileges": "Přidělit jednomu nebo více uživatelům v této místnosti více oprávnění",
|
||||
"Add privileged users": "Přidat oprávněné uživatele",
|
||||
|
@ -2603,7 +2460,6 @@
|
|||
"Mark as read": "Označit jako přečtené",
|
||||
"Text": "Text",
|
||||
"Create a link": "Vytvořit odkaz",
|
||||
"Force 15s voice broadcast chunk length": "Vynutit 15s délku bloku hlasového vysílání",
|
||||
"Sign out of %(count)s sessions": {
|
||||
"one": "Odhlásit se z %(count)s relace",
|
||||
"other": "Odhlásit se z %(count)s relací"
|
||||
|
@ -2639,7 +2495,6 @@
|
|||
"There are no past polls in this room": "V této místnosti nejsou žádná minulá hlasování",
|
||||
"There are no active polls in this room": "V této místnosti nejsou žádná aktivní hlasování",
|
||||
"WARNING: session already verified, but keys do NOT MATCH!": "VAROVÁNÍ: relace již byla ověřena, ale klíče se NESHODUJÍ!",
|
||||
"We need to know it’s you before resetting your password. Click the link in the email we just sent to <b>%(email)s</b>": "Před obnovením hesla musíme vědět, že jste to vy. Klikněte na odkaz v e-mailu, který jsme právě odeslali na adresu <b>%(email)s</b>",
|
||||
"Warning: your personal data (including encryption keys) is still stored in this session. Clear it if you're finished using this session, or want to sign in to another account.": "Upozornění: vaše osobní údaje (včetně šifrovacích klíčů) jsou v této relaci stále uloženy. Pokud jste s touto relací skončili nebo se chcete přihlásit k jinému účtu, vymažte ji.",
|
||||
"<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>Upozornění</b>: aktualizace místnosti <i>neprovádí automatickou migraci členů místnosti do nové verze místnosti.</i> Odkaz na novou místnost zveřejníme ve staré verzi místnosti - členové místnosti budou muset na tento odkaz kliknout, aby mohli vstoupit do nové místnosti.",
|
||||
"Scan QR code": "Skenovat QR kód",
|
||||
|
@ -2647,8 +2502,6 @@
|
|||
"Enable '%(manageIntegrations)s' in Settings to do this.": "Pro provedení povolte v Nastavení položku '%(manageIntegrations)s'.",
|
||||
"Your personal ban list holds all the users/servers you personally don't want to see messages from. After ignoring your first user/server, a new room will show up in your room list named '%(myBanList)s' - stay in this room to keep the ban list in effect.": "Váš osobní seznam vykázaných obsahuje všechny uživatele/servery, od kterých osobně nechcete vidět zprávy. Po ignorování prvního uživatele/serveru se ve vašem seznamu místností objeví nová místnost s názvem \"%(myBanList)s\" - v této místnosti zůstaňte, aby seznam zákazů zůstal v platnosti.",
|
||||
"Starting backup…": "Zahájení zálohování…",
|
||||
"Signing In…": "Přihlašování…",
|
||||
"Syncing…": "Synchronizace…",
|
||||
"Inviting…": "Pozvání…",
|
||||
"Creating rooms…": "Vytváření místností…",
|
||||
"Keep going…": "Pokračujte…",
|
||||
|
@ -2710,7 +2563,6 @@
|
|||
"Log out and back in to disable": "Pro vypnutí se odhlaste a znovu přihlaste",
|
||||
"Can currently only be enabled via config.json": "Aktuálně lze povolit pouze v souboru config.json",
|
||||
"Requires your server to support the stable version of MSC3827": "Vyžaduje, aby váš server podporoval stabilní verzi MSC3827",
|
||||
"Use your account to continue.": "Pro pokračování použijte svůj účet.",
|
||||
"Show avatars in user, room and event mentions": "Zobrazovat avatary ve zmínkách o uživatelích, místnostech a událostech",
|
||||
"Message from %(user)s": "Zpráva od %(user)s",
|
||||
"Message in %(room)s": "Zpráva v %(room)s",
|
||||
|
@ -2757,14 +2609,11 @@
|
|||
"Alternatively, you can try to use the public server at <server/>, but this will not be as reliable, and it will share your IP address with that server. You can also manage this in Settings.": "Případně můžete zkusit použít veřejný server na adrese <server/>, ale ten nebude tak spolehlivý a bude sdílet vaši IP adresu s tímto serverem. Můžete to spravovat také v Nastavení.",
|
||||
"Allow fallback call assist server (%(server)s)": "Povolit záložní asistenční server hovorů (%(server)s)",
|
||||
"Try using %(server)s": "Zkuste použít %(server)s",
|
||||
"Enable new native OIDC flows (Under active development)": "Povolit nové původní toky OIDC (ve fázi aktivního vývoje)",
|
||||
"Great! This passphrase looks strong enough": "Skvělé! Tato bezpečnostní fráze vypadá dostatečně silná",
|
||||
"Note that removing room changes like this could undo the change.": "Upozorňujeme, že odstranění takových změn v místnosti by mohlo vést ke zrušení změny.",
|
||||
"Ask to join": "Požádat o vstup",
|
||||
"Something went wrong.": "Něco se pokazilo.",
|
||||
"User cannot be invited until they are unbanned": "Uživatel nemůže být pozván, dokud nebude jeho vykázání zrušeno",
|
||||
"Views room with given address": "Zobrazí místnost s danou adresou",
|
||||
"Notification Settings": "Nastavení oznámení",
|
||||
"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>.",
|
||||
"People, Mentions and Keywords": "Lidé, zmínky a klíčová slova",
|
||||
|
@ -2787,9 +2636,7 @@
|
|||
"Your server requires encryption to be disabled.": "Váš server vyžaduje vypnuté šifrování.",
|
||||
"Receive an email summary of missed notifications": "Přijímat e-mailový souhrn zmeškaných oznámení",
|
||||
"Are you sure you wish to remove (delete) this event?": "Opravdu chcete tuto událost odstranit (smazat)?",
|
||||
"Anyone can request to join, but admins or moderators need to grant access. You can change this later.": "O vstup může požádat kdokoliv, ale administrátoři nebo moderátoři musí přístup povolit. To můžete později změnit.",
|
||||
"Upgrade room": "Aktualizovat místnost",
|
||||
"This homeserver doesn't offer any login flows that are supported by this client.": "Tento domovský server nenabízí žádné přihlašovací toky, které tento klient podporuje.",
|
||||
"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ý soubor umožní komukoli, kdo si jej přečte, dešifrovat všechny šifrované zprávy, které vidíte, takže byste měli dbát na jeho zabezpečení. K tomu vám pomůže níže uvedená jedinečná přístupová fráze, která bude použita pouze k zašifrování exportovaných dat. Importovat data bude možné pouze pomocí stejné přístupové fráze.",
|
||||
"Mentions and Keywords only": "Pouze zmínky a klíčová slova",
|
||||
"This setting will be applied by default to all your rooms.": "Toto nastavení se ve výchozím stavu použije pro všechny vaše místnosti.",
|
||||
|
@ -2910,7 +2757,8 @@
|
|||
"cross_signing": "Křížové podepisování",
|
||||
"identity_server": "Server identit",
|
||||
"integration_manager": "Správce integrací",
|
||||
"qr_code": "QR kód"
|
||||
"qr_code": "QR kód",
|
||||
"feedback": "Zpětná vazba"
|
||||
},
|
||||
"action": {
|
||||
"continue": "Pokračovat",
|
||||
|
@ -3084,7 +2932,10 @@
|
|||
"leave_beta_reload": "Po opuštění beta verze se %(brand)s znovu načte.",
|
||||
"join_beta_reload": "Po připojení k betě se %(brand)s znovu načte.",
|
||||
"leave_beta": "Opustit beta verzi",
|
||||
"join_beta": "Připojit se k beta verzi"
|
||||
"join_beta": "Připojit se k beta verzi",
|
||||
"notification_settings_beta_title": "Nastavení oznámení",
|
||||
"voice_broadcast_force_small_chunks": "Vynutit 15s délku bloku hlasového vysílání",
|
||||
"oidc_native_flow": "Povolit nové původní toky OIDC (ve fázi aktivního vývoje)"
|
||||
},
|
||||
"keyboard": {
|
||||
"home": "Domov",
|
||||
|
@ -3372,7 +3223,9 @@
|
|||
"timeline_image_size": "Velikost obrázku na časové ose",
|
||||
"timeline_image_size_default": "Výchozí",
|
||||
"timeline_image_size_large": "Velký"
|
||||
}
|
||||
},
|
||||
"inline_url_previews_room_account": "Povolit náhledy URL adres pro tuto místnost (ovlivňuje pouze vás)",
|
||||
"inline_url_previews_room": "Povolit náhledy URL adres pro členy této místnosti jako výchozí"
|
||||
},
|
||||
"devtools": {
|
||||
"send_custom_account_data_event": "Odeslat vlastní událost s údaji o účtu",
|
||||
|
@ -3531,7 +3384,25 @@
|
|||
"title_public_room": "Vytvořit veřejnou místnost",
|
||||
"title_private_room": "Vytvořit neveřejnou místnost",
|
||||
"action_create_video_room": "Vytvořit video místnost",
|
||||
"action_create_room": "Vytvořit místnost"
|
||||
"action_create_room": "Vytvořit místnost",
|
||||
"name_validation_required": "Zadejte prosím název místnosti",
|
||||
"join_rule_restricted_label": "Všichni v <SpaceName/> budou moci tuto místnost najít a připojit se k ní.",
|
||||
"join_rule_change_notice": "Tuto hodnotu můžete kdykoli změnit v nastavení místnosti.",
|
||||
"join_rule_public_parent_space_label": "Tuto místnost bude moci najít a připojit se k ní kdokoli, nejen členové <SpaceName/>.",
|
||||
"join_rule_public_label": "Kdokoliv může najít tuto místnost a připojit se k ní.",
|
||||
"join_rule_invite_label": "Tuto místnost budou moci najít a připojit se k ní pouze pozvaní lidé.",
|
||||
"join_rule_knock_label": "O vstup může požádat kdokoliv, ale administrátoři nebo moderátoři musí přístup povolit. To můžete později změnit.",
|
||||
"encrypted_video_room_warning": "Později to nelze zakázat. Místnost bude šifrována, ale vložený hovor nikoli.",
|
||||
"encrypted_warning": "Později to nelze zakázat. Propojení a většina botů zatím nebude fungovat.",
|
||||
"encryption_forced": "Váš server vyžaduje povolení šifrování v soukromých místnostech.",
|
||||
"encryption_label": "Povolit koncové šifrování",
|
||||
"unfederated_label_default_off": "Tuto možnost můžete povolit, pokud bude místnost použita pouze pro spolupráci s interními týmy na vašem domovském serveru. Toto nelze později změnit.",
|
||||
"unfederated_label_default_on": "Toto můžete deaktivovat, pokud bude místnost použita pro spolupráci s externími týmy, které mají svůj vlastní domovský server. Toto nelze později změnit.",
|
||||
"topic_label": "Téma (volitelné)",
|
||||
"room_visibility_label": "Viditelnost místnosti",
|
||||
"join_rule_invite": "Soukromá místnost (pouze pro pozvané)",
|
||||
"join_rule_restricted": "Viditelné pro členy prostoru",
|
||||
"unfederated": "Blokovat komukoli, kdo není součástí serveru %(serverName)s, aby vstoupil do této místnosti."
|
||||
},
|
||||
"timeline": {
|
||||
"m.call": {
|
||||
|
@ -3813,7 +3684,11 @@
|
|||
"changed_rule_rooms": "%(senderName)s změnil(a) pravidlo blokující místnosti odpovídající %(oldGlob)s na místnosti odpovídající %(newGlob)s z důvodu %(reason)s",
|
||||
"changed_rule_servers": "%(senderName)s změnil(a) pravidlo blokující servery odpovídající %(oldGlob)s na servery odpovídající %(newGlob)s z důvodu %(reason)s",
|
||||
"changed_rule_glob": "%(senderName)s změnil(a) blokovací pravidlo odpovídající %(oldGlob)s na odpovídající %(newGlob)s z důvodu %(reason)s"
|
||||
}
|
||||
},
|
||||
"no_permission_messages_before_invite": "Nemáte oprávnění zobrazovat zprávy z doby před pozváním.",
|
||||
"no_permission_messages_before_join": "Nemáte oprávnění zobrazovat zprávy z doby, než jste se připojili.",
|
||||
"encrypted_historical_messages_unavailable": "Šifrované zprávy před tímto bodem nejsou k dispozici.",
|
||||
"historical_messages_unavailable": "Dřívější zprávy nelze zobrazit"
|
||||
},
|
||||
"slash_command": {
|
||||
"spoiler": "Odešle danou zprávu jako spoiler",
|
||||
|
@ -3873,7 +3748,15 @@
|
|||
"holdcall": "Podrží hovor v aktuální místnosti",
|
||||
"no_active_call": "V této místnosti není žádný aktivní hovor",
|
||||
"unholdcall": "Zruší podržení hovoru v aktuální místnosti",
|
||||
"me": "Zobrazí akci"
|
||||
"me": "Zobrazí akci",
|
||||
"error_invalid_runfn": "Chyba příkazu: Nelze zpracovat příkaz za lomítkem.",
|
||||
"error_invalid_rendering_type": "Chyba příkazu: Nelze najít typ vykreslování (%(renderingType)s)",
|
||||
"join": "Vstoupit do místnosti s danou adresou",
|
||||
"view": "Zobrazí místnost s danou adresou",
|
||||
"failed_find_room": "Příkaz se nezdařil: Nelze najít místnost (%(roomId)s",
|
||||
"failed_find_user": "Nepovedlo se najít uživatele v místnosti",
|
||||
"op": "Stanovte úroveň oprávnění uživatele",
|
||||
"deop": "Zruší stav moderátor uživateli se zadaným ID"
|
||||
},
|
||||
"presence": {
|
||||
"busy": "Zaneprázdněný",
|
||||
|
@ -4057,13 +3940,57 @@
|
|||
"reset_password_title": "Obnovení vašeho hesla",
|
||||
"continue_with_sso": "Pokračovat s %(ssoButtons)s",
|
||||
"sso_or_username_password": "%(ssoButtons)s nebo %(usernamePassword)s",
|
||||
"sign_in_instead": "Máte již účet? <a>Přihlašte se zde</a>",
|
||||
"sign_in_instead": "Namísto toho se přihlásit",
|
||||
"account_clash": "nový účet (%(newAccountId)s) je registrován, ale už jste přihlášeni pod jiným účtem (%(loggedInUserId)s).",
|
||||
"account_clash_previous_account": "Pokračovat s předchozím účtem",
|
||||
"log_in_new_account": "<a>Přihlaste se</a> svým novým účtem.",
|
||||
"registration_successful": "Úspěšná registrace",
|
||||
"server_picker_title": "Hostovat účet na",
|
||||
"server_picker_dialog_title": "Rozhodněte, kde je váš účet hostován"
|
||||
"server_picker_title": "Přihlaste se do svého domovského serveru",
|
||||
"server_picker_dialog_title": "Rozhodněte, kde je váš účet hostován",
|
||||
"footer_powered_by_matrix": "používá protokol Matrix",
|
||||
"failed_homeserver_discovery": "Nepovedlo se zjisit adresu domovského serveru",
|
||||
"sync_footer_subtitle": "Pokud jste se připojili k mnoha místnostem, může to chvíli trvat",
|
||||
"syncing": "Synchronizace…",
|
||||
"signing_in": "Přihlašování…",
|
||||
"unsupported_auth_msisdn": "Tento server nepodporuje ověření telefonním číslem.",
|
||||
"unsupported_auth_email": "Tento domovský serveru neumožňuje přihlášení pomocí e-mailu.",
|
||||
"unsupported_auth": "Tento domovský server nenabízí žádné přihlašovací toky, které tento klient podporuje.",
|
||||
"registration_disabled": "Tento domovský server nepovoluje registraci.",
|
||||
"failed_query_registration_methods": "Nepovedlo se načíst podporované způsoby přihlášení.",
|
||||
"username_in_use": "Toto uživatelské jméno už někdo má, zkuste prosím jiné.",
|
||||
"3pid_in_use": "Tato e-mailová adresa nebo telefonní číslo se již používá.",
|
||||
"incorrect_password": "Nesprávné heslo",
|
||||
"failed_soft_logout_auth": "Nepovedlo se autentifikovat",
|
||||
"soft_logout_heading": "Jste odhlášeni",
|
||||
"forgot_password_email_required": "Musíte zadat e-mailovou adresu spojenou s vaším účtem.",
|
||||
"forgot_password_email_invalid": "E-mailová adresa se nezdá být platná.",
|
||||
"sign_in_prompt": "Máte již účet? <a>Přihlásit se</a>",
|
||||
"verify_email_heading": "Pro pokračování ověřte svůj e-mail",
|
||||
"forgot_password_prompt": "Zapomněli jste heslo?",
|
||||
"soft_logout_intro_password": "Zadejte heslo pro přihlášení a obnovte si přístup k účtu.",
|
||||
"soft_logout_intro_sso": "Přihlaste se a získejte přístup ke svému účtu.",
|
||||
"soft_logout_intro_unsupported_auth": "Nemůžete se přihlásit do svého účtu. Kontaktujte správce domovského serveru pro více informací.",
|
||||
"check_email_explainer": "Postupujte podle pokynů zaslaných na <b>%(email)s</b>",
|
||||
"check_email_wrong_email_prompt": "Špatná e-mailová adresa?",
|
||||
"check_email_wrong_email_button": "Zadejte znovu e-mailovou adresu",
|
||||
"check_email_resend_prompt": "Nedostali jste ho?",
|
||||
"check_email_resend_tooltip": "E-mail s ověřovacím odkazem odeslán znovu!",
|
||||
"enter_email_heading": "Zadejte svůj e-mail pro obnovení hesla",
|
||||
"enter_email_explainer": "<b>%(homeserver)s</b> vám zašle ověřovací odkaz, který vám umožní obnovit heslo.",
|
||||
"verify_email_explainer": "Před obnovením hesla musíme vědět, že jste to vy. Klikněte na odkaz v e-mailu, který jsme právě odeslali na adresu <b>%(email)s</b>",
|
||||
"create_account_prompt": "Jste zde poprvé? <a>Vytvořte si účet</a>",
|
||||
"sign_in_or_register": "Přihlásit nebo vytvořit nový účet",
|
||||
"sign_in_or_register_description": "Pro pokračování se přihlaste stávajícím účtem, nebo si vytvořte nový.",
|
||||
"sign_in_description": "Pro pokračování použijte svůj účet.",
|
||||
"register_action": "Vytvořit účet",
|
||||
"server_picker_failed_validate_homeserver": "Nelze ověřit domovský server",
|
||||
"server_picker_invalid_url": "Neplatné URL",
|
||||
"server_picker_required": "Zadejte domovský server",
|
||||
"server_picker_matrix.org": "Matrix.org je největší veřejný domovský server na světě, takže je pro mnohé vhodným místem.",
|
||||
"server_picker_intro": "Místa, kde můžete hostovat svůj účet, nazýváme \"domovské servery\".",
|
||||
"server_picker_custom": "Jiný domovský server",
|
||||
"server_picker_explainer": "Použijte svůj preferovaný domovský server Matrix, pokud ho máte, nebo hostujte svůj vlastní.",
|
||||
"server_picker_learn_more": "O domovských serverech"
|
||||
},
|
||||
"room_list": {
|
||||
"sort_unread_first": "Zobrazovat místnosti s nepřečtenými zprávami jako první",
|
||||
|
@ -4114,5 +4041,81 @@
|
|||
"access_token_detail": "Přístupový token vám umožní plný přístup k účtu. Nikomu ho nesdělujte.",
|
||||
"clear_cache_reload": "Smazat mezipaměť a načíst znovu"
|
||||
}
|
||||
},
|
||||
"widget": {
|
||||
"capability": {
|
||||
"send_stickers_this_room": "Poslat nálepky do této místnosti",
|
||||
"send_stickers_active_room": "Poslat nálepky do vaší aktivní místnosti",
|
||||
"send_stickers_this_room_as_you": "Poslat nálepky jako vy do této místnosti",
|
||||
"send_stickers_active_room_as_you": "Poslat nálepky do vaší aktivní místnosti jako vy",
|
||||
"see_sticker_posted_this_room": "Podívejte se, kdy je zveřejněna nálepka v této místnosti",
|
||||
"see_sticker_posted_active_room": "Podívejte se, kdy někdo zveřejní nálepku ve vaší aktivní místnosti",
|
||||
"always_on_screen_viewing_another_room": "Při prohlížení jiné místnosti zůstává při běhu na obrazovce",
|
||||
"always_on_screen_generic": "Při běhu zůstává na obrazovce",
|
||||
"switch_room": "Změnit kterou místnost si prohlížíte",
|
||||
"switch_room_message_user": "Změňte, kterou místnost, zprávu nebo uživatele si prohlížíte",
|
||||
"change_topic_this_room": "Změnit téma této místnosti",
|
||||
"see_topic_change_this_room": "Podívejte se, kdy se změní téma v této místnosti",
|
||||
"change_topic_active_room": "Změnit téma vaší aktivní místnosti",
|
||||
"see_topic_change_active_room": "Podívejte se, kdy se změní téma ve vaší aktivní místnosti",
|
||||
"change_name_this_room": "Změňte název této místnosti",
|
||||
"see_name_change_this_room": "Podívejte se, kdy se změní název v této místnosti",
|
||||
"change_name_active_room": "Změňte název své aktivní místnosti",
|
||||
"see_name_change_active_room": "Podívejte se, kdy se ve vaší aktivní místnosti změní název",
|
||||
"change_avatar_this_room": "Změňte avatar této místnosti",
|
||||
"see_avatar_change_this_room": "Podívejte se, kdy se změní avatar v této místnosti",
|
||||
"change_avatar_active_room": "Změňte avatar vaší aktivní místnosti",
|
||||
"see_avatar_change_active_room": "Podívejte se, kdy se změní avatar ve vaší aktivní místnosti",
|
||||
"remove_ban_invite_leave_this_room": "Odebrat, vykázat nebo pozvat lidi do této místnosti a donutit vás ji opustit",
|
||||
"receive_membership_this_room": "Zjistěte, kdy se lidé připojí, odejdou nebo jsou pozváni do této místnosti",
|
||||
"remove_ban_invite_leave_active_room": "Odebrat, vykázat nebo pozvat lidi do vaší aktivní místnosti a donutit vás ji opustit",
|
||||
"receive_membership_active_room": "Zjistěte, kdy se lidé připojí, odejdou nebo jsou pozváni do vaší aktivní místnosti",
|
||||
"byline_empty_state_key": "s prázdným stavovým klíčem",
|
||||
"byline_state_key": "se stavovým klíčem %(stateKey)s",
|
||||
"any_room": "Výše uvedené, ale také v jakékoli místnosti, ke které jste připojeni nebo do které jste pozváni",
|
||||
"specific_room": "Výše uvedené, ale také v <Room />",
|
||||
"send_event_type_this_room": "Poslat události <b>%(eventType)s</b> jako vy v této místnosti",
|
||||
"see_event_type_sent_this_room": "Zobrazit události <b>%(eventType)s</b> zveřejněné v této místnosti",
|
||||
"send_event_type_active_room": "Poslat události <b>%(eventType)s</b> jako vy ve vaší aktivní místnosti",
|
||||
"see_event_type_sent_active_room": "Zobrazit události <b>%(eventType)s</b> odeslané do vaší aktivní místnosti",
|
||||
"capability": "Schopnost <b>%(capability)s</b>",
|
||||
"send_messages_this_room": "Poslat zprávy jako vy v této místnosti",
|
||||
"send_messages_active_room": "Poslat zprávy jako vy ve vaší aktivní místnosti",
|
||||
"see_messages_sent_this_room": "Zobrazit zprávy odeslané do této místnosti",
|
||||
"see_messages_sent_active_room": "Zobrazit zprávy odeslané do vaší aktivní místnosti",
|
||||
"send_text_messages_this_room": "Poslat textové zprávy jako vy v této místnosti",
|
||||
"send_text_messages_active_room": "Poslat textové zprávy jako vy ve vaší aktivní místnosti",
|
||||
"see_text_messages_sent_this_room": "Podívat se na textové zprávy odeslané do této místnosti",
|
||||
"see_text_messages_sent_active_room": "Podívat se na textové zprávy odeslané do vaší aktivní místnosti",
|
||||
"send_emotes_this_room": "Poslat emoji jako vy v této místnosti",
|
||||
"send_emotes_active_room": "Poslat emoji jako vy ve své aktivní místnosti",
|
||||
"see_sent_emotes_this_room": "Prohlédněte si emoji zveřejněné v této místnosti",
|
||||
"see_sent_emotes_active_room": "Prohlédněte si emoji zveřejněné ve vaší aktivní místnosti",
|
||||
"send_images_this_room": "Poslat obrázky jako vy v této místnosti",
|
||||
"send_images_active_room": "Poslat obrázky jako vy ve vaší aktivní místnosti",
|
||||
"see_images_sent_this_room": "Podívat se na obrázky zveřejněné v této místnosti",
|
||||
"see_images_sent_active_room": "Podívat se na obrázky zveřejněné ve vaší aktivní místnosti",
|
||||
"send_videos_this_room": "Poslat videa jako vy v této místnosti",
|
||||
"send_videos_active_room": "Podívat se na videa jako vy ve vaší aktivní místnosti",
|
||||
"see_videos_sent_this_room": "Podívat se na videa zveřejněná v této místnosti",
|
||||
"see_videos_sent_active_room": "Podívat se na videa zveřejněná ve vaší aktivní místnosti",
|
||||
"send_files_this_room": "Poslat obecné soubory jako vy v této místnosti",
|
||||
"send_files_active_room": "Poslat obecné soubory jako vy ve vaší aktivní místnosti",
|
||||
"see_sent_files_this_room": "Prohlédnout obecné soubory zveřejněné v této místnosti",
|
||||
"see_sent_files_active_room": "Prohlédnout obecné soubory zveřejněné ve vaší aktivní místnosti",
|
||||
"send_msgtype_this_room": "Poslat zprávy <b>%(msgtype)s</b> jako vy v této místnosti",
|
||||
"send_msgtype_active_room": "Poslat zprávy <b>%(msgtype)s</b> jako vy ve vašá aktivní místnosti",
|
||||
"see_msgtype_sent_this_room": "Prohlédnout zprávy <b>%(msgtype)s</b> zveřejněné v této místnosti",
|
||||
"see_msgtype_sent_active_room": "Prohlédnout zprávy <b>%(msgtype)s</b> zveřejněné ve vaší aktivní místnosti"
|
||||
}
|
||||
},
|
||||
"feedback": {
|
||||
"sent": "Zpětná vazba byla odeslána",
|
||||
"comment_label": "Komentář",
|
||||
"platform_username": "Vaše platforma a uživatelské jméno budou zaznamenány, abychom mohli co nejlépe využít vaši zpětnou vazbu.",
|
||||
"may_contact_label": "Můžete mě kontaktovat, pokud budete chtít doplnit informace nebo mě nechat vyzkoušet připravované návrhy",
|
||||
"pro_type": "TIP pro profíky: Pokud nahlásíte chybu, odešlete prosím <debugLogsLink>ladicí protokoly</debugLogsLink>, které nám pomohou problém vypátrat.",
|
||||
"existing_issue_link": "Nejříve si prosím prohlédněte <existingIssuesLink>existující chyby na Githubu</existingIssuesLink>. Žádná shoda? <newIssueLink>Nahlašte novou chybu</newIssueLink>.",
|
||||
"send_feedback_action": "Odeslat zpětnou vazbu"
|
||||
}
|
||||
}
|
||||
|
|
|
@ -4,7 +4,6 @@
|
|||
"Add Email Address": "Ychwanegu Cyfeiriad E-bost",
|
||||
"Failed to verify email address: make sure you clicked the link in the email": "Methiant gwirio cyfeiriad e-bost: gwnewch yn siŵr eich bod wedi clicio'r ddolen yn yr e-bost",
|
||||
"Add Phone Number": "Ychwanegu Rhif Ffôn",
|
||||
"Create Account": "Creu Cyfrif",
|
||||
"Explore rooms": "Archwilio Ystafelloedd",
|
||||
"action": {
|
||||
"dismiss": "Wfftio",
|
||||
|
@ -12,5 +11,8 @@
|
|||
},
|
||||
"common": {
|
||||
"identity_server": "Gweinydd Adnabod"
|
||||
},
|
||||
"auth": {
|
||||
"register_action": "Creu Cyfrif"
|
||||
}
|
||||
}
|
||||
|
|
|
@ -5,9 +5,7 @@
|
|||
"Historical": "Historisk",
|
||||
"New passwords must match each other.": "Nye adgangskoder skal matche hinanden.",
|
||||
"A new password must be entered.": "Der skal indtastes en ny adgangskode.",
|
||||
"The email address linked to your account must be entered.": "Den emailadresse, der tilhører til din adgang, skal indtastes.",
|
||||
"Session ID": "Sessions ID",
|
||||
"Deops user with given id": "Fjerner OP af bruger med givet id",
|
||||
"Commands": "Kommandoer",
|
||||
"Warning!": "Advarsel!",
|
||||
"Account": "Konto",
|
||||
|
@ -23,7 +21,6 @@
|
|||
"Favourite": "Favorit",
|
||||
"Notifications": "Notifikationer",
|
||||
"unknown error code": "Ukendt fejlkode",
|
||||
"powered by Matrix": "Drevet af Matrix",
|
||||
"Failed to forget room %(errCode)s": "Kunne ikke glemme rummet %(errCode)s",
|
||||
"Unnamed room": "Unavngivet rum",
|
||||
"This email address is already in use": "Denne email adresse er allerede i brug",
|
||||
|
@ -131,7 +128,6 @@
|
|||
"Use an identity server": "Brug en identitetsserver",
|
||||
"Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Brug en identitetsserver for at invitere pr. mail. Tryk på Fortsæt for at bruge den almindelige identitetsserver (%(defaultIdentityServerName)s) eller indtast en anden under Indstillinger.",
|
||||
"Use an identity server to invite by email. Manage in Settings.": "Brug en identitetsserver for at invitere pr. mail. Administrer dette under Indstillinger.",
|
||||
"Define the power level of a user": "Indstil rettighedsniveau for en bruger",
|
||||
"Cannot reach homeserver": "Homeserveren kan ikke kontaktes",
|
||||
"Ensure you have a stable internet connection, or get in touch with the server admin": "Vær sikker at du har en stabil internetforbindelse, eller kontakt serveradministratoren",
|
||||
"Your %(brand)s is misconfigured": "Din %(brand)s er konfigureret forkert",
|
||||
|
@ -204,12 +200,8 @@
|
|||
"This action requires accessing the default identity server <server /> to validate an email address or phone number, but the server does not have any terms of service.": "Denne handling kræver adgang til default identitets serveren <server /> for at validere en email adresse eller et telefonnummer, men serveren har ingen terms of service.",
|
||||
"Only continue if you trust the owner of the server.": "Fortsæt kun hvis du stoler på ejeren af denne server.",
|
||||
"%(name)s is requesting verification": "%(name)s beder om verifikation",
|
||||
"Sign In or Create Account": "Log ind eller Opret bruger",
|
||||
"Use your account or create a new one to continue.": "Brug din konto eller opret en ny for at fortsætte.",
|
||||
"Create Account": "Opret brugerkonto",
|
||||
"Error upgrading room": "Fejl under opgradering af rum",
|
||||
"Double check that your server supports the room version chosen and try again.": "Dobbelt-tjek at din server understøtter den valgte rum-version og forsøg igen.",
|
||||
"Could not find user in room": "Kunne ikke finde bruger i rum",
|
||||
"Verifies a user, session, and pubkey tuple": "Verificerer en bruger, session og pubkey tuple",
|
||||
"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!": "ADVARSEL: NØGLEVERIFIKATIONEN FEJLEDE! Underskriftsnøglen for %(userId)s og session %(deviceId)s er %(fprint)s som ikke matcher den supplerede nøgle \"%(fingerprint)s\". Dette kunne betyde at jeres kommunikation er infiltreret!",
|
||||
"Session already verified!": "Sessionen er allerede verificeret!",
|
||||
|
@ -230,11 +222,8 @@
|
|||
"Change notification settings": "Skift notifikations indstillinger",
|
||||
"Profile picture": "Profil billede",
|
||||
"Checking server": "Tjekker server",
|
||||
"You're signed out": "Du er logget ud",
|
||||
"Change Password": "Skift adgangskode",
|
||||
"Current password": "Nuværende adgangskode",
|
||||
"Comment": "Kommentar",
|
||||
"Please enter a name for the room": "Indtast et navn for rummet",
|
||||
"Profile": "Profil",
|
||||
"Local address": "Lokal adresse",
|
||||
"This room has no local addresses": "Dette rum har ingen lokal adresse",
|
||||
|
@ -288,8 +277,6 @@
|
|||
"The call was answered on another device.": "Opkaldet var svaret på en anden enhed.",
|
||||
"The user you called is busy.": "Brugeren du ringede til er optaget.",
|
||||
"User Busy": "Bruger optaget",
|
||||
"Command error: Unable to find rendering type (%(renderingType)s)": "Kommandofejl: Kan ikke finde renderingstype (%(renderingType)s)",
|
||||
"Command error: Unable to handle slash command.": "Kommandofejl: Kan ikke håndtere skråstregskommando.",
|
||||
"Are you sure you want to cancel entering passphrase?": "Er du sikker på, at du vil annullere indtastning af adgangssætning?",
|
||||
"%(spaceName)s and %(count)s others": {
|
||||
"one": "%(spaceName)s og %(count)s andre",
|
||||
|
@ -515,7 +502,6 @@
|
|||
"Unable to transfer call": "Kan ikke omstille opkald",
|
||||
"There was an error looking up the phone number": "Der opstod en fejl ved at slå telefonnummeret op",
|
||||
"Unable to look up phone number": "Kan ikke slå telefonnummer op",
|
||||
"Incorrect password": "Forkert adgangskode",
|
||||
"Incorrect username and/or password.": "Forkert brugernavn og/eller adgangskode.",
|
||||
"Your password has been reset.": "Din adgangskode er blevet nulstillet.",
|
||||
"Your password was successfully changed.": "Din adgangskode blev ændret.",
|
||||
|
@ -741,7 +727,12 @@
|
|||
"addwidget_invalid_protocol": "Oplys venligst en https:// eller http:// widget URL",
|
||||
"addwidget_no_permissions": "Du kan ikke ændre widgets i dette rum.",
|
||||
"discardsession": "Tvinger den nuværende udgående gruppe-session i et krypteret rum til at blive kasseret",
|
||||
"me": "Viser handling"
|
||||
"me": "Viser handling",
|
||||
"error_invalid_runfn": "Kommandofejl: Kan ikke håndtere skråstregskommando.",
|
||||
"error_invalid_rendering_type": "Kommandofejl: Kan ikke finde renderingstype (%(renderingType)s)",
|
||||
"failed_find_user": "Kunne ikke finde bruger i rum",
|
||||
"op": "Indstil rettighedsniveau for en bruger",
|
||||
"deop": "Fjerner OP af bruger med givet id"
|
||||
},
|
||||
"presence": {
|
||||
"online": "Online"
|
||||
|
@ -787,7 +778,14 @@
|
|||
"categories": "Kategorier"
|
||||
},
|
||||
"auth": {
|
||||
"sso": "Engangs login"
|
||||
"sso": "Engangs login",
|
||||
"footer_powered_by_matrix": "Drevet af Matrix",
|
||||
"incorrect_password": "Forkert adgangskode",
|
||||
"soft_logout_heading": "Du er logget ud",
|
||||
"forgot_password_email_required": "Den emailadresse, der tilhører til din adgang, skal indtastes.",
|
||||
"sign_in_or_register": "Log ind eller Opret bruger",
|
||||
"sign_in_or_register_description": "Brug din konto eller opret en ny for at fortsætte.",
|
||||
"register_action": "Opret brugerkonto"
|
||||
},
|
||||
"export_chat": {
|
||||
"messages": "Beskeder"
|
||||
|
@ -799,5 +797,11 @@
|
|||
"send_dm": "Send en Direkte Besked",
|
||||
"explore_rooms": "Udforsk offentlige rum",
|
||||
"create_room": "Opret en gruppechat"
|
||||
},
|
||||
"create_room": {
|
||||
"name_validation_required": "Indtast et navn for rummet"
|
||||
},
|
||||
"feedback": {
|
||||
"comment_label": "Kommentar"
|
||||
}
|
||||
}
|
||||
|
|
|
@ -5,9 +5,7 @@
|
|||
"Historical": "Archiv",
|
||||
"New passwords must match each other.": "Die neuen Passwörter müssen identisch sein.",
|
||||
"A new password must be entered.": "Es muss ein neues Passwort eingegeben werden.",
|
||||
"The email address linked to your account must be entered.": "Es muss die mit dem Benutzerkonto verbundene E-Mail-Adresse eingegeben werden.",
|
||||
"Session ID": "Sitzungs-ID",
|
||||
"Deops user with given id": "Setzt das Berechtigungslevel beim Benutzer mit der angegebenen ID zurück",
|
||||
"Change Password": "Passwort ändern",
|
||||
"Commands": "Befehle",
|
||||
"Warning!": "Warnung!",
|
||||
|
@ -83,7 +81,6 @@
|
|||
"Dec": "Dez",
|
||||
"%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s, %(day)s. %(monthName)s %(time)s",
|
||||
"%(weekDayName)s %(time)s": "%(weekDayName)s, %(time)s",
|
||||
"This server does not support authentication with a phone number.": "Dieser Server unterstützt keine Authentifizierung per Telefonnummer.",
|
||||
"Failed to send request.": "Übertragung der Anfrage fehlgeschlagen.",
|
||||
"Missing room_id in request": "user_id fehlt in der Anfrage",
|
||||
"Missing user_id in request": "user_id fehlt in der Anfrage",
|
||||
|
@ -149,11 +146,9 @@
|
|||
"Failed to invite": "Einladen fehlgeschlagen",
|
||||
"Confirm Removal": "Entfernen bestätigen",
|
||||
"Unknown error": "Unbekannter Fehler",
|
||||
"Incorrect password": "Ungültiges Passwort",
|
||||
"Unable to restore session": "Sitzungswiederherstellung fehlgeschlagen",
|
||||
"Token incorrect": "Token fehlerhaft",
|
||||
"Please enter the code it contains:": "Bitte gib den darin enthaltenen Code ein:",
|
||||
"powered by Matrix": "Betrieben mit Matrix",
|
||||
"Error decrypting image": "Entschlüsselung des Bilds fehlgeschlagen",
|
||||
"Error decrypting video": "Videoentschlüsselung fehlgeschlagen",
|
||||
"Import room keys": "Raum-Schlüssel importieren",
|
||||
|
@ -211,7 +206,6 @@
|
|||
"This will allow you to reset your password and receive notifications.": "Dies ermöglicht es dir, dein Passwort zurückzusetzen und Benachrichtigungen zu empfangen.",
|
||||
"Check for update": "Nach Aktualisierung suchen",
|
||||
"Delete widget": "Widget entfernen",
|
||||
"Define the power level of a user": "Berechtigungsstufe einers Benutzers setzen",
|
||||
"Unable to create widget.": "Widget kann nicht erstellt werden.",
|
||||
"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.",
|
||||
|
@ -243,8 +237,6 @@
|
|||
},
|
||||
"Notify the whole room": "Alle im Raum benachrichtigen",
|
||||
"Room Notification": "Raum-Benachrichtigung",
|
||||
"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",
|
||||
"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.",
|
||||
"URL previews are disabled by default for participants in this room.": "URL-Vorschau ist für Mitglieder des Raumes standardmäßig deaktiviert.",
|
||||
"URL previews are enabled by default for participants in this room.": "URL-Vorschau ist für Mitglieder des Raumes standardmäßig aktiviert.",
|
||||
|
@ -408,7 +400,6 @@
|
|||
"Invalid homeserver discovery response": "Ungültige Antwort beim Aufspüren des Heim-Servers",
|
||||
"Invalid identity server discovery response": "Ungültige Antwort beim Aufspüren des Identitäts-Servers",
|
||||
"General failure": "Allgemeiner Fehler",
|
||||
"Failed to perform homeserver discovery": "Fehler beim Aufspüren des Heim-Servers",
|
||||
"New Recovery Method": "Neue Wiederherstellungsmethode",
|
||||
"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.": "Wenn du die neue Wiederherstellungsmethode nicht festgelegt hast, versucht ein Angreifer möglicherweise, auf dein Konto zuzugreifen. Ändere dein Kontopasswort und lege sofort eine neue Wiederherstellungsmethode in den Einstellungen fest.",
|
||||
"Set up Secure Messages": "Richte sichere Nachrichten ein",
|
||||
|
@ -536,13 +527,10 @@
|
|||
"Phone (optional)": "Telefon (optional)",
|
||||
"Couldn't load page": "Konnte Seite nicht laden",
|
||||
"Your password has been reset.": "Dein Passwort wurde zurückgesetzt.",
|
||||
"This homeserver does not support login using email address.": "Dieser Heim-Server unterstützt die Anmeldung per E-Mail-Adresse nicht.",
|
||||
"Create account": "Konto anlegen",
|
||||
"Registration has been disabled on this homeserver.": "Registrierungen wurden auf diesem Heim-Server deaktiviert.",
|
||||
"Recovery Method Removed": "Wiederherstellungsmethode gelöscht",
|
||||
"If you didn't remove the recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.": "Wenn du die Wiederherstellungsmethode nicht gelöscht hast, kann ein Angreifer versuchen, Zugang zu deinem Konto zu bekommen. Ändere dein Passwort und richte sofort eine neue Wiederherstellungsmethode in den Einstellungen ein.",
|
||||
"<b>Warning</b>: you should only set up key backup from a trusted computer.": "<b>Warnung</b>: Du solltest die Schlüsselsicherung nur auf einem vertrauenswürdigen Gerät einrichten.",
|
||||
"Unable to query for supported registration methods.": "Konnte unterstützte Registrierungsmethoden nicht abrufen.",
|
||||
"Bulk options": "Sammeloptionen",
|
||||
"Join millions for free on the largest public server": "Schließe dich kostenlos auf dem größten öffentlichen Server Millionen von Menschen an",
|
||||
"The user must be unbanned before they can be invited.": "Verbannte Nutzer können nicht eingeladen werden.",
|
||||
|
@ -699,19 +687,11 @@
|
|||
"%(name)s cancelled": "%(name)s hat abgebrochen",
|
||||
"%(name)s wants to verify": "%(name)s will eine Verifizierung",
|
||||
"Your display name": "Dein Anzeigename",
|
||||
"Please enter a name for the room": "Bitte gib einen Namen für den Raum ein",
|
||||
"Topic (optional)": "Thema (optional)",
|
||||
"Hide advanced": "Erweiterte Einstellungen ausblenden",
|
||||
"Session name": "Sitzungsname",
|
||||
"Use bots, bridges, widgets and sticker packs": "Nutze Bots, Brücken, Widgets und Sticker-Pakete",
|
||||
"Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Aktualisiere diese Sitzung, um mit ihr andere Sitzungen verifizieren zu können, damit sie Zugang zu verschlüsselten Nachrichten erhalten und für andere als vertrauenswürdig markiert werden.",
|
||||
"Sign out and remove encryption keys?": "Abmelden und Verschlüsselungsschlüssel entfernen?",
|
||||
"Enter your password to sign in and regain access to your account.": "Gib dein Passwort ein, um dich anzumelden und wieder Zugang zu deinem Konto zu erhalten.",
|
||||
"Sign in and regain access to your account.": "Melde dich an und erhalte wieder Zugriff auf dein Konto.",
|
||||
"You cannot sign in to your account. Please contact your homeserver admin for more information.": "Du kannst dich nicht bei deinem Konto anmelden. Bitte kontaktiere deine Heim-Server-Administration für weitere Informationen.",
|
||||
"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.",
|
||||
"Create Account": "Konto erstellen",
|
||||
"Discovery": "Kontakte",
|
||||
"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:",
|
||||
|
@ -773,7 +753,6 @@
|
|||
"Confirm adding this phone number by using Single Sign On to prove your identity.": "Bestätige die hinzugefügte Telefonnummer, indem du deine Identität mittels der Einmalanmeldung nachweist.",
|
||||
"Click the button below to confirm adding this phone number.": "Klicke unten die Schaltfläche, um die hinzugefügte Telefonnummer zu bestätigen.",
|
||||
"%(name)s is requesting verification": "%(name)s fordert eine Verifizierung an",
|
||||
"Could not find user in room": "Benutzer konnte nicht im Raum gefunden werden",
|
||||
"Click the button below to confirm adding this email address.": "Klicke unten auf den Knopf, um die hinzugefügte E-Mail-Adresse zu bestätigen.",
|
||||
"Confirm adding phone number": "Hinzugefügte Telefonnummer bestätigen",
|
||||
"Not Trusted": "Nicht vertraut",
|
||||
|
@ -784,8 +763,6 @@
|
|||
"Cancelling…": "Abbrechen…",
|
||||
"This bridge was provisioned by <user />.": "Diese Brücke wurde von <user /> bereitgestellt.",
|
||||
"This bridge is managed by <user />.": "Diese Brücke wird von <user /> verwaltet.",
|
||||
"Forgotten your password?": "Passwort vergessen?",
|
||||
"You're signed out": "Du wurdest abgemeldet",
|
||||
"Clear all data in this session?": "Alle Daten dieser Sitzung löschen?",
|
||||
"Clear all data": "Alle Daten löschen",
|
||||
"Confirm your account deactivation by using Single Sign On to prove your identity.": "Bestätige die Deaktivierung deines Kontos, indem du deine Identität mithilfe deines Single-Sign-On-Anbieters nachweist.",
|
||||
|
@ -942,7 +919,6 @@
|
|||
"Removing…": "Löschen…",
|
||||
"Destroy cross-signing keys?": "Cross-Signing-Schlüssel zerstören?",
|
||||
"Clear cross-signing keys": "Cross-Signing-Schlüssel löschen",
|
||||
"Enable end-to-end encryption": "Ende-zu-Ende-Verschlüsselung aktivieren",
|
||||
"Server did not require any authentication": "Der Server benötigt keine Authentifizierung",
|
||||
"Server did not return valid authentication information.": "Der Server lieferte keine gültigen Authentifizierungsinformationen.",
|
||||
"Are you sure you want to deactivate your account? This is irreversible.": "Willst du dein Konto wirklich deaktivieren? Du kannst dies nicht rückgängig machen.",
|
||||
|
@ -1027,9 +1003,7 @@
|
|||
"Some session data, including encrypted message keys, is missing. Sign out and sign in to fix this, restoring keys from backup.": "Einige Sitzungsdaten, einschließlich der Verschlüsselungsschlüssel, fehlen. Melde dich ab, wieder an und stelle die Schlüssel aus der Sicherung wieder her um dies zu beheben.",
|
||||
"Nice, strong password!": "Super, ein starkes Passwort!",
|
||||
"Other users can invite you to rooms using your contact details": "Andere Personen können dich mit deinen Kontaktdaten in Räume einladen",
|
||||
"If you've joined lots of rooms, this might take a while": "Du bist einer Menge Räumen beigetreten, das kann eine Weile dauern",
|
||||
"Failed to re-authenticate due to a homeserver problem": "Erneute Authentifizierung aufgrund eines Problems des Heim-Servers fehlgeschlagen",
|
||||
"Failed to re-authenticate": "Erneute Authentifizierung fehlgeschlagen",
|
||||
"Command Autocomplete": "Autovervollständigung aktivieren",
|
||||
"Emoji Autocomplete": "Emoji-Auto-Vervollständigung",
|
||||
"Room Autocomplete": "Raum-Auto-Vervollständigung",
|
||||
|
@ -1061,7 +1035,6 @@
|
|||
"Size must be a number": "Schriftgröße muss eine Zahl sein",
|
||||
"Custom font size can only be between %(min)s pt and %(max)s pt": "Eigene Schriftgröße kann nur eine Zahl zwischen %(min)s pt und %(max)s pt sein",
|
||||
"Use between %(min)s pt and %(max)s pt": "Verwende eine Zahl zwischen %(min)s pt und %(max)s pt",
|
||||
"Joins room with given address": "Tritt dem Raum mit der angegebenen Adresse bei",
|
||||
"Your homeserver has exceeded its user limit.": "Dein Heim-Server hat den Benutzergrenzwert erreicht.",
|
||||
"Your homeserver has exceeded one of its resource limits.": "Dein Heim-Server hat einen seiner Ressourcengrenzwerte erreicht.",
|
||||
"Contact your <a>server admin</a>.": "Kontaktiere deine <a>Heim-Server-Administration</a>.",
|
||||
|
@ -1084,7 +1057,6 @@
|
|||
"Switch to dark mode": "Zum dunklen Thema wechseln",
|
||||
"Switch theme": "Design wechseln",
|
||||
"All settings": "Alle Einstellungen",
|
||||
"Feedback": "Rückmeldung",
|
||||
"Room ID or address of ban list": "Raum-ID oder Adresse der Verbotsliste",
|
||||
"No recently visited rooms": "Keine kürzlich besuchten Räume",
|
||||
"Message preview": "Nachrichtenvorschau",
|
||||
|
@ -1138,9 +1110,6 @@
|
|||
"Error leaving room": "Fehler beim Verlassen des Raums",
|
||||
"Set up Secure Backup": "Schlüsselsicherung einrichten",
|
||||
"Information": "Information",
|
||||
"You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "Du solltest dies aktivieren, wenn der Raum nur für die Zusammenarbeit mit Benutzern von deinem Heim-Server verwendet werden soll. Dies kann später nicht mehr geändert werden.",
|
||||
"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.": "Du solltest dies deaktivieren, wenn der Raum für die Zusammenarbeit mit Benutzern von anderen Heim-Server verwendet werden soll. Dies kann später nicht mehr geändert werden.",
|
||||
"Block anyone not part of %(serverName)s from ever joining this room.": "Betreten nur für Nutzer von %(serverName)s erlauben.",
|
||||
"Unknown App": "Unbekannte App",
|
||||
"Not encrypted": "Nicht verschlüsselt",
|
||||
"Room settings": "Raumeinstellungen",
|
||||
|
@ -1159,7 +1128,6 @@
|
|||
"Widgets": "Widgets",
|
||||
"Edit widgets, bridges & bots": "Widgets, Brücken und Bots bearbeiten",
|
||||
"Add widgets, bridges & bots": "Widgets, Brücken und Bots hinzufügen",
|
||||
"Your server requires encryption to be enabled in private rooms.": "Für deinen Server muss die Verschlüsselung in privaten Räumen aktiviert sein.",
|
||||
"Start a conversation with someone using their name or username (like <userId/>).": "Starte ein Gespräch unter Verwendung des Namen oder Benutzernamens des Gegenübers (z. B. <userId/>).",
|
||||
"Invite someone using their name, username (like <userId/>) or <a>share this room</a>.": "Lade jemanden mittels Name oder Benutzername (z. B. <userId/>) ein oder <a>teile diesen Raum</a>.",
|
||||
"Unable to set up keys": "Schlüssel können nicht eingerichtet werden",
|
||||
|
@ -1188,63 +1156,7 @@
|
|||
"The call could not be established": "Der Anruf kann nicht getätigt werden",
|
||||
"Data on this screen is shared with %(widgetDomain)s": "Daten auf diesem Bildschirm werden mit %(widgetDomain)s geteilt",
|
||||
"Modal Widget": "Modales Widget",
|
||||
"Send feedback": "Rückmeldung senden",
|
||||
"Feedback sent": "Rückmeldung gesendet",
|
||||
"Uzbekistan": "Usbekistan",
|
||||
"Send stickers into this room": "Sticker in diesen Raum senden",
|
||||
"Send stickers into your active room": "Sticker in deinen aktiven Raum senden",
|
||||
"Change which room you're viewing": "Ändern, welchen Raum du siehst",
|
||||
"Change the topic of this room": "Das Thema von diesem Raum ändern",
|
||||
"See when the topic changes in this room": "Sehen, wenn sich das Thema in diesem Raum ändert",
|
||||
"Change the topic of your active room": "Das Thema von deinem aktiven Raum ändern",
|
||||
"See when the topic changes in your active room": "Sehen, wenn sich das Thema im aktuellen Raum ändert",
|
||||
"Change the name of this room": "Name von diesem Raum ändern",
|
||||
"See when the name changes in this room": "Sehen wenn sich der Name in diesem Raum ändert",
|
||||
"Change the name of your active room": "Den Namen deines aktiven Raums ändern",
|
||||
"See when the name changes in your active room": "Sehen wenn der Name sich in deinem aktiven Raum ändert",
|
||||
"Change the avatar of this room": "Icon von diesem Raum ändern",
|
||||
"See when the avatar changes in this room": "Sehen, wenn sich das Icon des Raums ändert",
|
||||
"Change the avatar of your active room": "Den Avatar deines aktiven Raums ändern",
|
||||
"See when the avatar changes in your active room": "Sehen, wenn das Icon in deinem aktiven Raum geändert wird",
|
||||
"Send stickers to this room as you": "Einen Sticker in diesen Raum senden",
|
||||
"See when a sticker is posted in this room": "Sehe wenn ein Sticker in diesen Raum gesendet wird",
|
||||
"Send stickers to your active room as you": "Einen Sticker als du in deinen aktiven Raum senden",
|
||||
"See when anyone posts a sticker to your active room": "Sehen, wenn jemand einen Sticker in deinen aktiven Raum sendet",
|
||||
"with an empty state key": "mit einem leeren Zustandsschlüssel",
|
||||
"with state key %(stateKey)s": "mit Zustandsschlüssel %(stateKey)s",
|
||||
"Send <b>%(eventType)s</b> events as you in this room": "Sende <b>%(eventType)s</b>-Ereignisse mit deiner Identität in diesen Raum",
|
||||
"See <b>%(eventType)s</b> events posted to this room": "In diesen Raum gesendete <b>%(eventType)s</b>-Ereignisse anzeigen",
|
||||
"Send <b>%(eventType)s</b> events as you in your active room": "Sende <b>%(eventType)s</b>-Ereignisse als du in deinen aktiven Raum",
|
||||
"See <b>%(eventType)s</b> events posted to your active room": "In deinen aktiven Raum gesendete <b>%(eventType)s</b>-Ereignisse anzeigen",
|
||||
"The <b>%(capability)s</b> capability": "Die <b>%(capability)s</b>-Fähigkeit",
|
||||
"Send messages as you in this room": "Nachrichten als du in diesem Raum senden",
|
||||
"Send messages as you in your active room": "Eine Nachricht als du in deinen aktiven Raum senden",
|
||||
"See messages posted to this room": "In diesen Raum gesendete Nachrichten anzeigen",
|
||||
"See messages posted to your active room": "In deinen aktiven Raum gesendete Nachrichten anzeigen",
|
||||
"Send text messages as you in this room": "Textnachrichten als du in diesen Raum senden",
|
||||
"Send text messages as you in your active room": "Textnachrichten als du in deinen aktiven Raum senden",
|
||||
"See text messages posted to this room": "In diesen Raum gesendete Textnachrichten anzeigen",
|
||||
"See text messages posted to your active room": "In deinen aktiven Raum gesendete Textnachrichten anzeigen",
|
||||
"Send emotes as you in this room": "Emojis als du in diesen Raum senden",
|
||||
"Send emotes as you in your active room": "Emojis als du in deinen aktiven Raum senden",
|
||||
"See emotes posted to this room": "In diesen Raum gesendete Emojis anzeigen",
|
||||
"See emotes posted to your active room": "In deinen aktiven Raum gesendete Emojis anzeigen",
|
||||
"See videos posted to your active room": "In deinen aktiven Raum gesendete Videos anzeigen",
|
||||
"See videos posted to this room": "In diesen Raum gesendete Videos anzeigen",
|
||||
"Send images as you in this room": "Bilder als du in diesen Raum senden",
|
||||
"Send images as you in your active room": "Sende Bilder in den aktuellen Raum",
|
||||
"See images posted to this room": "In diesen Raum gesendete Bilder anzeigen",
|
||||
"See images posted to your active room": "In deinen aktiven Raum gesendete Bilder anzeigen",
|
||||
"Send videos as you in this room": "Videos als du in diesen Raum senden",
|
||||
"Send videos as you in your active room": "Videos als du in deinen aktiven Raum senden",
|
||||
"Send general files as you in this room": "Allgemeine Dateien als du in diesen Raum senden",
|
||||
"Send general files as you in your active room": "Allgemeine Dateien als du in deinen aktiven Raum senden",
|
||||
"See general files posted to your active room": "Allgemeine in deinen aktiven Raum gesendete Dateien anzeigen",
|
||||
"See general files posted to this room": "Allgemeine in diesen Raum gesendete Dateien anzeigen",
|
||||
"Send <b>%(msgtype)s</b> messages as you in this room": "Sende <b>%(msgtype)s</b> Nachrichten als du in diesen Raum",
|
||||
"Send <b>%(msgtype)s</b> messages as you in your active room": "Sende <b>%(msgtype)s</b> Nachrichten als du in deinen aktiven Raum",
|
||||
"See <b>%(msgtype)s</b> messages posted to this room": "Zeige <b>%(msgtype)s</b> Nachrichten, welche in diesen Raum gesendet worden sind",
|
||||
"See <b>%(msgtype)s</b> messages posted to your active room": "Zeige <b>%(msgtype)s</b> Nachrichten, welche in deinen aktiven Raum gesendet worden sind",
|
||||
"Don't miss a reply": "Verpasse keine Antwort",
|
||||
"Enable desktop notifications": "Aktiviere Desktopbenachrichtigungen",
|
||||
"Update %(brand)s": "Aktualisiere %(brand)s",
|
||||
|
@ -1262,9 +1174,6 @@
|
|||
"%(displayName)s created this room.": "%(displayName)s hat diesen Raum erstellt.",
|
||||
"Add a photo, so people can easily spot your room.": "Füge ein Bild hinzu, damit andere deinen Raum besser erkennen können.",
|
||||
"This is the start of <roomName/>.": "Dies ist der Beginn von <roomName/>.",
|
||||
"Comment": "Kommentar",
|
||||
"Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.": "Bitte wirf einen Blick auf <existingIssuesLink>existierende Programmfehler auf Github</existingIssuesLink>. Keinen passenden gefunden? <newIssueLink>Erstelle einen neuen</newIssueLink>.",
|
||||
"PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "PRO TIPP: Wenn du einen Programmfehler meldest, füge bitte <debugLogsLink>Debug-Protokolle</debugLogsLink> hinzu, um uns beim Finden des Problems zu helfen.",
|
||||
"Invite by email": "Via Email einladen",
|
||||
"Start a conversation with someone using their name, email address or username (like <userId/>).": "Beginne eine Konversation mittels Name, E-Mail-Adresse oder Matrix-ID (wie <userId/>).",
|
||||
"Invite someone using their name, email address, username (like <userId/>) or <a>share this room</a>.": "Lade jemanden mittels Name, E-Mail-Adresse oder Benutzername (wie <userId/>) ein, oder <a>teile diesen Raum</a>.",
|
||||
|
@ -1274,8 +1183,6 @@
|
|||
"%(creator)s created this DM.": "%(creator)s hat diese Direktnachricht erstellt.",
|
||||
"Enter phone number": "Telefonnummer eingeben",
|
||||
"Enter email address": "E-Mail-Adresse eingeben",
|
||||
"Remain on your screen while running": "Bleib auf deinem Bildschirm während der Ausführung von",
|
||||
"Remain on your screen when viewing another room, when running": "Sichtbar bleiben, wenn es ausgeführt und ein anderer Raum angezeigt wird",
|
||||
"Zimbabwe": "Simbabwe",
|
||||
"Zambia": "Sambia",
|
||||
"Yemen": "Jemen",
|
||||
|
@ -1524,27 +1431,17 @@
|
|||
"Afghanistan": "Afghanistan",
|
||||
"United States": "Vereinigte Staaten",
|
||||
"United Kingdom": "Großbritannien",
|
||||
"Specify a homeserver": "Gib einen Heim-Server an",
|
||||
"New? <a>Create account</a>": "Neu? <a>Erstelle ein Konto</a>",
|
||||
"There was a problem communicating with the homeserver, please try again later.": "Es gab ein Problem bei der Kommunikation mit dem Heim-Server. Bitte versuche es später erneut.",
|
||||
"New here? <a>Create an account</a>": "Neu hier? <a>Erstelle ein Konto</a>",
|
||||
"Got an account? <a>Sign in</a>": "Du hast bereits ein Konto? <a>Melde dich an</a>",
|
||||
"Use email to optionally be discoverable by existing contacts.": "Nutze optional eine E-Mail-Adresse, um von Nutzern gefunden werden zu können.",
|
||||
"Use email or phone to optionally be discoverable by existing contacts.": "Nutze optional eine E-Mail-Adresse oder Telefonnummer, um von Nutzern gefunden werden zu können.",
|
||||
"Add an email to be able to reset your password.": "Füge eine E-Mail-Adresse hinzu, um dein Passwort zurücksetzen zu können.",
|
||||
"That phone number doesn't look quite right, please check and try again": "Diese Telefonummer sieht nicht ganz richtig aus. Bitte überprüfe deine Eingabe und versuche es erneut",
|
||||
"About homeservers": "Über Heim-Server",
|
||||
"Use your preferred Matrix homeserver if you have one, or host your own.": "Verwende einen Matrix-Heim-Server deiner Wahl oder betreibe deinen eigenen.",
|
||||
"Other homeserver": "Anderer Heim-Server",
|
||||
"Sign into your homeserver": "Melde dich bei deinem Heim-Server an",
|
||||
"Just a heads up, if you don't add an email and forget your password, you could <b>permanently lose access to your account</b>.": "Aufgepasst: Wenn du keine E-Mail-Adresse angibst und dein Passwort vergisst, kannst du den <b>Zugriff auf deinen Konto dauerhaft verlieren</b>.",
|
||||
"Continuing without email": "Ohne E-Mail fortfahren",
|
||||
"Reason (optional)": "Grund (optional)",
|
||||
"Server Options": "Server-Einstellungen",
|
||||
"Hold": "Halten",
|
||||
"Resume": "Fortsetzen",
|
||||
"Invalid URL": "Ungültiger Link",
|
||||
"Unable to validate homeserver": "Überprüfung des Heim-Servers nicht möglich",
|
||||
"You've reached the maximum number of simultaneous calls.": "Du hast die maximale Anzahl gleichzeitig möglicher Anrufe erreicht.",
|
||||
"Too Many Calls": "Zu viele Anrufe",
|
||||
"You have no visible notifications.": "Du hast keine sichtbaren Benachrichtigungen.",
|
||||
|
@ -1567,7 +1464,6 @@
|
|||
"Workspace: <networkLink/>": "Arbeitsraum: <networkLink/>",
|
||||
"Dial pad": "Wähltastatur",
|
||||
"There was an error looking up the phone number": "Beim Suchen der Telefonnummer ist ein Fehler aufgetreten",
|
||||
"Change which room, message, or user you're viewing": "Ändere den sichtbaren Raum, Nachricht oder Nutzer",
|
||||
"Unable to look up phone number": "Telefonnummer konnte nicht gefunden werden",
|
||||
"This session has detected that your Security Phrase and key for Secure Messages have been removed.": "In dieser Sitzung wurde festgestellt, dass deine Sicherheitsphrase und dein Schlüssel für sichere Nachrichten entfernt wurden.",
|
||||
"A new Security Phrase and key for Secure Messages have been detected.": "Eine neue Sicherheitsphrase und ein neuer Schlüssel für sichere Nachrichten wurden erkannt.",
|
||||
|
@ -1729,14 +1625,12 @@
|
|||
"Add reaction": "Reaktion hinzufügen",
|
||||
"You may contact me if you have any follow up questions": "Kontaktiert mich, falls ihr weitere Fragen zu meiner Rückmeldung habt",
|
||||
"To leave the beta, visit your settings.": "Du kannst die Beta in den Einstellungen deaktivieren.",
|
||||
"Your platform and username will be noted to help us use your feedback as much as we can.": "Deine Systeminformationen und dein Benutzername werden mitgeschickt, damit wir deine Rückmeldung bestmöglich nachvollziehen können.",
|
||||
"Space Autocomplete": "Spaces automatisch vervollständigen",
|
||||
"Currently joining %(count)s rooms": {
|
||||
"one": "Betrete %(count)s Raum",
|
||||
"other": "Betrete %(count)s Räume"
|
||||
},
|
||||
"Go to my space": "Zu meinem Space",
|
||||
"See when people join, leave, or are invited to this room": "Anzeigen, wenn Leute eingeladen werden, den Raum betreten oder verlassen",
|
||||
"The user you called is busy.": "Die angerufene Person ist momentan beschäftigt.",
|
||||
"User Busy": "Person beschäftigt",
|
||||
"Some suggestions may be hidden for privacy.": "Einige Vorschläge könnten aus Gründen der Privatsphäre ausgeblendet sein.",
|
||||
|
@ -1749,7 +1643,6 @@
|
|||
"Pinned messages": "Angeheftete Nachrichten",
|
||||
"Nothing pinned, yet": "Es ist nichts angepinnt. Noch nicht.",
|
||||
"End-to-end encryption isn't enabled": "Ende-zu-Ende-Verschlüsselung ist deaktiviert",
|
||||
"See when people join, leave, or are invited to your active room": "Anzeigen, wenn Leute den aktuellen Raum betreten, verlassen oder in ihn eingeladen werden",
|
||||
"Error - Mixed content": "Fehler - Uneinheitlicher Inhalt",
|
||||
"View source": "Rohdaten anzeigen",
|
||||
"Report": "Melden",
|
||||
|
@ -1817,8 +1710,6 @@
|
|||
"Hide sidebar": "Seitenleiste verbergen",
|
||||
"Missed call": "Verpasster Anruf",
|
||||
"Call declined": "Anruf abgelehnt",
|
||||
"You can change this at any time from room settings.": "Du kannst das jederzeit in den Raumeinstellungen ändern.",
|
||||
"Everyone in <SpaceName/> will be able to find and join this room.": "Mitglieder von <SpaceName/> können diesen Raum finden und betreten.",
|
||||
"Adding spaces has moved.": "Das Hinzufügen von Spaces ist umgezogen.",
|
||||
"Search for rooms": "Räume suchen",
|
||||
"Search for spaces": "Spaces suchen",
|
||||
|
@ -1852,13 +1743,7 @@
|
|||
"This upgrade will allow members of selected spaces access to this room without an invite.": "Diese Aktualisierung gewährt Mitgliedern der ausgewählten Spaces Zugang zu diesem Raum ohne Einladung.",
|
||||
"Show all rooms": "Alle Räume anzeigen",
|
||||
"Delete avatar": "Avatar löschen",
|
||||
"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, not just members of <SpaceName/>.": "Finden und Betreten ist allen, nicht nur Mitgliedern von <SpaceName/>, möglich.",
|
||||
"Visible to space members": "Für Space-Mitglieder sichtbar",
|
||||
"Public room": "Öffentlicher Raum",
|
||||
"Private room (invite only)": "Privater Raum (Einladung erforderlich)",
|
||||
"Room visibility": "Raumsichtbarkeit",
|
||||
"Add space": "Space hinzufügen",
|
||||
"Automatically invite members from this room to the new one": "Mitglieder automatisch in den neuen Raum einladen",
|
||||
"Search spaces": "Spaces durchsuchen",
|
||||
|
@ -1911,7 +1796,6 @@
|
|||
"other": "%(count)s Antworten"
|
||||
},
|
||||
"I'll verify later": "Später verifizieren",
|
||||
"The email address doesn't appear to be valid.": "E-Mail-Adresse scheint ungültig zu sein.",
|
||||
"Skip verification for now": "Verifizierung vorläufig überspringen",
|
||||
"Really reset verification keys?": "Willst du deine Verifizierungsschlüssel wirklich zurücksetzen?",
|
||||
"Show:": "Zeige:",
|
||||
|
@ -1957,11 +1841,9 @@
|
|||
"Joining": "Trete bei",
|
||||
"Copy link to thread": "Link zu Thread kopieren",
|
||||
"Thread options": "Thread-Optionen",
|
||||
"We call the places where you can host your account 'homeservers'.": "Wir nennen die Orte, an denen du dein Benutzerkonto speichern kannst, „Heim-Server“.",
|
||||
"These are likely ones other room admins are a part of.": "Das sind vermutliche solche, in denen andere Raumadministratoren Mitglieder sind.",
|
||||
"If you can't see who you're looking for, send them your invite link below.": "Wenn du die gesuchte Person nicht findest, sende ihr den Einladungslink zu.",
|
||||
"Add a space to a space you manage.": "Einen Space zu einem Space den du verwaltest hinzufügen.",
|
||||
"You can't disable this later. Bridges & most bots won't work yet.": "Du kannst dies später nicht deaktivieren. Brücken und die meisten Bots werden noch nicht funktionieren.",
|
||||
"Add option": "Antwortmöglichkeit hinzufügen",
|
||||
"Write an option": "Antwortmöglichkeit verfassen",
|
||||
"Option %(number)s": "Antwortmöglichkeit %(number)s",
|
||||
|
@ -1969,8 +1851,6 @@
|
|||
"Question or topic": "Frage oder Thema",
|
||||
"What is your poll question or topic?": "Was ist die Frage oder das Thema deiner Umfrage?",
|
||||
"Create Poll": "Umfrage erstellen",
|
||||
"The above, but in any room you are joined or invited to as well": "Wie oben, nur zusätzlich in allen Räumen denen du beigetreten oder in die du eingeladen wurdest",
|
||||
"The above, but in <Room /> as well": "Wie oben, nur zusätzlich in <Room />",
|
||||
"Ban from %(roomName)s": "Aus %(roomName)s verbannen",
|
||||
"Yours, or the other users' session": "Die Sitzung von dir oder dem anderen Nutzer",
|
||||
"Yours, or the other users' internet connection": "Die Internetverbindung von dir oder dem anderen Nutzer",
|
||||
|
@ -1994,10 +1874,8 @@
|
|||
},
|
||||
"Automatically send debug logs on any error": "Sende bei Fehlern automatisch Protokolle zur Fehlerkorrektur",
|
||||
"Use a more compact 'Modern' layout": "Modernes kompaktes Layout verwenden",
|
||||
"Someone already has that username, please try another.": "Dieser Benutzername wird bereits genutzt, bitte versuche es mit einem anderen.",
|
||||
"You're all caught up": "Du bist auf dem neuesten Stand",
|
||||
"Someone already has that username. Try another or if it is you, sign in below.": "Jemand anderes nutzt diesen Benutzernamen schon. Probier einen anderen oder wenn du es bist, melde dich unten an.",
|
||||
"Matrix.org is the biggest public homeserver in the world, so it's a good place for many.": "Matrix.org ist der größte öffentliche Heim-Server der Welt, also für viele ein guter Ort.",
|
||||
"Could not connect media": "Konnte Medien nicht verbinden",
|
||||
"In encrypted rooms, verify all users to ensure it's secure.": "Verifiziere alle Benutzer in verschlüsselten Räumen, um die Sicherheit zu garantieren.",
|
||||
"They'll still be able to access whatever you're not an admin of.": "Die Person wird weiterhin Zutritt zu Bereichen haben, in denen du nicht administrierst.",
|
||||
|
@ -2059,7 +1937,6 @@
|
|||
"Spaces you're in": "Spaces, in denen du Mitglied bist",
|
||||
"Sections to show": "Anzuzeigende Bereiche",
|
||||
"Link to room": "Link zum Raum",
|
||||
"You may contact me if you want to follow up or to let me test out upcoming ideas": "Ich möchte kontaktiert werden, wenn ihr mehr wissen oder mich neue Funktionen testen lassen wollt",
|
||||
"Are you sure you want to end this poll? This will show the final results of the poll and stop people from being able to vote.": "Willst du die Umfrage wirklich beenden? Die finalen Ergebnisse werden angezeigt und können nicht mehr geändert werden.",
|
||||
"End Poll": "Umfrage beenden",
|
||||
"Sorry, the poll did not end. Please try again.": "Die Umfrage konnte nicht beendet werden. Bitte versuche es erneut.",
|
||||
|
@ -2096,7 +1973,6 @@
|
|||
"Unpin this widget to view it in this panel": "Widget nicht mehr anheften und in diesem Panel anzeigen",
|
||||
"This groups your chats with members of this space. Turning this off will hide those chats from your view of %(spaceName)s.": "Gruppiere Unterhaltungen mit Mitgliedern dieses Spaces. Diese Option zu deaktivieren, wird die Unterhaltungen aus %(spaceName)s ausblenden.",
|
||||
"Including you, %(commaSeparatedMembers)s": "Mit dir, %(commaSeparatedMembers)s",
|
||||
"Command error: Unable to handle slash command.": "Befehlsfehler: Slash-Befehl kann nicht verarbeitet werden.",
|
||||
"Device verified": "Gerät verifiziert",
|
||||
"Expand map": "Karte vergrößern",
|
||||
"Room members": "Raummitglieder",
|
||||
|
@ -2107,12 +1983,8 @@
|
|||
"Automatically send debug logs on decryption errors": "Sende bei Entschlüsselungsfehlern automatisch Protokolle zur Fehlerkorrektur",
|
||||
"Back to thread": "Zurück zum Thread",
|
||||
"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 this room, and make you leave": "Entferne, verbanne oder lade andere in diesen Raum ein und verlasse den Raum selbst",
|
||||
"Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Unbekanntes Paar (Nutzer, Sitzung): (%(userId)s, %(deviceId)s)",
|
||||
"Command failed: Unable to find room (%(roomId)s": "Befehl fehlgeschlagen: Raum kann nicht gefunden werden (%(roomId)s",
|
||||
"Unrecognised room address: %(roomAlias)s": "Nicht erkannte Raumadresse: %(roomAlias)s",
|
||||
"Command error: Unable to find rendering type (%(renderingType)s)": "Befehlsfehler: Rendering-Typ kann nicht gefunden werden (%(renderingType)s)",
|
||||
"Unknown error fetching location. Please try again later.": "Beim Abruf deines Standortes ist ein unbekannter Fehler aufgetreten. Bitte versuche es später erneut.",
|
||||
"Failed to fetch your location. Please try again later.": "Standort konnte nicht abgerufen werden. Bitte versuche es später erneut.",
|
||||
"Could not fetch location": "Standort konnte nicht abgerufen werden",
|
||||
|
@ -2141,10 +2013,6 @@
|
|||
"Message pending moderation": "Nachricht erwartet Moderation",
|
||||
"toggle event": "Event umschalten",
|
||||
"This address had invalid server or is already in use": "Diese Adresse hat einen ungültigen Server oder wird bereits verwendet",
|
||||
"You can't see earlier messages": "Du kannst keine älteren Nachrichten lesen",
|
||||
"Encrypted messages before this point are unavailable.": "Vor diesem Zeitpunkt sind keine verschlüsselten Nachrichten verfügbar.",
|
||||
"You don't have permission to view messages from before you joined.": "Du kannst keine Nachrichten lesen, die gesendet wurden, bevor du beigetreten bist.",
|
||||
"You don't have permission to view messages from before you were invited.": "Du kannst keine Nachrichten lesen, die gesendet wurden, bevor du eingeladen wurdest.",
|
||||
"Unable to check if username has been taken. Try again later.": "Es kann nicht überprüft werden, ob der Nutzername bereits vergeben ist. Bitte versuche es später erneut.",
|
||||
"Internal room ID": "Interne Raum-ID",
|
||||
"Group all your rooms that aren't part of a space in one place.": "Gruppiere all deine Räume, die nicht Teil eines Spaces sind, an einem Ort.",
|
||||
|
@ -2348,7 +2216,6 @@
|
|||
"Unread email icon": "Ungelesene E-Mail Symbol",
|
||||
"Coworkers and teams": "Kollegen und Gruppen",
|
||||
"Friends and family": "Freunde und Familie",
|
||||
"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.",
|
||||
"Who will you chat to the most?": "Mit wem wirst du am meisten schreiben?",
|
||||
"We're creating a room with %(names)s": "Wir erstellen einen Raum mit %(names)s",
|
||||
|
@ -2541,20 +2408,13 @@
|
|||
"Error downloading image": "Fehler beim Herunterladen des Bildes",
|
||||
"Unable to show image due to error": "Kann Bild aufgrund eines Fehlers nicht anzeigen",
|
||||
"Go live": "Live schalten",
|
||||
"That e-mail address or phone number is already in use.": "Diese E-Mail-Adresse oder Telefonnummer wird bereits verwendet.",
|
||||
"This means that you have all the keys needed to unlock your encrypted messages and confirm to other users that you trust this session.": "Dies bedeutet, dass du alle Schlüssel zum Entsperren deiner verschlüsselten Nachrichten hast und anderen bestätigst, dieser Sitzung zu vertrauen.",
|
||||
"Verified sessions are anywhere you are using this account after entering your passphrase or confirming your identity with another verified session.": "Auf verifizierte Sitzungen kannst du überall mit deinem Konto zugreifen, wenn du deine Passphrase eingegeben oder deine Identität mit einer anderen Sitzung verifiziert hast.",
|
||||
"Show details": "Details anzeigen",
|
||||
"Hide details": "Details ausblenden",
|
||||
"30s forward": "30s vorspulen",
|
||||
"30s backward": "30s zurückspulen",
|
||||
"Verify your email to continue": "Verifiziere deine E-Mail, um fortzufahren",
|
||||
"<b>%(homeserver)s</b> will send you a verification link to let you reset your password.": "<b>%(homeserver)s</b> wird dir einen Verifizierungslink senden, um dein Passwort zurückzusetzen.",
|
||||
"Enter your email to reset password": "Gib deine E-Mail ein, um dein Passwort zurückzusetzen",
|
||||
"Send email": "E-Mail senden",
|
||||
"Verification link email resent!": "Verifizierungs-E-Mail erneut gesendet!",
|
||||
"Did not receive it?": "Nicht erhalten?",
|
||||
"Follow the instructions sent to <b>%(email)s</b>": "Befolge die Anweisungen, die wir an <b>%(email)s</b> gesendet haben",
|
||||
"Sign out of all devices": "Auf allen Geräten abmelden",
|
||||
"Confirm new password": "Neues Passwort bestätigen",
|
||||
"Too many attempts in a short time. Retry after %(timeout)s.": "Zu viele Versuche in zu kurzer Zeit. Versuche es erneut nach %(timeout)s.",
|
||||
|
@ -2573,9 +2433,6 @@
|
|||
"Early previews": "Frühe Vorschauen",
|
||||
"You have unverified sessions": "Du hast nicht verifizierte Sitzungen",
|
||||
"Change layout": "Anordnung ändern",
|
||||
"Sign in instead": "Stattdessen anmelden",
|
||||
"Re-enter email address": "E-Mail-Adresse erneut eingeben",
|
||||
"Wrong email address?": "Falsche E-Mail-Adresse?",
|
||||
"Add privileged users": "Berechtigten Benutzer hinzufügen",
|
||||
"Search users in this room…": "Benutzer im Raum suchen …",
|
||||
"Give one or multiple users in this room more privileges": "Einem oder mehreren Benutzern im Raum mehr Berechtigungen geben",
|
||||
|
@ -2603,7 +2460,6 @@
|
|||
"Mark as read": "Als gelesen markieren",
|
||||
"Text": "Text",
|
||||
"Create a link": "Link erstellen",
|
||||
"Force 15s voice broadcast chunk length": "Die Chunk-Länge der Sprachübertragungen auf 15 Sekunden erzwingen",
|
||||
"Sign out of %(count)s sessions": {
|
||||
"one": "Von %(count)s Sitzung abmelden",
|
||||
"other": "Von %(count)s Sitzungen abmelden"
|
||||
|
@ -2638,13 +2494,10 @@
|
|||
"Declining…": "Ablehnen …",
|
||||
"There are no past polls in this room": "In diesem Raum gibt es keine abgeschlossenen Umfragen",
|
||||
"There are no active polls in this room": "In diesem Raum gibt es keine aktiven Umfragen",
|
||||
"We need to know it’s you before resetting your password. Click the link in the email we just sent to <b>%(email)s</b>": "Wir müssen wissen, dass du es auch wirklich bist, bevor wir dein Passwort zurücksetzen. Klicke auf den Link in der E-Mail, die wir gerade an <b>%(email)s</b> gesendet haben",
|
||||
"Warning: your personal data (including encryption keys) is still stored in this session. Clear it if you're finished using this session, or want to sign in to another account.": "Achtung: Deine persönlichen Daten (einschließlich Verschlüsselungs-Schlüssel) sind noch in dieser Sitzung gespeichert. Lösche diese Daten, wenn du diese Sitzung nicht mehr benötigst, oder dich mit einem anderen Konto anmelden möchtest.",
|
||||
"<b>Warning</b>: upgrading a room will <i>not automatically migrate room members to the new version of the room.</i> We'll post a link to the new room in the old version of the room - room members will have to click this link to join the new room.": "<b>Achtung</b>: Eine Raumaktualisierung wird <i>Raummitglieder nicht automatisch in die neue Raumversion umziehen.</i> In der alten Raumversion wird ein Link zum neuen Raum veröffentlicht − Raummitglieder müssen auf diesen klicken, um den neuen Raum zu betreten.",
|
||||
"WARNING: session already verified, but keys do NOT MATCH!": "ACHTUNG: Sitzung bereits verifiziert, aber die Schlüssel PASSEN NICHT!",
|
||||
"Starting backup…": "Beginne Sicherung …",
|
||||
"Signing In…": "Melde an …",
|
||||
"Syncing…": "Synchronisiere …",
|
||||
"Inviting…": "Lade ein …",
|
||||
"Creating rooms…": "Erstelle Räume …",
|
||||
"Keep going…": "Fortfahren …",
|
||||
|
@ -2706,7 +2559,6 @@
|
|||
"Invites by email can only be sent one at a time": "E-Mail-Einladungen können nur nacheinander gesendet werden",
|
||||
"Once everyone has joined, you’ll be able to chat": "Sobald alle den Raum betreten hat, könnt ihr euch unterhalten",
|
||||
"An error occurred when updating your notification preferences. Please try to toggle your option again.": "Ein Fehler ist während der Aktualisierung deiner Benachrichtigungseinstellungen aufgetreten. Bitte versuche die Option erneut umzuschalten.",
|
||||
"Use your account to continue.": "Nutze dein Konto, um fortzufahren.",
|
||||
"Desktop app logo": "Desktop-App-Logo",
|
||||
"Log out and back in to disable": "Zum Deaktivieren, melde dich ab und erneut an",
|
||||
"Can currently only be enabled via config.json": "Dies kann aktuell nur per config.json aktiviert werden",
|
||||
|
@ -2759,15 +2611,10 @@
|
|||
"Try using %(server)s": "Versuche %(server)s zu verwenden",
|
||||
"Your server requires encryption to be disabled.": "Dein Server erfordert die Deaktivierung der Verschlüsselung.",
|
||||
"Are you sure you wish to remove (delete) this event?": "Möchtest du dieses Ereignis wirklich entfernen (löschen)?",
|
||||
"Enable new native OIDC flows (Under active development)": "Neue native OIDC-Verfahren aktivieren (in aktiver Entwicklung)",
|
||||
"Note that removing room changes like this could undo the change.": "Beachte, dass das Entfernen von Raumänderungen diese rückgängig machen könnte.",
|
||||
"User cannot be invited until they are unbanned": "Benutzer kann nicht eingeladen werden, solange er nicht entbannt ist",
|
||||
"Notification Settings": "Benachrichtigungseinstellungen",
|
||||
"People, Mentions and Keywords": "Personen, Erwähnungen und Schlüsselwörter",
|
||||
"<strong>Update:</strong>We’ve simplified Notifications Settings to make options easier to find. Some custom settings you’ve chosen in the past are not shown here, but they’re 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.",
|
||||
"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",
|
||||
"Something went wrong.": "Etwas ist schiefgelaufen.",
|
||||
"Email Notifications": "E-Mail-Benachrichtigungen",
|
||||
"Email summary": "E-Mail-Zusammenfassung",
|
||||
|
@ -2910,7 +2757,8 @@
|
|||
"cross_signing": "Quersignierung",
|
||||
"identity_server": "Identitäts-Server",
|
||||
"integration_manager": "Integrationsverwaltung",
|
||||
"qr_code": "QR-Code"
|
||||
"qr_code": "QR-Code",
|
||||
"feedback": "Rückmeldung"
|
||||
},
|
||||
"action": {
|
||||
"continue": "Fortfahren",
|
||||
|
@ -3084,7 +2932,10 @@
|
|||
"leave_beta_reload": "Das Verlassen der Beta wird %(brand)s neustarten.",
|
||||
"join_beta_reload": "Die Teilnahme an der Beta wird %(brand)s neustarten.",
|
||||
"leave_beta": "Beta verlassen",
|
||||
"join_beta": "Beta beitreten"
|
||||
"join_beta": "Beta beitreten",
|
||||
"notification_settings_beta_title": "Benachrichtigungseinstellungen",
|
||||
"voice_broadcast_force_small_chunks": "Die Chunk-Länge der Sprachübertragungen auf 15 Sekunden erzwingen",
|
||||
"oidc_native_flow": "Neue native OIDC-Verfahren aktivieren (in aktiver Entwicklung)"
|
||||
},
|
||||
"keyboard": {
|
||||
"home": "Startseite",
|
||||
|
@ -3372,7 +3223,9 @@
|
|||
"timeline_image_size": "Bildgröße im Verlauf",
|
||||
"timeline_image_size_default": "Standard",
|
||||
"timeline_image_size_large": "Groß"
|
||||
}
|
||||
},
|
||||
"inline_url_previews_room_account": "URL-Vorschau für dich in diesem Raum",
|
||||
"inline_url_previews_room": "URL-Vorschau für Raummitglieder"
|
||||
},
|
||||
"devtools": {
|
||||
"send_custom_account_data_event": "Sende benutzerdefiniertes Kontodatenereignis",
|
||||
|
@ -3531,7 +3384,25 @@
|
|||
"title_public_room": "Öffentlichen Raum erstellen",
|
||||
"title_private_room": "Einen privaten Raum erstellen",
|
||||
"action_create_video_room": "Videoraum erstellen",
|
||||
"action_create_room": "Raum erstellen"
|
||||
"action_create_room": "Raum erstellen",
|
||||
"name_validation_required": "Bitte gib einen Namen für den Raum ein",
|
||||
"join_rule_restricted_label": "Mitglieder von <SpaceName/> können diesen Raum finden und betreten.",
|
||||
"join_rule_change_notice": "Du kannst das jederzeit in den Raumeinstellungen ändern.",
|
||||
"join_rule_public_parent_space_label": "Finden und Betreten ist allen, nicht nur Mitgliedern von <SpaceName/>, möglich.",
|
||||
"join_rule_public_label": "Alle können diesen Raum finden und betreten.",
|
||||
"join_rule_invite_label": "Nur eingeladene Personen können den Raum finden und betreten.",
|
||||
"join_rule_knock_label": "Jeder kann Anfragen beizutreten, aber Admins oder Moderatoren müssen dies bestätigen. Du kannst dies später ändern.",
|
||||
"encrypted_video_room_warning": "Dies kann später nicht deaktiviert werden. Der Raum wird verschlüsselt sein, nicht aber der eingebettete Anruf.",
|
||||
"encrypted_warning": "Du kannst dies später nicht deaktivieren. Brücken und die meisten Bots werden noch nicht funktionieren.",
|
||||
"encryption_forced": "Für deinen Server muss die Verschlüsselung in privaten Räumen aktiviert sein.",
|
||||
"encryption_label": "Ende-zu-Ende-Verschlüsselung aktivieren",
|
||||
"unfederated_label_default_off": "Du solltest dies aktivieren, wenn der Raum nur für die Zusammenarbeit mit Benutzern von deinem Heim-Server verwendet werden soll. Dies kann später nicht mehr geändert werden.",
|
||||
"unfederated_label_default_on": "Du solltest dies deaktivieren, wenn der Raum für die Zusammenarbeit mit Benutzern von anderen Heim-Server verwendet werden soll. Dies kann später nicht mehr geändert werden.",
|
||||
"topic_label": "Thema (optional)",
|
||||
"room_visibility_label": "Raumsichtbarkeit",
|
||||
"join_rule_invite": "Privater Raum (Einladung erforderlich)",
|
||||
"join_rule_restricted": "Für Space-Mitglieder sichtbar",
|
||||
"unfederated": "Betreten nur für Nutzer von %(serverName)s erlauben."
|
||||
},
|
||||
"timeline": {
|
||||
"m.call": {
|
||||
|
@ -3813,7 +3684,11 @@
|
|||
"changed_rule_rooms": "%(senderName)s ändert eine Ausschlussregel für Räume von %(oldGlob)s nach %(newGlob)s, wegen %(reason)s",
|
||||
"changed_rule_servers": "%(senderName)s änderte eine Ausschlussregel für Server von %(oldGlob)s nach %(newGlob)s wegen %(reason)s",
|
||||
"changed_rule_glob": "%(senderName)s aktualisierte eine Ausschlussregel von %(oldGlob)s nach %(newGlob)s wegen %(reason)s"
|
||||
}
|
||||
},
|
||||
"no_permission_messages_before_invite": "Du kannst keine Nachrichten lesen, die gesendet wurden, bevor du eingeladen wurdest.",
|
||||
"no_permission_messages_before_join": "Du kannst keine Nachrichten lesen, die gesendet wurden, bevor du beigetreten bist.",
|
||||
"encrypted_historical_messages_unavailable": "Vor diesem Zeitpunkt sind keine verschlüsselten Nachrichten verfügbar.",
|
||||
"historical_messages_unavailable": "Du kannst keine älteren Nachrichten lesen"
|
||||
},
|
||||
"slash_command": {
|
||||
"spoiler": "Die gegebene Nachricht als Spoiler senden",
|
||||
|
@ -3873,7 +3748,15 @@
|
|||
"holdcall": "Den aktuellen Anruf halten",
|
||||
"no_active_call": "Kein aktiver Anruf in diesem Raum",
|
||||
"unholdcall": "Beendet das Halten des Anrufs",
|
||||
"me": "Als Aktionen anzeigen"
|
||||
"me": "Als Aktionen anzeigen",
|
||||
"error_invalid_runfn": "Befehlsfehler: Slash-Befehl kann nicht verarbeitet werden.",
|
||||
"error_invalid_rendering_type": "Befehlsfehler: Rendering-Typ kann nicht gefunden werden (%(renderingType)s)",
|
||||
"join": "Tritt dem Raum mit der angegebenen Adresse bei",
|
||||
"view": "Raum mit angegebener Adresse betrachten",
|
||||
"failed_find_room": "Befehl fehlgeschlagen: Raum kann nicht gefunden werden (%(roomId)s",
|
||||
"failed_find_user": "Benutzer konnte nicht im Raum gefunden werden",
|
||||
"op": "Berechtigungsstufe einers Benutzers setzen",
|
||||
"deop": "Setzt das Berechtigungslevel beim Benutzer mit der angegebenen ID zurück"
|
||||
},
|
||||
"presence": {
|
||||
"busy": "Beschäftigt",
|
||||
|
@ -4057,13 +3940,57 @@
|
|||
"reset_password_title": "Setze dein Passwort zurück",
|
||||
"continue_with_sso": "Mit %(ssoButtons)s anmelden",
|
||||
"sso_or_username_password": "%(ssoButtons)s oder %(usernamePassword)s",
|
||||
"sign_in_instead": "Du hast bereits ein Konto? <a>Melde dich hier an</a>",
|
||||
"sign_in_instead": "Stattdessen anmelden",
|
||||
"account_clash": "Dein neues Konto (%(newAccountId)s) ist registriert, aber du hast dich bereits in mit einem anderen Konto (%(loggedInUserId)s) angemeldet.",
|
||||
"account_clash_previous_account": "Mit vorherigem Konto fortfahren",
|
||||
"log_in_new_account": "Mit deinem neuen Konto <a>anmelden</a>.",
|
||||
"registration_successful": "Registrierung erfolgreich",
|
||||
"server_picker_title": "Konto betreiben auf",
|
||||
"server_picker_dialog_title": "Entscheide, wo sich dein Konto befinden soll"
|
||||
"server_picker_title": "Melde dich bei deinem Heim-Server an",
|
||||
"server_picker_dialog_title": "Entscheide, wo sich dein Konto befinden soll",
|
||||
"footer_powered_by_matrix": "Betrieben mit Matrix",
|
||||
"failed_homeserver_discovery": "Fehler beim Aufspüren des Heim-Servers",
|
||||
"sync_footer_subtitle": "Du bist einer Menge Räumen beigetreten, das kann eine Weile dauern",
|
||||
"syncing": "Synchronisiere …",
|
||||
"signing_in": "Melde an …",
|
||||
"unsupported_auth_msisdn": "Dieser Server unterstützt keine Authentifizierung per Telefonnummer.",
|
||||
"unsupported_auth_email": "Dieser Heim-Server unterstützt die Anmeldung per E-Mail-Adresse nicht.",
|
||||
"unsupported_auth": "Dieser Heim-Server verfügt über keines von dieser Anwendung unterstütztes Anmeldeverfahren.",
|
||||
"registration_disabled": "Registrierungen wurden auf diesem Heim-Server deaktiviert.",
|
||||
"failed_query_registration_methods": "Konnte unterstützte Registrierungsmethoden nicht abrufen.",
|
||||
"username_in_use": "Dieser Benutzername wird bereits genutzt, bitte versuche es mit einem anderen.",
|
||||
"3pid_in_use": "Diese E-Mail-Adresse oder Telefonnummer wird bereits verwendet.",
|
||||
"incorrect_password": "Ungültiges Passwort",
|
||||
"failed_soft_logout_auth": "Erneute Authentifizierung fehlgeschlagen",
|
||||
"soft_logout_heading": "Du wurdest abgemeldet",
|
||||
"forgot_password_email_required": "Es muss die mit dem Benutzerkonto verbundene E-Mail-Adresse eingegeben werden.",
|
||||
"forgot_password_email_invalid": "E-Mail-Adresse scheint ungültig zu sein.",
|
||||
"sign_in_prompt": "Du hast bereits ein Konto? <a>Melde dich an</a>",
|
||||
"verify_email_heading": "Verifiziere deine E-Mail, um fortzufahren",
|
||||
"forgot_password_prompt": "Passwort vergessen?",
|
||||
"soft_logout_intro_password": "Gib dein Passwort ein, um dich anzumelden und wieder Zugang zu deinem Konto zu erhalten.",
|
||||
"soft_logout_intro_sso": "Melde dich an und erhalte wieder Zugriff auf dein Konto.",
|
||||
"soft_logout_intro_unsupported_auth": "Du kannst dich nicht bei deinem Konto anmelden. Bitte kontaktiere deine Heim-Server-Administration für weitere Informationen.",
|
||||
"check_email_explainer": "Befolge die Anweisungen, die wir an <b>%(email)s</b> gesendet haben",
|
||||
"check_email_wrong_email_prompt": "Falsche E-Mail-Adresse?",
|
||||
"check_email_wrong_email_button": "E-Mail-Adresse erneut eingeben",
|
||||
"check_email_resend_prompt": "Nicht erhalten?",
|
||||
"check_email_resend_tooltip": "Verifizierungs-E-Mail erneut gesendet!",
|
||||
"enter_email_heading": "Gib deine E-Mail ein, um dein Passwort zurückzusetzen",
|
||||
"enter_email_explainer": "<b>%(homeserver)s</b> wird dir einen Verifizierungslink senden, um dein Passwort zurückzusetzen.",
|
||||
"verify_email_explainer": "Wir müssen wissen, dass du es auch wirklich bist, bevor wir dein Passwort zurücksetzen. Klicke auf den Link in der E-Mail, die wir gerade an <b>%(email)s</b> gesendet haben",
|
||||
"create_account_prompt": "Neu hier? <a>Erstelle ein Konto</a>",
|
||||
"sign_in_or_register": "Anmelden oder Konto erstellen",
|
||||
"sign_in_or_register_description": "Benutze dein Konto oder erstelle ein neues, um fortzufahren.",
|
||||
"sign_in_description": "Nutze dein Konto, um fortzufahren.",
|
||||
"register_action": "Konto erstellen",
|
||||
"server_picker_failed_validate_homeserver": "Überprüfung des Heim-Servers nicht möglich",
|
||||
"server_picker_invalid_url": "Ungültiger Link",
|
||||
"server_picker_required": "Gib einen Heim-Server an",
|
||||
"server_picker_matrix.org": "Matrix.org ist der größte öffentliche Heim-Server der Welt, also für viele ein guter Ort.",
|
||||
"server_picker_intro": "Wir nennen die Orte, an denen du dein Benutzerkonto speichern kannst, „Heim-Server“.",
|
||||
"server_picker_custom": "Anderer Heim-Server",
|
||||
"server_picker_explainer": "Verwende einen Matrix-Heim-Server deiner Wahl oder betreibe deinen eigenen.",
|
||||
"server_picker_learn_more": "Über Heim-Server"
|
||||
},
|
||||
"room_list": {
|
||||
"sort_unread_first": "Räume mit ungelesenen Nachrichten zuerst zeigen",
|
||||
|
@ -4114,5 +4041,81 @@
|
|||
"access_token_detail": "Dein Zugriffstoken gibt vollen Zugriff auf dein Konto. Teile ihn niemals mit anderen.",
|
||||
"clear_cache_reload": "Zwischenspeicher löschen und neu laden"
|
||||
}
|
||||
},
|
||||
"widget": {
|
||||
"capability": {
|
||||
"send_stickers_this_room": "Sticker in diesen Raum senden",
|
||||
"send_stickers_active_room": "Sticker in deinen aktiven Raum senden",
|
||||
"send_stickers_this_room_as_you": "Einen Sticker in diesen Raum senden",
|
||||
"send_stickers_active_room_as_you": "Einen Sticker als du in deinen aktiven Raum senden",
|
||||
"see_sticker_posted_this_room": "Sehe wenn ein Sticker in diesen Raum gesendet wird",
|
||||
"see_sticker_posted_active_room": "Sehen, wenn jemand einen Sticker in deinen aktiven Raum sendet",
|
||||
"always_on_screen_viewing_another_room": "Sichtbar bleiben, wenn es ausgeführt und ein anderer Raum angezeigt wird",
|
||||
"always_on_screen_generic": "Bleib auf deinem Bildschirm während der Ausführung von",
|
||||
"switch_room": "Ändern, welchen Raum du siehst",
|
||||
"switch_room_message_user": "Ändere den sichtbaren Raum, Nachricht oder Nutzer",
|
||||
"change_topic_this_room": "Das Thema von diesem Raum ändern",
|
||||
"see_topic_change_this_room": "Sehen, wenn sich das Thema in diesem Raum ändert",
|
||||
"change_topic_active_room": "Das Thema von deinem aktiven Raum ändern",
|
||||
"see_topic_change_active_room": "Sehen, wenn sich das Thema im aktuellen Raum ändert",
|
||||
"change_name_this_room": "Name von diesem Raum ändern",
|
||||
"see_name_change_this_room": "Sehen wenn sich der Name in diesem Raum ändert",
|
||||
"change_name_active_room": "Den Namen deines aktiven Raums ändern",
|
||||
"see_name_change_active_room": "Sehen wenn der Name sich in deinem aktiven Raum ändert",
|
||||
"change_avatar_this_room": "Icon von diesem Raum ändern",
|
||||
"see_avatar_change_this_room": "Sehen, wenn sich das Icon des Raums ändert",
|
||||
"change_avatar_active_room": "Den Avatar deines aktiven Raums ändern",
|
||||
"see_avatar_change_active_room": "Sehen, wenn das Icon in deinem aktiven Raum geändert wird",
|
||||
"remove_ban_invite_leave_this_room": "Entferne, verbanne oder lade andere in diesen Raum ein und verlasse den Raum selbst",
|
||||
"receive_membership_this_room": "Anzeigen, wenn Leute eingeladen werden, den Raum betreten oder verlassen",
|
||||
"remove_ban_invite_leave_active_room": "Entferne, verbanne oder lade andere in deinen aktiven Raum ein und verlasse den Raum selbst",
|
||||
"receive_membership_active_room": "Anzeigen, wenn Leute den aktuellen Raum betreten, verlassen oder in ihn eingeladen werden",
|
||||
"byline_empty_state_key": "mit einem leeren Zustandsschlüssel",
|
||||
"byline_state_key": "mit Zustandsschlüssel %(stateKey)s",
|
||||
"any_room": "Wie oben, nur zusätzlich in allen Räumen denen du beigetreten oder in die du eingeladen wurdest",
|
||||
"specific_room": "Wie oben, nur zusätzlich in <Room />",
|
||||
"send_event_type_this_room": "Sende <b>%(eventType)s</b>-Ereignisse mit deiner Identität in diesen Raum",
|
||||
"see_event_type_sent_this_room": "In diesen Raum gesendete <b>%(eventType)s</b>-Ereignisse anzeigen",
|
||||
"send_event_type_active_room": "Sende <b>%(eventType)s</b>-Ereignisse als du in deinen aktiven Raum",
|
||||
"see_event_type_sent_active_room": "In deinen aktiven Raum gesendete <b>%(eventType)s</b>-Ereignisse anzeigen",
|
||||
"capability": "Die <b>%(capability)s</b>-Fähigkeit",
|
||||
"send_messages_this_room": "Nachrichten als du in diesem Raum senden",
|
||||
"send_messages_active_room": "Eine Nachricht als du in deinen aktiven Raum senden",
|
||||
"see_messages_sent_this_room": "In diesen Raum gesendete Nachrichten anzeigen",
|
||||
"see_messages_sent_active_room": "In deinen aktiven Raum gesendete Nachrichten anzeigen",
|
||||
"send_text_messages_this_room": "Textnachrichten als du in diesen Raum senden",
|
||||
"send_text_messages_active_room": "Textnachrichten als du in deinen aktiven Raum senden",
|
||||
"see_text_messages_sent_this_room": "In diesen Raum gesendete Textnachrichten anzeigen",
|
||||
"see_text_messages_sent_active_room": "In deinen aktiven Raum gesendete Textnachrichten anzeigen",
|
||||
"send_emotes_this_room": "Emojis als du in diesen Raum senden",
|
||||
"send_emotes_active_room": "Emojis als du in deinen aktiven Raum senden",
|
||||
"see_sent_emotes_this_room": "In diesen Raum gesendete Emojis anzeigen",
|
||||
"see_sent_emotes_active_room": "In deinen aktiven Raum gesendete Emojis anzeigen",
|
||||
"send_images_this_room": "Bilder als du in diesen Raum senden",
|
||||
"send_images_active_room": "Sende Bilder in den aktuellen Raum",
|
||||
"see_images_sent_this_room": "In diesen Raum gesendete Bilder anzeigen",
|
||||
"see_images_sent_active_room": "In deinen aktiven Raum gesendete Bilder anzeigen",
|
||||
"send_videos_this_room": "Videos als du in diesen Raum senden",
|
||||
"send_videos_active_room": "Videos als du in deinen aktiven Raum senden",
|
||||
"see_videos_sent_this_room": "In diesen Raum gesendete Videos anzeigen",
|
||||
"see_videos_sent_active_room": "In deinen aktiven Raum gesendete Videos anzeigen",
|
||||
"send_files_this_room": "Allgemeine Dateien als du in diesen Raum senden",
|
||||
"send_files_active_room": "Allgemeine Dateien als du in deinen aktiven Raum senden",
|
||||
"see_sent_files_this_room": "Allgemeine in diesen Raum gesendete Dateien anzeigen",
|
||||
"see_sent_files_active_room": "Allgemeine in deinen aktiven Raum gesendete Dateien anzeigen",
|
||||
"send_msgtype_this_room": "Sende <b>%(msgtype)s</b> Nachrichten als du in diesen Raum",
|
||||
"send_msgtype_active_room": "Sende <b>%(msgtype)s</b> Nachrichten als du in deinen aktiven Raum",
|
||||
"see_msgtype_sent_this_room": "Zeige <b>%(msgtype)s</b> Nachrichten, welche in diesen Raum gesendet worden sind",
|
||||
"see_msgtype_sent_active_room": "Zeige <b>%(msgtype)s</b> Nachrichten, welche in deinen aktiven Raum gesendet worden sind"
|
||||
}
|
||||
},
|
||||
"feedback": {
|
||||
"sent": "Rückmeldung gesendet",
|
||||
"comment_label": "Kommentar",
|
||||
"platform_username": "Deine Systeminformationen und dein Benutzername werden mitgeschickt, damit wir deine Rückmeldung bestmöglich nachvollziehen können.",
|
||||
"may_contact_label": "Ich möchte kontaktiert werden, wenn ihr mehr wissen oder mich neue Funktionen testen lassen wollt",
|
||||
"pro_type": "PRO TIPP: Wenn du einen Programmfehler meldest, füge bitte <debugLogsLink>Debug-Protokolle</debugLogsLink> hinzu, um uns beim Finden des Problems zu helfen.",
|
||||
"existing_issue_link": "Bitte wirf einen Blick auf <existingIssuesLink>existierende Programmfehler auf Github</existingIssuesLink>. Keinen passenden gefunden? <newIssueLink>Erstelle einen neuen</newIssueLink>.",
|
||||
"send_feedback_action": "Rückmeldung senden"
|
||||
}
|
||||
}
|
||||
|
|
|
@ -20,7 +20,6 @@
|
|||
"other": "και %(count)s άλλοι..."
|
||||
},
|
||||
"Change Password": "Αλλαγή κωδικού πρόσβασης",
|
||||
"powered by Matrix": "λειτουργεί με το Matrix",
|
||||
"Confirm password": "Επιβεβαίωση κωδικού πρόσβασης",
|
||||
"Cryptography": "Κρυπτογραφία",
|
||||
"Current password": "Τωρινός κωδικός πρόσβασης",
|
||||
|
@ -123,7 +122,6 @@
|
|||
"Dec": "Δεκ",
|
||||
"%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s, %(day)s %(monthName)s %(time)s",
|
||||
"%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s",
|
||||
"This server does not support authentication with a phone number.": "Αυτός ο διακομιστής δεν υποστηρίζει πιστοποίηση με αριθμό τηλεφώνου.",
|
||||
"(~%(count)s results)": {
|
||||
"one": "(~%(count)s αποτέλεσμα)",
|
||||
"other": "(~%(count)s αποτελέσματα)"
|
||||
|
@ -137,7 +135,6 @@
|
|||
"File to import": "Αρχείο για εισαγωγή",
|
||||
"Confirm Removal": "Επιβεβαίωση αφαίρεσης",
|
||||
"Unknown error": "Άγνωστο σφάλμα",
|
||||
"Incorrect password": "Λανθασμένος κωδικός πρόσβασης",
|
||||
"Unable to restore session": "Αδυναμία επαναφοράς συνεδρίας",
|
||||
"Token incorrect": "Εσφαλμένο διακριτικό",
|
||||
"Please enter the code it contains:": "Παρακαλούμε εισάγετε τον κωδικό που περιέχει:",
|
||||
|
@ -184,7 +181,6 @@
|
|||
"You may need to manually permit %(brand)s to access your microphone/webcam": "Μπορεί να χρειαστεί να ορίσετε χειροκίνητα την πρόσβαση του %(brand)s στο μικρόφωνο/κάμερα",
|
||||
"Can't connect to homeserver - please check your connectivity, ensure your <a>homeserver's SSL certificate</a> is trusted, and that a browser extension is not blocking requests.": "Δεν είναι δυνατή η σύνδεση στον κεντρικό διακομιστή - παρακαλούμε ελέγξτε τη συνδεσιμότητα, βεβαιωθείτε ότι το <a>πιστοποιητικό SSL</a> του διακομιστή είναι έμπιστο και ότι κάποιο πρόσθετο περιηγητή δεν αποτρέπει τα αιτήματα.",
|
||||
"Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or <a>enable unsafe scripts</a>.": "Δεν είναι δυνατή η σύνδεση στον κεντρικό διακομιστή μέσω HTTP όταν μια διεύθυνση HTTPS βρίσκεται στην μπάρα του περιηγητή. Είτε χρησιμοποιήστε HTTPS ή <a>ενεργοποιήστε τα μη ασφαλή σενάρια εντολών</a>.",
|
||||
"The email address linked to your account must be entered.": "Πρέπει να εισηχθεί η διεύθυνση ηλ. αλληλογραφίας που είναι συνδεδεμένη με τον λογαριασμό σας.",
|
||||
"This room is not accessible by remote Matrix servers": "Αυτό το δωμάτιο δεν είναι προσβάσιμο από απομακρυσμένους διακομιστές Matrix",
|
||||
"You have <a>disabled</a> URL previews by default.": "Έχετε <a>απενεργοποιημένη</a> από προεπιλογή την προεπισκόπηση συνδέσμων.",
|
||||
"You have <a>enabled</a> URL previews by default.": "Έχετε <a>ενεργοποιημένη</a> από προεπιλογή την προεπισκόπηση συνδέσμων.",
|
||||
|
@ -192,7 +188,6 @@
|
|||
"You seem to be uploading files, are you sure you want to quit?": "Φαίνεται ότι αποστέλετε αρχεία, είστε βέβαιοι ότι θέλετε να αποχωρήσετε;",
|
||||
"You must join the room to see its files": "Πρέπει να συνδεθείτε στο δωμάτιο για να δείτε τα αρχεία του",
|
||||
"Reject all %(invitedRooms)s invites": "Απόρριψη όλων των προσκλήσεων %(invitedRooms)s",
|
||||
"Deops user with given id": "Deop χρήστη με το συγκεκριμένο αναγνωριστικό",
|
||||
"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.": "Τα απεσταλμένα μηνύματα θα αποθηκευτούν μέχρι να αακτηθεί η σύνδεσή σας.",
|
||||
"Failed to load timeline position": "Δεν ήταν δυνατή η φόρτωση της θέσης του χρονολόγιου",
|
||||
|
@ -250,7 +245,6 @@
|
|||
"You do not have permission to do that in this room.": "Δεν έχετε την άδεια να το κάνετε αυτό σε αυτό το δωμάτιο.",
|
||||
"You are now ignoring %(userId)s": "Τώρα αγνοείτε τον/την %(userId)s",
|
||||
"You are no longer ignoring %(userId)s": "Δεν αγνοείτε πια τον/την %(userId)s",
|
||||
"Enable URL previews for this room (only affects you)": "Ενεργοποίηση προεπισκόπισης URL για αυτό το δωμάτιο (επηρεάζει μόνο εσάς)",
|
||||
"%(duration)ss": "%(duration)sδ",
|
||||
"%(duration)sm": "%(duration)sλ",
|
||||
"%(duration)sh": "%(duration)sω",
|
||||
|
@ -295,14 +289,10 @@
|
|||
"Verify your other session using one of the options below.": "Επιβεβαιώστε την άλλη σας συνεδρία χρησιμοποιώντας μία από τις παρακάτω επιλογές.",
|
||||
"You signed in to a new session without verifying it:": "Συνδεθήκατε σε μια νέα συνεδρία χωρίς να την επιβεβαιώσετε:",
|
||||
"Session already verified!": "Η συνεδρία έχει ήδη επιβεβαιωθεί!",
|
||||
"Could not find user in room": "Δεν βρέθηκε ο χρήστης στο δωμάτιο",
|
||||
"Double check that your server supports the room version chosen and try again.": "Επανελέγξτε ότι ο διακομιστής σας υποστηρίζει την έκδοση δωματίου που επιλέξατε και προσπαθήστε ξανά.",
|
||||
"Error upgrading room": "Σφάλμα αναβάθμισης δωματίου",
|
||||
"Are you sure you want to cancel entering passphrase?": "Είστε σίγουρος/η ότι θέλετε να ακυρώσετε την εισαγωγή κωδικού;",
|
||||
"Cancel entering passphrase?": "Ακύρωση εισαγωγής κωδικού;",
|
||||
"Create Account": "Δημιουργία Λογαριασμού",
|
||||
"Use your account or create a new one to continue.": "Χρησιμοποιήστε τον λογαριασμό σας ή δημιουργήστε νέο για να συνεχίσετε.",
|
||||
"Sign In or Create Account": "Συνδεθείτε ή Δημιουργήστε Λογαριασμό",
|
||||
"Zimbabwe": "Ζιμπάμπουε",
|
||||
"Zambia": "Ζαμπία",
|
||||
"Yemen": "Υεμένη",
|
||||
|
@ -585,8 +575,6 @@
|
|||
"Use Single Sign On to continue": "Χρήση Single Sign On για συνέχεια",
|
||||
"Unignored user": "Χρήστης από κατάργηση παράβλεψης",
|
||||
"The signing key you provided matches the signing key you received from %(userId)s's session %(deviceId)s. Session marked as verified.": "Το κλειδί υπογραφής που παρείχατε ταιριάζει με το κλειδί που λάβατε από την συνεδρία %(userId)s's %(deviceId)s. Η συνεδρία σημειώνεται ως επιβεβαιωμένη.",
|
||||
"Define the power level of a user": "Καθορίζει το επίπεδο δύναμης ενός χρήστη",
|
||||
"Joins room with given address": "Σύνδεση στο δωμάτιο με την δοθείσα διεύθυνση",
|
||||
"%(space1Name)s and %(space2Name)s": "%(space1Name)s kai %(space2Name)s",
|
||||
"Unrecognised room address: %(roomAlias)s": "Μη αναγνωρισμένη διεύθυνση δωματίου: %(roomAlias)s",
|
||||
"%(spaceName)s and %(count)s others": {
|
||||
|
@ -611,10 +599,6 @@
|
|||
"Invite to this space": "Πρόσκληση σε αυτό το χώρο",
|
||||
"Close preview": "Κλείσιμο προεπισκόπησης",
|
||||
"Scroll to most recent messages": "Κύλιση στα πιο πρόσφατα μηνύματα",
|
||||
"You can't see earlier messages": "Δεν μπορείτε να δείτε προηγούμενα μηνύματα",
|
||||
"Encrypted messages before this point are unavailable.": "Κρυπτογραφημένα μηνύματα πριν από αυτό το σημείο δεν είναι διαθέσιμα.",
|
||||
"You don't have permission to view messages from before you joined.": "Δεν έχετε άδεια προβολής των μηνυμάτων που δημιουργήθηκαν πριν από την εγγραφή σας.",
|
||||
"You don't have permission to view messages from before you were invited.": "Δεν έχετε άδεια προβολής των μηνυμάτων που δημιουργήθηκαν πριν από την πρόσκληση σας.",
|
||||
"Failed to send": "Αποτυχία αποστολής",
|
||||
"Your message was sent": "Το μήνυμά σας στάλθηκε",
|
||||
"Edit message": "Επεξεργασία μηνύματος",
|
||||
|
@ -695,11 +679,6 @@
|
|||
"Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Ο διαχειριστής του διακομιστή σας έχει απενεργοποιήσει την κρυπτογράφηση από άκρο σε άκρο από προεπιλογή σε ιδιωτικά δωμάτια & άμεσα μηνύματα.",
|
||||
"Message search": "Αναζήτηση μηνυμάτων",
|
||||
"Security & Privacy": "Ασφάλεια & Απόρρητο",
|
||||
"Change the topic of this room": "Αλλάξτε το θέμα αυτού του δωματίου",
|
||||
"Send stickers into your active room": "Στείλτε αυτοκόλλητα στο ενεργό δωμάτιο",
|
||||
"Send stickers into this room": "Στείλτε αυτοκόλλητα σε αυτό το δωμάτιο",
|
||||
"Remain on your screen while running": "Παραμονή στην οθόνη σας ενώ τρέχετε",
|
||||
"Remain on your screen when viewing another room, when running": "Παραμονή στην οθόνη σας όταν βλέπετε άλλο δωμάτιο, όταν τρέχετε",
|
||||
"Only invited people can join.": "Μόνο προσκεκλημένοι μπορούν να συμμετάσχουν.",
|
||||
"Allow people to preview your space before they join.": "Επιτρέψτε στους χρήστες να κάνουν προεπισκόπηση του χώρου σας προτού να εγγραφούν.",
|
||||
"Invite people": "Προσκαλέστε άτομα",
|
||||
|
@ -745,72 +724,13 @@
|
|||
"Cannot reach identity server": "Δεν είναι δυνατή η πρόσβαση στον διακομιστή ταυτότητας",
|
||||
"Ask your %(brand)s admin to check <a>your config</a> for incorrect or duplicate entries.": "Ζητήστε από τον %(brand)s διαχειριστή σας να ελέγξει <a>τις ρυθμίσεις σας</a> για λανθασμένες ή διπλότυπες καταχωρίσεις.",
|
||||
"Ensure you have a stable internet connection, or get in touch with the server admin": "Βεβαιωθείτε ότι έχετε σταθερή σύνδεση στο διαδίκτυο ή επικοινωνήστε με τον διαχειριστή του διακομιστή",
|
||||
"See <b>%(msgtype)s</b> messages posted to your active room": "Δείτε <b>%(msgtype)s</b> μηνύματα που δημοσιεύτηκαν στο ενεργό δωμάτιό σας",
|
||||
"See <b>%(msgtype)s</b> messages posted to this room": "Δείτε <b>%(msgtype)s</b> μηνύματα που δημοσιεύτηκαν σε αυτό το δωμάτιο",
|
||||
"See general files posted to your active room": "Δείτε τα γενικά αρχεία που δημοσιεύονται στο ενεργό δωμάτιό σας",
|
||||
"See general files posted to this room": "Δείτε τα γενικά αρχεία που δημοσιεύτηκαν σε αυτό το δωμάτιο",
|
||||
"Send general files as you in this room": "Στείλτε γενικά αρχεία, ως εσείς, σε αυτό το δωμάτιο",
|
||||
"See videos posted to your active room": "Δείτε βίντεο που δημοσιεύτηκαν στο ενεργό δωμάτιό σας",
|
||||
"See videos posted to this room": "Δείτε βίντεο που δημοσιεύτηκαν σε αυτό το δωμάτιο",
|
||||
"Send videos as you in your active room": "Στείλτε βίντεο, ως εσείς, στο ενεργό δωμάτιό σας",
|
||||
"Send videos as you in this room": "Στείλτε βίντεο, ως εσείς, σε αυτό το δωμάτιο",
|
||||
"See images posted to your active room": "Δείτε εικόνες που δημοσιεύτηκαν στο ενεργό δωμάτιό σας",
|
||||
"See images posted to this room": "Δείτε εικόνες που δημοσιεύτηκαν σε αυτό το δωμάτιο",
|
||||
"Send images as you in your active room": "Στείλτε εικόνες, ως εσείς, στο ενεργό δωμάτιό σας",
|
||||
"Send images as you in this room": "Στείλτε εικόνες, ως εσείς, σε αυτό το δωμάτιο",
|
||||
"See emotes posted to your active room": "Δείτε τα emotes που δημοσιεύτηκαν στο ενεργό δωμάτιό σας",
|
||||
"See emotes posted to this room": "Δείτε τα emotes που δημοσιεύτηκαν σε αυτό το δωμάτιο",
|
||||
"See text messages posted to your active room": "Δείτε τα μηνύματα κειμένου που δημοσιεύτηκαν στο ενεργό δωμάτιό σας",
|
||||
"See text messages posted to this room": "Δείτε τα μηνύματα κειμένου που δημοσιεύτηκαν σε αυτό το δωμάτιο",
|
||||
"See messages posted to your active room": "Δείτε τα μηνύματα που δημοσιεύτηκαν στο ενεργό δωμάτιό σας",
|
||||
"See messages posted to this room": "Δείτε τα μηνύματα που δημοσιεύτηκαν σε αυτό το δωμάτιο",
|
||||
"Send messages as you in your active room": "Στείλτε μηνύματα, ως εσείς, στο ενεργό δωμάτιό σας",
|
||||
"The <b>%(capability)s</b> capability": "Η <b>%(capability)s</b> ικανότητα",
|
||||
"See <b>%(eventType)s</b> events posted to your active room": "Δείτε <b>%(eventType)s</b> γεγονότα που δημοσιεύτηκαν στο ενεργό δωμάτιό σας",
|
||||
"See <b>%(eventType)s</b> events posted to this room": "Δείτε <b>%(eventType)s</b> γεγονότα που δημοσιεύτηκαν σε αυτό το δωμάτιο",
|
||||
"The above, but in any room you are joined or invited to as well": "Τα παραπάνω, αλλά και σε οποιοδήποτε δωμάτιο είστε μέλος ή προσκεκλημένοι",
|
||||
"See when anyone posts a sticker to your active room": "Δείτε πότε κάποιος δημοσιεύει ένα αυτοκόλλητο στο ενεργό δωμάτιό σας",
|
||||
"See when a sticker is posted in this room": "Δείτε πότε αναρτάται ένα αυτοκόλλητο σε αυτό το δωμάτιο",
|
||||
"See when people join, leave, or are invited to your active room": "Δείτε πότε τα άτομα εγγράφονται, φεύγουν ή προσκαλούνται στο ενεργό δωμάτιό σας",
|
||||
"Remove, ban, or invite people to your active room, and make you leave": "Αφαιρέστε, απαγορεύστε ή προσκαλέστε άτομα στο ενεργό δωμάτιό σας και σας αποχωρήστε",
|
||||
"See when people join, leave, or are invited to this room": "Δείτε πότε τα άτομα εγγράφονται, αποχωρούν ή προσκαλούνται σε αυτό το δωμάτιο",
|
||||
"Remove, ban, or invite people to this room, and make you leave": "Αφαιρέστε, αποκλείστε ή προσκαλέστε άτομα σε αυτό το δωμάτιο και αποχωρήστε",
|
||||
"See when the avatar changes in your active room": "Δείτε πότε αλλάζει το avatar στο ενεργό δωμάτιό σας",
|
||||
"Change the avatar of your active room": "Αλλάξτε το avatar του ενεργού δωματίου σας",
|
||||
"See when the avatar changes in this room": "Δείτε πότε αλλάζει το avatar σε αυτό το δωμάτιο",
|
||||
"Change the avatar of this room": "Αλλάξτε το avatar αυτού του δωματίου",
|
||||
"See when the name changes in your active room": "Δείτε πότε αλλάζει το όνομα στο ενεργό δωμάτιό σας",
|
||||
"Change the name of your active room": "Αλλάξτε το όνομα του ενεργού δωματίου σας",
|
||||
"See when the name changes in this room": "Δείτε πότε αλλάζει το όνομα σε αυτό το δωμάτιο",
|
||||
"Change the name of this room": "Αλλάξτε το όνομα αυτού του δωματίου",
|
||||
"See when the topic changes in your active room": "Δείτε πότε αλλάζει το θέμα στο ενεργό δωμάτιό σας",
|
||||
"Change the topic of your active room": "Αλλάξτε το θέμα του ενεργού δωματίου σας",
|
||||
"See when the topic changes in this room": "Δείτε πότε αλλάζει το θέμα σε αυτό το δωμάτιο",
|
||||
"Change which room, message, or user you're viewing": "Αλλάξτε το δωμάτιο, το μήνυμα ή τον χρήστη που βλέπετε",
|
||||
"Change which room you're viewing": "Αλλάξτε το δωμάτιο που βλέπετε",
|
||||
"WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and session %(deviceId)s is \"%(fprint)s\" which does not match the provided key \"%(fingerprint)s\". This could mean your communications are being intercepted!": "ΠΡΟΕΙΔΟΠΟΙΗΣΗ: Η ΕΠΑΛΗΘΕΥΣΗ ΚΛΕΙΔΙΟΥ ΑΠΕΤΥΧΕ! Το κλειδί σύνδεσης για %(userId)s και συνεδρίας %(deviceId)s είναι \"%(fprint)s\" που δεν ταιριάζει με το παρεχόμενο κλειδί\"%(fingerprint)s\". Αυτό μπορεί να σημαίνει ότι υπάρχει υποκλοπή στις επικοινωνίες σας!",
|
||||
"Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Άγνωστο ζευγάρι (χρήστης, συνεδρία): (%(userId)s, %(deviceId)s)",
|
||||
"Command failed: Unable to find room (%(roomId)s": "Η εντολή απέτυχε: Δεν είναι δυνατή η εύρεση δωματίου (%(roomId)s",
|
||||
"Command error: Unable to find rendering type (%(renderingType)s)": "Σφάλμα εντολής: Δεν είναι δυνατή η εύρεση του τύπου απόδοσης (%(renderingType)s)",
|
||||
"This homeserver has been blocked by its administrator.": "Αυτός ο κεντρικός διακομιστής έχει αποκλειστεί από τον διαχειριστή του.",
|
||||
"This homeserver has hit its Monthly Active User limit.": "Αυτός ο κεντρικός διακομιστής έχει φτάσει το μηνιαίο όριο ενεργού χρήστη.",
|
||||
"Unexpected error resolving homeserver configuration": "Μη αναμενόμενο σφάλμα κατά την επίλυση της διαμόρφωσης του κεντρικού διακομιστή",
|
||||
"No homeserver URL provided": "Δεν παρέχεται URL του κεντρικού διακομιστή",
|
||||
"Cannot reach homeserver": "Δεν είναι δυνατή η πρόσβαση στον κεντρικό διακομιστή",
|
||||
"Send <b>%(msgtype)s</b> messages as you in your active room": "Στείλτε <b>%(msgtype)s</b> μηνύματα, ώς εσείς, στο ενεργό δωμάτιό σας",
|
||||
"Send <b>%(msgtype)s</b> messages as you in this room": "Στείλτε <b>%(msgtype)s</b> μηνύματα, ως εσείς, σε αυτό το δωμάτιο",
|
||||
"Send general files as you in your active room": "Στείλτε γενικά αρχεία, ως εσείς, στο ενεργό δωμάτιό σας",
|
||||
"Send emotes as you in your active room": "Στείλτε emotes, ως εσείς, στο ενεργό δωμάτιό σας",
|
||||
"Send emotes as you in this room": "Στείλτε emotes, ως εσείς, σε αυτό το δωμάτιο",
|
||||
"Send text messages as you in your active room": "Στείλτε μηνύματα κειμένου, ως εσείς, στο ενεργό δωμάτιό σας",
|
||||
"Send text messages as you in this room": "Στείλτε μηνύματα κειμένου, ως εσείς, σε αυτό το δωμάτιο",
|
||||
"Send messages as you in this room": "Στείλτε μηνύματα, ως εσείς, σε αυτό το δωμάτιο",
|
||||
"Send <b>%(eventType)s</b> events as you in your active room": "Στείλετε <b>%(eventType)s</b> γεγονότα, ως εσείς, στο ενεργό δωμάτιό σας",
|
||||
"Send <b>%(eventType)s</b> events as you in this room": "Στείλτε <b>%(eventType)s</b> γεγονότα σε αυτό το δωμάτιο",
|
||||
"The above, but in <Room /> as well": "Τα παραπάνω, αλλά και μέσα <Room />",
|
||||
"Send stickers to your active room as you": "Στείλτε αυτοκόλλητα στο ενεργό δωμάτιό σας",
|
||||
"Send stickers to this room as you": "Στείλτε αυτοκόλλητα σε αυτό το δωμάτιο",
|
||||
"Command error: Unable to handle slash command.": "Σφάλμα εντολής: Δεν είναι δυνατή η χρήση της εντολής slash.",
|
||||
"Developer": "Προγραμματιστής",
|
||||
"Experimental": "Πειραματικό",
|
||||
"Encryption": "Κρυπτογράφηση",
|
||||
|
@ -846,7 +766,6 @@
|
|||
"Use a more compact 'Modern' layout": "Χρησιμοποιήστε μια πιο συμπαγή \"Μοντέρνα\" διάταξη",
|
||||
"Show polls button": "Εμφάνιση κουμπιού δημοσκοπήσεων",
|
||||
"Enable widget screenshots on supported widgets": "Ενεργοποίηση στιγμιότυπων οθόνης μικροεφαρμογών σε υποστηριζόμενες μικροεφαρμογές",
|
||||
"Enable URL previews by default for participants in this room": "Ενεργοποιήστε τις προεπισκοπήσεις URL από προεπιλογή για τους συμμετέχοντες σε αυτό το δωμάτιο",
|
||||
"Mirror local video feed": "Αντικατοπτρίστε την τοπική ροή βίντεο",
|
||||
"IRC display name width": "Πλάτος εμφανιζόμενου ονόματος IRC",
|
||||
"Manually verify all remote sessions": "Επαληθεύστε χειροκίνητα όλες τις απομακρυσμένες συνεδρίες",
|
||||
|
@ -1444,10 +1363,6 @@
|
|||
"Send Logs": "Αποστολή Αρχείων καταγραφής",
|
||||
"Clear Storage and Sign Out": "Εκκαθάριση Χώρου αποθήκευσης και Αποσύνδεση",
|
||||
"Sign out and remove encryption keys?": "Αποσύνδεση και κατάργηση κλειδιών κρυπτογράφησης;",
|
||||
"Sign into your homeserver": "Σύνδεση στον κεντρικό διακομιστή σας",
|
||||
"Matrix.org is the biggest public homeserver in the world, so it's a good place for many.": "Το Matrix.org είναι ο μεγαλύτερος δημόσιος διακομιστής στον κόσμο, επομένως είναι ένα καλό μέρος για να ξεκινήσετε.",
|
||||
"Specify a homeserver": "Καθορίστε τον κεντρικό διακομιστή σας",
|
||||
"Invalid URL": "Μη έγκυρο URL",
|
||||
"Copy room link": "Αντιγραφή συνδέσμου δωματίου",
|
||||
"Forget Room": "Ξεχάστε το δωμάτιο",
|
||||
"%(roomName)s can't be previewed. Do you want to join it?": "Δεν είναι δυνατή η προεπισκόπηση του %(roomName)s. Θέλετε να συμμετάσχετε;",
|
||||
|
@ -1505,8 +1420,6 @@
|
|||
"Encryption not enabled": "Η κρυπτογράφηση δεν ενεργοποιήθηκε",
|
||||
"Ignored attempt to disable encryption": "Αγνοήθηκε προσπάθεια απενεργοποίησης κρυπτογράφησης",
|
||||
"Some encryption parameters have been changed.": "Ορισμένες παράμετροι κρυπτογράφησης έχουν αλλάξει.",
|
||||
"with state key %(stateKey)s": "με κλειδί κατάστασης %(stateKey)s",
|
||||
"with an empty state key": "με ένα κενό κλειδί κατάστασης",
|
||||
"Messages in this room are not end-to-end encrypted.": "Τα μηνύματα σε αυτό το δωμάτιο δεν είναι κρυπτογραφημένα από άκρο σε άκρο.",
|
||||
"Messages in this room are end-to-end encrypted.": "Τα μηνύματα σε αυτό το δωμάτιο είναι κρυπτογραφημένα από άκρο σε άκρο.",
|
||||
"Accepting…": "Αποδοχή …",
|
||||
|
@ -1702,31 +1615,14 @@
|
|||
"Developer tools": "Εργαλεία προγραμματιστή",
|
||||
"Got It": "Κατανοώ",
|
||||
"Sending": "Αποστολή",
|
||||
"Anyone will be able to find and join this room, not just members of <SpaceName/>.": "Οποιοσδήποτε θα μπορεί να βρει και να εγγραφεί σε αυτόν τον χώρο, όχι μόνο μέλη του <SpaceName/>.",
|
||||
"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 σε διαφορετικό τοπικό διακομιστή.",
|
||||
"Everyone in <SpaceName/> will be able to find and join this room.": "Όλοι στο <SpaceName/> θα μπορούν να βρουν και να συμμετάσχουν σε αυτό το δωμάτιο.",
|
||||
"Please enter a name for the room": "Εισάγετε ένα όνομα για το δωμάτιο",
|
||||
"Message preview": "Προεπισκόπηση μηνύματος",
|
||||
"You don't have permission to do this": "Δεν έχετε άδεια να το κάνετε αυτό",
|
||||
"Send feedback": "Στείλετε τα σχόλιά σας",
|
||||
"Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.": "Δείτε πρώτα τα <existingIssuesLink>υπάρχοντα ζητήματα (issues) στο Github</existingIssuesLink>. Δε βρήκατε κάτι; <newIssueLink>Ξεκινήστε ένα νέο</newIssueLink>.",
|
||||
"You may contact me if you want to follow up or to let me test out upcoming ideas": "Μπορείτε να επικοινωνήσετε μαζί μου εάν θέλετε να έρθετε σε επαφή ή να με αφήσετε να δοκιμάσω επερχόμενες ιδέες",
|
||||
"Your platform and username will be noted to help us use your feedback as much as we can.": "Η πλατφόρμα και το όνομα χρήστη σας θα καταγραφούν για να μας βοηθήσουν να χρησιμοποιήσουμε τα σχόλιά σας όσο μπορούμε περισσότερο.",
|
||||
"Feedback sent": "Τα σχόλια στάλθηκαν",
|
||||
"Are you sure you want to end this poll? This will show the final results of the poll and stop people from being able to vote.": "Είστε βέβαιοι ότι θέλετε να τερματίσετε αυτήν τη δημοσκόπηση; Αυτό θα εμφανίσει τα τελικά αποτελέσματα της δημοσκόπησης και θα εμποδίσει νέους ψήφους.",
|
||||
"Sorry, the poll did not end. Please try again.": "Συγνώμη, η δημοσκόπηση δεν τερματίστηκε. Παρακαλώ προσπαθήστε ξανά.",
|
||||
"Failed to end poll": "Αποτυχία τερματισμού της δημοσκόπησης",
|
||||
"Anyone in <SpaceName/> will be able to find and join.": "Οποιοσδήποτε στο <SpaceName/> θα μπορεί να βρει και να συμμετάσχει σε αυτό το δωμάτιο.",
|
||||
"Block anyone not part of %(serverName)s from ever joining this room.": "Αποκλείστε οποιονδήποτε δεν είναι μέλος του %(serverName)s από τη συμμετοχή σε αυτό το δωμάτιο.",
|
||||
"Visible to space members": "Ορατό στα μέλη του χώρου",
|
||||
"Public room": "Δημόσιο δωμάτιο",
|
||||
"Private room (invite only)": "Ιδιωτικό δωμάτιο (μόνο με πρόσκληση)",
|
||||
"Room visibility": "Ορατότητα δωματίου",
|
||||
"Topic (optional)": "Θέμα (προαιρετικό)",
|
||||
"Enable end-to-end encryption": "Ενεργοποίηση κρυπτογράφησης από άκρο-σε-άκρο",
|
||||
"Only people invited will be able to find and join this room.": "Μόνο τα άτομα που έχουν προσκληθεί θα μπορούν να βρουν και να εγγραφούν σε αυτό τον δωμάτιο.",
|
||||
"Anyone will be able to find and join this room.": "Οποιοσδήποτε θα μπορεί να βρει και να εγγραφεί σε αυτό το δωμάτιο.",
|
||||
"You can change this at any time from room settings.": "Μπορείτε να το αλλάξετε ανά πάσα στιγμή από τις ρυθμίσεις δωματίου.",
|
||||
"Reason (optional)": "Αιτία (προαιρετικό)",
|
||||
"Removing…": "Αφαίρεση…",
|
||||
"Uncheck if you also want to remove system messages on this user (e.g. membership change, profile change…)": "Καταργήστε την επιλογή εάν θέλετε επίσης να καταργήσετε τα μηνύματα συστήματος σε αυτόν τον χρήστη (π.χ. αλλαγή μέλους, αλλαγή προφίλ…)",
|
||||
|
@ -1887,11 +1783,6 @@
|
|||
"Room Autocomplete": "Αυτόματη συμπλήρωση Δωματίου",
|
||||
"Notification Autocomplete": "Αυτόματη συμπλήρωση Ειδοποίησης",
|
||||
"Clear personal data": "Εκκαθάριση προσωπικών δεδομένων",
|
||||
"You're signed out": "Εχετε αποσυνδεθεί",
|
||||
"You cannot sign in to your account. Please contact your homeserver admin for more information.": "Δεν μπορείτε να συνδεθείτε στον λογαριασμό σας. Επικοινωνήστε με τον διαχειριστή του κεντρικού διακομιστή σας για περισσότερες πληροφορίες.",
|
||||
"Sign in and regain access to your account.": "Συνδεθείτε και αποκτήστε ξανά πρόσβαση στον λογαριασμό σας.",
|
||||
"Enter your password to sign in and regain access to your account.": "Εισαγάγετε τον κωδικό πρόσβασης σας για να συνδεθείτε και να αποκτήσετε ξανά πρόσβαση στον λογαριασμό σας.",
|
||||
"Forgotten your password?": "Ξεχάσετε τον κωδικό σας;",
|
||||
"I'll verify later": "Θα επαληθεύσω αργότερα",
|
||||
"Without verifying, you won't have access to all your messages and may appear as untrusted to others.": "Χωρίς επαλήθευση, δε θα έχετε πρόσβαση σε όλα τα μηνύματά σας και ενδέχεται να φαίνεστε ως αναξιόπιστος στους άλλους.",
|
||||
"Your new device is now verified. Other users will see it as trusted.": "Η νέα σας συσκευή έχει πλέον επαληθευτεί. Οι άλλοι χρήστες θα τη δουν ως αξιόπιστη.",
|
||||
|
@ -1902,16 +1793,10 @@
|
|||
"Verify with Security Key or Phrase": "Επαλήθευση με Κλειδί Ασφαλείας ή Φράση Ασφαλείας",
|
||||
"Proceed with reset": "Προχωρήστε με την επαναφορά",
|
||||
"Create account": "Δημιουργία λογαριασμού",
|
||||
"Someone already has that username, please try another.": "Κάποιος έχει ήδη αυτό το όνομα χρήστη, δοκιμάστε ένα άλλο.",
|
||||
"Registration has been disabled on this homeserver.": "Η εγγραφή έχει απενεργοποιηθεί σε αυτόν τον κεντρικό διακομιστή.",
|
||||
"Unable to query for supported registration methods.": "Αδυναμία λήψης των υποστηριζόμενων μεθόδων εγγραφής.",
|
||||
"New? <a>Create account</a>": "Πρώτη φορά εδώ; <a>Δημιουργήστε λογαριασμό</a>",
|
||||
"If you've joined lots of rooms, this might take a while": "Εάν έχετε συμμετάσχει σε πολλά δωμάτια, αυτό μπορεί να διαρκέσει λίγο",
|
||||
"There was a problem communicating with the homeserver, please try again later.": "Παρουσιάστηκε πρόβλημα κατά την επικοινωνία με τον κεντρικό διακομιστή. Παρακαλώ προσπαθήστε ξανά.",
|
||||
"This account has been deactivated.": "Αυτός ο λογαριασμός έχει απενεργοποιηθεί.",
|
||||
"Please <a>contact your service administrator</a> to continue using this service.": "Παρακαλούμε να <a>επικοινωνήσετε με τον διαχειριστή της υπηρεσίας σας</a> για να συνεχίσετε να χρησιμοποιείτε την υπηρεσία.",
|
||||
"Your password has been reset.": "Ο κωδικός πρόσβασής σας επαναφέρθηκε.",
|
||||
"The email address doesn't appear to be valid.": "Η διεύθυνση email δε φαίνεται να είναι έγκυρη.",
|
||||
"Skip verification for now": "Παράβλεψη επαλήθευσης προς το παρόν",
|
||||
"Really reset verification keys?": "Είστε σίγουρος ότι θέλετε να επαναφέρετε τα κλειδιά επαλήθευσης;",
|
||||
"Device verified": "Η συσκευή επαληθεύτηκε",
|
||||
|
@ -1923,8 +1808,6 @@
|
|||
"Switch theme": "Αλλαγή θέματος",
|
||||
"Switch to dark mode": "Αλλαγή σε σκοτεινό",
|
||||
"Switch to light mode": "Αλλαγή σε φωτεινό",
|
||||
"New here? <a>Create an account</a>": "Πρώτη φορά εδώ; <a>Δημιουργήστε λογαριασμό</a>",
|
||||
"Got an account? <a>Sign in</a>": "Έχετε λογαριασμό; <a>Συνδεθείτε</a>",
|
||||
"Show all threads": "Εμφάνιση όλων των νημάτων",
|
||||
"Keep discussions organised with threads": "Διατηρήστε τις συζητήσεις οργανωμένες με νήματα",
|
||||
"Show:": "Εμφάνισε:",
|
||||
|
@ -2007,7 +1890,6 @@
|
|||
"Click the button below to confirm your identity.": "Κλικ στο κουμπί παρακάτω για να επιβεβαιώσετε την ταυτότητά σας.",
|
||||
"Confirm to continue": "Επιβεβαιώστε για να συνεχίσετε",
|
||||
"To continue, use Single Sign On to prove your identity.": "Για να συνεχίσετε, χρησιμοποιήστε σύνδεση Single Sign On για να αποδείξετε την ταυτότητά σας.",
|
||||
"Feedback": "Ανατροφοδότηση",
|
||||
"Enter the name of a new server you want to explore.": "Εισαγάγετε το όνομα ενός νέου διακομιστή που θέλετε να εξερευνήσετε.",
|
||||
"Add a new server": "Προσθήκη νέου διακομιστή",
|
||||
"Your server": "Ο διακομιστής σας",
|
||||
|
@ -2038,10 +1920,6 @@
|
|||
"You've previously used a newer version of %(brand)s with this session. To use this version again with end to end encryption, you will need to sign out and back in again.": "Έχετε χρησιμοποιήσει στο παρελθόν μια νεότερη έκδοση του %(brand)s με αυτήν την συνεδρία. Για να χρησιμοποιήσετε ξανά αυτήν την έκδοση με κρυπτογράφηση από άκρο σε άκρο, θα πρέπει να αποσυνδεθείτε και να συνδεθείτε ξανά.",
|
||||
"To avoid losing your chat history, you must export your room keys before logging out. You will need to go back to the newer version of %(brand)s to do this": "Για να αποφύγετε να χάσετε το ιστορικό των συνομιλιών σας, πρέπει να εξαγάγετε τα κλειδιά του δωματίου σας πριν αποσυνδεθείτε. Για να το κάνετε αυτό, θα χρειαστεί να επιστρέψετε στη νεότερη έκδοση του %(brand)s",
|
||||
"Add a space to a space you manage.": "Προσθέστε έναν χώρο σε ένα χώρο που διαχειρίζεστε.",
|
||||
"You might disable this if the room will be used for collaborating with external teams who have their own homeserver. This cannot be changed later.": "Μπορείτε να το απενεργοποιήσετε εάν το δωμάτιο θα χρησιμοποιηθεί για συνεργασία με εξωτερικές ομάδες που έχουν τον δικό τους κεντρικό διακομιστή. Αυτό δεν μπορεί να αλλάξει αργότερα.",
|
||||
"You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "Μπορείτε να το ενεργοποιήσετε εάν το δωμάτιο θα χρησιμοποιηθεί μόνο για τη συνεργασία με εσωτερικές ομάδες στον κεντρικό σας διακομιστή. Αυτό δεν μπορεί να αλλάξει αργότερα.",
|
||||
"Your server requires encryption to be enabled in private rooms.": "Ο διακομιστής σας απαιτεί την ενεργοποίηση της κρυπτογράφησης σε ιδιωτικά δωμάτια.",
|
||||
"You can't disable this later. Bridges & most bots won't work yet.": "Δεν μπορείτε να το απενεργοποιήσετε αργότερα. Οι γέφυρες και τα περισσότερα ρομπότ δεν μπορούν να λειτουργήσουν ακόμα.",
|
||||
"Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "Η εκκαθάριση όλων των δεδομένων από αυτήν τη συνεδρία είναι μόνιμη. Τα κρυπτογραφημένα μηνύματα θα χαθούν εκτός εάν έχουν δημιουργηθεί αντίγραφα ασφαλείας των κλειδιών τους.",
|
||||
"Unable to load commit detail: %(msg)s": "Δεν είναι δυνατή η φόρτωση των λεπτομερειών δέσμευσης: %(msg)s",
|
||||
"Use bots, bridges, widgets and sticker packs": "Χρησιμοποιήστε bots, γέφυρες, μικροεφαρμογές και πακέτα αυτοκόλλητων",
|
||||
|
@ -2057,7 +1935,6 @@
|
|||
"Dial pad": "Πληκτρολόγιο κλήσης",
|
||||
"Transfer": "Μεταφορά",
|
||||
"Sent": "Απεσταλμένα",
|
||||
"PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "ΣΥΜΒΟΥΛΗ: Εάν αναφέρετε ένα σφάλμα, υποβάλετε <debugLogsLink>αρχεία καταγραφής εντοπισμού σφαλμάτων</debugLogsLink> για να μας βοηθήσετε να εντοπίσουμε το πρόβλημα.",
|
||||
"Space used:": "Χώρος που χρησιμοποιείται:",
|
||||
"Not currently indexing messages for any room.": "Αυτήν τη στιγμή δεν υπάρχει ευρετηρίαση μηνυμάτων για κανένα δωμάτιο.",
|
||||
"If disabled, messages from encrypted rooms won't appear in search results.": "Εάν απενεργοποιηθεί, τα μηνύματα από κρυπτογραφημένα δωμάτια δε θα εμφανίζονται στα αποτελέσματα αναζήτησης.",
|
||||
|
@ -2067,7 +1944,6 @@
|
|||
"Emoji Autocomplete": "Αυτόματη συμπλήρωση Emoji",
|
||||
"Command Autocomplete": "Αυτόματη συμπλήρωση εντολών",
|
||||
"Regain access to your account and recover encryption keys stored in this session. Without them, you won't be able to read all of your secure messages in any session.": "Αποκτήστε ξανά πρόσβαση στον λογαριασμό σας και ανακτήστε τα κλειδιά κρυπτογράφησης που είναι αποθηκευμένα σε αυτήν τη συνεδρία. Χωρίς αυτά, δε θα μπορείτε να διαβάσετε όλα τα ασφαλή μηνύματά σας σε καμία συνεδρία.",
|
||||
"Failed to re-authenticate": "Απέτυχε ο εκ νέου έλεγχος ταυτότητας",
|
||||
"Resetting your verification keys cannot be undone. After resetting, you won't have access to old encrypted messages, and any friends who have previously verified you will see security warnings until you re-verify with them.": "Δεν είναι δυνατή η αναίρεση της επαναφοράς των κλειδιών επαλήθευσης. Μετά την επαναφορά, δε θα έχετε πρόσβαση σε παλιά κρυπτογραφημένα μηνύματα και όλοι οι φίλοι που σας έχουν προηγουμένως επαληθεύσει θα βλέπουν προειδοποιήσεις ασφαλείας μέχρι να επαληθεύσετε ξανά μαζί τους.",
|
||||
"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.": "Φαίνεται ότι δε διαθέτετε Κλειδί Ασφαλείας ή άλλες συσκευές με τις οποίες μπορείτε να επαληθεύσετε. Αυτή η συσκευή δε θα έχει πρόσβαση σε παλιά κρυπτογραφημένα μηνύματα. Για να επαληθεύσετε την ταυτότητά σας σε αυτήν τη συσκευή, θα πρέπει να επαναφέρετε τα κλειδιά επαλήθευσης.",
|
||||
"General failure": "Γενική αποτυχία",
|
||||
|
@ -2085,8 +1961,6 @@
|
|||
"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.": "Η εκκαθάριση του αποθηκευτικού χώρου του προγράμματος περιήγησής σας μπορεί να διορθώσει το πρόβλημα, αλλά θα αποσυνδεθείτε και θα κάνει τυχόν κρυπτογραφημένο ιστορικό συνομιλιών να μην είναι αναγνώσιμο.",
|
||||
"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": "Εάν το κάνετε, σημειώστε ότι κανένα από τα μηνύματά σας δε θα διαγραφεί, αλλά η εμπειρία αναζήτησης ενδέχεται να υποβαθμιστεί για λίγα λεπτά κατά τη δημιουργία του ευρετηρίου",
|
||||
"Use your preferred Matrix homeserver if you have one, or host your own.": "Χρησιμοποιήστε τον Matrix διακομιστή που προτιμάτε εάν έχετε, ή φιλοξενήστε τον δικό σας.",
|
||||
"We call the places where you can host your account 'homeservers'.": "Ονομάζουμε τα μέρη όπου μπορείτε να φιλοξενήσετε τον λογαριασμό σας 'κεντρικούς διακομιστές'.",
|
||||
"Recent changes that have not yet been received": "Πρόσφατες αλλαγές που δεν έχουν ληφθεί ακόμη",
|
||||
"The server is not configured to indicate what the problem is (CORS).": "Ο διακομιστής δεν έχει ρυθμιστεί για να υποδεικνύει ποιο είναι το πρόβλημα (CORS).",
|
||||
"This usually only affects how the room is processed on the server. If you're having problems with your %(brand)s, please <a>report a bug</a>.": "Αυτό συνήθως επηρεάζει μόνο τον τρόπο επεξεργασίας του δωματίου στον διακομιστή. Εάν αντιμετωπίζετε προβλήματα με το %(brand)s σας, <a>αναφέρετε ένα σφάλμα</a>.",
|
||||
|
@ -2124,22 +1998,16 @@
|
|||
"You may contact me if you have any follow up questions": "Μπορείτε να επικοινωνήσετε μαζί μου εάν έχετε περαιτέρω ερωτήσεις",
|
||||
"Feedback sent! Thanks, we appreciate it!": "Τα σχόλια ανατροφοδότησης στάλθηκαν! Ευχαριστούμε, το εκτιμούμε!",
|
||||
"Search for rooms or people": "Αναζήτηση δωματίων ή ατόμων",
|
||||
"Comment": "Σχόλιο",
|
||||
"The poll has ended. Top answer: %(topAnswer)s": "Η δημοσκόπηση έληξε. Κορυφαία απάντηση: %(topAnswer)s",
|
||||
"The poll has ended. No votes were cast.": "Η δημοσκόπηση έληξε. Δεν υπάρχουν ψήφοι.",
|
||||
"Failed to connect to integration manager": "Αποτυχία σύνδεσης με τον διαχειριστή πρόσθετων",
|
||||
"Manage integrations": "Διαχείριση πρόσθετων",
|
||||
"Cannot connect to integration manager": "Δεν είναι δυνατή η σύνδεση με τον διαχειριστή πρόσθετων",
|
||||
"Failed to re-authenticate due to a homeserver problem": "Απέτυχε ο εκ νέου έλεγχος ταυτότητας λόγω προβλήματος με τον κεντρικό διακομιστή",
|
||||
"Failed to perform homeserver discovery": "Αποτυχία εκτέλεσης εντοπισμού του κεντρικού διακομιστή",
|
||||
"This homeserver does not support login using email address.": "Αυτός ο κεντρικός διακομιστής δεν υποστηρίζει σύνδεση με χρήση διεύθυνσης email.",
|
||||
"Homeserver URL does not appear to be a valid Matrix homeserver": "Η διεύθυνση URL του κεντρικού διακομιστή δε φαίνεται να αντιστοιχεί σε έγκυρο διακομιστή Matrix",
|
||||
"Your message wasn't sent because this homeserver has exceeded a resource limit. Please <a>contact your service administrator</a> to continue using the service.": "Το μήνυμά σας δεν στάλθηκε επειδή αυτός ο κεντρικός διακομιστής έχει υπερβεί ένα όριο πόρων. Παρακαλώ <a>επικοινωνήστε με τον διαχειριστή</a> για να συνεχίσετε να χρησιμοποιείτε την υπηρεσία.",
|
||||
"Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please <a>contact your service administrator</a> to continue using the service.": "Το μήνυμά σας δε στάλθηκε επειδή αυτός ο κεντρικός διακομιστής έχει φτάσει το μηνιαίο όριο ενεργού χρήστη. Παρακαλώ <a>επικοινωνήστε με τον διαχειριστή</a> για να συνεχίσετε να χρησιμοποιείτε την υπηρεσία.",
|
||||
"Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "Λείπει το δημόσιο κλειδί captcha από τη διαμόρφωση του κεντρικού διακομιστή. Αναφέρετε αυτό στον διαχειριστή του.",
|
||||
"About homeservers": "Σχετικά με τους κεντρικούς διακομιστές",
|
||||
"Other homeserver": "Άλλος κεντρικός διακομιστής",
|
||||
"Unable to validate homeserver": "Δεν είναι δυνατή η επικύρωση του κεντρικού διακομιστή",
|
||||
"The integration manager is offline or it cannot reach your homeserver.": "Ο διαχειριστής πρόσθετων είναι εκτός σύνδεσης ή δεν μπορεί να επικοινωνήσει με κεντρικό διακομιστή σας.",
|
||||
"The widget will verify your user ID, but won't be able to perform actions for you:": "Η μικροεφαρμογή θα επαληθεύσει το αναγνωριστικό χρήστη σας, αλλά δε θα μπορεί να εκτελέσει ενέργειες για εσάς:",
|
||||
"Allow this widget to verify your identity": "Επιτρέψτε σε αυτήν τη μικροεφαρμογή να επαληθεύσει την ταυτότητά σας",
|
||||
|
@ -2388,7 +2256,8 @@
|
|||
"cross_signing": "Διασταυρούμενη υπογραφή",
|
||||
"identity_server": "Διακομιστής ταυτότητας",
|
||||
"integration_manager": "Διαχειριστής πρόσθετων",
|
||||
"qr_code": "Κωδικός QR"
|
||||
"qr_code": "Κωδικός QR",
|
||||
"feedback": "Ανατροφοδότηση"
|
||||
},
|
||||
"action": {
|
||||
"continue": "Συνέχεια",
|
||||
|
@ -2738,7 +2607,9 @@
|
|||
"timeline_image_size": "Μέγεθος εικόνας στη γραμμή χρόνου",
|
||||
"timeline_image_size_default": "Προεπιλογή",
|
||||
"timeline_image_size_large": "Μεγάλο"
|
||||
}
|
||||
},
|
||||
"inline_url_previews_room_account": "Ενεργοποίηση προεπισκόπισης URL για αυτό το δωμάτιο (επηρεάζει μόνο εσάς)",
|
||||
"inline_url_previews_room": "Ενεργοποιήστε τις προεπισκοπήσεις URL από προεπιλογή για τους συμμετέχοντες σε αυτό το δωμάτιο"
|
||||
},
|
||||
"devtools": {
|
||||
"send_custom_account_data_event": "Αποστολή προσαρμοσμένου συμβάντος δεδομένων λογαριασμού",
|
||||
|
@ -2863,7 +2734,23 @@
|
|||
"title_public_room": "Δημιουργήστε ένα δημόσιο δωμάτιο",
|
||||
"title_private_room": "Δημιουργήστε ένα ιδιωτικό δωμάτιο",
|
||||
"action_create_video_room": "Δημιουργία δωματίου βίντεο",
|
||||
"action_create_room": "Δημιουργία δωματίου"
|
||||
"action_create_room": "Δημιουργία δωματίου",
|
||||
"name_validation_required": "Εισάγετε ένα όνομα για το δωμάτιο",
|
||||
"join_rule_restricted_label": "Όλοι στο <SpaceName/> θα μπορούν να βρουν και να συμμετάσχουν σε αυτό το δωμάτιο.",
|
||||
"join_rule_change_notice": "Μπορείτε να το αλλάξετε ανά πάσα στιγμή από τις ρυθμίσεις δωματίου.",
|
||||
"join_rule_public_parent_space_label": "Οποιοσδήποτε θα μπορεί να βρει και να εγγραφεί σε αυτόν τον χώρο, όχι μόνο μέλη του <SpaceName/>.",
|
||||
"join_rule_public_label": "Οποιοσδήποτε θα μπορεί να βρει και να εγγραφεί σε αυτό το δωμάτιο.",
|
||||
"join_rule_invite_label": "Μόνο τα άτομα που έχουν προσκληθεί θα μπορούν να βρουν και να εγγραφούν σε αυτό τον δωμάτιο.",
|
||||
"encrypted_warning": "Δεν μπορείτε να το απενεργοποιήσετε αργότερα. Οι γέφυρες και τα περισσότερα ρομπότ δεν μπορούν να λειτουργήσουν ακόμα.",
|
||||
"encryption_forced": "Ο διακομιστής σας απαιτεί την ενεργοποίηση της κρυπτογράφησης σε ιδιωτικά δωμάτια.",
|
||||
"encryption_label": "Ενεργοποίηση κρυπτογράφησης από άκρο-σε-άκρο",
|
||||
"unfederated_label_default_off": "Μπορείτε να το ενεργοποιήσετε εάν το δωμάτιο θα χρησιμοποιηθεί μόνο για τη συνεργασία με εσωτερικές ομάδες στον κεντρικό σας διακομιστή. Αυτό δεν μπορεί να αλλάξει αργότερα.",
|
||||
"unfederated_label_default_on": "Μπορείτε να το απενεργοποιήσετε εάν το δωμάτιο θα χρησιμοποιηθεί για συνεργασία με εξωτερικές ομάδες που έχουν τον δικό τους κεντρικό διακομιστή. Αυτό δεν μπορεί να αλλάξει αργότερα.",
|
||||
"topic_label": "Θέμα (προαιρετικό)",
|
||||
"room_visibility_label": "Ορατότητα δωματίου",
|
||||
"join_rule_invite": "Ιδιωτικό δωμάτιο (μόνο με πρόσκληση)",
|
||||
"join_rule_restricted": "Ορατό στα μέλη του χώρου",
|
||||
"unfederated": "Αποκλείστε οποιονδήποτε δεν είναι μέλος του %(serverName)s από τη συμμετοχή σε αυτό το δωμάτιο."
|
||||
},
|
||||
"timeline": {
|
||||
"m.call.invite": {
|
||||
|
@ -3131,7 +3018,11 @@
|
|||
"changed_rule_rooms": "%(senderName)s άλλαξε έναν κανόνα που απαγόρευε την αντιστοίχιση δωματίων %(oldGlob)s σε αντιστοίχιση %(newGlob)s για %(reason)s",
|
||||
"changed_rule_servers": "%(senderName)s άλλαξε έναν κανόνα που απαγόρευε την αντιστοίχιση διακομιστών %(oldGlob)s σε αντιστοίχιση %(newGlob)s για %(reason)s",
|
||||
"changed_rule_glob": "%(senderName)s ενημέρωσε έναν κανόνα απαγόρευσης που αντιστοιχούσε %(oldGlob)s σε αντιστοίχιση %(newGlob)s για %(reason)s"
|
||||
}
|
||||
},
|
||||
"no_permission_messages_before_invite": "Δεν έχετε άδεια προβολής των μηνυμάτων που δημιουργήθηκαν πριν από την πρόσκληση σας.",
|
||||
"no_permission_messages_before_join": "Δεν έχετε άδεια προβολής των μηνυμάτων που δημιουργήθηκαν πριν από την εγγραφή σας.",
|
||||
"encrypted_historical_messages_unavailable": "Κρυπτογραφημένα μηνύματα πριν από αυτό το σημείο δεν είναι διαθέσιμα.",
|
||||
"historical_messages_unavailable": "Δεν μπορείτε να δείτε προηγούμενα μηνύματα"
|
||||
},
|
||||
"slash_command": {
|
||||
"spoiler": "Στέλνει το δοθέν μήνυμα ως spoiler",
|
||||
|
@ -3186,7 +3077,14 @@
|
|||
"holdcall": "Βάζει την κλήση στο τρέχον δωμάτιο σε αναμονή",
|
||||
"no_active_call": "Δεν υπάρχει ενεργή κλήση σε αυτό το δωμάτιο",
|
||||
"unholdcall": "Επαναφέρει την κλήση στο τρέχον δωμάτιο από την αναμονή",
|
||||
"me": "Εμφανίζει την ενέργεια"
|
||||
"me": "Εμφανίζει την ενέργεια",
|
||||
"error_invalid_runfn": "Σφάλμα εντολής: Δεν είναι δυνατή η χρήση της εντολής slash.",
|
||||
"error_invalid_rendering_type": "Σφάλμα εντολής: Δεν είναι δυνατή η εύρεση του τύπου απόδοσης (%(renderingType)s)",
|
||||
"join": "Σύνδεση στο δωμάτιο με την δοθείσα διεύθυνση",
|
||||
"failed_find_room": "Η εντολή απέτυχε: Δεν είναι δυνατή η εύρεση δωματίου (%(roomId)s",
|
||||
"failed_find_user": "Δεν βρέθηκε ο χρήστης στο δωμάτιο",
|
||||
"op": "Καθορίζει το επίπεδο δύναμης ενός χρήστη",
|
||||
"deop": "Deop χρήστη με το συγκεκριμένο αναγνωριστικό"
|
||||
},
|
||||
"presence": {
|
||||
"busy": "Απασχολημένος",
|
||||
|
@ -3360,8 +3258,38 @@
|
|||
"account_clash_previous_account": "Συνέχεια με τον προηγούμενο λογαριασμό",
|
||||
"log_in_new_account": "<a>Συνδεθείτε</a> στον νέο σας λογαριασμό.",
|
||||
"registration_successful": "Επιτυχής Εγγραφή",
|
||||
"server_picker_title": "Φιλοξενία λογαριασμού στο",
|
||||
"server_picker_dialog_title": "Αποφασίστε πού θα φιλοξενείται ο λογαριασμός σας"
|
||||
"server_picker_title": "Σύνδεση στον κεντρικό διακομιστή σας",
|
||||
"server_picker_dialog_title": "Αποφασίστε πού θα φιλοξενείται ο λογαριασμός σας",
|
||||
"footer_powered_by_matrix": "λειτουργεί με το Matrix",
|
||||
"failed_homeserver_discovery": "Αποτυχία εκτέλεσης εντοπισμού του κεντρικού διακομιστή",
|
||||
"sync_footer_subtitle": "Εάν έχετε συμμετάσχει σε πολλά δωμάτια, αυτό μπορεί να διαρκέσει λίγο",
|
||||
"unsupported_auth_msisdn": "Αυτός ο διακομιστής δεν υποστηρίζει πιστοποίηση με αριθμό τηλεφώνου.",
|
||||
"unsupported_auth_email": "Αυτός ο κεντρικός διακομιστής δεν υποστηρίζει σύνδεση με χρήση διεύθυνσης email.",
|
||||
"registration_disabled": "Η εγγραφή έχει απενεργοποιηθεί σε αυτόν τον κεντρικό διακομιστή.",
|
||||
"failed_query_registration_methods": "Αδυναμία λήψης των υποστηριζόμενων μεθόδων εγγραφής.",
|
||||
"username_in_use": "Κάποιος έχει ήδη αυτό το όνομα χρήστη, δοκιμάστε ένα άλλο.",
|
||||
"incorrect_password": "Λανθασμένος κωδικός πρόσβασης",
|
||||
"failed_soft_logout_auth": "Απέτυχε ο εκ νέου έλεγχος ταυτότητας",
|
||||
"soft_logout_heading": "Εχετε αποσυνδεθεί",
|
||||
"forgot_password_email_required": "Πρέπει να εισηχθεί η διεύθυνση ηλ. αλληλογραφίας που είναι συνδεδεμένη με τον λογαριασμό σας.",
|
||||
"forgot_password_email_invalid": "Η διεύθυνση email δε φαίνεται να είναι έγκυρη.",
|
||||
"sign_in_prompt": "Έχετε λογαριασμό; <a>Συνδεθείτε</a>",
|
||||
"forgot_password_prompt": "Ξεχάσετε τον κωδικό σας;",
|
||||
"soft_logout_intro_password": "Εισαγάγετε τον κωδικό πρόσβασης σας για να συνδεθείτε και να αποκτήσετε ξανά πρόσβαση στον λογαριασμό σας.",
|
||||
"soft_logout_intro_sso": "Συνδεθείτε και αποκτήστε ξανά πρόσβαση στον λογαριασμό σας.",
|
||||
"soft_logout_intro_unsupported_auth": "Δεν μπορείτε να συνδεθείτε στον λογαριασμό σας. Επικοινωνήστε με τον διαχειριστή του κεντρικού διακομιστή σας για περισσότερες πληροφορίες.",
|
||||
"create_account_prompt": "Πρώτη φορά εδώ; <a>Δημιουργήστε λογαριασμό</a>",
|
||||
"sign_in_or_register": "Συνδεθείτε ή Δημιουργήστε Λογαριασμό",
|
||||
"sign_in_or_register_description": "Χρησιμοποιήστε τον λογαριασμό σας ή δημιουργήστε νέο για να συνεχίσετε.",
|
||||
"register_action": "Δημιουργία Λογαριασμού",
|
||||
"server_picker_failed_validate_homeserver": "Δεν είναι δυνατή η επικύρωση του κεντρικού διακομιστή",
|
||||
"server_picker_invalid_url": "Μη έγκυρο URL",
|
||||
"server_picker_required": "Καθορίστε τον κεντρικό διακομιστή σας",
|
||||
"server_picker_matrix.org": "Το Matrix.org είναι ο μεγαλύτερος δημόσιος διακομιστής στον κόσμο, επομένως είναι ένα καλό μέρος για να ξεκινήσετε.",
|
||||
"server_picker_intro": "Ονομάζουμε τα μέρη όπου μπορείτε να φιλοξενήσετε τον λογαριασμό σας 'κεντρικούς διακομιστές'.",
|
||||
"server_picker_custom": "Άλλος κεντρικός διακομιστής",
|
||||
"server_picker_explainer": "Χρησιμοποιήστε τον Matrix διακομιστή που προτιμάτε εάν έχετε, ή φιλοξενήστε τον δικό σας.",
|
||||
"server_picker_learn_more": "Σχετικά με τους κεντρικούς διακομιστές"
|
||||
},
|
||||
"room_list": {
|
||||
"sort_unread_first": "Εμφάνιση δωματίων με μη αναγνωσμένα μηνύματα πρώτα",
|
||||
|
@ -3416,5 +3344,81 @@
|
|||
"access_token_detail": "Το διακριτικό πρόσβασής σας παρέχει πλήρη πρόσβαση στον λογαριασμό σας. Μην το μοιραστείτε με κανέναν.",
|
||||
"clear_cache_reload": "Εκκαθάριση προσωρινής μνήμης και επαναφόρτωση"
|
||||
}
|
||||
},
|
||||
"widget": {
|
||||
"capability": {
|
||||
"send_stickers_this_room": "Στείλτε αυτοκόλλητα σε αυτό το δωμάτιο",
|
||||
"send_stickers_active_room": "Στείλτε αυτοκόλλητα στο ενεργό δωμάτιο",
|
||||
"send_stickers_this_room_as_you": "Στείλτε αυτοκόλλητα σε αυτό το δωμάτιο",
|
||||
"send_stickers_active_room_as_you": "Στείλτε αυτοκόλλητα στο ενεργό δωμάτιό σας",
|
||||
"see_sticker_posted_this_room": "Δείτε πότε αναρτάται ένα αυτοκόλλητο σε αυτό το δωμάτιο",
|
||||
"see_sticker_posted_active_room": "Δείτε πότε κάποιος δημοσιεύει ένα αυτοκόλλητο στο ενεργό δωμάτιό σας",
|
||||
"always_on_screen_viewing_another_room": "Παραμονή στην οθόνη σας όταν βλέπετε άλλο δωμάτιο, όταν τρέχετε",
|
||||
"always_on_screen_generic": "Παραμονή στην οθόνη σας ενώ τρέχετε",
|
||||
"switch_room": "Αλλάξτε το δωμάτιο που βλέπετε",
|
||||
"switch_room_message_user": "Αλλάξτε το δωμάτιο, το μήνυμα ή τον χρήστη που βλέπετε",
|
||||
"change_topic_this_room": "Αλλάξτε το θέμα αυτού του δωματίου",
|
||||
"see_topic_change_this_room": "Δείτε πότε αλλάζει το θέμα σε αυτό το δωμάτιο",
|
||||
"change_topic_active_room": "Αλλάξτε το θέμα του ενεργού δωματίου σας",
|
||||
"see_topic_change_active_room": "Δείτε πότε αλλάζει το θέμα στο ενεργό δωμάτιό σας",
|
||||
"change_name_this_room": "Αλλάξτε το όνομα αυτού του δωματίου",
|
||||
"see_name_change_this_room": "Δείτε πότε αλλάζει το όνομα σε αυτό το δωμάτιο",
|
||||
"change_name_active_room": "Αλλάξτε το όνομα του ενεργού δωματίου σας",
|
||||
"see_name_change_active_room": "Δείτε πότε αλλάζει το όνομα στο ενεργό δωμάτιό σας",
|
||||
"change_avatar_this_room": "Αλλάξτε το avatar αυτού του δωματίου",
|
||||
"see_avatar_change_this_room": "Δείτε πότε αλλάζει το avatar σε αυτό το δωμάτιο",
|
||||
"change_avatar_active_room": "Αλλάξτε το avatar του ενεργού δωματίου σας",
|
||||
"see_avatar_change_active_room": "Δείτε πότε αλλάζει το avatar στο ενεργό δωμάτιό σας",
|
||||
"remove_ban_invite_leave_this_room": "Αφαιρέστε, αποκλείστε ή προσκαλέστε άτομα σε αυτό το δωμάτιο και αποχωρήστε",
|
||||
"receive_membership_this_room": "Δείτε πότε τα άτομα εγγράφονται, αποχωρούν ή προσκαλούνται σε αυτό το δωμάτιο",
|
||||
"remove_ban_invite_leave_active_room": "Αφαιρέστε, απαγορεύστε ή προσκαλέστε άτομα στο ενεργό δωμάτιό σας και σας αποχωρήστε",
|
||||
"receive_membership_active_room": "Δείτε πότε τα άτομα εγγράφονται, φεύγουν ή προσκαλούνται στο ενεργό δωμάτιό σας",
|
||||
"byline_empty_state_key": "με ένα κενό κλειδί κατάστασης",
|
||||
"byline_state_key": "με κλειδί κατάστασης %(stateKey)s",
|
||||
"any_room": "Τα παραπάνω, αλλά και σε οποιοδήποτε δωμάτιο είστε μέλος ή προσκεκλημένοι",
|
||||
"specific_room": "Τα παραπάνω, αλλά και μέσα <Room />",
|
||||
"send_event_type_this_room": "Στείλτε <b>%(eventType)s</b> γεγονότα σε αυτό το δωμάτιο",
|
||||
"see_event_type_sent_this_room": "Δείτε <b>%(eventType)s</b> γεγονότα που δημοσιεύτηκαν σε αυτό το δωμάτιο",
|
||||
"send_event_type_active_room": "Στείλετε <b>%(eventType)s</b> γεγονότα, ως εσείς, στο ενεργό δωμάτιό σας",
|
||||
"see_event_type_sent_active_room": "Δείτε <b>%(eventType)s</b> γεγονότα που δημοσιεύτηκαν στο ενεργό δωμάτιό σας",
|
||||
"capability": "Η <b>%(capability)s</b> ικανότητα",
|
||||
"send_messages_this_room": "Στείλτε μηνύματα, ως εσείς, σε αυτό το δωμάτιο",
|
||||
"send_messages_active_room": "Στείλτε μηνύματα, ως εσείς, στο ενεργό δωμάτιό σας",
|
||||
"see_messages_sent_this_room": "Δείτε τα μηνύματα που δημοσιεύτηκαν σε αυτό το δωμάτιο",
|
||||
"see_messages_sent_active_room": "Δείτε τα μηνύματα που δημοσιεύτηκαν στο ενεργό δωμάτιό σας",
|
||||
"send_text_messages_this_room": "Στείλτε μηνύματα κειμένου, ως εσείς, σε αυτό το δωμάτιο",
|
||||
"send_text_messages_active_room": "Στείλτε μηνύματα κειμένου, ως εσείς, στο ενεργό δωμάτιό σας",
|
||||
"see_text_messages_sent_this_room": "Δείτε τα μηνύματα κειμένου που δημοσιεύτηκαν σε αυτό το δωμάτιο",
|
||||
"see_text_messages_sent_active_room": "Δείτε τα μηνύματα κειμένου που δημοσιεύτηκαν στο ενεργό δωμάτιό σας",
|
||||
"send_emotes_this_room": "Στείλτε emotes, ως εσείς, σε αυτό το δωμάτιο",
|
||||
"send_emotes_active_room": "Στείλτε emotes, ως εσείς, στο ενεργό δωμάτιό σας",
|
||||
"see_sent_emotes_this_room": "Δείτε τα emotes που δημοσιεύτηκαν σε αυτό το δωμάτιο",
|
||||
"see_sent_emotes_active_room": "Δείτε τα emotes που δημοσιεύτηκαν στο ενεργό δωμάτιό σας",
|
||||
"send_images_this_room": "Στείλτε εικόνες, ως εσείς, σε αυτό το δωμάτιο",
|
||||
"send_images_active_room": "Στείλτε εικόνες, ως εσείς, στο ενεργό δωμάτιό σας",
|
||||
"see_images_sent_this_room": "Δείτε εικόνες που δημοσιεύτηκαν σε αυτό το δωμάτιο",
|
||||
"see_images_sent_active_room": "Δείτε εικόνες που δημοσιεύτηκαν στο ενεργό δωμάτιό σας",
|
||||
"send_videos_this_room": "Στείλτε βίντεο, ως εσείς, σε αυτό το δωμάτιο",
|
||||
"send_videos_active_room": "Στείλτε βίντεο, ως εσείς, στο ενεργό δωμάτιό σας",
|
||||
"see_videos_sent_this_room": "Δείτε βίντεο που δημοσιεύτηκαν σε αυτό το δωμάτιο",
|
||||
"see_videos_sent_active_room": "Δείτε βίντεο που δημοσιεύτηκαν στο ενεργό δωμάτιό σας",
|
||||
"send_files_this_room": "Στείλτε γενικά αρχεία, ως εσείς, σε αυτό το δωμάτιο",
|
||||
"send_files_active_room": "Στείλτε γενικά αρχεία, ως εσείς, στο ενεργό δωμάτιό σας",
|
||||
"see_sent_files_this_room": "Δείτε τα γενικά αρχεία που δημοσιεύτηκαν σε αυτό το δωμάτιο",
|
||||
"see_sent_files_active_room": "Δείτε τα γενικά αρχεία που δημοσιεύονται στο ενεργό δωμάτιό σας",
|
||||
"send_msgtype_this_room": "Στείλτε <b>%(msgtype)s</b> μηνύματα, ως εσείς, σε αυτό το δωμάτιο",
|
||||
"send_msgtype_active_room": "Στείλτε <b>%(msgtype)s</b> μηνύματα, ώς εσείς, στο ενεργό δωμάτιό σας",
|
||||
"see_msgtype_sent_this_room": "Δείτε <b>%(msgtype)s</b> μηνύματα που δημοσιεύτηκαν σε αυτό το δωμάτιο",
|
||||
"see_msgtype_sent_active_room": "Δείτε <b>%(msgtype)s</b> μηνύματα που δημοσιεύτηκαν στο ενεργό δωμάτιό σας"
|
||||
}
|
||||
},
|
||||
"feedback": {
|
||||
"sent": "Τα σχόλια στάλθηκαν",
|
||||
"comment_label": "Σχόλιο",
|
||||
"platform_username": "Η πλατφόρμα και το όνομα χρήστη σας θα καταγραφούν για να μας βοηθήσουν να χρησιμοποιήσουμε τα σχόλιά σας όσο μπορούμε περισσότερο.",
|
||||
"may_contact_label": "Μπορείτε να επικοινωνήσετε μαζί μου εάν θέλετε να έρθετε σε επαφή ή να με αφήσετε να δοκιμάσω επερχόμενες ιδέες",
|
||||
"pro_type": "ΣΥΜΒΟΥΛΗ: Εάν αναφέρετε ένα σφάλμα, υποβάλετε <debugLogsLink>αρχεία καταγραφής εντοπισμού σφαλμάτων</debugLogsLink> για να μας βοηθήσετε να εντοπίσουμε το πρόβλημα.",
|
||||
"existing_issue_link": "Δείτε πρώτα τα <existingIssuesLink>υπάρχοντα ζητήματα (issues) στο Github</existingIssuesLink>. Δε βρήκατε κάτι; <newIssueLink>Ξεκινήστε ένα νέο</newIssueLink>.",
|
||||
"send_feedback_action": "Στείλετε τα σχόλιά σας"
|
||||
}
|
||||
}
|
||||
|
|
|
@ -13,13 +13,57 @@
|
|||
"reset_password_title": "Reset your password",
|
||||
"continue_with_sso": "Continue with %(ssoButtons)s",
|
||||
"sso_or_username_password": "%(ssoButtons)s Or %(usernamePassword)s",
|
||||
"sign_in_instead": "Already have an account? <a>Sign in here</a>",
|
||||
"sign_in_instead": "Sign in instead",
|
||||
"account_clash": "Your new account (%(newAccountId)s) is registered, but you're already logged into a different account (%(loggedInUserId)s).",
|
||||
"account_clash_previous_account": "Continue with previous account",
|
||||
"log_in_new_account": "<a>Log in</a> to your new account.",
|
||||
"registration_successful": "Registration Successful",
|
||||
"server_picker_title": "Host account on",
|
||||
"server_picker_dialog_title": "Decide where your account is hosted"
|
||||
"server_picker_title": "Sign into your homeserver",
|
||||
"server_picker_dialog_title": "Decide where your account is hosted",
|
||||
"verify_email_heading": "Verify your email to continue",
|
||||
"verify_email_explainer": "We need to know it’s you before resetting your password. Click the link in the email we just sent to <b>%(email)s</b>",
|
||||
"username_in_use": "Someone already has that username, please try another.",
|
||||
"unsupported_auth_msisdn": "This server does not support authentication with a phone number.",
|
||||
"unsupported_auth_email": "This homeserver does not support login using email address.",
|
||||
"unsupported_auth": "This homeserver doesn't offer any login flows that are supported by this client.",
|
||||
"syncing": "Syncing…",
|
||||
"sync_footer_subtitle": "If you've joined lots of rooms, this might take a while",
|
||||
"soft_logout_intro_unsupported_auth": "You cannot sign in to your account. Please contact your homeserver admin for more information.",
|
||||
"soft_logout_intro_sso": "Sign in and regain access to your account.",
|
||||
"soft_logout_intro_password": "Enter your password to sign in and regain access to your account.",
|
||||
"soft_logout_heading": "You're signed out",
|
||||
"signing_in": "Signing In…",
|
||||
"sign_in_prompt": "Got an account? <a>Sign in</a>",
|
||||
"sign_in_or_register_description": "Use your account or create a new one to continue.",
|
||||
"sign_in_or_register": "Sign In or Create Account",
|
||||
"sign_in_description": "Use your account to continue.",
|
||||
"server_picker_required": "Specify a homeserver",
|
||||
"server_picker_matrix.org": "Matrix.org is the biggest public homeserver in the world, so it's a good place for many.",
|
||||
"server_picker_learn_more": "About homeservers",
|
||||
"server_picker_invalid_url": "Invalid URL",
|
||||
"server_picker_intro": "We call the places where you can host your account 'homeservers'.",
|
||||
"server_picker_failed_validate_homeserver": "Unable to validate homeserver",
|
||||
"server_picker_explainer": "Use your preferred Matrix homeserver if you have one, or host your own.",
|
||||
"server_picker_custom": "Other homeserver",
|
||||
"registration_disabled": "Registration has been disabled on this homeserver.",
|
||||
"register_action": "Create Account",
|
||||
"incorrect_password": "Incorrect password",
|
||||
"forgot_password_prompt": "Forgotten your password?",
|
||||
"forgot_password_email_required": "The email address linked to your account must be entered.",
|
||||
"forgot_password_email_invalid": "The email address doesn't appear to be valid.",
|
||||
"footer_powered_by_matrix": "powered by Matrix",
|
||||
"failed_soft_logout_auth": "Failed to re-authenticate",
|
||||
"failed_query_registration_methods": "Unable to query for supported registration methods.",
|
||||
"failed_homeserver_discovery": "Failed to perform homeserver discovery",
|
||||
"enter_email_heading": "Enter your email to reset password",
|
||||
"enter_email_explainer": "<b>%(homeserver)s</b> will send you a verification link to let you reset your password.",
|
||||
"create_account_prompt": "New here? <a>Create an account</a>",
|
||||
"check_email_wrong_email_prompt": "Wrong email address?",
|
||||
"check_email_wrong_email_button": "Re-enter email address",
|
||||
"check_email_resend_tooltip": "Verification link email resent!",
|
||||
"check_email_resend_prompt": "Did not receive it?",
|
||||
"check_email_explainer": "Follow the instructions sent to <b>%(email)s</b>",
|
||||
"3pid_in_use": "That e-mail address or phone number is already in use."
|
||||
},
|
||||
"Confirm adding email": "Confirm adding email",
|
||||
"Click the button below to confirm adding this email address.": "Click the button below to confirm adding this email address.",
|
||||
|
@ -221,7 +265,8 @@
|
|||
"support": "Support",
|
||||
"room_name": "Room name",
|
||||
"thread": "Thread",
|
||||
"accessibility": "Accessibility"
|
||||
"accessibility": "Accessibility",
|
||||
"feedback": "Feedback"
|
||||
},
|
||||
"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.",
|
||||
|
@ -354,10 +399,6 @@
|
|||
"Unable to enable Notifications": "Unable to enable Notifications",
|
||||
"This email address was not found": "This email address was not found",
|
||||
"Your email address does not appear to be associated with a Matrix ID on this homeserver.": "Your email address does not appear to be associated with a Matrix ID on this homeserver.",
|
||||
"Sign In or Create Account": "Sign In or Create Account",
|
||||
"Use your account or create a new one to continue.": "Use your account or create a new one to continue.",
|
||||
"Use your account to continue.": "Use your account to continue.",
|
||||
"Create Account": "Create Account",
|
||||
"power_level": {
|
||||
"default": "Default",
|
||||
"restricted": "Restricted",
|
||||
|
@ -447,7 +488,11 @@
|
|||
"category_admin": "Admin",
|
||||
"category_advanced": "Advanced",
|
||||
"category_effects": "Effects",
|
||||
"category_other": "Other"
|
||||
"category_other": "Other",
|
||||
"view": "Views room with given address",
|
||||
"op": "Define the power level of a user",
|
||||
"join": "Joins room with given address",
|
||||
"deop": "Deops user with given id"
|
||||
},
|
||||
"Use an identity server": "Use an identity server",
|
||||
"Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.",
|
||||
|
@ -745,72 +790,13 @@
|
|||
"other": "%(oneUser)ssent %(count)s hidden messages",
|
||||
"one": "%(oneUser)ssent a hidden message"
|
||||
}
|
||||
}
|
||||
},
|
||||
"no_permission_messages_before_join": "You don't have permission to view messages from before you joined.",
|
||||
"no_permission_messages_before_invite": "You don't have permission to view messages from before you were invited.",
|
||||
"historical_messages_unavailable": "You can't see earlier messages",
|
||||
"encrypted_historical_messages_unavailable": "Encrypted messages before this point are unavailable."
|
||||
},
|
||||
"Light high contrast": "Light high contrast",
|
||||
"Remain on your screen when viewing another room, when running": "Remain on your screen when viewing another room, when running",
|
||||
"Remain on your screen while running": "Remain on your screen while running",
|
||||
"Send stickers into this room": "Send stickers into this room",
|
||||
"Send stickers into your active room": "Send stickers into your active room",
|
||||
"Change which room you're viewing": "Change which room you're viewing",
|
||||
"Change which room, message, or user you're viewing": "Change which room, message, or user you're viewing",
|
||||
"Change the topic of this room": "Change the topic of this room",
|
||||
"See when the topic changes in this room": "See when the topic changes in this room",
|
||||
"Change the topic of your active room": "Change the topic of your active room",
|
||||
"See when the topic changes in your active room": "See when the topic changes in your active room",
|
||||
"Change the name of this room": "Change the name of this room",
|
||||
"See when the name changes in this room": "See when the name changes in this room",
|
||||
"Change the name of your active room": "Change the name of your active room",
|
||||
"See when the name changes in your active room": "See when the name changes in your active room",
|
||||
"Change the avatar of this room": "Change the avatar of this room",
|
||||
"See when the avatar changes in this room": "See when the avatar changes in this room",
|
||||
"Change the avatar of your active room": "Change the avatar of your active room",
|
||||
"See when the avatar changes in your active room": "See when the avatar changes in your active room",
|
||||
"Remove, ban, or invite people to this room, and make you leave": "Remove, ban, or invite people to this room, and make you leave",
|
||||
"See when people join, leave, or are invited to this room": "See when people join, leave, or are invited to this room",
|
||||
"Remove, ban, or invite people to your active room, and make you leave": "Remove, ban, or invite people to your active room, and make you leave",
|
||||
"See when people join, leave, or are invited to your active room": "See when people join, leave, or are invited to your active room",
|
||||
"Send stickers to this room as you": "Send stickers to this room as you",
|
||||
"See when a sticker is posted in this room": "See when a sticker is posted in this room",
|
||||
"Send stickers to your active room as you": "Send stickers to your active room as you",
|
||||
"See when anyone posts a sticker to your active room": "See when anyone posts a sticker to your active room",
|
||||
"with an empty state key": "with an empty state key",
|
||||
"with state key %(stateKey)s": "with state key %(stateKey)s",
|
||||
"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",
|
||||
"The above, but in <Room /> as well": "The above, but in <Room /> as well",
|
||||
"Send <b>%(eventType)s</b> events as you in this room": "Send <b>%(eventType)s</b> events as you in this room",
|
||||
"See <b>%(eventType)s</b> events posted to this room": "See <b>%(eventType)s</b> events posted to this room",
|
||||
"Send <b>%(eventType)s</b> events as you in your active room": "Send <b>%(eventType)s</b> events as you in your active room",
|
||||
"See <b>%(eventType)s</b> events posted to your active room": "See <b>%(eventType)s</b> events posted to your active room",
|
||||
"The <b>%(capability)s</b> capability": "The <b>%(capability)s</b> capability",
|
||||
"Send messages as you in this room": "Send messages as you in this room",
|
||||
"Send messages as you in your active room": "Send messages as you in your active room",
|
||||
"See messages posted to this room": "See messages posted to this room",
|
||||
"See messages posted to your active room": "See messages posted to your active room",
|
||||
"Send text messages as you in this room": "Send text messages as you in this room",
|
||||
"Send text messages as you in your active room": "Send text messages as you in your active room",
|
||||
"See text messages posted to this room": "See text messages posted to this room",
|
||||
"See text messages posted to your active room": "See text messages posted to your active room",
|
||||
"Send emotes as you in this room": "Send emotes as you in this room",
|
||||
"Send emotes as you in your active room": "Send emotes as you in your active room",
|
||||
"See emotes posted to this room": "See emotes posted to this room",
|
||||
"See emotes posted to your active room": "See emotes posted to your active room",
|
||||
"Send images as you in this room": "Send images as you in this room",
|
||||
"Send images as you in your active room": "Send images as you in your active room",
|
||||
"See images posted to this room": "See images posted to this room",
|
||||
"See images posted to your active room": "See images posted to your active room",
|
||||
"Send videos as you in this room": "Send videos as you in this room",
|
||||
"Send videos as you in your active room": "Send videos as you in your active room",
|
||||
"See videos posted to this room": "See videos posted to this room",
|
||||
"See videos posted to your active room": "See videos posted to your active room",
|
||||
"Send general files as you in this room": "Send general files as you in this room",
|
||||
"Send general files as you in your active room": "Send general files as you in your active room",
|
||||
"See general files posted to this room": "See general files posted to this room",
|
||||
"See general files posted to your active room": "See general files posted to your active room",
|
||||
"Send <b>%(msgtype)s</b> messages as you in this room": "Send <b>%(msgtype)s</b> messages as you in this room",
|
||||
"Send <b>%(msgtype)s</b> messages as you in your active room": "Send <b>%(msgtype)s</b> messages as you in your active room",
|
||||
"See <b>%(msgtype)s</b> messages posted to this room": "See <b>%(msgtype)s</b> messages posted to this room",
|
||||
"See <b>%(msgtype)s</b> messages posted to your active room": "See <b>%(msgtype)s</b> messages posted to your active room",
|
||||
"Can't start a new voice broadcast": "Can't start a new voice broadcast",
|
||||
"You are already recording a voice broadcast. Please end your current voice broadcast to start a new one.": "You are already recording a voice broadcast. Please end your current voice broadcast to start a new one.",
|
||||
"You don't have the required permissions to start a voice broadcast in this room. Contact a room administrator to upgrade your permissions.": "You don't have the required permissions to start a voice broadcast in this room. Contact a room administrator to upgrade your permissions.",
|
||||
|
@ -1098,12 +1084,8 @@
|
|||
"Change notification settings": "Change notification settings",
|
||||
"Command error: Unable to handle slash command.": "Command error: Unable to handle slash command.",
|
||||
"Command error: Unable to find rendering type (%(renderingType)s)": "Command error: Unable to find rendering type (%(renderingType)s)",
|
||||
"Joins room with given address": "Joins room with given address",
|
||||
"Views room with given address": "Views room with given address",
|
||||
"Command failed: Unable to find room (%(roomId)s": "Command failed: Unable to find room (%(roomId)s",
|
||||
"Could not find user in room": "Could not find user in room",
|
||||
"Define the power level of a user": "Define the power level of a user",
|
||||
"Deops user with given id": "Deops user with given id",
|
||||
"labs": {
|
||||
"group_messaging": "Messaging",
|
||||
"group_profile": "Profile",
|
||||
|
@ -1151,18 +1133,24 @@
|
|||
"voice_broadcast": "Voice broadcast",
|
||||
"rust_crypto": "Rust cryptography implementation",
|
||||
"hidebold": "Hide notification dot (only display counters badges)",
|
||||
"intentional_mentions": "Enable intentional mentions",
|
||||
"ask_to_join": "Enable ask to join",
|
||||
"new_room_decoration_ui": "New room header & details interface",
|
||||
"new_room_decoration_ui": "Under active development, new room header & details interface",
|
||||
"beta_feature": "This is a beta feature",
|
||||
"click_for_info": "Click for more info",
|
||||
"leave_beta_reload": "Leaving the beta will reload %(brand)s.",
|
||||
"join_beta_reload": "Joining the beta will reload %(brand)s.",
|
||||
"leave_beta": "Leave the beta",
|
||||
"join_beta": "Join the beta"
|
||||
"join_beta": "Join the beta",
|
||||
"voice_broadcast_force_small_chunks": "Force 15s voice broadcast chunk length",
|
||||
"unrealiable_e2e": "Unreliable in encrypted rooms",
|
||||
"render_reaction_images_description": "Sometimes referred to as \"custom emojis\".",
|
||||
"render_reaction_images": "Render custom images in reactions",
|
||||
"oidc_native_flow": "Enable new native OIDC flows (Under active development)",
|
||||
"notifications": "Enable the notifications panel in the room header",
|
||||
"notification_settings_beta_title": "Notification Settings",
|
||||
"dynamic_room_predecessors_description": "Enable MSC3946 (to support late-arriving room archives)"
|
||||
},
|
||||
"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",
|
||||
"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.",
|
||||
"settings": {
|
||||
|
@ -1244,14 +1232,11 @@
|
|||
"enable_desktop_notifications_session": "Enable desktop notifications for this session",
|
||||
"show_message_desktop_notification": "Show message in desktop notification",
|
||||
"enable_audible_notifications_session": "Enable audible notifications for this session"
|
||||
}
|
||||
},
|
||||
"inline_url_previews_room_account": "Enable URL previews for this room (only affects you)",
|
||||
"inline_url_previews_room": "Enable URL previews by default for participants in this room"
|
||||
},
|
||||
"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)",
|
||||
"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)",
|
||||
"Render custom images in reactions": "Render custom images in reactions",
|
||||
"Sometimes referred to as \"custom emojis\".": "Sometimes referred to as \"custom emojis\".",
|
||||
"Use custom size": "Use custom size",
|
||||
"Show polls button": "Show polls button",
|
||||
"Use a more compact 'Modern' layout": "Use a more compact 'Modern' layout",
|
||||
|
@ -1267,8 +1252,6 @@
|
|||
"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 in this room from this session": "Never send encrypted messages to unverified sessions in this room from this session",
|
||||
"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",
|
||||
"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",
|
||||
|
@ -1363,10 +1346,10 @@
|
|||
"explore_rooms": "Explore Public Rooms",
|
||||
"create_room": "Create a Group Chat"
|
||||
},
|
||||
"You do not have permission to start voice calls": "You do not have permission to start voice calls",
|
||||
"You do not have permission to start video calls": "You do not have permission to start video calls",
|
||||
"Ongoing call": "Ongoing call",
|
||||
"You do not have permission to start video calls": "You do not have permission to start video calls",
|
||||
"There's no one here to call": "There's no one here to call",
|
||||
"You do not have permission to start voice calls": "You do not have permission to start voice calls",
|
||||
"chat_effects": {
|
||||
"confetti_description": "Sends the given message with confetti",
|
||||
"confetti_message": "sends confetti",
|
||||
|
@ -2040,17 +2023,12 @@
|
|||
" in <strong>%(room)s</strong>": " in <strong>%(room)s</strong>",
|
||||
"Encrypted by an unverified session": "Encrypted by an unverified session",
|
||||
"Unencrypted": "Unencrypted",
|
||||
"Encrypted by a deleted session": "Encrypted by a deleted session",
|
||||
"The authenticity of this encrypted message can't be guaranteed on this device.": "The authenticity of this encrypted message can't be guaranteed on this device.",
|
||||
"This message could not be decrypted": "This message could not be decrypted",
|
||||
"Sending your message…": "Sending your message…",
|
||||
"Encrypting your message…": "Encrypting your message…",
|
||||
"Your message was sent": "Your message was sent",
|
||||
"Failed to send": "Failed to send",
|
||||
"You don't have permission to view messages from before you were invited.": "You don't have permission to view messages from before you were invited.",
|
||||
"You don't have permission to view messages from before you joined.": "You don't have permission to view messages from before you joined.",
|
||||
"Encrypted messages before this point are unavailable.": "Encrypted messages before this point are unavailable.",
|
||||
"You can't see earlier messages": "You can't see earlier messages",
|
||||
"Scroll to most recent messages": "Scroll to most recent messages",
|
||||
"Video call (Jitsi)": "Video call (Jitsi)",
|
||||
"Video call (%(brand)s)": "Video call (%(brand)s)",
|
||||
|
@ -2887,31 +2865,31 @@
|
|||
"Clear all data in this session?": "Clear all data in this session?",
|
||||
"Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.",
|
||||
"Clear all data": "Clear all data",
|
||||
"Please enter a name for the room": "Please enter a name for the room",
|
||||
"Everyone in <SpaceName/> will be able to find and join this room.": "Everyone in <SpaceName/> will be able to find and join this room.",
|
||||
"You can change this at any time from room settings.": "You can change this at any time from room settings.",
|
||||
"Anyone will be able to find and join this room, not just members of <SpaceName/>.": "Anyone will be able to find and join this room, not just members of <SpaceName/>.",
|
||||
"Anyone will be able to find and join this room.": "Anyone will be able to find and join this room.",
|
||||
"Only people invited will be able to find and join this room.": "Only people invited will be able to find and join this room.",
|
||||
"Anyone can request to join, but admins or moderators need to grant access. You can change this later.": "Anyone can request to join, but admins or moderators need to grant access. You can change this later.",
|
||||
"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.",
|
||||
"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.",
|
||||
"Your server requires encryption to be enabled in private rooms.": "Your server requires encryption to be enabled in private rooms.",
|
||||
"Enable end-to-end encryption": "Enable end-to-end encryption",
|
||||
"You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.",
|
||||
"You might disable this if the room will be used for collaborating with external teams who have their own homeserver. This cannot be changed later.": "You might disable this if the room will be used for collaborating with external teams who have their own homeserver. This cannot be changed later.",
|
||||
"create_room": {
|
||||
"title_video_room": "Create a video room",
|
||||
"title_public_room": "Create a public room",
|
||||
"title_private_room": "Create a private room",
|
||||
"action_create_video_room": "Create video room",
|
||||
"action_create_room": "Create room"
|
||||
"action_create_room": "Create room",
|
||||
"unfederated_label_default_on": "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.",
|
||||
"unfederated_label_default_off": "You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.",
|
||||
"unfederated": "Block anyone not part of %(serverName)s from ever joining this room.",
|
||||
"topic_label": "Topic (optional)",
|
||||
"room_visibility_label": "Room visibility",
|
||||
"name_validation_required": "Please enter a name for the room",
|
||||
"join_rule_restricted_label": "Everyone in <SpaceName/> will be able to find and join this room.",
|
||||
"join_rule_restricted": "Visible to space members",
|
||||
"join_rule_public_parent_space_label": "Anyone will be able to find and join this room, not just members of <SpaceName/>.",
|
||||
"join_rule_public_label": "Anyone will be able to find and join this room.",
|
||||
"join_rule_knock_label": "Anyone can request to join, but admins or moderators need to grant access. You can change this later.",
|
||||
"join_rule_invite_label": "Only people invited will be able to find and join this room.",
|
||||
"join_rule_invite": "Private room (invite only)",
|
||||
"join_rule_change_notice": "You can change this at any time from room settings.",
|
||||
"encryption_label": "Enable end-to-end encryption",
|
||||
"encryption_forced": "Your server requires encryption to be enabled in private rooms.",
|
||||
"encrypted_warning": "You can't disable this later. Bridges & most bots won't work yet.",
|
||||
"encrypted_video_room_warning": "You can't disable this later. The room will be encrypted but the embedded call will not."
|
||||
},
|
||||
"Topic (optional)": "Topic (optional)",
|
||||
"Room visibility": "Room visibility",
|
||||
"Private room (invite only)": "Private room (invite only)",
|
||||
"Visible to space members": "Visible to space members",
|
||||
"Block anyone not part of %(serverName)s from ever joining this room.": "Block anyone not part of %(serverName)s from ever joining this room.",
|
||||
"Anyone in <SpaceName/> will be able to find and join.": "Anyone in <SpaceName/> will be able to find and join.",
|
||||
"Anyone will be able to find and join this space, not just members of <SpaceName/>.": "Anyone will be able to find and join this space, not just members of <SpaceName/>.",
|
||||
"Only people invited will be able to find and join this space.": "Only people invited will be able to find and join this space.",
|
||||
|
@ -3040,14 +3018,6 @@
|
|||
"Are you sure you want to end this poll? This will show the final results of the poll and stop people from being able to vote.": "Are you sure you want to end this poll? This will show the final results of the poll and stop people from being able to vote.",
|
||||
"An error has occurred.": "An error has occurred.",
|
||||
"MB": "MB",
|
||||
"Feedback sent": "Feedback sent",
|
||||
"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.",
|
||||
"Feedback": "Feedback",
|
||||
"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",
|
||||
"PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.",
|
||||
"Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.": "Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.",
|
||||
"Send feedback": "Send feedback",
|
||||
"You don't have permission to do this": "You don't have permission to do this",
|
||||
"Sending": "Sending",
|
||||
"Sent": "Sent",
|
||||
|
@ -3210,15 +3180,6 @@
|
|||
"A connection error occurred while trying to contact the server.": "A connection error occurred while trying to contact the server.",
|
||||
"The server is not configured to indicate what the problem is (CORS).": "The server is not configured to indicate what the problem is (CORS).",
|
||||
"Recent changes that have not yet been received": "Recent changes that have not yet been received",
|
||||
"Unable to validate homeserver": "Unable to validate homeserver",
|
||||
"Invalid URL": "Invalid URL",
|
||||
"Specify a homeserver": "Specify a homeserver",
|
||||
"Matrix.org is the biggest public homeserver in the world, so it's a good place for many.": "Matrix.org is the biggest public homeserver in the world, so it's a good place for many.",
|
||||
"Sign into your homeserver": "Sign into your homeserver",
|
||||
"We call the places where you can host your account 'homeservers'.": "We call the places where you can host your account 'homeservers'.",
|
||||
"Other homeserver": "Other homeserver",
|
||||
"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.",
|
||||
"About homeservers": "About homeservers",
|
||||
"Reset event store?": "Reset event store?",
|
||||
"You most likely do not want to reset your event index store": "You most likely do not want to reset your event index store",
|
||||
"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",
|
||||
|
@ -3421,7 +3382,6 @@
|
|||
"Stop and close": "Stop and close",
|
||||
"Avatar": "Avatar",
|
||||
"This room is public": "This room is public",
|
||||
"powered by Matrix": "powered by Matrix",
|
||||
"This homeserver would like to make sure you are not a robot.": "This homeserver would like to make sure you are not a robot.",
|
||||
"Country Dropdown": "Country Dropdown",
|
||||
"Email": "Email",
|
||||
|
@ -3486,7 +3446,6 @@
|
|||
"Add an email to be able to reset your password.": "Add an email to be able to reset your password.",
|
||||
"Use email or phone to optionally be discoverable by existing contacts.": "Use email or phone to optionally be discoverable by existing contacts.",
|
||||
"Use email to optionally be discoverable by existing contacts.": "Use email to optionally be discoverable by existing contacts.",
|
||||
"Sign in with SSO": "Sign in with SSO",
|
||||
"Unnamed audio": "Unnamed audio",
|
||||
"Error downloading audio": "Error downloading audio",
|
||||
"Couldn't load page": "Couldn't load page",
|
||||
|
@ -3602,8 +3561,6 @@
|
|||
"one": "Uploading %(filename)s and %(count)s other"
|
||||
},
|
||||
"Uploading %(filename)s": "Uploading %(filename)s",
|
||||
"Got an account? <a>Sign in</a>": "Got an account? <a>Sign in</a>",
|
||||
"New here? <a>Create an account</a>": "New here? <a>Create an account</a>",
|
||||
"Switch to light mode": "Switch to light mode",
|
||||
"Switch to dark mode": "Switch to dark mode",
|
||||
"Switch theme": "Switch theme",
|
||||
|
@ -3638,18 +3595,6 @@
|
|||
"Invalid base_url for m.identity_server": "Invalid base_url for m.identity_server",
|
||||
"Identity server URL does not appear to be a valid identity server": "Identity server URL does not appear to be a valid identity server",
|
||||
"General failure": "General failure",
|
||||
"This homeserver does not support login using email address.": "This homeserver does not support login using email address.",
|
||||
"Failed to perform homeserver discovery": "Failed to perform homeserver discovery",
|
||||
"This homeserver doesn't offer any login flows that are supported by this client.": "This homeserver doesn't offer any login flows that are supported by this client.",
|
||||
"Syncing…": "Syncing…",
|
||||
"Signing In…": "Signing In…",
|
||||
"If you've joined lots of rooms, this might take a while": "If you've joined lots of rooms, this might take a while",
|
||||
"New? <a>Create account</a>": "New? <a>Create account</a>",
|
||||
"Registration has been disabled on this homeserver.": "Registration has been disabled on this homeserver.",
|
||||
"Unable to query for supported registration methods.": "Unable to query for supported registration methods.",
|
||||
"This server does not support authentication with a phone number.": "This server does not support authentication with a phone number.",
|
||||
"Someone already has that username, please try another.": "Someone already has that username, please try another.",
|
||||
"That e-mail address or phone number is already in use.": "That e-mail address or phone number is already in use.",
|
||||
"%(brand)s has been opened in another tab.": "%(brand)s has been opened in another tab.",
|
||||
"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.",
|
||||
"Proceed with reset": "Proceed with reset",
|
||||
|
@ -3664,28 +3609,9 @@
|
|||
"Resetting your verification keys cannot be undone. After resetting, you won't have access to old encrypted messages, and any friends who have previously verified you will see security warnings until you re-verify with them.": "Resetting your verification keys cannot be undone. After resetting, you won't have access to old encrypted messages, and any friends who have previously verified you will see security warnings until you re-verify with them.",
|
||||
"Please only proceed if you're sure you've lost all of your other devices and your Security Key.": "Please only proceed if you're sure you've lost all of your other devices and your Security Key.",
|
||||
"Failed to re-authenticate due to a homeserver problem": "Failed to re-authenticate due to a homeserver problem",
|
||||
"Incorrect password": "Incorrect password",
|
||||
"Failed to re-authenticate": "Failed to re-authenticate",
|
||||
"Forgotten your password?": "Forgotten your password?",
|
||||
"Enter your password to sign in and regain access to your account.": "Enter your password to sign in and regain access to your account.",
|
||||
"Sign in and regain access to your account.": "Sign in and regain access to your account.",
|
||||
"You cannot sign in to your account. Please contact your homeserver admin for more information.": "You cannot sign in to your account. Please contact your homeserver admin for more information.",
|
||||
"You're signed out": "You're signed out",
|
||||
"Clear personal data": "Clear personal data",
|
||||
"Warning: your personal data (including encryption keys) is still stored in this session. Clear it if you're finished using this session, or want to sign in to another account.": "Warning: your personal data (including encryption keys) is still stored in this session. Clear it if you're finished using this session, or want to sign in to another account.",
|
||||
"Follow the instructions sent to <b>%(email)s</b>": "Follow the instructions sent to <b>%(email)s</b>",
|
||||
"Wrong email address?": "Wrong email address?",
|
||||
"Re-enter email address": "Re-enter email address",
|
||||
"Did not receive it?": "Did not receive it?",
|
||||
"Verification link email resent!": "Verification link email resent!",
|
||||
"Send email": "Send email",
|
||||
"Enter your email to reset password": "Enter your email to reset password",
|
||||
"<b>%(homeserver)s</b> will send you a verification link to let you reset your password.": "<b>%(homeserver)s</b> will send you a verification link to let you reset your password.",
|
||||
"The email address linked to your account must be entered.": "The email address linked to your account must be entered.",
|
||||
"The email address doesn't appear to be valid.": "The email address doesn't appear to be valid.",
|
||||
"Sign in instead": "Sign in instead",
|
||||
"Verify your email to continue": "Verify your email to continue",
|
||||
"We need to know it’s you before resetting your password. Click the link in the email we just sent to <b>%(email)s</b>": "We need to know it’s you before resetting your password. Click the link in the email we just sent to <b>%(email)s</b>",
|
||||
"Commands": "Commands",
|
||||
"Command Autocomplete": "Command Autocomplete",
|
||||
"Emoji Autocomplete": "Emoji Autocomplete",
|
||||
|
@ -3763,5 +3689,84 @@
|
|||
"Message downloading sleep time(ms)": "Message downloading sleep time(ms)",
|
||||
"Failed to set direct message tag": "Failed to set direct message tag",
|
||||
"Failed to remove tag %(tagName)s from room": "Failed to remove tag %(tagName)s from room",
|
||||
"Failed to add tag %(tagName)s to room": "Failed to add tag %(tagName)s to room"
|
||||
"Failed to add tag %(tagName)s to room": "Failed to add tag %(tagName)s to room",
|
||||
"widget": {
|
||||
"capability": {
|
||||
"always_on_screen_viewing_another_room": "Remain on your screen when viewing another room, when running",
|
||||
"always_on_screen_generic": "Remain on your screen while running",
|
||||
"send_stickers_this_room": "Send stickers into this room",
|
||||
"send_stickers_active_room": "Send stickers into your active room",
|
||||
"switch_room": "Change which room you're viewing",
|
||||
"switch_room_message_user": "Change which room, message, or user you're viewing",
|
||||
"change_topic_this_room": "Change the topic of this room",
|
||||
"see_topic_change_this_room": "See when the topic changes in this room",
|
||||
"change_topic_active_room": "Change the topic of your active room",
|
||||
"see_topic_change_active_room": "See when the topic changes in your active room",
|
||||
"change_name_this_room": "Change the name of this room",
|
||||
"see_name_change_this_room": "See when the name changes in this room",
|
||||
"change_name_active_room": "Change the name of your active room",
|
||||
"see_name_change_active_room": "See when the name changes in your active room",
|
||||
"change_avatar_this_room": "Change the avatar of this room",
|
||||
"see_avatar_change_this_room": "See when the avatar changes in this room",
|
||||
"change_avatar_active_room": "Change the avatar of your active room",
|
||||
"see_avatar_change_active_room": "See when the avatar changes in your active room",
|
||||
"remove_ban_invite_leave_this_room": "Remove, ban, or invite people to this room, and make you leave",
|
||||
"receive_membership_this_room": "See when people join, leave, or are invited to this room",
|
||||
"remove_ban_invite_leave_active_room": "Remove, ban, or invite people to your active room, and make you leave",
|
||||
"receive_membership_active_room": "See when people join, leave, or are invited to your active room",
|
||||
"send_stickers_this_room_as_you": "Send stickers to this room as you",
|
||||
"see_sticker_posted_this_room": "See when a sticker is posted in this room",
|
||||
"send_stickers_active_room_as_you": "Send stickers to your active room as you",
|
||||
"see_sticker_posted_active_room": "See when anyone posts a sticker to your active room",
|
||||
"byline_empty_state_key": "with an empty state key",
|
||||
"byline_state_key": "with state key %(stateKey)s",
|
||||
"any_room": "The above, but in any room you are joined or invited to as well",
|
||||
"specific_room": "The above, but in <Room /> as well",
|
||||
"send_event_type_this_room": "Send <b>%(eventType)s</b> events as you in this room",
|
||||
"see_event_type_sent_this_room": "See <b>%(eventType)s</b> events posted to this room",
|
||||
"send_event_type_active_room": "Send <b>%(eventType)s</b> events as you in your active room",
|
||||
"see_event_type_sent_active_room": "See <b>%(eventType)s</b> events posted to your active room",
|
||||
"capability": "The <b>%(capability)s</b> capability",
|
||||
"send_messages_this_room": "Send messages as you in this room",
|
||||
"send_messages_active_room": "Send messages as you in your active room",
|
||||
"see_messages_sent_this_room": "See messages posted to this room",
|
||||
"see_messages_sent_active_room": "See messages posted to your active room",
|
||||
"send_text_messages_this_room": "Send text messages as you in this room",
|
||||
"send_text_messages_active_room": "Send text messages as you in your active room",
|
||||
"see_text_messages_sent_this_room": "See text messages posted to this room",
|
||||
"see_text_messages_sent_active_room": "See text messages posted to your active room",
|
||||
"send_emotes_this_room": "Send emotes as you in this room",
|
||||
"send_emotes_active_room": "Send emotes as you in your active room",
|
||||
"see_sent_emotes_this_room": "See emotes posted to this room",
|
||||
"see_sent_emotes_active_room": "See emotes posted to your active room",
|
||||
"send_images_this_room": "Send images as you in this room",
|
||||
"send_images_active_room": "Send images as you in your active room",
|
||||
"see_images_sent_this_room": "See images posted to this room",
|
||||
"see_images_sent_active_room": "See images posted to your active room",
|
||||
"send_videos_this_room": "Send videos as you in this room",
|
||||
"send_videos_active_room": "Send videos as you in your active room",
|
||||
"see_videos_sent_this_room": "See videos posted to this room",
|
||||
"see_videos_sent_active_room": "See videos posted to your active room",
|
||||
"send_files_this_room": "Send general files as you in this room",
|
||||
"send_files_active_room": "Send general files as you in your active room",
|
||||
"see_sent_files_this_room": "See general files posted to this room",
|
||||
"see_sent_files_active_room": "See general files posted to your active room",
|
||||
"send_msgtype_this_room": "Send <b>%(msgtype)s</b> messages as you in this room",
|
||||
"send_msgtype_active_room": "Send <b>%(msgtype)s</b> messages as you in your active room",
|
||||
"see_msgtype_sent_this_room": "See <b>%(msgtype)s</b> messages posted to this room",
|
||||
"see_msgtype_sent_active_room": "See <b>%(msgtype)s</b> messages posted to your active room"
|
||||
}
|
||||
},
|
||||
"feedback": {
|
||||
"sent": "Feedback sent",
|
||||
"comment_label": "Comment",
|
||||
"platform_username": "Your platform and username will be noted to help us use your feedback as much as we can.",
|
||||
"may_contact_label": "You may contact me if you want to follow up or to let me test out upcoming ideas",
|
||||
"pro_type": "PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.",
|
||||
"existing_issue_link": "Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.",
|
||||
"send_feedback_action": "Send feedback"
|
||||
},
|
||||
"Encrypted by an unverified user.": "Encrypted by an unverified user.",
|
||||
"Encrypted by an unknown or deleted device.": "Encrypted by an unknown or deleted device.",
|
||||
"Encrypted by a device not verified by its owner.": "Encrypted by a device not verified by its owner."
|
||||
}
|
|
@ -30,7 +30,6 @@
|
|||
"Custom level": "Custom level",
|
||||
"Deactivate Account": "Deactivate Account",
|
||||
"Decrypt %(text)s": "Decrypt %(text)s",
|
||||
"Deops user with given id": "Deops user with given id",
|
||||
"Default": "Default",
|
||||
"Delete widget": "Delete widget",
|
||||
"Download %(text)s": "Download %(text)s",
|
||||
|
@ -106,7 +105,6 @@
|
|||
"Signed Out": "Signed Out",
|
||||
"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.",
|
||||
"This room has no local addresses": "This room has no local addresses",
|
||||
"This room is not recognised.": "This room is not recognized.",
|
||||
"This doesn't appear to be a valid email address": "This doesn't appear to be a valid email address",
|
||||
|
@ -158,7 +156,6 @@
|
|||
"%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s, %(monthName)s %(day)s %(time)s",
|
||||
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s",
|
||||
"%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s",
|
||||
"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.",
|
||||
"Sent messages will be stored until your connection has returned.": "Sent messages will be stored until your connection has returned.",
|
||||
"Banned by %(displayName)s": "Banned by %(displayName)s",
|
||||
|
@ -177,12 +174,10 @@
|
|||
"Failed to invite": "Failed to invite",
|
||||
"Confirm Removal": "Confirm Removal",
|
||||
"Unknown error": "Unknown error",
|
||||
"Incorrect password": "Incorrect password",
|
||||
"Unable to restore session": "Unable to restore 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.",
|
||||
"Token incorrect": "Token incorrect",
|
||||
"Please enter the code it contains:": "Please enter the code it contains:",
|
||||
"powered by Matrix": "powered by Matrix",
|
||||
"Error decrypting image": "Error decrypting image",
|
||||
"Error decrypting video": "Error decrypting video",
|
||||
"Add an Integration": "Add an Integration",
|
||||
|
@ -219,7 +214,6 @@
|
|||
"Do you want to set an email address?": "Do you want to set an email address?",
|
||||
"This will allow you to reset your password and receive notifications.": "This will allow you to reset your password and receive notifications.",
|
||||
"Check for update": "Check for update",
|
||||
"Define the power level of a user": "Define the power level of a user",
|
||||
"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.",
|
||||
|
@ -283,9 +277,6 @@
|
|||
"This action requires accessing the default identity server <server /> to validate an email address or phone number, but the server does not have any terms of service.": "This action requires accessing the default identity server <server /> to validate an email address or phone number, but the server does not have any terms of service.",
|
||||
"Only continue if you trust the owner of the server.": "Only continue if you trust the owner of the server.",
|
||||
"%(name)s is requesting verification": "%(name)s is requesting verification",
|
||||
"Sign In or Create Account": "Sign In or Create Account",
|
||||
"Use your account or create a new one to continue.": "Use your account or create a new one to continue.",
|
||||
"Create Account": "Create Account",
|
||||
"Error upgrading room": "Error upgrading room",
|
||||
"Double check that your server supports the room version chosen and try again.": "Double check that your server supports the room version chosen and try again.",
|
||||
"Favourited": "Favorited",
|
||||
|
@ -485,7 +476,9 @@
|
|||
"addwidget_invalid_protocol": "Please supply an https:// or http:// widget URL",
|
||||
"addwidget_no_permissions": "You cannot modify widgets in this room.",
|
||||
"discardsession": "Forces the current outbound group session in an encrypted room to be discarded",
|
||||
"me": "Displays action"
|
||||
"me": "Displays action",
|
||||
"op": "Define the power level of a user",
|
||||
"deop": "Deops user with given id"
|
||||
},
|
||||
"presence": {
|
||||
"online": "Online",
|
||||
|
@ -514,7 +507,14 @@
|
|||
"group_rooms": "Rooms"
|
||||
},
|
||||
"auth": {
|
||||
"sso": "Single Sign On"
|
||||
"sso": "Single Sign On",
|
||||
"footer_powered_by_matrix": "powered by Matrix",
|
||||
"unsupported_auth_msisdn": "This server does not support authentication with a phone number.",
|
||||
"incorrect_password": "Incorrect password",
|
||||
"forgot_password_email_required": "The email address linked to your account must be entered.",
|
||||
"sign_in_or_register": "Sign In or Create Account",
|
||||
"sign_in_or_register_description": "Use your account or create a new one to continue.",
|
||||
"register_action": "Create Account"
|
||||
},
|
||||
"export_chat": {
|
||||
"messages": "Messages"
|
||||
|
|
|
@ -64,8 +64,6 @@
|
|||
"Authentication check failed: incorrect password?": "Aŭtentikiga kontrolo malsukcesis: ĉu pro malĝusta pasvorto?",
|
||||
"Send": "Sendi",
|
||||
"Mirror local video feed": "Speguli lokan filmon",
|
||||
"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",
|
||||
"Incorrect verification code": "Malĝusta kontrola kodo",
|
||||
"Phone": "Telefono",
|
||||
"No display name": "Sen vidiga nomo",
|
||||
|
@ -154,7 +152,6 @@
|
|||
"Copied!": "Kopiita!",
|
||||
"Failed to copy": "Malsukcesis kopii",
|
||||
"Add an Integration": "Aldoni kunigon",
|
||||
"powered by Matrix": "funkciigata de Matrix",
|
||||
"Failed to change password. Is your password correct?": "Malsukcesis ŝanĝi la pasvorton. Ĉu via pasvorto estas ĝusta?",
|
||||
"Token incorrect": "Malĝusta peco",
|
||||
"A text message has been sent to %(msisdn)s": "Tekstmesaĝo sendiĝîs al %(msisdn)s",
|
||||
|
@ -180,7 +177,6 @@
|
|||
},
|
||||
"Confirm Removal": "Konfirmi forigon",
|
||||
"Unknown error": "Nekonata eraro",
|
||||
"Incorrect password": "Malĝusta pasvorto",
|
||||
"Deactivate Account": "Malaktivigi konton",
|
||||
"An error has occurred.": "Okazis eraro.",
|
||||
"Unable to restore session": "Salutaĵo ne rehaveblas",
|
||||
|
@ -232,16 +228,12 @@
|
|||
"Notifications": "Sciigoj",
|
||||
"Profile": "Profilo",
|
||||
"Account": "Konto",
|
||||
"The email address linked to your account must be entered.": "Vi devas enigi retpoŝtadreson ligitan al via konto.",
|
||||
"A new password must be entered.": "Vi devas enigi novan pasvorton.",
|
||||
"New passwords must match each other.": "Novaj pasvortoj devas akordi.",
|
||||
"Return to login screen": "Reiri al saluta paĝo",
|
||||
"Please note you are logging into the %(hs)s server, not matrix.org.": "Rimarku ke vi salutas la servilon %(hs)s, ne matrix.org.",
|
||||
"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>.": "Hejmservilo ne alkonekteblas per HTTP kun HTTPS URL en via adresbreto. Aŭ uzu HTTPS aŭ <a>ŝaltu malsekurajn skriptojn</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.": "Ne eblas konekti al hejmservilo – bonvolu kontroli vian konekton, certigi ke <a>la SSL-atestilo de via hejmservilo</a> estas fidata, kaj ke neniu foliumila kromprogramo blokas petojn.",
|
||||
"This server does not support authentication with a phone number.": "Ĉi tiu servilo ne subtenas aŭtentikigon per telefona numero.",
|
||||
"Define the power level of a user": "Difini la povnivelon de uzanto",
|
||||
"Deops user with given id": "Senestrigas uzanton kun donita identigilo",
|
||||
"Commands": "Komandoj",
|
||||
"Notify the whole room": "Sciigi la tutan ĉambron",
|
||||
"Room Notification": "Ĉambra sciigo",
|
||||
|
@ -548,15 +540,11 @@
|
|||
"other": "Vi havas %(count)s nelegitajn sciigojn en antaŭa versio de ĉi tiu ĉambro.",
|
||||
"one": "Vi havas %(count)s nelegitan sciigon en antaŭa versio de ĉi tiu ĉambro."
|
||||
},
|
||||
"This homeserver does not support login using email address.": "Ĉi tiu hejmservilo ne subtenas saluton per retpoŝtadreso.",
|
||||
"Registration has been disabled on this homeserver.": "Registriĝoj malŝaltiĝis sur ĉi tiu hejmservilo.",
|
||||
"Unable to query for supported registration methods.": "Ne povas peti subtenatajn registrajn metodojn.",
|
||||
"Cannot reach homeserver": "Ne povas atingi hejmservilon",
|
||||
"Ensure you have a stable internet connection, or get in touch with the server admin": "Certiĝu ke vi havas stabilan retkonekton, aŭ kontaktu la administranton de la servilo",
|
||||
"Ask your %(brand)s admin to check <a>your config</a> for incorrect or duplicate entries.": "Petu vian %(brand)s-administranton kontroli <a>vian agordaron</a> je malĝustaj aŭ duoblaj eroj.",
|
||||
"Cannot reach identity server": "Ne povas atingi identigan servilon",
|
||||
"Please <a>contact your service administrator</a> to continue using this service.": "Bonvolu <a>kontakti vian servo-administranton</a> por daŭrigi uzadon de tiu ĉi servo.",
|
||||
"Failed to perform homeserver discovery": "Malsukcesis trovi hejmservilon",
|
||||
"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.": "Vi povas registriĝi, sed kelkaj funkcioj ne disponeblos ĝis tiam, kiam la identiga servilo estos ree enreta. Se vi ripete vidas tiun ĉi avertmesaĝon, kontrolu viajn agordojn aŭ kontaktu la administranton de la servilo.",
|
||||
"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.": "Vi povas restarigi vian pasvorton, sed kelkaj funkcioj ne disponeblos ĝis tiam, kiam la identiga servilo estos ree enreta. Se vi ripete vidas tiun ĉi avertmesaĝon, kontrolu viajn agordojn aŭ kontaktu la administraton de la servilo.",
|
||||
"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.": "Vi povas saluti, sed kelkaj funkcioj ne disponeblos ĝis tiam, kiam la identiga servilo estas denove enreta. Se vi ripete vidas tiun ĉi avertmesaĝon, kontrolu viajn agordojn aŭ kontaktu la administranton de la servilo.",
|
||||
|
@ -632,8 +620,6 @@
|
|||
"You can't send any messages until you review and agree to <consentLink>our terms and conditions</consentLink>.": "Vi ne povas sendi mesaĝojn ĝis vi tralegos kaj konsentos <consentLink>niajn uzokondiĉojn</consentLink>.",
|
||||
"Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please <a>contact your service administrator</a> to continue using the service.": "Via mesaĝo ne sendiĝis, ĉar tiu ĉi hejmservilo atingis sian monatan limon de aktivaj uzantoj. Bonvolu <a>kontakti vian administranton de servo</a> por plue uzadi la servon.",
|
||||
"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.": "Via mesaĝo ne sendiĝis, ĉar tiu ĉi hejmservilo atingis rimedan limon. Bonvolu <a>kontakti vian administranton de servo</a> por plue uzadi la servon.",
|
||||
"Forgotten your password?": "Ĉu vi forgesis vian pasvorton?",
|
||||
"You're signed out": "Vi adiaŭis",
|
||||
"Clear personal data": "Vakigi personajn datumojn",
|
||||
"New Recovery Method": "Nova rehava metodo",
|
||||
"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.": "Se vi ne agordis la novan rehavan metodon, eble atakanto provas aliri vian konton. Vi tuj ŝanĝu la pasvorton de via konto, kaj agordu novan rehavan metodon en la agordoj.",
|
||||
|
@ -653,10 +639,6 @@
|
|||
"Invalid identity server discovery response": "Nevalida eltrova respondo de identiga servilo",
|
||||
"Identity server URL does not appear to be a valid identity server": "URL por identiga servilo ŝajne ne ligas al valida identiga servilo",
|
||||
"Failed to re-authenticate due to a homeserver problem": "Malsukcesis reaŭtentikigi pro hejmservila problemo",
|
||||
"Failed to re-authenticate": "Malsukcesis reaŭtentikigi",
|
||||
"Enter your password to sign in and regain access to your account.": "Enigu vian pasvorton por saluti kaj rehavi aliron al via konto.",
|
||||
"Sign in and regain access to your account.": "Saluti kaj rehavi aliron al via konto.",
|
||||
"You cannot sign in to your account. Please contact your homeserver admin for more information.": "Vi ne povas saluti per via konto. Bonvolu kontakti administranton de via hejmservilo por akiri pliajn informojn.",
|
||||
"Go back to set it again.": "Reiru por reagordi ĝin.",
|
||||
"Your keys are being backed up (the first backup could take a few minutes).": "Viaj ŝlosiloj estas savkopiataj (la unua savkopio povas daŭri kelkajn minutojn).",
|
||||
"Unable to create key backup": "Ne povas krei savkopion de ŝlosiloj",
|
||||
|
@ -766,8 +748,6 @@
|
|||
"Use an identity server to invite by email. <default>Use the default (%(defaultIdentityServerName)s)</default> or manage in <settings>Settings</settings>.": "Uzu identigan servilon por inviti per retpoŝto. <default>Uzu la norman (%(defaultIdentityServerName)s)</default> aŭ administru per <settings>Agordoj</settings>.",
|
||||
"Use an identity server to invite by email. Manage in <settings>Settings</settings>.": "Uzu identigan servilon por inviti per retpoŝto. Administru per <settings>Agordoj</settings>.",
|
||||
"Close dialog": "Fermi interagujon",
|
||||
"Please enter a name for the room": "Bonvolu enigi nomon por la ĉambro",
|
||||
"Topic (optional)": "Temo (malnepra)",
|
||||
"Hide advanced": "Kaŝi specialajn",
|
||||
"Show advanced": "Montri specialajn",
|
||||
"Command Help": "Helpo pri komando",
|
||||
|
@ -830,9 +810,6 @@
|
|||
"Setting up keys": "Agordo de klavoj",
|
||||
"Verify this session": "Kontroli ĉi tiun salutaĵon",
|
||||
"Encryption upgrade available": "Ĝisdatigo de ĉifrado haveblas",
|
||||
"Sign In or Create Account": "Salutu aŭ kreu konton",
|
||||
"Use your account or create a new one to continue.": "Por daŭrigi, uzu vian konton aŭ kreu novan.",
|
||||
"Create Account": "Krei konton",
|
||||
"Error upgrading room": "Eraris ĝisdatigo de la ĉambro",
|
||||
"Double check that your server supports the room version chosen and try again.": "Bone kontrolu, ĉu via servilo subtenas la elektitan version de ĉambro, kaj reprovu.",
|
||||
"Verifies a user, session, and pubkey tuple": "Kontrolas opon de uzanto, salutaĵo, kaj publika ŝlosilo",
|
||||
|
@ -1020,7 +997,6 @@
|
|||
"Click the button below to confirm adding this phone number.": "Klaku la ĉi-suban butonon por konfirmi aldonon de ĉi tiu telefonnumero.",
|
||||
"New login. Was this you?": "Nova saluto. Ĉu tio estis vi?",
|
||||
"%(name)s is requesting verification": "%(name)s petas kontrolon",
|
||||
"Could not find user in room": "Ne povis trovi uzanton en ĉambro",
|
||||
"You signed in to a new session without verifying it:": "Vi salutis novan salutaĵon sen kontrolo:",
|
||||
"Verify your other session using one of the options below.": "Kontrolu vian alian salutaĵon per unu el la ĉi-subaj elektebloj.",
|
||||
"well formed": "bone formita",
|
||||
|
@ -1035,7 +1011,6 @@
|
|||
"Can't load this message": "Ne povas enlegi ĉi tiun mesaĝon",
|
||||
"Submit logs": "Alŝuti protokolon",
|
||||
"Reminder: Your browser is unsupported, so your experience may be unpredictable.": "Rememorigo: via foliumilo ne estas subtenata, kaj via sperto do povas esti stranga.",
|
||||
"Enable end-to-end encryption": "Ŝalti tutvojan ĉifradon",
|
||||
"Server did not require any authentication": "Servilo bezonis nenian kontrolon de aŭtentiko",
|
||||
"Server did not return valid authentication information.": "Servilo ne redonis validajn informojn pri kontrolo de aŭtentiko.",
|
||||
"Confirm your account deactivation by using Single Sign On to prove your identity.": "Knfirmu malaktivigon de via konto per identiĝo per ununura saluto.",
|
||||
|
@ -1048,7 +1023,6 @@
|
|||
"Keys restored": "Ŝlosiloj rehaviĝis",
|
||||
"Successfully restored %(sessionCount)s keys": "Sukcese rehavis %(sessionCount)s ŝlosilojn",
|
||||
"Sign in with SSO": "Saluti per ununura saluto",
|
||||
"If you've joined lots of rooms, this might take a while": "Se vi aliĝis al multaj ĉambroj, tio povas daŭri longe",
|
||||
"Unable to query secret storage status": "Ne povis peti staton de sekreta deponejo",
|
||||
"Currently indexing: %(currentRoom)s": "Nun indeksante: %(currentRoom)s",
|
||||
"You've successfully verified your device!": "Vi sukcese kontrolis vian aparaton!",
|
||||
|
@ -1061,7 +1035,6 @@
|
|||
"Size must be a number": "Grando devas esti nombro",
|
||||
"Custom font size can only be between %(min)s pt and %(max)s pt": "Propra grando de tiparo povas interi nur %(min)s punktojn kaj %(max)s punktojn",
|
||||
"Use between %(min)s pt and %(max)s pt": "Uzi inter %(min)s punktoj kaj %(max)s punktoj",
|
||||
"Joins room with given address": "Aligas al ĉambro kun donita adreso",
|
||||
"Please verify the room ID or address and try again.": "Bonvolu kontroli identigilon aŭ adreson de la ĉambro kaj reprovi.",
|
||||
"Room ID or address of ban list": "Ĉambra identigilo aŭ adreso de listo de forbaroj",
|
||||
"To link to this room, please add an address.": "Por ligi al ĉi tiu ĉambro, bonvolu aldoni adreson.",
|
||||
|
@ -1114,7 +1087,6 @@
|
|||
"Edited at %(date)s": "Redaktita je %(date)s",
|
||||
"Click to view edits": "Klaku por vidi redaktojn",
|
||||
"Are you sure you want to cancel entering passphrase?": "Ĉu vi certe volas nuligi enigon de pasfrazo?",
|
||||
"Feedback": "Prikomenti",
|
||||
"Change notification settings": "Ŝanĝi agordojn pri sciigoj",
|
||||
"Your server isn't responding to some <a>requests</a>.": "Via servilo ne respondas al iuj <a>petoj</a>.",
|
||||
"Server isn't responding": "Servilo ne respondas",
|
||||
|
@ -1138,10 +1110,6 @@
|
|||
"You're all caught up.": "Sen sciigoj.",
|
||||
"Invite someone using their name, username (like <userId/>) or <a>share this room</a>.": "Invitu iun per ĝia nomo, uzantonomo (kiel <userId/>), aŭ <a>diskonigu la ĉambron</a>.",
|
||||
"Start a conversation with someone using their name or username (like <userId/>).": "Komencu interparolon kun iu per ĝia nomo aŭ uzantonomo (kiel <userId/>).",
|
||||
"Block anyone not part of %(serverName)s from ever joining this room.": "Bloki de la ĉambro ĉiun ekster %(serverName)s.",
|
||||
"You might disable this if the room will be used for collaborating with external teams who have their own homeserver. This cannot be changed later.": "Vi povas malŝalti ĉi tion se la ĉambro estos uzata por kunlaborado kun eksteraj skipoj, kun iliaj propraj hejmserviloj. Ĝi ne povas ŝanĝiĝi poste.",
|
||||
"You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "Vi povus ŝalti ĉi tion se la ĉambro estus uzota nur por kunlaborado de internaj skipoj je via hejmservilo. Ĝi ne ŝanĝeblas poste.",
|
||||
"Your server requires encryption to be enabled in private rooms.": "Via servilo postulas ŝaltitan ĉifradon en privataj ĉambroj.",
|
||||
"Preparing to download logs": "Preparante elŝuton de protokolo",
|
||||
"Information": "Informoj",
|
||||
"This version of %(brand)s does not support searching encrypted messages": "Ĉi tiu versio de %(brand)s ne subtenas serĉadon de ĉifritaj mesaĝoj",
|
||||
|
@ -1186,12 +1154,7 @@
|
|||
"The call was answered on another device.": "La voko estis respondita per alia aparato.",
|
||||
"Answered Elsewhere": "Respondita aliloke",
|
||||
"The call could not be established": "Ne povis meti la vokon",
|
||||
"Feedback sent": "Prikomentoj sendiĝis",
|
||||
"Data on this screen is shared with %(widgetDomain)s": "Datumoj sur tiu ĉi ekrano estas havigataj al %(widgetDomain)s",
|
||||
"Send feedback": "Prikomenti",
|
||||
"PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "KONSILO: Kiam vi raportas eraron, bonvolu kunsendi <debugLogsLink>erarserĉan protokolon</debugLogsLink>, por ke ni povu pli facile trovi la problemon.",
|
||||
"Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.": "Bonvolu unue vidi <existingIssuesLink>jamajn erarojn en GitHub</existingIssuesLink>. Ĉu neniu akordas la vian? <newIssueLink>Raportu novan</newIssueLink>.",
|
||||
"Comment": "Komento",
|
||||
"Uzbekistan": "Uzbekujo",
|
||||
"United Arab Emirates": "Unuiĝinaj Arabaj Emirlandoj",
|
||||
"Ukraine": "Ukrainujo",
|
||||
|
@ -1354,50 +1317,6 @@
|
|||
"New version of %(brand)s is available": "Nova versio de %(brand)s disponeblas",
|
||||
"Update %(brand)s": "Ĝisdatigi %(brand)s",
|
||||
"Enable desktop notifications": "Ŝalti labortablajn sciigojn",
|
||||
"See <b>%(msgtype)s</b> messages posted to your active room": "Vidi mesaĝojn de speco <b>%(msgtype)s</b> afiŝitajn al via aktiva ĉambro",
|
||||
"See <b>%(msgtype)s</b> messages posted to this room": "Vidi mesaĝojn de speco <b>%(msgtype)s</b> afiŝitajn al ĉi tiu ĉambro",
|
||||
"Send <b>%(msgtype)s</b> messages as you in your active room": "Sendi mesaĝojn de speco <b>%(msgtype)s</b> kiel vi en via aktiva ĉambro",
|
||||
"Send <b>%(msgtype)s</b> messages as you in this room": "Sendi mesaĝojn de speco <b>%(msgtype)s</b> kiel vi en ĉi tiu ĉambro",
|
||||
"See general files posted to your active room": "Sendi ĝeneralajn dosierojn afiŝitajn al via aktiva ĉambro",
|
||||
"See general files posted to this room": "Sendi ĝeneralajn dosierojn afiŝitajn al ĉi tiu ĉambro",
|
||||
"Send general files as you in your active room": "Sendi ĝeneralajn dosierojn kiel vi en via aktiva ĉambro",
|
||||
"Send general files as you in this room": "Sendi ĝeneralajn dosierojn kiel vi en ĉi tiu ĉambro",
|
||||
"See videos posted to your active room": "Vidi filmojn afiŝitajn al via aktiva ĉambro",
|
||||
"See videos posted to this room": "Vidi filmojn afiŝitajn al ĉi tiu ĉambro",
|
||||
"Send videos as you in your active room": "Sendi filmojn kiel vi en via aktiva ĉambro",
|
||||
"Send videos as you in this room": "Sendi filmojn kiel vi en ĉi tiu ĉambro",
|
||||
"See images posted to your active room": "Vidi bildojn afiŝitajn al via aktiva ĉambro",
|
||||
"See images posted to this room": "Vidi bildojn afiŝitajn al ĉi tiu ĉambro",
|
||||
"Send images as you in your active room": "Sendi bildojn kiel vi en via aktiva ĉambro",
|
||||
"Send images as you in this room": "Sendi bildojn kiel vi en ĉi tiu ĉambro",
|
||||
"The <b>%(capability)s</b> capability": "La kapablo <b>%(capability)s</b>",
|
||||
"See <b>%(eventType)s</b> events posted to your active room": "Vidi okazojn de speco <b>%(eventType)s</b> afiŝitajn al via aktiva ĉambro",
|
||||
"Send <b>%(eventType)s</b> events as you in your active room": "Sendi okazojn de speco <b>%(eventType)s</b> kiel vi en via aktiva ĉambro",
|
||||
"See <b>%(eventType)s</b> events posted to this room": "Vidi okazojn de speco <b>%(eventType)s</b> afiŝitajn al ĉi tiu ĉambro",
|
||||
"Send <b>%(eventType)s</b> events as you in this room": "Sendi okazojn de speco <b>%(eventType)s</b> kiel vi en ĉi tiu ĉambro",
|
||||
"See messages posted to your active room": "Vidi mesaĝojn senditajn al via aktiva ĉambro",
|
||||
"See messages posted to this room": "Vidi mesaĝojn senditajn al ĉi tiu ĉambro",
|
||||
"Send messages as you in your active room": "Sendi mesaĝojn kiel vi en via aktiva ĉambro",
|
||||
"Send messages as you in this room": "Sendi mesaĝojn kiel vi en ĉi tiu ĉambro",
|
||||
"See when anyone posts a sticker to your active room": "Vidi ies ajn afiŝojn de glumarkoj al via aktiva ĉambro",
|
||||
"Send stickers to your active room as you": "Sendi glumarkojn al via aktiva ĉambro kiel vi",
|
||||
"See when a sticker is posted in this room": "Vidi afiŝojn de glumarkoj en ĉi tiu ĉambro",
|
||||
"Send stickers to this room as you": "Sendi glumarkojn al ĉi tiu ĉambro kiel vi",
|
||||
"See when the avatar changes in your active room": "Vidi ŝanĝojn de bildo de ĉambro en via aktiva ĉambro",
|
||||
"Change the avatar of your active room": "Ŝanĝi la bildon de via aktiva ĉambro",
|
||||
"See when the avatar changes in this room": "Vidi ŝanĝojn de bildo de ĉambro en ĉi tiu ĉambro",
|
||||
"Change the avatar of this room": "Ŝanĝi la bildon de ĉi tiu ĉambro",
|
||||
"See when the name changes in your active room": "Vidi ŝanĝojn de nomo en via aktiva ĉambro",
|
||||
"Change the name of your active room": "Ŝanĝi la nomon de via aktiva ĉambro",
|
||||
"See when the name changes in this room": "Vidi ŝanĝojn de nomo en ĉi tiu ĉambro",
|
||||
"Change the name of this room": "Ŝanĝi la nomon de ĉi tiu ĉambro",
|
||||
"See when the topic changes in your active room": "Vidi ŝanĝojn de temo en via aktiva ĉambro",
|
||||
"Change the topic of your active room": "Ŝanĝi la temon de via aktiva ĉambro",
|
||||
"See when the topic changes in this room": "Vidi ŝanĝojn de temo en ĉi tiu ĉambro",
|
||||
"Change the topic of this room": "Ŝanĝi la temon de ĉi tiu ĉambro",
|
||||
"Change which room you're viewing": "Ŝanĝi la vidatan ĉambron",
|
||||
"Send stickers into your active room": "Sendi glumarkojn al via aktiva ĉambro",
|
||||
"Send stickers into this room": "Sendi glumarkojn al ĉi tiu ĉambro",
|
||||
"Zimbabwe": "Zimbabvo",
|
||||
"Zambia": "Zambio",
|
||||
"Yemen": "Jemeno",
|
||||
|
@ -1498,16 +1417,11 @@
|
|||
"other": "Sekure kaŝmemori ĉifritajn mesaĝojn loke por ke ili aperu inter serĉrezultoj, uzante %(size)s por deponi mesaĝojn el %(rooms)s ĉambroj."
|
||||
},
|
||||
"Channel: <channelLink/>": "Kanalo: <channelLink/>",
|
||||
"Remain on your screen while running": "Resti sur via ekrano rulante",
|
||||
"Remain on your screen when viewing another room, when running": "Resti sur via ekrano rulante, dum rigardo al alia ĉambro",
|
||||
"This session has detected that your Security Phrase and key for Secure Messages have been removed.": "Tiu ĉi salutaĵo trovis, ke viaj Sekureca frazo kaj ŝlosilo por Sekuraj mesaĝoj foriĝis.",
|
||||
"A new Security Phrase and key for Secure Messages have been detected.": "Novaj Sekureca frazo kaj ŝlosilo por Sekuraj mesaĝoj troviĝis.",
|
||||
"Confirm your Security Phrase": "Konfirmu vian Sekurecan frazon",
|
||||
"Great! This Security Phrase looks strong enough.": "Bonege! La Sekureca frazo ŝajnas sufiĉe forta.",
|
||||
"New? <a>Create account</a>": "Ĉu vi novas? <a>Kreu konton</a>",
|
||||
"There was a problem communicating with the homeserver, please try again later.": "Eraris komunikado kun la hejmservilo, bonvolu reprovi poste.",
|
||||
"New here? <a>Create an account</a>": "Ĉu vi novas? <a>Kreu konton</a>",
|
||||
"Got an account? <a>Sign in</a>": "Ĉu vi havas konton? <a>Salutu</a>",
|
||||
"You have no visible notifications.": "Vi havas neniujn videblajn sciigojn.",
|
||||
"Use email to optionally be discoverable by existing contacts.": "Uzu retpoŝtadreson por laŭplaĉe esti trovebla de jamaj kontaktoj.",
|
||||
"Use email or phone to optionally be discoverable by existing contacts.": "Uzu retpoŝtadreson aŭ telefonnumeron por laŭplaĉe esti trovebla de jamaj kontaktoj.",
|
||||
|
@ -1539,11 +1453,6 @@
|
|||
"Decline All": "Rifuzi ĉion",
|
||||
"This widget would like to:": "Ĉi tiu fenestraĵo volas:",
|
||||
"Approve widget permissions": "Aprobi rajtojn de fenestraĵo",
|
||||
"About homeservers": "Pri hejmserviloj",
|
||||
"Use your preferred Matrix homeserver if you have one, or host your own.": "Uzu vian preferatan hejmservilon de Matrix se vi havas iun, aŭ gastigu vian propran.",
|
||||
"Other homeserver": "Alia hejmservilo",
|
||||
"Sign into your homeserver": "Salutu vian hejmservilon",
|
||||
"Specify a homeserver": "Specifu hejmservilon",
|
||||
"Recently visited rooms": "Freŝe vizititiaj ĉambroj",
|
||||
"This is the start of <roomName/>.": "Jen la komenco de <roomName/>.",
|
||||
"Add a photo, so people can easily spot your room.": "Aldonu foton, por ke oni facile trovu vian ĉambron.",
|
||||
|
@ -1559,20 +1468,9 @@
|
|||
"Use app": "Uzu aplikaĵon",
|
||||
"Use app for a better experience": "Uzu aplikaĵon por pli bona sperto",
|
||||
"Don't miss a reply": "Ne preterpasu respondon",
|
||||
"See emotes posted to your active room": "Vidi mienojn afiŝitajn al via aktiva ĉambro",
|
||||
"See emotes posted to this room": "Vidi mienojn afiŝitajn al ĉi tiu ĉambro",
|
||||
"Send emotes as you in your active room": "Sendi mienon kiel vi en via aktiva ĉambro",
|
||||
"Send emotes as you in this room": "Sendi mienon kiel vi en ĉi tiu ĉambro",
|
||||
"See text messages posted to your active room": "Vidi tekstajn mesaĝojn afiŝitajn al via aktiva ĉambro",
|
||||
"See text messages posted to this room": "Vidi tekstajn mesaĝojn afiŝitajn al ĉi tiu ĉambro",
|
||||
"Send text messages as you in your active room": "Sendi tekstajn mesaĝojn kiel vi en via aktiva ĉambro",
|
||||
"Send text messages as you in this room": "Sendi tekstajn mesaĝojn kiel vi en ĉi tiu ĉambro",
|
||||
"Change which room, message, or user you're viewing": "Ŝanĝu, kiun ĉambron, mesaĝon, aŭ uzanton vi rigardas",
|
||||
"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.": "Ni petis la foliumilon memori, kiun hejmservilon vi uzas por saluti, sed domaĝe, via foliumilo forgesis. Iru al la saluta paĝo kaj reprovu.",
|
||||
"We couldn't log you in": "Ni ne povis salutigi vin",
|
||||
"%(creator)s created this DM.": "%(creator)s kreis ĉi tiun individuan ĉambron.",
|
||||
"Invalid URL": "Nevalida URL",
|
||||
"Unable to validate homeserver": "Ne povas validigi hejmservilon",
|
||||
"Just a heads up, if you don't add an email and forget your password, you could <b>permanently lose access to your account</b>.": "Averte, se vi ne aldonos retpoŝtadreson kaj poste forgesos vian pasvorton, vi eble <b>por ĉiam perdos aliron al via konto</b>.",
|
||||
"Continuing without email": "Daŭrigante sen retpoŝtadreso",
|
||||
"Transfer": "Transdoni",
|
||||
|
@ -1659,8 +1557,6 @@
|
|||
"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",
|
||||
"Space options": "Agordoj de aro",
|
||||
"with state key %(stateKey)s": "kun statŝlosilo %(stateKey)s",
|
||||
"with an empty state key": "kun malplena statŝlosilo",
|
||||
"Invited people will be able to read old messages.": "Invititoj povos legi malnovajn mesaĝojn.",
|
||||
"Add existing rooms": "Aldoni jamajn ĉambrojn",
|
||||
"View message": "Montri mesaĝon",
|
||||
|
@ -1683,7 +1579,6 @@
|
|||
"We couldn't create your DM.": "Ni ne povis krei vian individuan ĉambron.",
|
||||
"You may contact me if you have any follow up questions": "Vi povas min kontakti okaze de pliaj demandoj",
|
||||
"To leave the beta, visit your settings.": "Por foriri de la prova versio, iru al viaj agordoj.",
|
||||
"Your platform and username will be noted to help us use your feedback as much as we can.": "Via platformo kaj uzantonomo helpos al ni pli bone uzi viajn prikomentojn.",
|
||||
"Want to add a new room instead?": "Ĉu vi volas anstataŭe aldoni novan ĉambron?",
|
||||
"Adding rooms... (%(progress)s out of %(count)s)": {
|
||||
"one": "Aldonante ĉambron…",
|
||||
|
@ -1700,8 +1595,6 @@
|
|||
"You have no ignored users.": "Vi malatentas neniujn uzantojn.",
|
||||
"Please enter a name for the space": "Bonvolu enigi nomon por la aro",
|
||||
"Connecting": "Konektante",
|
||||
"See when people join, leave, or are invited to your active room": "Vidu kiam oni aliĝas, foriras, aŭ invitiĝas al via aktiva ĉambro",
|
||||
"See when people join, leave, or are invited to this room": "Vidu kiam oni aliĝas, foriras, aŭ invitiĝas al la ĉambro",
|
||||
"This homeserver has been blocked by its administrator.": "Tiu ĉi hejmservilo estas blokita de sia administranto.",
|
||||
"Modal Widget": "Reĝima fenestraĵo",
|
||||
"Consult first": "Unue konsulti",
|
||||
|
@ -1848,15 +1741,7 @@
|
|||
"Anyone in <SpaceName/> will be able to find and join.": "Ĉiu en <SpaceName/> povos ĝin trovi kaj aliĝi.",
|
||||
"Private space (invite only)": "Privata aro (nur por invititoj)",
|
||||
"Space visibility": "Videbleco de aro",
|
||||
"Visible to space members": "Videbla al aranoj",
|
||||
"Public room": "Publika ĉambro",
|
||||
"Private room (invite only)": "Privata ĉambro (nur por invititoj)",
|
||||
"Room visibility": "Videbleco de ĉambro",
|
||||
"Only people invited will be able to find and join this room.": "Nur invititoj povos trovi kaj aliĝi ĉi tiun ĉambron.",
|
||||
"Anyone will be able to find and join this room.": "Ĉiu povos trovi kaj aliĝi ĉi tiun ĉambron.",
|
||||
"Anyone will be able to find and join this room, not just members of <SpaceName/>.": "Ĉiu povos trovi kaj aliĝi ĉi tiun ĉambron, ne nur anoj de <SpaceName/>.",
|
||||
"You can change this at any time from room settings.": "Vi povas ŝanĝi ĉi tion iam ajn per agordoj de la ĉambro.",
|
||||
"Everyone in <SpaceName/> will be able to find and join this room.": "Ĉiu en <SpaceName/> povos trovi kaj aliĝi ĉi tiun ĉambron.",
|
||||
"Adding spaces has moved.": "Aldonejo de aroj moviĝis.",
|
||||
"Search for rooms": "Serĉi ĉambrojn",
|
||||
"Search for spaces": "Serĉi arojn",
|
||||
|
@ -1911,11 +1796,9 @@
|
|||
"Are you sure you want to make this encrypted room public?": "Ĉu vi certas, ke vi volas publikigi ĉi tiun ĉifratan ĉambron?",
|
||||
"Unknown failure": "Nekonata malsukceso",
|
||||
"Failed to update the join rules": "Malsukcesis ĝisdatigi regulojn pri aliĝo",
|
||||
"Command error: Unable to find rendering type (%(renderingType)s)": "Komanda eraro: Ne povas trovi bildigan tipon (%(renderingType)s)",
|
||||
"Failed to invite users to %(roomName)s": "Malsukcesis inviti uzantojn al %(roomName)s",
|
||||
"You cannot place calls without a connection to the server.": "Vi ne povas voki sen konektaĵo al la servilo.",
|
||||
"Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Nekonata (uzanto, salutaĵo) duopo: (%(userId)s, %(deviceId)s)",
|
||||
"Command failed: Unable to find room (%(roomId)s": "Komando malsukcesis: Ne povas trovi ĉambron (%(roomId)s)",
|
||||
"Unrecognised room address: %(roomAlias)s": "Nekonata ĉambra adreso: %(roomAlias)s",
|
||||
"Pin to sidebar": "Fiksi al flanka breto",
|
||||
"Keyboard": "Klavaro",
|
||||
|
@ -1926,7 +1809,6 @@
|
|||
"You don't have the required permissions to start a voice broadcast in this room. Contact a room administrator to upgrade your permissions.": "Vi ne havas la bezonatajn permesojn por komenci voĉan elsendon en ĉi tiu ĉambro. Kontaktu ĉambran administranton por ĝisdatigi viajn permesojn.",
|
||||
"You are already recording a voice broadcast. Please end your current voice broadcast to start a new one.": "Vi jam registras voĉan elsendon. Bonvolu fini vian nunan voĉelsendon por komenci novan.",
|
||||
"Can't start a new voice broadcast": "Ne povas komenci novan voĉan elsendon",
|
||||
"The above, but in <Room /> as well": "La supre, sed ankaŭ en <Room />",
|
||||
"Are you sure you want to end this poll? This will show the final results of the poll and stop people from being able to vote.": "Ĉu vi certas, ke vi volas fini ĉi tiun balotenketon? Ĉi tio montros la finajn rezultojn de la balotenketo kaj malhelpos personojn povi voĉdoni.",
|
||||
"End Poll": "Finu Balotenketon",
|
||||
"Sorry, the poll did not end. Please try again.": "Pardonu, la balotenketo ne finiĝis. Bonvolu reprovi.",
|
||||
|
@ -1987,9 +1869,6 @@
|
|||
"If you start listening to this live broadcast, your current live broadcast recording will be ended.": "Se vi komencas aŭskulti ĉi tiun vivan elsendon, via nuna viva elsendo registrado estos finita.",
|
||||
"Listen to live broadcast?": "Aŭskulti vivan elsendon?",
|
||||
"Yes, stop broadcast": "Jes, ĉesu elsendon",
|
||||
"The above, but in any room you are joined or invited to as well": "La supre, sed en iu ajn ĉambro vi estas kunigita aŭ invitata ankaŭ al",
|
||||
"Remove, ban, or invite people to your active room, and make you leave": "Forigu, forbaru aŭ invitu personojn al via aktiva ĉambro, kaj foriru vin",
|
||||
"Remove, ban, or invite people to this room, and make you leave": "Forigu, forbaru aŭ invitu personojn al ĉi tiu ĉambro, kaj foriru vin",
|
||||
"Reset bearing to north": "Restarigu la lagron norden",
|
||||
"Mapbox logo": "Mapbox-emblemo",
|
||||
"Location not available": "Loko ne havebla",
|
||||
|
@ -2019,7 +1898,6 @@
|
|||
"%(space1Name)s and %(space2Name)s": "%(space1Name)s kaj %(space2Name)s",
|
||||
"30s forward": "30s. antaŭen",
|
||||
"30s backward": "30s. reen",
|
||||
"Command error: Unable to handle slash command.": "Komanda eraro: Ne eblas trakti oblikvan komandon.",
|
||||
"What location type do you want to share?": "Kiel vi volas kunhavigi vian lokon?",
|
||||
"My live location": "Mia realtempa loko",
|
||||
"My current location": "Mia nuna loko",
|
||||
|
@ -2035,8 +1913,6 @@
|
|||
"Confirm new password": "Konfirmu novan pasvorton",
|
||||
"Sign out of all devices": "Elsaluti en ĉiuj aparatoj",
|
||||
"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.": "Vi estis elsalutita el ĉiuj aparatoj kaj ne plu ricevos puŝajn sciigojn. Por reŝalti sciigojn, ensalutu denove sur ĉiu aparato.",
|
||||
"Someone already has that username, please try another.": "Iu jam havas tiun uzantnomon, bonvolu provi alian.",
|
||||
"That e-mail address or phone number is already in use.": "Tiu retpoŝtadreso aŭ telefonnumero jam estas uzataj.",
|
||||
"Proceed with reset": "Procedu por restarigi",
|
||||
"Verify with Security Key or Phrase": "Kontrolu per Sekureca ŝlosilo aŭ frazo",
|
||||
"Verify with Security Key": "Kontrolu per Sekureca ŝlosilo",
|
||||
|
@ -2045,17 +1921,7 @@
|
|||
"Your new device is now verified. Other users will see it as trusted.": "Via nova aparato nun estas kontrolita. Aliaj vidos ĝin kiel fidinda.",
|
||||
"Without verifying, you won't have access to all your messages and may appear as untrusted to others.": "Sen kontrolado, vi ne havos aliron al ĉiuj viaj mesaĝoj kaj povas aperi kiel nefidinda al aliaj.",
|
||||
"I'll verify later": "Kontrolu poste",
|
||||
"Follow the instructions sent to <b>%(email)s</b>": "Sekvu la instrukciojn senditajn al <b>%(email)s</b>",
|
||||
"Wrong email address?": "Ĉu malĝusta retpoŝtadreso?",
|
||||
"Did not receive it?": "Ĉu vi ne ricevis?",
|
||||
"Re-enter email address": "Reenigu retpoŝtadreson",
|
||||
"Verification link email resent!": "Retpoŝto de konfirmligo resendita!",
|
||||
"Send email": "Sendu retpoŝton",
|
||||
"Enter your email to reset password": "Enigu vian retpoŝtadreson por restarigi pasvorton",
|
||||
"<b>%(homeserver)s</b> will send you a verification link to let you reset your password.": "<b>%(homeserver)s</b> sendos al vi konfirman ligilon por permesi al vi restarigi vian pasvorton.",
|
||||
"The email address doesn't appear to be valid.": "La retpoŝtadreso ŝajnas ne valida.",
|
||||
"Sign in instead": "Aliĝu anstataŭe",
|
||||
"Verify your email to continue": "Kontrolu vian retpoŝtadreson por daŭrigi",
|
||||
"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.",
|
||||
"%(downloadButton)s or %(copyButton)s": "%(downloadButton)s aŭ %(copyButton)s",
|
||||
|
@ -2189,7 +2055,8 @@
|
|||
"cross_signing": "Delegaj subskriboj",
|
||||
"identity_server": "Identiga servilo",
|
||||
"integration_manager": "Kunigilo",
|
||||
"qr_code": "Rapidresponda kodo"
|
||||
"qr_code": "Rapidresponda kodo",
|
||||
"feedback": "Prikomenti"
|
||||
},
|
||||
"action": {
|
||||
"continue": "Daŭrigi",
|
||||
|
@ -2511,7 +2378,9 @@
|
|||
"font_size": "Grando de tiparo",
|
||||
"custom_font_description": "Agordu la nomon de tiparo instalita en via sistemo kaj %(brand)s provos ĝin uzi.",
|
||||
"timeline_image_size_default": "Ordinara"
|
||||
}
|
||||
},
|
||||
"inline_url_previews_room_account": "Ŝalti URL-antaŭrigardon en ĉi tiu ĉambro (nur por vi)",
|
||||
"inline_url_previews_room": "Ŝalti URL-antaŭrigardon por anoj de ĉi tiu ĉambro"
|
||||
},
|
||||
"devtools": {
|
||||
"event_type": "Tipo de okazo",
|
||||
|
@ -2578,7 +2447,22 @@
|
|||
},
|
||||
"create_room": {
|
||||
"title_public_room": "Krei publikan ĉambron",
|
||||
"title_private_room": "Krei privatan ĉambron"
|
||||
"title_private_room": "Krei privatan ĉambron",
|
||||
"name_validation_required": "Bonvolu enigi nomon por la ĉambro",
|
||||
"join_rule_restricted_label": "Ĉiu en <SpaceName/> povos trovi kaj aliĝi ĉi tiun ĉambron.",
|
||||
"join_rule_change_notice": "Vi povas ŝanĝi ĉi tion iam ajn per agordoj de la ĉambro.",
|
||||
"join_rule_public_parent_space_label": "Ĉiu povos trovi kaj aliĝi ĉi tiun ĉambron, ne nur anoj de <SpaceName/>.",
|
||||
"join_rule_public_label": "Ĉiu povos trovi kaj aliĝi ĉi tiun ĉambron.",
|
||||
"join_rule_invite_label": "Nur invititoj povos trovi kaj aliĝi ĉi tiun ĉambron.",
|
||||
"encryption_forced": "Via servilo postulas ŝaltitan ĉifradon en privataj ĉambroj.",
|
||||
"encryption_label": "Ŝalti tutvojan ĉifradon",
|
||||
"unfederated_label_default_off": "Vi povus ŝalti ĉi tion se la ĉambro estus uzota nur por kunlaborado de internaj skipoj je via hejmservilo. Ĝi ne ŝanĝeblas poste.",
|
||||
"unfederated_label_default_on": "Vi povas malŝalti ĉi tion se la ĉambro estos uzata por kunlaborado kun eksteraj skipoj, kun iliaj propraj hejmserviloj. Ĝi ne povas ŝanĝiĝi poste.",
|
||||
"topic_label": "Temo (malnepra)",
|
||||
"room_visibility_label": "Videbleco de ĉambro",
|
||||
"join_rule_invite": "Privata ĉambro (nur por invititoj)",
|
||||
"join_rule_restricted": "Videbla al aranoj",
|
||||
"unfederated": "Bloki de la ĉambro ĉiun ekster %(serverName)s."
|
||||
},
|
||||
"timeline": {
|
||||
"m.call": {
|
||||
|
@ -2874,7 +2758,14 @@
|
|||
"holdcall": "Paŭzigas la vokon en la nuna ĉambro",
|
||||
"no_active_call": "Neniu aktiva voko en ĉi tiu ĉambro",
|
||||
"unholdcall": "Malpaŭzigas la vokon en la nuna ĉambro",
|
||||
"me": "Montras agon"
|
||||
"me": "Montras agon",
|
||||
"error_invalid_runfn": "Komanda eraro: Ne eblas trakti oblikvan komandon.",
|
||||
"error_invalid_rendering_type": "Komanda eraro: Ne povas trovi bildigan tipon (%(renderingType)s)",
|
||||
"join": "Aligas al ĉambro kun donita adreso",
|
||||
"failed_find_room": "Komando malsukcesis: Ne povas trovi ĉambron (%(roomId)s)",
|
||||
"failed_find_user": "Ne povis trovi uzanton en ĉambro",
|
||||
"op": "Difini la povnivelon de uzanto",
|
||||
"deop": "Senestrigas uzanton kun donita identigilo"
|
||||
},
|
||||
"presence": {
|
||||
"online_for": "Enreta jam je %(duration)s",
|
||||
|
@ -3025,13 +2916,50 @@
|
|||
"reset_password_title": "Restarigu vian pasvorton",
|
||||
"continue_with_sso": "Daŭrigi per %(ssoButtons)s",
|
||||
"sso_or_username_password": "%(ssoButtons)s aŭ %(usernamePassword)s",
|
||||
"sign_in_instead": "Ĉu vi jam havas konton? <a>Salutu tie ĉi</a>",
|
||||
"sign_in_instead": "Aliĝu anstataŭe",
|
||||
"account_clash": "Via nova konto (%(newAccountId)s) estas registrita, sed vi jam salutis per alia konto (%(loggedInUserId)s).",
|
||||
"account_clash_previous_account": "Daŭrigi per antaŭa konto",
|
||||
"log_in_new_account": "<a>Saluti</a> per via nova konto.",
|
||||
"registration_successful": "Registro sukcesis",
|
||||
"server_picker_title": "Gastigi konton ĉe",
|
||||
"server_picker_dialog_title": "Decidu, kie via konto gastiĝos"
|
||||
"server_picker_title": "Salutu vian hejmservilon",
|
||||
"server_picker_dialog_title": "Decidu, kie via konto gastiĝos",
|
||||
"footer_powered_by_matrix": "funkciigata de Matrix",
|
||||
"failed_homeserver_discovery": "Malsukcesis trovi hejmservilon",
|
||||
"sync_footer_subtitle": "Se vi aliĝis al multaj ĉambroj, tio povas daŭri longe",
|
||||
"unsupported_auth_msisdn": "Ĉi tiu servilo ne subtenas aŭtentikigon per telefona numero.",
|
||||
"unsupported_auth_email": "Ĉi tiu hejmservilo ne subtenas saluton per retpoŝtadreso.",
|
||||
"registration_disabled": "Registriĝoj malŝaltiĝis sur ĉi tiu hejmservilo.",
|
||||
"failed_query_registration_methods": "Ne povas peti subtenatajn registrajn metodojn.",
|
||||
"username_in_use": "Iu jam havas tiun uzantnomon, bonvolu provi alian.",
|
||||
"3pid_in_use": "Tiu retpoŝtadreso aŭ telefonnumero jam estas uzataj.",
|
||||
"incorrect_password": "Malĝusta pasvorto",
|
||||
"failed_soft_logout_auth": "Malsukcesis reaŭtentikigi",
|
||||
"soft_logout_heading": "Vi adiaŭis",
|
||||
"forgot_password_email_required": "Vi devas enigi retpoŝtadreson ligitan al via konto.",
|
||||
"forgot_password_email_invalid": "La retpoŝtadreso ŝajnas ne valida.",
|
||||
"sign_in_prompt": "Ĉu vi havas konton? <a>Salutu</a>",
|
||||
"verify_email_heading": "Kontrolu vian retpoŝtadreson por daŭrigi",
|
||||
"forgot_password_prompt": "Ĉu vi forgesis vian pasvorton?",
|
||||
"soft_logout_intro_password": "Enigu vian pasvorton por saluti kaj rehavi aliron al via konto.",
|
||||
"soft_logout_intro_sso": "Saluti kaj rehavi aliron al via konto.",
|
||||
"soft_logout_intro_unsupported_auth": "Vi ne povas saluti per via konto. Bonvolu kontakti administranton de via hejmservilo por akiri pliajn informojn.",
|
||||
"check_email_explainer": "Sekvu la instrukciojn senditajn al <b>%(email)s</b>",
|
||||
"check_email_wrong_email_prompt": "Ĉu malĝusta retpoŝtadreso?",
|
||||
"check_email_wrong_email_button": "Reenigu retpoŝtadreson",
|
||||
"check_email_resend_prompt": "Ĉu vi ne ricevis?",
|
||||
"check_email_resend_tooltip": "Retpoŝto de konfirmligo resendita!",
|
||||
"enter_email_heading": "Enigu vian retpoŝtadreson por restarigi pasvorton",
|
||||
"enter_email_explainer": "<b>%(homeserver)s</b> sendos al vi konfirman ligilon por permesi al vi restarigi vian pasvorton.",
|
||||
"create_account_prompt": "Ĉu vi novas? <a>Kreu konton</a>",
|
||||
"sign_in_or_register": "Salutu aŭ kreu konton",
|
||||
"sign_in_or_register_description": "Por daŭrigi, uzu vian konton aŭ kreu novan.",
|
||||
"register_action": "Krei konton",
|
||||
"server_picker_failed_validate_homeserver": "Ne povas validigi hejmservilon",
|
||||
"server_picker_invalid_url": "Nevalida URL",
|
||||
"server_picker_required": "Specifu hejmservilon",
|
||||
"server_picker_custom": "Alia hejmservilo",
|
||||
"server_picker_explainer": "Uzu vian preferatan hejmservilon de Matrix se vi havas iun, aŭ gastigu vian propran.",
|
||||
"server_picker_learn_more": "Pri hejmserviloj"
|
||||
},
|
||||
"room_list": {
|
||||
"sort_unread_first": "Montri ĉambrojn kun nelegitaj mesaĝoj kiel unuajn",
|
||||
|
@ -3085,5 +3013,80 @@
|
|||
"access_token_detail": "Via alirpeco donas plenan aliron al via konto. Donu ĝin al neniu.",
|
||||
"clear_cache_reload": "Vakigi kaŝmemoron kaj relegi"
|
||||
}
|
||||
},
|
||||
"widget": {
|
||||
"capability": {
|
||||
"send_stickers_this_room": "Sendi glumarkojn al ĉi tiu ĉambro",
|
||||
"send_stickers_active_room": "Sendi glumarkojn al via aktiva ĉambro",
|
||||
"send_stickers_this_room_as_you": "Sendi glumarkojn al ĉi tiu ĉambro kiel vi",
|
||||
"send_stickers_active_room_as_you": "Sendi glumarkojn al via aktiva ĉambro kiel vi",
|
||||
"see_sticker_posted_this_room": "Vidi afiŝojn de glumarkoj en ĉi tiu ĉambro",
|
||||
"see_sticker_posted_active_room": "Vidi ies ajn afiŝojn de glumarkoj al via aktiva ĉambro",
|
||||
"always_on_screen_viewing_another_room": "Resti sur via ekrano rulante, dum rigardo al alia ĉambro",
|
||||
"always_on_screen_generic": "Resti sur via ekrano rulante",
|
||||
"switch_room": "Ŝanĝi la vidatan ĉambron",
|
||||
"switch_room_message_user": "Ŝanĝu, kiun ĉambron, mesaĝon, aŭ uzanton vi rigardas",
|
||||
"change_topic_this_room": "Ŝanĝi la temon de ĉi tiu ĉambro",
|
||||
"see_topic_change_this_room": "Vidi ŝanĝojn de temo en ĉi tiu ĉambro",
|
||||
"change_topic_active_room": "Ŝanĝi la temon de via aktiva ĉambro",
|
||||
"see_topic_change_active_room": "Vidi ŝanĝojn de temo en via aktiva ĉambro",
|
||||
"change_name_this_room": "Ŝanĝi la nomon de ĉi tiu ĉambro",
|
||||
"see_name_change_this_room": "Vidi ŝanĝojn de nomo en ĉi tiu ĉambro",
|
||||
"change_name_active_room": "Ŝanĝi la nomon de via aktiva ĉambro",
|
||||
"see_name_change_active_room": "Vidi ŝanĝojn de nomo en via aktiva ĉambro",
|
||||
"change_avatar_this_room": "Ŝanĝi la bildon de ĉi tiu ĉambro",
|
||||
"see_avatar_change_this_room": "Vidi ŝanĝojn de bildo de ĉambro en ĉi tiu ĉambro",
|
||||
"change_avatar_active_room": "Ŝanĝi la bildon de via aktiva ĉambro",
|
||||
"see_avatar_change_active_room": "Vidi ŝanĝojn de bildo de ĉambro en via aktiva ĉambro",
|
||||
"remove_ban_invite_leave_this_room": "Forigu, forbaru aŭ invitu personojn al ĉi tiu ĉambro, kaj foriru vin",
|
||||
"receive_membership_this_room": "Vidu kiam oni aliĝas, foriras, aŭ invitiĝas al la ĉambro",
|
||||
"remove_ban_invite_leave_active_room": "Forigu, forbaru aŭ invitu personojn al via aktiva ĉambro, kaj foriru vin",
|
||||
"receive_membership_active_room": "Vidu kiam oni aliĝas, foriras, aŭ invitiĝas al via aktiva ĉambro",
|
||||
"byline_empty_state_key": "kun malplena statŝlosilo",
|
||||
"byline_state_key": "kun statŝlosilo %(stateKey)s",
|
||||
"any_room": "La supre, sed en iu ajn ĉambro vi estas kunigita aŭ invitata ankaŭ al",
|
||||
"specific_room": "La supre, sed ankaŭ en <Room />",
|
||||
"send_event_type_this_room": "Sendi okazojn de speco <b>%(eventType)s</b> kiel vi en ĉi tiu ĉambro",
|
||||
"see_event_type_sent_this_room": "Vidi okazojn de speco <b>%(eventType)s</b> afiŝitajn al ĉi tiu ĉambro",
|
||||
"send_event_type_active_room": "Sendi okazojn de speco <b>%(eventType)s</b> kiel vi en via aktiva ĉambro",
|
||||
"see_event_type_sent_active_room": "Vidi okazojn de speco <b>%(eventType)s</b> afiŝitajn al via aktiva ĉambro",
|
||||
"capability": "La kapablo <b>%(capability)s</b>",
|
||||
"send_messages_this_room": "Sendi mesaĝojn kiel vi en ĉi tiu ĉambro",
|
||||
"send_messages_active_room": "Sendi mesaĝojn kiel vi en via aktiva ĉambro",
|
||||
"see_messages_sent_this_room": "Vidi mesaĝojn senditajn al ĉi tiu ĉambro",
|
||||
"see_messages_sent_active_room": "Vidi mesaĝojn senditajn al via aktiva ĉambro",
|
||||
"send_text_messages_this_room": "Sendi tekstajn mesaĝojn kiel vi en ĉi tiu ĉambro",
|
||||
"send_text_messages_active_room": "Sendi tekstajn mesaĝojn kiel vi en via aktiva ĉambro",
|
||||
"see_text_messages_sent_this_room": "Vidi tekstajn mesaĝojn afiŝitajn al ĉi tiu ĉambro",
|
||||
"see_text_messages_sent_active_room": "Vidi tekstajn mesaĝojn afiŝitajn al via aktiva ĉambro",
|
||||
"send_emotes_this_room": "Sendi mienon kiel vi en ĉi tiu ĉambro",
|
||||
"send_emotes_active_room": "Sendi mienon kiel vi en via aktiva ĉambro",
|
||||
"see_sent_emotes_this_room": "Vidi mienojn afiŝitajn al ĉi tiu ĉambro",
|
||||
"see_sent_emotes_active_room": "Vidi mienojn afiŝitajn al via aktiva ĉambro",
|
||||
"send_images_this_room": "Sendi bildojn kiel vi en ĉi tiu ĉambro",
|
||||
"send_images_active_room": "Sendi bildojn kiel vi en via aktiva ĉambro",
|
||||
"see_images_sent_this_room": "Vidi bildojn afiŝitajn al ĉi tiu ĉambro",
|
||||
"see_images_sent_active_room": "Vidi bildojn afiŝitajn al via aktiva ĉambro",
|
||||
"send_videos_this_room": "Sendi filmojn kiel vi en ĉi tiu ĉambro",
|
||||
"send_videos_active_room": "Sendi filmojn kiel vi en via aktiva ĉambro",
|
||||
"see_videos_sent_this_room": "Vidi filmojn afiŝitajn al ĉi tiu ĉambro",
|
||||
"see_videos_sent_active_room": "Vidi filmojn afiŝitajn al via aktiva ĉambro",
|
||||
"send_files_this_room": "Sendi ĝeneralajn dosierojn kiel vi en ĉi tiu ĉambro",
|
||||
"send_files_active_room": "Sendi ĝeneralajn dosierojn kiel vi en via aktiva ĉambro",
|
||||
"see_sent_files_this_room": "Sendi ĝeneralajn dosierojn afiŝitajn al ĉi tiu ĉambro",
|
||||
"see_sent_files_active_room": "Sendi ĝeneralajn dosierojn afiŝitajn al via aktiva ĉambro",
|
||||
"send_msgtype_this_room": "Sendi mesaĝojn de speco <b>%(msgtype)s</b> kiel vi en ĉi tiu ĉambro",
|
||||
"send_msgtype_active_room": "Sendi mesaĝojn de speco <b>%(msgtype)s</b> kiel vi en via aktiva ĉambro",
|
||||
"see_msgtype_sent_this_room": "Vidi mesaĝojn de speco <b>%(msgtype)s</b> afiŝitajn al ĉi tiu ĉambro",
|
||||
"see_msgtype_sent_active_room": "Vidi mesaĝojn de speco <b>%(msgtype)s</b> afiŝitajn al via aktiva ĉambro"
|
||||
}
|
||||
},
|
||||
"feedback": {
|
||||
"sent": "Prikomentoj sendiĝis",
|
||||
"comment_label": "Komento",
|
||||
"platform_username": "Via platformo kaj uzantonomo helpos al ni pli bone uzi viajn prikomentojn.",
|
||||
"pro_type": "KONSILO: Kiam vi raportas eraron, bonvolu kunsendi <debugLogsLink>erarserĉan protokolon</debugLogsLink>, por ke ni povu pli facile trovi la problemon.",
|
||||
"existing_issue_link": "Bonvolu unue vidi <existingIssuesLink>jamajn erarojn en GitHub</existingIssuesLink>. Ĉu neniu akordas la vian? <newIssueLink>Raportu novan</newIssueLink>.",
|
||||
"send_feedback_action": "Prikomenti"
|
||||
}
|
||||
}
|
||||
|
|
|
@ -20,7 +20,6 @@
|
|||
"Current password": "Contraseña actual",
|
||||
"Deactivate Account": "Desactivar cuenta",
|
||||
"Decrypt %(text)s": "Descifrar %(text)s",
|
||||
"Deops user with given id": "Quita el poder de operador al usuario con la ID dada",
|
||||
"Default": "Por defecto",
|
||||
"Download %(text)s": "Descargar %(text)s",
|
||||
"Email": "Correo electrónico",
|
||||
|
@ -76,7 +75,6 @@
|
|||
"Reject all %(invitedRooms)s invites": "Rechazar todas las invitaciones a %(invitedRooms)s",
|
||||
"Failed to invite": "No se ha podido invitar",
|
||||
"Unknown error": "Error desconocido",
|
||||
"Incorrect password": "Contraseña incorrecta",
|
||||
"Unable to restore session": "No se puede recuperar la sesión",
|
||||
"%(roomName)s does not exist.": "%(roomName)s no existe.",
|
||||
"%(roomName)s is not accessible at this time.": "%(roomName)s no es accesible en este momento.",
|
||||
|
@ -120,19 +118,16 @@
|
|||
"Room %(roomId)s not visible": "La sala %(roomId)s no es visible",
|
||||
"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",
|
||||
"The email address linked to your account must be entered.": "Debes ingresar la dirección de correo electrónico vinculada a tu cuenta.",
|
||||
"This room has no local addresses": "Esta sala no tiene direcciones locales",
|
||||
"This room is not recognised.": "No se reconoce esta sala.",
|
||||
"This doesn't appear to be a valid email address": "Esto no parece un e-mail váido",
|
||||
"This phone number is already in use": "Este número de teléfono ya está en uso",
|
||||
"This room is not accessible by remote Matrix servers": "Esta sala no es accesible desde otros servidores de Matrix",
|
||||
"powered by Matrix": "con el poder de Matrix",
|
||||
"unknown error code": "Código de error desconocido",
|
||||
"Do you want to set an email address?": "¿Quieres poner una dirección de correo electrónico?",
|
||||
"This will allow you to reset your password and receive notifications.": "Esto te permitirá reiniciar tu contraseña y recibir notificaciones.",
|
||||
"Authentication check failed: incorrect password?": "La verificación de autenticación falló: ¿contraseña incorrecta?",
|
||||
"Delete widget": "Eliminar accesorio",
|
||||
"Define the power level of a user": "Define el nivel de autoridad de un usuario",
|
||||
"Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Se ha intentado cargar cierto punto en la cronología de esta sala, pero no tiene permiso para ver el mensaje solicitado.",
|
||||
"Tried to load a specific point in this room's timeline, but was unable to find it.": "Se ha intentado cargar cierto punto en la cronología de esta sala, pero no se ha podido encontrarlo.",
|
||||
"Unable to add email address": "No es posible añadir la dirección de correo electrónico",
|
||||
|
@ -241,8 +236,6 @@
|
|||
"Not a valid %(brand)s keyfile": "No es un archivo de claves de %(brand)s válido",
|
||||
"Mirror local video feed": "Invertir el vídeo local horizontalmente (espejo)",
|
||||
"Send analytics data": "Enviar datos estadísticos de uso",
|
||||
"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 widget screenshots on supported widgets": "Activar capturas de pantalla de accesorios en los accesorios que lo permitan",
|
||||
"Drop file here to upload": "Suelta aquí el archivo para enviarlo",
|
||||
"This event could not be displayed": "No se ha podido mostrar este evento",
|
||||
|
@ -325,7 +318,6 @@
|
|||
"No Audio Outputs detected": "No se han detectado salidas 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.",
|
||||
"This server does not support authentication with a phone number.": "Este servidor no es compatible con autenticación mediante número telefónico.",
|
||||
"Notify the whole room": "Notificar a toda la sala",
|
||||
"Room Notification": "Notificación de Salas",
|
||||
"This process allows you to export the keys for messages you have received in encrypted rooms to a local file. You will then be able to import the file into another Matrix client in the future, so that client will also be able to decrypt these messages.": "Este proceso te permite exportar las claves para los mensajes que has recibido en salas cifradas a un archivo local. En el futuro, podrás importar el archivo a otro cliente de Matrix, para que ese cliente también sea capaz de descifrar estos mensajes.",
|
||||
|
@ -677,10 +669,6 @@
|
|||
"Click the button below to confirm adding this phone number.": "Haz clic en el botón de abajo para confirmar este nuevo número de teléfono.",
|
||||
"New login. Was this you?": "Nuevo inicio de sesión. ¿Fuiste tú?",
|
||||
"%(name)s is requesting verification": "%(name)s solicita verificación",
|
||||
"Sign In or Create Account": "Iniciar sesión o Crear una cuenta",
|
||||
"Use your account or create a new one to continue.": "Entra con tu cuenta si ya tienes una o crea una nueva para continuar.",
|
||||
"Create Account": "Crear cuenta",
|
||||
"Could not find user in room": "No se ha encontrado el usuario en la sala",
|
||||
"You signed in to a new session without verifying it:": "Iniciaste una nueva sesión sin verificarla:",
|
||||
"Verify your other session using one of the options below.": "Verifica la otra sesión utilizando una de las siguientes opciones.",
|
||||
"%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s (%(userId)s) inició una nueva sesión sin verificarla:",
|
||||
|
@ -778,9 +766,6 @@
|
|||
"Clear all data in this session?": "¿Borrar todos los datos en esta sesión?",
|
||||
"Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "La eliminación de todos los datos de esta sesión es definitiva. Los mensajes cifrados se perderán, a menos que se haya hecho una copia de seguridad de sus claves.",
|
||||
"Clear all data": "Borrar todos los datos",
|
||||
"Please enter a name for the room": "Elige un nombre para la sala",
|
||||
"Enable end-to-end encryption": "Activar el cifrado de extremo a extremo",
|
||||
"Topic (optional)": "Asunto (opcional)",
|
||||
"Hide advanced": "Ocultar ajustes avanzados",
|
||||
"Show advanced": "Mostrar ajustes avanzados",
|
||||
"Server did not require any authentication": "El servidor no requirió ninguna autenticación",
|
||||
|
@ -1001,11 +986,9 @@
|
|||
"Invalid base_url for m.identity_server": "URL_base no válida para m.identity_server",
|
||||
"Identity server URL does not appear to be a valid identity server": "La URL del servidor de identidad no parece ser un servidor de identidad válido",
|
||||
"General failure": "Error no especificado",
|
||||
"This homeserver does not support login using email address.": "Este servidor base no admite iniciar sesión con una dirección de correo electrónico.",
|
||||
"This account has been deactivated.": "Esta cuenta ha sido desactivada.",
|
||||
"Ok": "Ok",
|
||||
"Are you sure you want to cancel entering passphrase?": "¿Estas seguro que quieres cancelar el ingresar tu contraseña de recuperación?",
|
||||
"Joins room with given address": "Entrar a la sala con la dirección especificada",
|
||||
"Unexpected server error trying to leave the room": "Error inesperado del servidor al abandonar esta sala",
|
||||
"Error leaving room": "Error al salir de la sala",
|
||||
"Your homeserver has exceeded its user limit.": "Tú servidor ha excedido su limite de usuarios.",
|
||||
|
@ -1060,9 +1043,6 @@
|
|||
"This address is available to use": "Esta dirección está disponible para usar",
|
||||
"This address is already in use": "Esta dirección ya está en uso",
|
||||
"Preparing to download logs": "Preparándose para descargar registros",
|
||||
"You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "Puedes activar esto si la sala solo se usará para colaborar con equipos internos en tu servidor base. No se podrá cambiar después.",
|
||||
"You might disable this if the room will be used for collaborating with external teams who have their own homeserver. This cannot be changed later.": "Puedes desactivar esto si la sala se utilizará para colaborar con equipos externos que tengan su propio servidor base. Esto no se puede cambiar después.",
|
||||
"Block anyone not part of %(serverName)s from ever joining this room.": "Evita que cualquier persona que no sea parte de %(serverName)s se una a esta sala.",
|
||||
"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.": "Anteriormente usaste una versión más nueva de %(brand)s con esta sesión. Para volver a utilizar esta versión con cifrado de extremo a extremo, deberá cerrar sesión y volver a iniciar sesión.",
|
||||
"To continue, use Single Sign On to prove your identity.": "Para continuar, utilice el inicio de sesión único para demostrar su identidad.",
|
||||
"Confirm to continue": "Confirmar para continuar",
|
||||
|
@ -1088,22 +1068,11 @@
|
|||
"No files visible in this room": "No hay archivos visibles en esta sala",
|
||||
"Attach files from chat or just drag and drop them anywhere in a room.": "Adjunta archivos desde el chat o simplemente arrástralos y suéltalos en cualquier lugar de una sala.",
|
||||
"All settings": "Ajustes",
|
||||
"Feedback": "Danos tu opinión",
|
||||
"Switch to light mode": "Cambiar al tema claro",
|
||||
"Switch to dark mode": "Cambiar al tema oscuro",
|
||||
"Switch theme": "Cambiar tema",
|
||||
"Failed to perform homeserver discovery": "No se ha podido realizar el descubrimiento del servidor base",
|
||||
"If you've joined lots of rooms, this might take a while": "Si te has unido a muchas salas, esto puede tardar un poco",
|
||||
"Create account": "Crear una cuenta",
|
||||
"Unable to query for supported registration methods.": "No se pueden consultar los métodos de registro admitidos.",
|
||||
"Registration has been disabled on this homeserver.": "Se han desactivado los registros en este servidor base.",
|
||||
"Failed to re-authenticate due to a homeserver problem": "No ha sido posible volver a autenticarse debido a un problema con el servidor base",
|
||||
"Failed to re-authenticate": "No se pudo volver a autenticar",
|
||||
"Enter your password to sign in and regain access to your account.": "Ingrese su contraseña para iniciar sesión y recuperar el acceso a su cuenta.",
|
||||
"Forgotten your password?": "¿Olvidaste tu contraseña?",
|
||||
"Sign in and regain access to your account.": "Inicie sesión y recupere el acceso a su cuenta.",
|
||||
"You cannot sign in to your account. Please contact your homeserver admin for more information.": "No puedes iniciar sesión en tu cuenta. Ponte en contacto con el administrador de su servidor base para obtener más información.",
|
||||
"You're signed out": "Estás desconectado",
|
||||
"Clear personal data": "Borrar datos personales",
|
||||
"Command Autocomplete": "Comando Autocompletar",
|
||||
"Emoji Autocomplete": "Autocompletar Emoji",
|
||||
|
@ -1153,7 +1122,6 @@
|
|||
"Indexed rooms:": "Salas indexadas:",
|
||||
"%(doneRooms)s out of %(totalRooms)s": "%(doneRooms)s fuera de %(totalRooms)s",
|
||||
"Message downloading sleep time(ms)": "Tiempo de suspensión de descarga de mensajes(ms)",
|
||||
"Your server requires encryption to be enabled in private rooms.": "Tu servidor obliga a usar cifrado en las salas privadas.",
|
||||
"This version of %(brand)s does not support searching encrypted messages": "Esta versión de %(brand)s no puede buscar mensajes cifrados",
|
||||
"Video conference ended by %(senderName)s": "Videoconferencia terminada por %(senderName)s",
|
||||
"Join the conference from the room information card on the right": "Únete a la conferencia desde el panel de información de la sala de la derecha",
|
||||
|
@ -1168,31 +1136,9 @@
|
|||
},
|
||||
"Hide Widgets": "Ocultar accesorios",
|
||||
"Show Widgets": "Mostrar accesorios",
|
||||
"Send general files as you in this room": "Enviar archivos en tu nombre a esta sala",
|
||||
"See videos posted to this room": "Ver los vídeos que se van publicando en esta sala",
|
||||
"Send videos as you in this room": "Enviar vídeos en tu nombre a esta sala",
|
||||
"See images posted to this room": "Ver las imágenes que se vayan publicando en esta sala",
|
||||
"Send images as you in this room": "Enviar imágenes en tu nombre a esta sala",
|
||||
"Send <b>%(eventType)s</b> events as you in your active room": "Enviar eventos de tipo <b>%(eventType)s</b> en tu nombre a la sala en la que estés activo",
|
||||
"See when anyone posts a sticker to your active room": "Ver cuándo se mandan pegatinas a tu sala activa",
|
||||
"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",
|
||||
"Unable to look up phone number": "No se ha podido buscar el número de teléfono",
|
||||
"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 messages as you in this room": "Enviar mensajes en tu nombre a esta sala",
|
||||
"The <b>%(capability)s</b> capability": "La capacidad de <b>%(capability)s</b>",
|
||||
"See <b>%(eventType)s</b> events posted to this room": "Ver los eventos de tipo <b>%(eventType)s</b> publicados en esta sala",
|
||||
"Send <b>%(eventType)s</b> events as you in this room": "Enviar eventos de tipo <b>%(eventType)s</b> en tu nombre",
|
||||
"See when a sticker is posted in this room": "Ver cuándo se envían pegatinas a esta sala",
|
||||
"Send stickers to this room as you": "Enviar pegatinas en tu nombre a esta sala",
|
||||
"See when the avatar changes in your active room": "Ver cuándo cambia la imagen de la sala actual",
|
||||
"Change which room, message, or user you're viewing": "Cambiar qué sala, mensaje o usuario estás viendo",
|
||||
"Change which room you're viewing": "Cambiar qué sala estás viendo",
|
||||
"Send stickers into your active room": "Enviar pegatinas a la sala en la que estés activamente",
|
||||
"Send stickers into this room": "Enviar pegatunas a esta sala",
|
||||
"Remain on your screen while running": "Permanecer en tu pantalla mientras se esté ejecutando",
|
||||
"Remain on your screen when viewing another room, when running": "Permanecer en la pantalla cuando estés viendo otra sala, mientras se esté ejecutando",
|
||||
"This looks like a valid Security Key!": "¡Parece que es una clave de seguridad válida!",
|
||||
"Not a valid Security Key": "No es una clave de seguridad válida",
|
||||
"That phone number doesn't look quite right, please check and try again": "Ese número de teléfono no parece ser correcto, compruébalo e inténtalo de nuevo",
|
||||
|
@ -1230,7 +1176,6 @@
|
|||
"Northern Mariana Islands": "Islas Marianas del Norte",
|
||||
"Norfolk Island": "Isla Norfolk",
|
||||
"Niue": "Niue",
|
||||
"with state key %(stateKey)s": "con la clave de estado %(stateKey)s",
|
||||
"Zambia": "Zambia",
|
||||
"Western Sahara": "Sáhara Occidental",
|
||||
"Vietnam": "Vietnam",
|
||||
|
@ -1366,10 +1311,7 @@
|
|||
"Algeria": "Argelia",
|
||||
"Åland Islands": "Åland",
|
||||
"Great! This Security Phrase looks strong enough.": "¡Genial! Esta frase de seguridad parece lo suficientemente segura.",
|
||||
"New? <a>Create account</a>": "¿Primera vez? <a>Crea una cuenta</a>",
|
||||
"There was a problem communicating with the homeserver, please try again later.": "Ha ocurrido un error al conectarse a tu servidor base, inténtalo de nuevo más tarde.",
|
||||
"New here? <a>Create an account</a>": "¿Primera vez? <a>Crea una cuenta</a>",
|
||||
"Got an account? <a>Sign in</a>": "¿Ya tienes una cuenta? <a>Iniciar sesión</a>",
|
||||
"You have no visible notifications.": "No tienes notificaciones pendientes.",
|
||||
"%(creator)s created this DM.": "%(creator)s creó este mensaje directo.",
|
||||
"Enter phone number": "Escribe tu teléfono móvil",
|
||||
|
@ -1391,13 +1333,6 @@
|
|||
"Decline All": "Rechazar todo",
|
||||
"This widget would like to:": "A este accesorios le gustaría:",
|
||||
"Approve widget permissions": "Aprobar permisos de widget",
|
||||
"About homeservers": "Sobre los servidores base",
|
||||
"Use your preferred Matrix homeserver if you have one, or host your own.": "Usa tu servidor base de Matrix de confianza o aloja el tuyo propio.",
|
||||
"Other homeserver": "Otro servidor base",
|
||||
"Sign into your homeserver": "Inicia sesión en tu servidor base",
|
||||
"Specify a homeserver": "Especificar un servidor base",
|
||||
"Invalid URL": "URL inválida",
|
||||
"Unable to validate homeserver": "No se ha podido validar el servidor base",
|
||||
"Data on this screen is shared with %(widgetDomain)s": "Los datos en esta ventana se comparten con %(widgetDomain)s",
|
||||
"Continuing without email": "Continuar sin correo electrónico",
|
||||
"Modal Widget": "Accesorio emergente",
|
||||
|
@ -1405,9 +1340,6 @@
|
|||
"Failed to transfer call": "No se ha podido transferir la llamada",
|
||||
"A call can only be transferred to a single user.": "Una llamada solo puede transferirse a un usuario.",
|
||||
"Invite by email": "Invitar a través de correo electrónico",
|
||||
"Send feedback": "Enviar comentarios",
|
||||
"Comment": "Comentario",
|
||||
"Feedback sent": "Comentarios enviados",
|
||||
"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 see all encrypted files": "Usa la <a>aplicación de escritorio</a> para ver todos los archivos cifrados",
|
||||
|
@ -1434,21 +1366,6 @@
|
|||
"Use app for a better experience": "Usa la aplicación para una experiencia mejor",
|
||||
"Enable desktop notifications": "Activar las notificaciones de escritorio",
|
||||
"Don't miss a reply": "No te pierdas ninguna respuesta",
|
||||
"Send messages as you in your active room": "Enviar mensajes en tu sala activa",
|
||||
"See messages posted to your active room": "Ver los mensajes publicados en tu sala activa",
|
||||
"See text messages posted to your active room": "Ver mensajes de texto publicados a tu sala activa",
|
||||
"See text messages posted to this room": "Ver mensajes de texto publicados en esta sala",
|
||||
"Send text messages as you in your active room": "Enviar mensajes de texto en tu nombre a tu sala actual",
|
||||
"Send text messages as you in this room": "Enviar mensajes de texto en tu nombre a esta sala",
|
||||
"See messages posted to this room": "Ver los mensajes publicados en esta sala",
|
||||
"with an empty state key": "con una clave de estado vacía",
|
||||
"Change the avatar of your active room": "Cambiar la foto de tu sala actual",
|
||||
"See when the avatar changes in this room": "Ver cuándo cambia la imagen de esta sala",
|
||||
"Change the avatar of this room": "Cambiar la imagen de esta sala",
|
||||
"See when the name changes in your active room": "Ver cuándo cambia el asunto de tu sala actual",
|
||||
"Change the name of your active room": "Cambiar el nombre de tu sala actual",
|
||||
"See when the name changes in this room": "Ver cuándo cambia el tema de esta asunto",
|
||||
"Change the name of this room": "Cambiar el asunto de esta sala",
|
||||
"Sint Maarten": "San Martín",
|
||||
"Singapore": "Singapur",
|
||||
"Sierra Leone": "Sierra Leona",
|
||||
|
@ -1475,10 +1392,6 @@
|
|||
"North Korea": "Corea del Norte",
|
||||
"Mongolia": "Mongolia",
|
||||
"Montenegro": "Montenegro",
|
||||
"See when the topic changes in your active room": "Ver cuándo cambia el asunto de la sala en la que estés",
|
||||
"Change the topic of your active room": "Cambiar el asunto de la sala en la que estés",
|
||||
"See when the topic changes in this room": "Ver cuándo cambia el asunto de esta sala",
|
||||
"Change the topic of this room": "Cambiar el asunto de esta sala",
|
||||
"Japan": "Japón",
|
||||
"Jamaica": "Jamaica",
|
||||
"Italy": "Italia",
|
||||
|
@ -1566,27 +1479,10 @@
|
|||
"one": "Guardar mensajes cifrados de forma segura y local para que aparezcan en los resultados de búsqueda, usando %(size)s para almacenar mensajes de %(rooms)s sala.",
|
||||
"other": "Guardar mensajes cifrados de forma segura y local para que aparezcan en los resultados de búsqueda, usando %(size)s para almacenar mensajes de %(rooms)s salas."
|
||||
},
|
||||
"Send <b>%(msgtype)s</b> messages as you in your active room": "Enviar mensajes de tipo <b>%(msgtype)s</b> en tu nombre a tu sala activa",
|
||||
"Send <b>%(msgtype)s</b> messages as you in this room": "Enviar mensajes de tipo <b>%(msgtype)s</b> en tu nombre a esta sala",
|
||||
"See general files posted to your active room": "Ver archivos enviados a tu sala activa",
|
||||
"See general files posted to this room": "Ver archivos enviados a esta sala",
|
||||
"Send general files as you in your active room": "Enviar archivos en tu nombre a tu sala activa",
|
||||
"See videos posted to your active room": "Ver los vídeos publicados a tu sala activa",
|
||||
"Send videos as you in your active room": "Enviar vídeos en tu nombre a tu sala activa",
|
||||
"See images posted to your active room": "Ver las imágenes enviadas a tu sala activa",
|
||||
"Send images as you in your active room": "Enviar imágenes en tu nombre a tu sala activa",
|
||||
"See emotes posted to your active room": "Ver las reacciones publicadas en tu sala activa",
|
||||
"Send emotes as you in your active room": "Reaccionar en tu nombre a tu sala activa",
|
||||
"See <b>%(eventType)s</b> events posted to your active room": "Ver los eventos de tipo <b>%(eventType)s</b> publicados en tu sala activa",
|
||||
"Send stickers to your active room as you": "Enviar etiquetas a tu sala activa en tu nombre",
|
||||
"Start a conversation with someone using their name or username (like <userId/>).": "Empieza una conversación con alguien usando su nombre 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 this room": "Ver mensajes de tipo <b>%(msgtype)s</b> enviados a esta sala",
|
||||
"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",
|
||||
"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>.",
|
||||
"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.",
|
||||
"Welcome to <name/>": "Te damos la bienvenida a <name/>",
|
||||
"Original event source": "Fuente original del evento",
|
||||
|
@ -1727,12 +1623,9 @@
|
|||
"Search names and descriptions": "Buscar por nombre y descripción",
|
||||
"You may contact me if you have any follow up questions": "Os podéis poner en contacto conmigo si tenéis alguna pregunta",
|
||||
"To leave the beta, visit your settings.": "Para salir de la beta, ve a tus ajustes.",
|
||||
"Your platform and username will be noted to help us use your feedback as much as we can.": "Tu nombre de usuario y plataforma irán adjuntos para que podamos interpretar tus comentarios lo mejor posible.",
|
||||
"Add reaction": "Reaccionar",
|
||||
"Space Autocomplete": "Autocompletar espacios",
|
||||
"Go to my space": "Ir a mi espacio",
|
||||
"See when people join, leave, or are invited to your active room": "Ver cuando alguien se una, salga o se le invite a tu sala activa",
|
||||
"See when people join, leave, or are invited to this room": "Ver cuando alguien se une, sale o se le invita a la sala",
|
||||
"Currently joining %(count)s rooms": {
|
||||
"one": "Entrando en %(count)s sala",
|
||||
"other": "Entrando en %(count)s salas"
|
||||
|
@ -1856,15 +1749,7 @@
|
|||
"Private space (invite only)": "Espacio privado (solo por invitación)",
|
||||
"Space visibility": "Visibilidad del espacio",
|
||||
"Add a space to a space you manage.": "Añade un espacio a dentro de otros espacio que gestiones.",
|
||||
"Visible to space members": "Visible para los miembros del espacio",
|
||||
"Public room": "Sala pública",
|
||||
"Private room (invite only)": "Sala privada (solo por invitación)",
|
||||
"Room visibility": "Visibilidad de la sala",
|
||||
"Only people invited will be able to find and join this room.": "Solo aquellas personas invitadas podrán encontrar y unirse a esta sala.",
|
||||
"Anyone will be able to find and join this room.": "Todo el mundo podrá encontrar y unirse a esta sala.",
|
||||
"Anyone will be able to find and join this room, not just members of <SpaceName/>.": "Cualquiera podrá encontrar y unirse a esta sala, incluso gente que no sea miembro de <SpaceName/>.",
|
||||
"You can change this at any time from room settings.": "Puedes cambiar esto cuando quieras desde los ajustes de la sala.",
|
||||
"Everyone in <SpaceName/> will be able to find and join this room.": "Todo el mundo en <SpaceName/> podrá encontrar y unirse a esta sala.",
|
||||
"Adding spaces has moved.": "Hemos cambiado de sitio la creación de espacios.",
|
||||
"Search for rooms": "Buscar salas",
|
||||
"Search for spaces": "Buscar espacios",
|
||||
|
@ -1898,8 +1783,6 @@
|
|||
"Are you sure you want to make this encrypted room public?": "¿Seguro que quieres activar el cifrado en esta sala pública?",
|
||||
"To avoid these issues, create a <a>new encrypted room</a> for the conversation you plan to have.": "Para evitar estos problemas, crea una <a>nueva sala cifrada</a> para la conversación que quieras tener.",
|
||||
"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 <Room /> as well": "Lo de arriba, pero también en <Room />",
|
||||
"Some encryption parameters have been changed.": "Algunos parámetros del cifrado han cambiado.",
|
||||
"Role in <RoomName/>": "Rol en <RoomName/>",
|
||||
"Select the roles required to change various parts of the space": "Elige los roles que los usuarios deben tener para poder cambiar los distintos ajustes del espacio",
|
||||
|
@ -1956,7 +1839,6 @@
|
|||
"Upgrading room": "Actualizar sala",
|
||||
"Enter your Security Phrase or <button>use your Security Key</button> to continue.": "Escribe tu frase de seguridad o <button>usa tu clave de seguridad</button> para continuar.",
|
||||
"See room timeline (devtools)": "Ver línea de tiempo de la sala (herramientas de desarrollo)",
|
||||
"The email address doesn't appear to be valid.": "La dirección de correo no parece ser válida.",
|
||||
"What projects are your team working on?": "¿En qué proyectos está trabajando tu equipo?",
|
||||
"View in room": "Ver en la sala",
|
||||
"Developer mode": "Modo de desarrollo",
|
||||
|
@ -1964,7 +1846,6 @@
|
|||
"Shows all threads you've participated in": "Ver todos los hilos en los que has participado",
|
||||
"Joining": "Uniéndote",
|
||||
"You're all caught up": "Estás al día",
|
||||
"You can't disable this later. Bridges & most bots won't work yet.": "No podrás desactivarlo más adelante. Los puentes y la mayoría de bots todavía no funcionarán.",
|
||||
"In encrypted rooms, verify all users to ensure it's secure.": "En salas cifradas, verifica a todos los usuarios para asegurarte de que es segura.",
|
||||
"Yours, or the other users' session": "Tu sesión o la de la otra persona",
|
||||
"Yours, or the other users' internet connection": "Tu conexión a internet o la de la otra persona",
|
||||
|
@ -1981,11 +1862,8 @@
|
|||
},
|
||||
"Use a more compact 'Modern' layout": "Usar una disposición más compacta y «moderna»",
|
||||
"Light high contrast": "Claro con contraste alto",
|
||||
"We call the places where you can host your account 'homeservers'.": "Llamamos «servidores base» a los sitios donde puedes tener tu cuenta.",
|
||||
"Matrix.org is the biggest public homeserver in the world, so it's a good place for many.": "Matrix.org es el mayor servidor base público del mundo, por lo que mucha gente lo considera un buen sitio.",
|
||||
"If you can't see who you're looking for, send them your invite link below.": "Si no encuentras a quien buscas, envíale tu enlace de invitación que encontrarás abajo.",
|
||||
"Automatically send debug logs on any error": "Mandar automáticamente los registros de depuración cuando ocurra cualquier error",
|
||||
"Someone already has that username, please try another.": "Ya hay alguien con ese nombre de usuario. Prueba con otro, por favor.",
|
||||
"Joined": "Te has unido",
|
||||
"Someone already has that username. Try another or if it is you, sign in below.": "Ya hay alguien con ese nombre de usuario. Prueba con otro o, si eres tú, inicia sesión más abajo.",
|
||||
"Copy link to thread": "Copiar enlace al hilo",
|
||||
|
@ -2042,7 +1920,6 @@
|
|||
"Spaces you're in": "Tus espacios",
|
||||
"Link to room": "Enlace a la sala",
|
||||
"Spaces you know that contain this space": "Espacios que conoces que contienen este espacio",
|
||||
"You may contact me if you want to follow up or to let me test out upcoming ideas": "Podéis poneros en contacto conmigo para responderme o informarme sobre nuevas ideas",
|
||||
"Are you sure you want to end this poll? This will show the final results of the poll and stop people from being able to vote.": "¿Seguro que quieres terminar la encuesta? Publicarás los resultados finales y no se podrá votar más.",
|
||||
"End Poll": "Terminar encuesta",
|
||||
"Sorry, the poll did not end. Please try again.": "Lo sentimos, la encuesta no ha terminado. Por favor, inténtalo otra vez.",
|
||||
|
@ -2095,13 +1972,8 @@
|
|||
"Automatically send debug logs on decryption errors": "Enviar los registros de depuración automáticamente de fallos al descifrar",
|
||||
"Room members": "Miembros de la sala",
|
||||
"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 this room, and make you leave": "Quitar, vetar o invitar personas a esta sala, y hacerte salir",
|
||||
"Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Pareja (usuario, sesión) desconocida: (%(userId)s, %(deviceId)s)",
|
||||
"Command failed: Unable to find room (%(roomId)s": "El comando ha fallado: no se ha encontrado la sala %(roomId)s",
|
||||
"Unrecognised room address: %(roomAlias)s": "Dirección de sala no reconocida: %(roomAlias)s",
|
||||
"Command error: Unable to handle slash command.": "Error en el comando: no se ha podido gestionar el comando de barra.",
|
||||
"Command error: Unable to find rendering type (%(renderingType)s)": "Error en el comando: no se ha encontrado el tipo de renderizado (%(renderingType)s)",
|
||||
"Store your Security Key somewhere safe, like a password manager or a safe, as it's used to safeguard your encrypted data.": "Guarda tu clave de seguridad en un lugar seguro (por ejemplo, un gestor de contraseñas o una caja fuerte) porque sirve para proteger tus datos cifrados.",
|
||||
"We'll generate a Security Key for you to store somewhere safe, like a password manager or a safe.": "Vamos a generar una clave de seguridad para que la guardes en un lugar seguro, como un gestor de contraseñas o una caja fuerte.",
|
||||
"Regain access to your account and recover encryption keys stored in this session. Without them, you won't be able to read all of your secure messages in any session.": "Recupera acceso a tu cuenta y a las claves de cifrado almacenadas en esta sesión. Sin ellas, no podrás leer todos tus mensajes seguros en ninguna sesión.",
|
||||
|
@ -2135,7 +2007,6 @@
|
|||
"Space home": "Inicio del espacio",
|
||||
"Message pending moderation": "Mensaje esperando revisión",
|
||||
"Message pending moderation: %(reason)s": "Mensaje esperando revisión: %(reason)s",
|
||||
"You can't see earlier messages": "No puedes ver mensajes anteriores",
|
||||
"Keyboard": "Teclado",
|
||||
"Pick a date to jump to": "Elige la fecha a la que saltar",
|
||||
"Jump to date": "Saltar a una fecha",
|
||||
|
@ -2149,9 +2020,6 @@
|
|||
"Poll": "Encuesta",
|
||||
"Voice Message": "Mensaje de voz",
|
||||
"Hide stickers": "Ocultar pegatinas",
|
||||
"Encrypted messages before this point are unavailable.": "Los mensajes cifrados antes de este punto no están disponibles.",
|
||||
"You don't have permission to view messages from before you joined.": "No tienes permisos para ver mensajes enviados antes de que te unieras.",
|
||||
"You don't have permission to view messages from before you were invited.": "No tienes permisos para ver mensajes enviados antes de que te invitaran.",
|
||||
"%(space1Name)s and %(space2Name)s": "%(space1Name)s y %(space2Name)s",
|
||||
"Reply to an ongoing thread or use “%(replyInThread)s” when hovering over a message to start a new one.": "Responde a un hilo en curso o usa «%(replyInThread)s» al pasar el ratón por encima de un mensaje para iniciar uno nuevo.",
|
||||
"This address does not point at this room": "La dirección no apunta a esta sala",
|
||||
|
@ -2364,7 +2232,6 @@
|
|||
"Toggle attribution": "Mostrar/ocultar fuente",
|
||||
"You need to have the right permissions in order to share locations in this room.": "Debes tener el permiso correspondiente para compartir ubicaciones en esta sala.",
|
||||
"Stop and close": "Parar y cerrar",
|
||||
"You can't disable this later. The room will be encrypted but the embedded call will not.": "No lo podrás desactivar después. Esta sala se cifrará, pero no así la llamada integrada.",
|
||||
"Online community members": "Miembros de comunidades online",
|
||||
"Coworkers and teams": "Compañeros de trabajo y equipos",
|
||||
"Friends and family": "Familia y amigos",
|
||||
|
@ -2487,7 +2354,6 @@
|
|||
"Record the client name, version, and url to recognise sessions more easily in session manager": "Registrar el nombre del cliente, la versión y URL para reconocer de forma más fácil las sesiones en el gestor",
|
||||
"Consider signing out from old sessions (%(inactiveAgeDays)s days or older) you don't use anymore.": "Considera cerrar sesión en los dispositivos que ya no uses (hace %(inactiveAgeDays)s días o más).",
|
||||
"You can use this device to sign in a new device with a QR code. You will need to scan the QR code shown on this device with your device that's signed out.": "Puedes usar este dispositivo para iniciar sesión en uno nuevo escaneando un código QR. Tendrás que escanearlo con el nuevo dispositivo que quieras usar para iniciar sesión.",
|
||||
"That e-mail address or phone number is already in use.": "La dirección de e-mail o el número de teléfono ya está en uso.",
|
||||
"Completing set up of your new device": "Terminando de configurar tu nuevo dispositivo",
|
||||
"Waiting for device to sign in": "Esperando a que el dispositivo inicie sesión",
|
||||
"Review and approve the sign in": "Revisar y aprobar inicio de sesión",
|
||||
|
@ -2532,11 +2398,6 @@
|
|||
"Echo cancellation": "Cancelación de eco",
|
||||
"When enabled, the other party might be able to see your IP address": "Si lo activas, la otra parte podría ver tu dirección IP",
|
||||
"Go live": "Empezar directo",
|
||||
"Verification link email resent!": "Email con enlace de verificación reenviado.",
|
||||
"Did not receive it?": "¿No lo has recibido?",
|
||||
"Re-enter email address": "Volver a escribir dirección de email",
|
||||
"Wrong email address?": "¿Dirección de email equivocada?",
|
||||
"Follow the instructions sent to <b>%(email)s</b>": "Sigue las instrucciones enviadas a <b>%(email)s</b>",
|
||||
"Sign out of all devices": "Cerrar sesión en todos los dispositivos",
|
||||
"Too many attempts in a short time. Retry after %(timeout)s.": "Demasiados intentos en poco tiempo. Inténtalo de nuevo en %(timeout)s.",
|
||||
"Too many attempts in a short time. Wait some time before trying again.": "Demasiados intentos en poco tiempo. Espera un poco antes de volverlo a intentar.",
|
||||
|
@ -2575,8 +2436,6 @@
|
|||
"Can’t start a call": "No se ha podido empezar la llamada",
|
||||
"Failed to read events": "No se han podido leer los eventos",
|
||||
"Failed to send event": "No se ha podido enviar el evento",
|
||||
"Signing In…": "Iniciando sesión…",
|
||||
"Syncing…": "Sincronizando…",
|
||||
"Inviting…": "Invitando…",
|
||||
"Creating rooms…": "Creando salas…",
|
||||
"Connecting…": "Conectando…",
|
||||
|
@ -2636,7 +2495,6 @@
|
|||
"Connection error": "Error de conexión",
|
||||
"Can't start a new voice broadcast": "No se ha podido iniciar una nueva difusión de voz",
|
||||
"WARNING: session already verified, but keys do NOT MATCH!": "ADVERTENCIA: la sesión ya está verificada, pero las claves NO COINCIDEN",
|
||||
"Use your account to continue.": "Usa tu cuenta para configurar.",
|
||||
"Database unexpectedly closed": "La base de datos se ha cerrado de forma inesperada",
|
||||
"Identity server not set": "Servidor de identidad no configurado",
|
||||
"Ended a poll": "Cerró una encuesta",
|
||||
|
@ -2668,7 +2526,6 @@
|
|||
"Waiting for partner to confirm…": "Esperando a que la otra persona confirme…",
|
||||
"Select '%(scanQRCode)s'": "Selecciona «%(scanQRCode)s»",
|
||||
"Your language": "Tu idioma",
|
||||
"Enable new native OIDC flows (Under active development)": "Activar flujos de OIDC nativos (en desarrollo)",
|
||||
"Error changing password": "Error al cambiar la contraseña",
|
||||
"Set a new account password…": "Elige una contraseña para la cuenta…",
|
||||
"Message from %(user)s": "Mensaje de %(user)s",
|
||||
|
@ -2763,7 +2620,8 @@
|
|||
"cross_signing": "Firma cruzada",
|
||||
"identity_server": "Servidor de identidad",
|
||||
"integration_manager": "Gestor de integración",
|
||||
"qr_code": "Código QR"
|
||||
"qr_code": "Código QR",
|
||||
"feedback": "Danos tu opinión"
|
||||
},
|
||||
"action": {
|
||||
"continue": "Continuar",
|
||||
|
@ -2929,7 +2787,8 @@
|
|||
"leave_beta_reload": "Al salir de la beta, %(brand)s volverá a cargarse.",
|
||||
"join_beta_reload": "Al unirte a la beta, %(brand)s volverá a cargarse.",
|
||||
"leave_beta": "Salir de la beta",
|
||||
"join_beta": "Unirme a la beta"
|
||||
"join_beta": "Unirme a la beta",
|
||||
"oidc_native_flow": "Activar flujos de OIDC nativos (en desarrollo)"
|
||||
},
|
||||
"keyboard": {
|
||||
"home": "Inicio",
|
||||
|
@ -3213,7 +3072,9 @@
|
|||
"timeline_image_size": "Tamaño de las imágenes en la línea de tiempo",
|
||||
"timeline_image_size_default": "Por defecto",
|
||||
"timeline_image_size_large": "Grande"
|
||||
}
|
||||
},
|
||||
"inline_url_previews_room_account": "Activar la vista previa de URLs en esta sala (solo para ti)",
|
||||
"inline_url_previews_room": "Activar la vista previa de URLs por defecto para los participantes de esta sala"
|
||||
},
|
||||
"devtools": {
|
||||
"send_custom_account_data_event": "Enviar evento personalizado de cuenta de sala",
|
||||
|
@ -3350,7 +3211,24 @@
|
|||
"title_public_room": "Crear una sala pública",
|
||||
"title_private_room": "Crear una sala privada",
|
||||
"action_create_video_room": "Crear sala de vídeo",
|
||||
"action_create_room": "Crear sala"
|
||||
"action_create_room": "Crear sala",
|
||||
"name_validation_required": "Elige un nombre para la sala",
|
||||
"join_rule_restricted_label": "Todo el mundo en <SpaceName/> podrá encontrar y unirse a esta sala.",
|
||||
"join_rule_change_notice": "Puedes cambiar esto cuando quieras desde los ajustes de la sala.",
|
||||
"join_rule_public_parent_space_label": "Cualquiera podrá encontrar y unirse a esta sala, incluso gente que no sea miembro de <SpaceName/>.",
|
||||
"join_rule_public_label": "Todo el mundo podrá encontrar y unirse a esta sala.",
|
||||
"join_rule_invite_label": "Solo aquellas personas invitadas podrán encontrar y unirse a esta sala.",
|
||||
"encrypted_video_room_warning": "No lo podrás desactivar después. Esta sala se cifrará, pero no así la llamada integrada.",
|
||||
"encrypted_warning": "No podrás desactivarlo más adelante. Los puentes y la mayoría de bots todavía no funcionarán.",
|
||||
"encryption_forced": "Tu servidor obliga a usar cifrado en las salas privadas.",
|
||||
"encryption_label": "Activar el cifrado de extremo a extremo",
|
||||
"unfederated_label_default_off": "Puedes activar esto si la sala solo se usará para colaborar con equipos internos en tu servidor base. No se podrá cambiar después.",
|
||||
"unfederated_label_default_on": "Puedes desactivar esto si la sala se utilizará para colaborar con equipos externos que tengan su propio servidor base. Esto no se puede cambiar después.",
|
||||
"topic_label": "Asunto (opcional)",
|
||||
"room_visibility_label": "Visibilidad de la sala",
|
||||
"join_rule_invite": "Sala privada (solo por invitación)",
|
||||
"join_rule_restricted": "Visible para los miembros del espacio",
|
||||
"unfederated": "Evita que cualquier persona que no sea parte de %(serverName)s se una a esta sala."
|
||||
},
|
||||
"timeline": {
|
||||
"m.call": {
|
||||
|
@ -3623,7 +3501,11 @@
|
|||
"changed_rule_rooms": "%(senderName)s cambió una regla que estaba bloqueando a salas que coinciden con %(oldGlob)s a %(newGlob)s por %(reason)s",
|
||||
"changed_rule_servers": "%(senderName)s cambió una regla que estaba bloqueando a servidores que coinciden con %(oldGlob)s a %(newGlob)s por %(reason)s",
|
||||
"changed_rule_glob": "%(senderName)s actualizó una regla de bloqueo que correspondía a %(oldGlob)s a %(newGlob)s por %(reason)s"
|
||||
}
|
||||
},
|
||||
"no_permission_messages_before_invite": "No tienes permisos para ver mensajes enviados antes de que te invitaran.",
|
||||
"no_permission_messages_before_join": "No tienes permisos para ver mensajes enviados antes de que te unieras.",
|
||||
"encrypted_historical_messages_unavailable": "Los mensajes cifrados antes de este punto no están disponibles.",
|
||||
"historical_messages_unavailable": "No puedes ver mensajes anteriores"
|
||||
},
|
||||
"slash_command": {
|
||||
"spoiler": "Envía el mensaje como un spoiler",
|
||||
|
@ -3681,7 +3563,14 @@
|
|||
"holdcall": "Pone la llamada de la sala actual en espera",
|
||||
"no_active_call": "No hay llamadas activas en la sala",
|
||||
"unholdcall": "Quita la llamada de la sala actual de espera",
|
||||
"me": "Hacer una acción"
|
||||
"me": "Hacer una acción",
|
||||
"error_invalid_runfn": "Error en el comando: no se ha podido gestionar el comando de barra.",
|
||||
"error_invalid_rendering_type": "Error en el comando: no se ha encontrado el tipo de renderizado (%(renderingType)s)",
|
||||
"join": "Entrar a la sala con la dirección especificada",
|
||||
"failed_find_room": "El comando ha fallado: no se ha encontrado la sala %(roomId)s",
|
||||
"failed_find_user": "No se ha encontrado el usuario en la sala",
|
||||
"op": "Define el nivel de autoridad de un usuario",
|
||||
"deop": "Quita el poder de operador al usuario con la ID dada"
|
||||
},
|
||||
"presence": {
|
||||
"busy": "Ocupado",
|
||||
|
@ -3867,8 +3756,47 @@
|
|||
"account_clash_previous_account": "Continuar con la cuenta anterior",
|
||||
"log_in_new_account": "<a>Inicie sesión</a> en su nueva cuenta.",
|
||||
"registration_successful": "Registro exitoso",
|
||||
"server_picker_title": "Alojar la cuenta en",
|
||||
"server_picker_dialog_title": "Decide dónde quieres alojar tu cuenta"
|
||||
"server_picker_title": "Inicia sesión en tu servidor base",
|
||||
"server_picker_dialog_title": "Decide dónde quieres alojar tu cuenta",
|
||||
"footer_powered_by_matrix": "con el poder de Matrix",
|
||||
"failed_homeserver_discovery": "No se ha podido realizar el descubrimiento del servidor base",
|
||||
"sync_footer_subtitle": "Si te has unido a muchas salas, esto puede tardar un poco",
|
||||
"syncing": "Sincronizando…",
|
||||
"signing_in": "Iniciando sesión…",
|
||||
"unsupported_auth_msisdn": "Este servidor no es compatible con autenticación mediante número telefónico.",
|
||||
"unsupported_auth_email": "Este servidor base no admite iniciar sesión con una dirección de correo electrónico.",
|
||||
"registration_disabled": "Se han desactivado los registros en este servidor base.",
|
||||
"failed_query_registration_methods": "No se pueden consultar los métodos de registro admitidos.",
|
||||
"username_in_use": "Ya hay alguien con ese nombre de usuario. Prueba con otro, por favor.",
|
||||
"3pid_in_use": "La dirección de e-mail o el número de teléfono ya está en uso.",
|
||||
"incorrect_password": "Contraseña incorrecta",
|
||||
"failed_soft_logout_auth": "No se pudo volver a autenticar",
|
||||
"soft_logout_heading": "Estás desconectado",
|
||||
"forgot_password_email_required": "Debes ingresar la dirección de correo electrónico vinculada a tu cuenta.",
|
||||
"forgot_password_email_invalid": "La dirección de correo no parece ser válida.",
|
||||
"sign_in_prompt": "¿Ya tienes una cuenta? <a>Iniciar sesión</a>",
|
||||
"forgot_password_prompt": "¿Olvidaste tu contraseña?",
|
||||
"soft_logout_intro_password": "Ingrese su contraseña para iniciar sesión y recuperar el acceso a su cuenta.",
|
||||
"soft_logout_intro_sso": "Inicie sesión y recupere el acceso a su cuenta.",
|
||||
"soft_logout_intro_unsupported_auth": "No puedes iniciar sesión en tu cuenta. Ponte en contacto con el administrador de su servidor base para obtener más información.",
|
||||
"check_email_explainer": "Sigue las instrucciones enviadas a <b>%(email)s</b>",
|
||||
"check_email_wrong_email_prompt": "¿Dirección de email equivocada?",
|
||||
"check_email_wrong_email_button": "Volver a escribir dirección de email",
|
||||
"check_email_resend_prompt": "¿No lo has recibido?",
|
||||
"check_email_resend_tooltip": "Email con enlace de verificación reenviado.",
|
||||
"create_account_prompt": "¿Primera vez? <a>Crea una cuenta</a>",
|
||||
"sign_in_or_register": "Iniciar sesión o Crear una cuenta",
|
||||
"sign_in_or_register_description": "Entra con tu cuenta si ya tienes una o crea una nueva para continuar.",
|
||||
"sign_in_description": "Usa tu cuenta para configurar.",
|
||||
"register_action": "Crear cuenta",
|
||||
"server_picker_failed_validate_homeserver": "No se ha podido validar el servidor base",
|
||||
"server_picker_invalid_url": "URL inválida",
|
||||
"server_picker_required": "Especificar un servidor base",
|
||||
"server_picker_matrix.org": "Matrix.org es el mayor servidor base público del mundo, por lo que mucha gente lo considera un buen sitio.",
|
||||
"server_picker_intro": "Llamamos «servidores base» a los sitios donde puedes tener tu cuenta.",
|
||||
"server_picker_custom": "Otro servidor base",
|
||||
"server_picker_explainer": "Usa tu servidor base de Matrix de confianza o aloja el tuyo propio.",
|
||||
"server_picker_learn_more": "Sobre los servidores base"
|
||||
},
|
||||
"room_list": {
|
||||
"sort_unread_first": "Colocar al principio las salas con mensajes sin leer",
|
||||
|
@ -3915,5 +3843,81 @@
|
|||
"access_token_detail": "Tu token de acceso da acceso completo a tu cuenta. No lo compartas con nadie.",
|
||||
"clear_cache_reload": "Limpiar caché y recargar"
|
||||
}
|
||||
},
|
||||
"widget": {
|
||||
"capability": {
|
||||
"send_stickers_this_room": "Enviar pegatunas a esta sala",
|
||||
"send_stickers_active_room": "Enviar pegatinas a la sala en la que estés activamente",
|
||||
"send_stickers_this_room_as_you": "Enviar pegatinas en tu nombre a esta sala",
|
||||
"send_stickers_active_room_as_you": "Enviar etiquetas a tu sala activa en tu nombre",
|
||||
"see_sticker_posted_this_room": "Ver cuándo se envían pegatinas a esta sala",
|
||||
"see_sticker_posted_active_room": "Ver cuándo se mandan pegatinas a tu sala activa",
|
||||
"always_on_screen_viewing_another_room": "Permanecer en la pantalla cuando estés viendo otra sala, mientras se esté ejecutando",
|
||||
"always_on_screen_generic": "Permanecer en tu pantalla mientras se esté ejecutando",
|
||||
"switch_room": "Cambiar qué sala estás viendo",
|
||||
"switch_room_message_user": "Cambiar qué sala, mensaje o usuario estás viendo",
|
||||
"change_topic_this_room": "Cambiar el asunto de esta sala",
|
||||
"see_topic_change_this_room": "Ver cuándo cambia el asunto de esta sala",
|
||||
"change_topic_active_room": "Cambiar el asunto de la sala en la que estés",
|
||||
"see_topic_change_active_room": "Ver cuándo cambia el asunto de la sala en la que estés",
|
||||
"change_name_this_room": "Cambiar el asunto de esta sala",
|
||||
"see_name_change_this_room": "Ver cuándo cambia el tema de esta asunto",
|
||||
"change_name_active_room": "Cambiar el nombre de tu sala actual",
|
||||
"see_name_change_active_room": "Ver cuándo cambia el asunto de tu sala actual",
|
||||
"change_avatar_this_room": "Cambiar la imagen de esta sala",
|
||||
"see_avatar_change_this_room": "Ver cuándo cambia la imagen de esta sala",
|
||||
"change_avatar_active_room": "Cambiar la foto de tu sala actual",
|
||||
"see_avatar_change_active_room": "Ver cuándo cambia la imagen de la sala actual",
|
||||
"remove_ban_invite_leave_this_room": "Quitar, vetar o invitar personas a esta sala, y hacerte salir",
|
||||
"receive_membership_this_room": "Ver cuando alguien se une, sale o se le invita a la sala",
|
||||
"remove_ban_invite_leave_active_room": "Quitar, vetas o invitar personas a tu sala activa, y hacerte salir",
|
||||
"receive_membership_active_room": "Ver cuando alguien se una, salga o se le invite a tu sala activa",
|
||||
"byline_empty_state_key": "con una clave de estado vacía",
|
||||
"byline_state_key": "con la clave de estado %(stateKey)s",
|
||||
"any_room": "Lo de arriba, pero en cualquier sala en la que estés o te inviten",
|
||||
"specific_room": "Lo de arriba, pero también en <Room />",
|
||||
"send_event_type_this_room": "Enviar eventos de tipo <b>%(eventType)s</b> en tu nombre",
|
||||
"see_event_type_sent_this_room": "Ver los eventos de tipo <b>%(eventType)s</b> publicados en esta sala",
|
||||
"send_event_type_active_room": "Enviar eventos de tipo <b>%(eventType)s</b> en tu nombre a la sala en la que estés activo",
|
||||
"see_event_type_sent_active_room": "Ver los eventos de tipo <b>%(eventType)s</b> publicados en tu sala activa",
|
||||
"capability": "La capacidad de <b>%(capability)s</b>",
|
||||
"send_messages_this_room": "Enviar mensajes en tu nombre a esta sala",
|
||||
"send_messages_active_room": "Enviar mensajes en tu sala activa",
|
||||
"see_messages_sent_this_room": "Ver los mensajes publicados en esta sala",
|
||||
"see_messages_sent_active_room": "Ver los mensajes publicados en tu sala activa",
|
||||
"send_text_messages_this_room": "Enviar mensajes de texto en tu nombre a esta sala",
|
||||
"send_text_messages_active_room": "Enviar mensajes de texto en tu nombre a tu sala actual",
|
||||
"see_text_messages_sent_this_room": "Ver mensajes de texto publicados en esta sala",
|
||||
"see_text_messages_sent_active_room": "Ver mensajes de texto publicados a tu sala activa",
|
||||
"send_emotes_this_room": "Enviar emoticonos en tu nombre a esta sala",
|
||||
"send_emotes_active_room": "Reaccionar en tu nombre a tu sala activa",
|
||||
"see_sent_emotes_this_room": "Ver los emoticonos publicados en esta sala",
|
||||
"see_sent_emotes_active_room": "Ver las reacciones publicadas en tu sala activa",
|
||||
"send_images_this_room": "Enviar imágenes en tu nombre a esta sala",
|
||||
"send_images_active_room": "Enviar imágenes en tu nombre a tu sala activa",
|
||||
"see_images_sent_this_room": "Ver las imágenes que se vayan publicando en esta sala",
|
||||
"see_images_sent_active_room": "Ver las imágenes enviadas a tu sala activa",
|
||||
"send_videos_this_room": "Enviar vídeos en tu nombre a esta sala",
|
||||
"send_videos_active_room": "Enviar vídeos en tu nombre a tu sala activa",
|
||||
"see_videos_sent_this_room": "Ver los vídeos que se van publicando en esta sala",
|
||||
"see_videos_sent_active_room": "Ver los vídeos publicados a tu sala activa",
|
||||
"send_files_this_room": "Enviar archivos en tu nombre a esta sala",
|
||||
"send_files_active_room": "Enviar archivos en tu nombre a tu sala activa",
|
||||
"see_sent_files_this_room": "Ver archivos enviados a esta sala",
|
||||
"see_sent_files_active_room": "Ver archivos enviados a tu sala activa",
|
||||
"send_msgtype_this_room": "Enviar mensajes de tipo <b>%(msgtype)s</b> en tu nombre a esta sala",
|
||||
"send_msgtype_active_room": "Enviar mensajes de tipo <b>%(msgtype)s</b> en tu nombre a tu sala activa",
|
||||
"see_msgtype_sent_this_room": "Ver mensajes de tipo <b>%(msgtype)s</b> enviados a esta sala",
|
||||
"see_msgtype_sent_active_room": "Ver mensajes de tipo <b>%(msgtype)s</b> enviados a tu sala activa"
|
||||
}
|
||||
},
|
||||
"feedback": {
|
||||
"sent": "Comentarios enviados",
|
||||
"comment_label": "Comentario",
|
||||
"platform_username": "Tu nombre de usuario y plataforma irán adjuntos para que podamos interpretar tus comentarios lo mejor posible.",
|
||||
"may_contact_label": "Podéis poneros en contacto conmigo para responderme o informarme sobre nuevas ideas",
|
||||
"pro_type": "CONSEJO: Si creas una incidencia, adjunta <debugLogsLink>tus registros de depuración</debugLogsLink> para ayudarnos a localizar el problema.",
|
||||
"existing_issue_link": "Por favor, echa un vistazo primero a <existingIssuesLink>las incidencias de Github</existingIssuesLink>. Si no encuentras nada relacionado, <newIssueLink>crea una nueva incidencia</newIssueLink>.",
|
||||
"send_feedback_action": "Enviar comentarios"
|
||||
}
|
||||
}
|
||||
|
|
|
@ -55,7 +55,6 @@
|
|||
"Enter the name of a new server you want to explore.": "Sisesta uue serveri nimi mida tahad uurida.",
|
||||
"Other users can invite you to rooms using your contact details": "Teades sinu kontaktinfot võivad teised kutsuda sind osalema jututubades",
|
||||
"Explore rooms": "Tutvu jututubadega",
|
||||
"If you've joined lots of rooms, this might take a while": "Kui oled liitunud paljude jututubadega, siis see võib natuke aega võtta",
|
||||
"If disabled, messages from encrypted rooms won't appear in search results.": "Kui see seadistus pole kasutusel, siis krüptitud jututubade sõnumeid otsing ei vaata.",
|
||||
"Indexed rooms:": "Indekseeritud jututoad:",
|
||||
"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.": "Sa peaksid enne ühenduse katkestamisst <b>eemaldama isiklikud andmed</b> id-serverist <idserver />. Kahjuks id-server <idserver /> ei ole hetkel võrgus või pole kättesaadav.",
|
||||
|
@ -92,7 +91,6 @@
|
|||
"You must join the room to see its files": "Failide nägemiseks pead jututoaga liituma",
|
||||
"You seem to be uploading files, are you sure you want to quit?": "Tundub, et sa parasjagu laadid faile üles. Kas sa kindlasti soovid väljuda?",
|
||||
"Failed to remove tag %(tagName)s from room": "Sildi %(tagName)s eemaldamine jututoast ebaõnnestus",
|
||||
"Create Account": "Loo konto",
|
||||
"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",
|
||||
"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.",
|
||||
|
@ -117,12 +115,9 @@
|
|||
"Service": "Teenus",
|
||||
"Summary": "Kokkuvõte",
|
||||
"Document": "Dokument",
|
||||
"powered by Matrix": "põhineb Matrix'il",
|
||||
"Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "Robotilõksu avalik võti on puudu koduserveri seadistustes. Palun teata sellest oma koduserveri haldurile.",
|
||||
"Never send encrypted messages to unverified sessions from this session": "Ära iialgi saada sellest sessioonist krüptitud sõnumeid verifitseerimata sessioonidesse",
|
||||
"Never send encrypted messages to unverified sessions in this room from this session": "Ära iialgi saada sellest sessioonist krüptitud sõnumeid verifitseerimata sessioonidesse selles jututoas",
|
||||
"Sign In or Create Account": "Logi sisse või loo uus konto",
|
||||
"Use your account or create a new one to continue.": "Jätkamaks kasuta oma kontot või loo uus konto.",
|
||||
"Anyone": "Kõik kasutajad",
|
||||
"Encryption": "Krüptimine",
|
||||
"Once enabled, encryption cannot be disabled.": "Kui krüptimine on juba kasutusele võetud, siis ei saa seda enam eemaldada.",
|
||||
|
@ -186,7 +181,6 @@
|
|||
"Share room": "Jaga jututuba",
|
||||
"Low priority": "Vähetähtis",
|
||||
"Historical": "Ammune",
|
||||
"Could not find user in room": "Jututoast ei leidnud kasutajat",
|
||||
"New published address (e.g. #alias:server)": "Uus avaldatud aadess (näiteks #alias:server)",
|
||||
"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",
|
||||
|
@ -223,7 +217,6 @@
|
|||
"This homeserver has hit its Monthly Active User limit.": "See koduserver on saavutanud igakuise aktiivsete kasutajate piiri.",
|
||||
"Are you sure?": "Kas sa oled kindel?",
|
||||
"Jump to read receipt": "Hüppa lugemisteatise juurde",
|
||||
"Topic (optional)": "Jututoa teema (kui soovid lisada)",
|
||||
"Hide advanced": "Peida lisaseadistused",
|
||||
"Show advanced": "Näita lisaseadistusi",
|
||||
"Server did not require any authentication": "Server ei nõudnud mitte mingisugust autentimist",
|
||||
|
@ -324,8 +317,6 @@
|
|||
"Could not load user profile": "Kasutajaprofiili laadimine ei õnnestunud",
|
||||
"Mirror local video feed": "Peegelda kohalikku videovoogu",
|
||||
"Send analytics data": "Saada arendajatele analüütikat",
|
||||
"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 widget screenshots on supported widgets": "Kui vidin seda toetab, siis luba tal teha ekraanitõmmiseid",
|
||||
"Show hidden events in timeline": "Näita peidetud sündmusi ajajoonel",
|
||||
"Composer": "Sõnumite kirjutamine",
|
||||
|
@ -414,10 +405,6 @@
|
|||
"Do you want to set an email address?": "Kas sa soovid seadistada e-posti aadressi?",
|
||||
"Close dialog": "Sulge dialoog",
|
||||
"Reminder: Your browser is unsupported, so your experience may be unpredictable.": "Meeldetuletus: sinu brauser ei ole toetatud ja seega rakenduse kasutuskogemus võib olla ennustamatu.",
|
||||
"Enter your password to sign in and regain access to your account.": "Sisselogimiseks ja oma kontole ligipääsu saamiseks sisesta oma salasõna.",
|
||||
"Forgotten your password?": "Kas sa unustasid oma salasõna?",
|
||||
"Sign in and regain access to your account.": "Logi sisse ja pääse tagasi oma kasutajakonto juurde.",
|
||||
"You cannot sign in to your account. Please contact your homeserver admin for more information.": "Sa ei saa oma kasutajakontole sisse logida. Lisateabe saamiseks palun võta ühendust oma koduserveri halduriga.",
|
||||
"Upgrade your encryption": "Uuenda oma krüptimist",
|
||||
"Go to Settings": "Ava seadistused",
|
||||
"Set up Secure Messages": "Võta kasutusele krüptitud sõnumid",
|
||||
|
@ -432,22 +419,15 @@
|
|||
"one": "Laadin üles %(filename)s ning veel %(count)s faili"
|
||||
},
|
||||
"Uploading %(filename)s": "Laadin üles %(filename)s",
|
||||
"The email address linked to your account must be entered.": "Sa pead sisestama oma kontoga seotud e-posti aadressi.",
|
||||
"A new password must be entered.": "Palun sisesta uus salasõna.",
|
||||
"New passwords must match each other.": "Uued salasõnad peavad omavahel klappima.",
|
||||
"This homeserver does not support login using email address.": "See koduserver ei võimalda e-posti aadressi kasutamist sisselogimisel.",
|
||||
"Please <a>contact your service administrator</a> to continue using this service.": "Jätkamaks selle teenuse kasutamist palun <a>võta ühendust oma teenuse haldajaga</a>.",
|
||||
"This account has been deactivated.": "See kasutajakonto on deaktiveeritud.",
|
||||
"Incorrect username and/or password.": "Vigane kasutajanimi ja/või salasõna.",
|
||||
"Please note you are logging into the %(hs)s server, not matrix.org.": "Sa kasutad sisselogimiseks serverit %(hs)s, mitte aga matrix.org'i.",
|
||||
"Failed to perform homeserver discovery": "Koduserveri leidmine ebaõnnestus",
|
||||
"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>.": "Kui aadressiribal on HTTPS-aadress, siis HTTP-protokolli kasutades ei saa ühendust koduserveriga. Palun pruugi HTTPS-protokolli või <a>luba brauseris ebaturvaliste skriptide kasutamine</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.": "Ei sa ühendust koduserveriga. Palun kontrolli, et sinu <a>koduserveri SSL sertifikaat</a> oleks usaldusväärne ning mõni brauseri lisamoodul ei blokeeri päringuid.",
|
||||
"Create account": "Loo kasutajakonto",
|
||||
"Unable to query for supported registration methods.": "Ei õnnestunud pärida toetatud registreerimismeetodite loendit.",
|
||||
"Registration has been disabled on this homeserver.": "Väline registreerimine ei ole selles koduserveris kasutusel.",
|
||||
"This server does not support authentication with a phone number.": "See server ei toeta autentimist telefoninumbri alusel.",
|
||||
"You're signed out": "Sa oled loginud välja",
|
||||
"Clear personal data": "Kustuta privaatsed andmed",
|
||||
"Commands": "Käsud",
|
||||
"Notify the whole room": "Teavita kogu jututuba",
|
||||
|
@ -651,8 +631,6 @@
|
|||
"Identity server URL does not appear to be a valid identity server": "Isikutuvastusserveri aadress ei tundu viitama kehtivale isikutuvastusserverile",
|
||||
"Looks good!": "Tundub õige!",
|
||||
"Failed to re-authenticate due to a homeserver problem": "Uuesti autentimine ei õnnestunud koduserveri vea tõttu",
|
||||
"Incorrect password": "Vale salasõna",
|
||||
"Failed to re-authenticate": "Uuesti autentimine ei õnnestunud",
|
||||
"Command Autocomplete": "Käskude automaatne lõpetamine",
|
||||
"Emoji Autocomplete": "Emoji'de automaatne lõpetamine",
|
||||
"Notification Autocomplete": "Teavituste automaatne lõpetamine",
|
||||
|
@ -777,7 +755,6 @@
|
|||
"Switch to dark mode": "Kasuta tumedat teemat",
|
||||
"Switch theme": "Vaheta teemat",
|
||||
"All settings": "Kõik seadistused",
|
||||
"Feedback": "Tagasiside",
|
||||
"Use Single Sign On to continue": "Jätkamiseks kasuta ühekordset sisselogimist",
|
||||
"Confirm adding this email address by using Single Sign On to prove your identity.": "Kinnita selle e-posti aadress kasutades oma isiku tuvastamiseks ühekordset sisselogimist (Single Sign On).",
|
||||
"Confirm adding email": "Kinnita e-posti aadressi lisamine",
|
||||
|
@ -943,8 +920,6 @@
|
|||
"Clear all data in this session?": "Kas eemaldame kõik selle sessiooni andmed?",
|
||||
"Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "Sessiooni kõikide andmete kustutamine on tegevus, mida ei saa tagasi pöörata. Kui sa pole varundanud krüptovõtmeid, siis sa kaotad ligipääsu krüptitud sõnumitele.",
|
||||
"Clear all data": "Eemalda kõik andmed",
|
||||
"Please enter a name for the room": "Palun sisesta jututoa nimi",
|
||||
"Enable end-to-end encryption": "Võta läbiv krüptimine kasutusele",
|
||||
"Confirm your account deactivation by using Single Sign On to prove your identity.": "Kinnitamaks seda, et soovid oma konto kasutusest eemaldada, kasuta oma isiku tuvastamiseks ühekordset sisselogimist.",
|
||||
"To continue, use Single Sign On to prove your identity.": "Jätkamaks tuvasta oma isik kasutades ühekordset sisselogimist.",
|
||||
"Confirm to continue": "Soovin jätkata",
|
||||
|
@ -1078,7 +1053,6 @@
|
|||
"Do not use an identity server": "Ära kasuta isikutuvastusserverit",
|
||||
"Enter a new identity server": "Sisesta uue isikutuvastusserveri nimi",
|
||||
"Manage integrations": "Halda lõiminguid",
|
||||
"Define the power level of a user": "Määra kasutaja õigused",
|
||||
"All keys backed up": "Kõik krüptovõtmed on varundatud",
|
||||
"This backup is trusted because it has been restored on this session": "See varukoopia on usaldusväärne, sest ta on taastatud sellest sessioonist",
|
||||
"Start using Key Backup": "Võta kasutusele krüptovõtmete varundamine",
|
||||
|
@ -1091,10 +1065,8 @@
|
|||
"Are you sure you want to cancel entering passphrase?": "Kas oled kindel et sa soovid katkestada paroolifraasi sisestamise?",
|
||||
"Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "E-posti teel kutse saatmiseks kasuta isikutuvastusserverit. Võid kasutada vaikimisi serverit (%(defaultIdentityServerName)s) või määrata muu serveri seadistustes.",
|
||||
"Use an identity server to invite by email. Manage in Settings.": "Kasutajatele e-posti teel kutse saatmiseks pruugi isikutuvastusserverit. Täpsemalt saad seda hallata seadistustes.",
|
||||
"Joins room with given address": "Liitu antud aadressiga jututoaga",
|
||||
"Unignored user": "Kasutaja, kelle eiramine on lõppenud",
|
||||
"You are no longer ignoring %(userId)s": "Sa edaspidi ei eira kasutajat %(userId)s",
|
||||
"Deops user with given id": "Eemalda antud tunnusega kasutajalt haldusõigused selles jututoas",
|
||||
"Verifies a user, session, and pubkey tuple": "Verifitseerib kasutaja, sessiooni ja avalikud võtmed",
|
||||
"Reason": "Põhjus",
|
||||
"Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Ära usalda risttunnustamist ning verifitseeri kasutaja iga sessioon eraldi.",
|
||||
|
@ -1138,9 +1110,6 @@
|
|||
"Error leaving room": "Viga jututoast lahkumisel",
|
||||
"Set up Secure Backup": "Võta kasutusele turvaline varundus",
|
||||
"Information": "Teave",
|
||||
"You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "Sa võid sellise võimaluse kasutusele võtta, kui seda jututuba kasutatakse vaid organisatsioonisiseste tiimide ühistööks oma koduserveri piires. Seda ei saa hiljem muuta.",
|
||||
"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.": "Sa võid sellise võimaluse jätta kasutusele võtmata, kui seda jututuba kasutatakse erinevate väliste tiimide ühistööks kasutades erinevaid koduservereid. Seda ei saa hiljem muuta.",
|
||||
"Block anyone not part of %(serverName)s from ever joining this room.": "Keela kõikide niisuguste kasutajate liitumine selle jututoaga, kelle kasutajakonto ei asu %(serverName)s koduserveris.",
|
||||
"Unknown App": "Tundmatu rakendus",
|
||||
"Not encrypted": "Krüptimata",
|
||||
"Room settings": "Jututoa seadistused",
|
||||
|
@ -1161,7 +1130,6 @@
|
|||
"Widgets": "Vidinad",
|
||||
"Edit widgets, bridges & bots": "Muuda vidinaid, võrgusildu ja roboteid",
|
||||
"Add widgets, bridges & bots": "Lisa vidinaid, võrgusildu ja roboteid",
|
||||
"Your server requires encryption to be enabled in private rooms.": "Sinu koduserveri seadistused eeldavad, et mitteavalikud jututoad asutavad läbivat krüptimist.",
|
||||
"Unable to set up keys": "Krüptovõtmete kasutuselevõtmine ei õnnestu",
|
||||
"Use the <a>Desktop app</a> to see all encrypted files": "Kõikide krüptitud failide vaatamiseks kasuta <a>Element Desktop</a> rakendust",
|
||||
"Use the <a>Desktop app</a> to search encrypted messages": "Otsinguks krüptitud sõnumite hulgast kasuta <a>Element Desktop</a> rakendust",
|
||||
|
@ -1188,11 +1156,6 @@
|
|||
"Answered Elsewhere": "Vastatud mujal",
|
||||
"Data on this screen is shared with %(widgetDomain)s": "Andmeid selles vaates jagatakse %(widgetDomain)s serveriga",
|
||||
"Modal Widget": "Modaalne vidin",
|
||||
"PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "SOOVITUS: Kui sa koostad uut veateadet, siis meil on lihtsam vea põhjuseni leida, kui sa lisad juurde ka <debugLogsLink>silumislogid</debugLogsLink>.",
|
||||
"Send feedback": "Saada tagasiside",
|
||||
"Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.": "Palun esmalt vaata, kas <existingIssuesLink>Githubis on selline viga juba kirjeldatud</existingIssuesLink>. Sa ei leidnud midagi? <newIssueLink>Siis saada uus veateade</newIssueLink>.",
|
||||
"Comment": "Kommentaar",
|
||||
"Feedback sent": "Tagasiside on saadetud",
|
||||
"New version of %(brand)s is available": "%(brand)s ralenduse uus versioon on saadaval",
|
||||
"Update %(brand)s": "Uuenda %(brand)s rakendust",
|
||||
"Enable desktop notifications": "Võta kasutusele töölauakeskkonna teavitused",
|
||||
|
@ -1466,83 +1429,17 @@
|
|||
"This widget would like to:": "See vidin sooviks:",
|
||||
"Approve widget permissions": "Anna vidinale õigused",
|
||||
"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 while running": "Jää oma ekraanivaate juurde",
|
||||
"Send <b>%(eventType)s</b> events as you in this room": "Saada enda nimel <b>%(eventType)s</b> sündmusi siia jututuppa",
|
||||
"with state key %(stateKey)s": "olekuvõtmega %(stateKey)s",
|
||||
"with an empty state key": "tühja olekuvõtmega",
|
||||
"See when anyone posts a sticker to your active room": "Vaata kui keegi on saatnud kleepse aktiivsesse jututuppa",
|
||||
"Send stickers to your active room as you": "Saada enda nimel kleepse hetkel aktiivsesse jututuppa",
|
||||
"See when a sticker is posted in this room": "Vaata kui uus kleeps on siia jututuppa lisatud",
|
||||
"Send stickers to this room as you": "Saada sellesse jututuppa kleepse iseendana",
|
||||
"See when the avatar changes in your active room": "Vaata kui hetkel aktiivse jututoa tunnuspilt muutub",
|
||||
"Change the avatar of your active room": "Muuda oma aktiivse jututoa tunnuspilti",
|
||||
"See when the avatar changes in this room": "Vaata kui selle jututoa tunnuspilt muutub",
|
||||
"Change the avatar of this room": "Muuda selle jututoa tunnuspilti",
|
||||
"See when the name changes in your active room": "Vaata kui hetkel aktiivse jututoa nimi muutub",
|
||||
"Change the name of your active room": "Muuda oma aktiivse jututoa nime",
|
||||
"See when the name changes in this room": "Vaata kui selle jututoa nimi muutub",
|
||||
"Change the name of this room": "Muuda selle jututoa nime",
|
||||
"See when the topic changes in your active room": "Vaata kui hetkel aktiivse jututoa teema muutub",
|
||||
"See when the topic changes in this room": "Vaata kui selle jututoa teema muutub",
|
||||
"Change the topic of your active room": "Muuda oma aktiivse jututoa teemat",
|
||||
"Change the topic of this room": "Muuda selle jututoa teemat",
|
||||
"Change which room you're viewing": "Vaheta vaadatavat jututuba",
|
||||
"Send stickers into your active room": "Saada kleepse hetkel aktiivsesse jututuppa",
|
||||
"Send stickers into this room": "Saada kleepse siia jututuppa",
|
||||
"See text messages posted to this room": "Vaata selle jututoa tekstisõnumeid",
|
||||
"Send text messages as you in your active room": "Saada oma aktiivses jututoas enda nimel tekstisõnumeid",
|
||||
"Send text messages as you in this room": "Saada selles jututoas oma nimel tekstisõnumeid",
|
||||
"See messages posted to your active room": "Vaata sõnumeid oma aktiivses jututoas",
|
||||
"See messages posted to this room": "Vaata selle jututoa sõnumeid",
|
||||
"Send messages as you in your active room": "Saada oma aktiivses jututoas enda nimel sõnumeid",
|
||||
"Send messages as you in this room": "Saada selles jututoas oma nimel sõnumeid",
|
||||
"The <b>%(capability)s</b> capability": "<b>%(capability)s</b> võimekus",
|
||||
"See <b>%(eventType)s</b> events posted to your active room": "Vaata oma aktiivsesse jututuppa saadetud <b>%(eventType)s</b> sündmusi",
|
||||
"Send <b>%(eventType)s</b> events as you in your active room": "Saada oma nimel oma aktiivses jututoas <b>%(eventType)s</b> sündmusi",
|
||||
"See <b>%(eventType)s</b> events posted to this room": "Vaata siia jututuppa saadetud <b>%(eventType)s</b> sündmusi",
|
||||
"Enter phone number": "Sisesta telefoninumber",
|
||||
"Enter email address": "Sisesta e-posti aadress",
|
||||
"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",
|
||||
"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 this room": "Saata sinu nimel <b>%(msgtype)s</b> sõnumeid siia jututuppa",
|
||||
"See general files posted to your active room": "Näha sinu aktiivsesse jututuppa lisatud muid faile",
|
||||
"See general files posted to this room": "Näha sellesse jututuppa lisatud muid faile",
|
||||
"Send general files as you in your active room": "Saata sinu nimel muid faile sinu aktiivsesse jututuppa",
|
||||
"Send general files as you in this room": "Saata sinu nimel muid faile siia jututuppa",
|
||||
"See videos posted to your active room": "Näha videosid sinu aktiivses jututoas",
|
||||
"See videos posted to this room": "Näha siia jututuppa lisatud videosid",
|
||||
"Send videos as you in your active room": "Saata sinu nimel videosid sinu aktiivsesse jututuppa",
|
||||
"Send videos as you in this room": "Saata sinu nimel videosid siia jututuppa",
|
||||
"See images posted to your active room": "Näha sinu aktiivsesse jututuppa lisatud pilte",
|
||||
"See images posted to this room": "Näha siia jututuppa lisatud pilte",
|
||||
"Send images as you in your active room": "Saata sinu nimel pilte sinu aktiivsesse jututuppa",
|
||||
"Send images as you in this room": "Saata sinu nimel pilte siia jututuppa",
|
||||
"See emotes posted to your active room": "Näha emotesid sinu aktiivses jututoas",
|
||||
"See emotes posted to this room": "Vaata selle jututoa emotesid",
|
||||
"Send emotes as you in your active room": "Saada oma aktiivses jututoas enda nimel emotesid",
|
||||
"Send emotes as you in this room": "Saada selles jututoas oma nimel emotesid",
|
||||
"See text messages posted to your active room": "Vaata tekstisõnumeid oma aktiivses jututoas",
|
||||
"New here? <a>Create an account</a>": "Täitsa uus asi sinu jaoks? <a>Loo omale kasutajakonto</a>",
|
||||
"Got an account? <a>Sign in</a>": "Sul on kasutajakonto olemas? <a>Siis logi sisse</a>",
|
||||
"Continuing without email": "Jätka ilma e-posti aadressi seadistamiseta",
|
||||
"Server Options": "Serveri seadistused",
|
||||
"New? <a>Create account</a>": "Täitsa uus asi sinu jaoks? <a>Loo omale kasutajakonto</a>",
|
||||
"There was a problem communicating with the homeserver, please try again later.": "Serveriühenduses tekkis viga. Palun proovi mõne aja pärast uuesti.",
|
||||
"Use email to optionally be discoverable by existing contacts.": "Kui soovid, et teised kasutajad saaksid sind leida, siis palun lisa oma e-posti aadress.",
|
||||
"Use email or phone to optionally be discoverable by existing contacts.": "Kui soovid, et teised kasutajad saaksid sind leida, siis palun lisa oma e-posti aadress või telefoninumber.",
|
||||
"Add an email to be able to reset your password.": "Selleks et saaksid vajadusel oma salasõna muuta, palun lisa oma e-posti aadress.",
|
||||
"That phone number doesn't look quite right, please check and try again": "See telefoninumber ei tundu õige olema, palun kontrolli ta üle ja proovi uuesti",
|
||||
"About homeservers": "Teave koduserverite kohta",
|
||||
"Use your preferred Matrix homeserver if you have one, or host your own.": "Kui sul on oma koduserveri eelistus olemas, siis kasuta seda. Samuti võid soovi korral oma enda koduserveri püsti panna.",
|
||||
"Other homeserver": "Muu koduserver",
|
||||
"Sign into your homeserver": "Logi sisse oma koduserverisse",
|
||||
"Specify a homeserver": "Sisesta koduserver",
|
||||
"Just a heads up, if you don't add an email and forget your password, you could <b>permanently lose access to your account</b>.": "Lihtsalt hoiatame, et kui sa ei lisa e-posti aadressi ning unustad oma konto salasõna, siis sa võid <b>püsivalt kaotada ligipääsu oma kontole</b>.",
|
||||
"Reason (optional)": "Põhjus (kui soovid lisada)",
|
||||
"Invalid URL": "Vigane aadress",
|
||||
"Unable to validate homeserver": "Koduserveri õigsust ei õnnestunud kontrollida",
|
||||
"Hold": "Pane ootele",
|
||||
"Resume": "Jätka",
|
||||
"You've reached the maximum number of simultaneous calls.": "Oled jõudnud suurima lubatud samaaegsete kõnede arvuni.",
|
||||
|
@ -1557,7 +1454,6 @@
|
|||
"Unable to look up phone number": "Telefoninumbrit ei õnnestu leida",
|
||||
"Channel: <channelLink/>": "Kanal: <channelLink/>",
|
||||
"Workspace: <networkLink/>": "Tööruum: <networkLink/>",
|
||||
"Change which room, message, or user you're viewing": "Muuda jututuba, sõnumit või kasutajat, mida hetkel vaatad",
|
||||
"If you've forgotten your Security Key you can <button>set up new recovery options</button>": "Kui sa oled unustanud oma turvavõtme, siis sa võid <button>seadistada uued taastamise võimalused</button>",
|
||||
"Access your secure message history and set up secure messaging by entering your Security Key.": "Sisestades turvavõtme pääsed ligi oma turvatud sõnumitele ning sätid tööle krüptitud sõnumivahetuse.",
|
||||
"Not a valid Security Key": "Vigane turvavõti",
|
||||
|
@ -1727,7 +1623,6 @@
|
|||
"Search names and descriptions": "Otsi nimede ja kirjelduste seast",
|
||||
"You may contact me if you have any follow up questions": "Kui sul on lisaküsimusi, siis vastan neile hea meelega",
|
||||
"To leave the beta, visit your settings.": "Beetaversiooni saad välja lülitada rakenduse seadistustest.",
|
||||
"Your platform and username will be noted to help us use your feedback as much as we can.": "Lisame sinu kommentaaridele ka kasutajanime ja operatsioonisüsteemi.",
|
||||
"Add reaction": "Lisa reaktsioon",
|
||||
"Message search initialisation failed": "Sõnumite otsingu alustamine ei õnnestunud",
|
||||
"Go to my space": "Palun vaata minu kogukonnakeskust",
|
||||
|
@ -1814,24 +1709,16 @@
|
|||
"Other spaces or rooms you might not know": "Sellised muud jututoad ja kogukonnakeskused, mida sa ei pruugi teada",
|
||||
"Automatically invite members from this room to the new one": "Kutsu jututoa senised liikmed automaatselt uude jututuppa",
|
||||
"<b>Please note upgrading will make a new version of the room</b>. All current messages will stay in this archived room.": "<b>Palun arvesta, et uuendusega tehakse jututoast uus variant</b>. Kõik senised sõnumid jäävad sellesse jututuppa arhiveeritud olekus.",
|
||||
"Only people invited will be able to find and join this room.": "See jututuba on leitav vaid kutse olemasolul ning liitumine on võimalik vaid kutse alusel.",
|
||||
"Private room (invite only)": "Privaatne jututuba (kutse alusel)",
|
||||
"Public room": "Avalik jututuba",
|
||||
"Visible to space members": "Nähtav kogukonnakeskuse liikmetele",
|
||||
"Room visibility": "Jututoa nähtavus",
|
||||
"Spaces with access": "Ligipääsuga kogukonnakeskused",
|
||||
"Anyone in a space can find and join. You can select multiple spaces.": "Kõik kogukonnakeskuse liikmed saavad leida ja liituda. Sa võid valida ka mitu kogukonnakeskust.",
|
||||
"Space members": "Kogukonnakeskuse liikmed",
|
||||
"Decide who can join %(roomName)s.": "Vali, kes saavad liituda %(roomName)s jututoaga.",
|
||||
"People with supported clients will be able to join the room without having a registered account.": "Kõik kes kasutavad sobilikke klientrakendusi, saavad jututoaga liituda ilma kasutajakonto registreerimiseta.",
|
||||
"Access": "Ligipääs",
|
||||
"Everyone in <SpaceName/> will be able to find and join this room.": "Kõik <SpaceName/> kogukonna liikmed saavad seda jututuba leida ning võivad temaga liituda.",
|
||||
"You can change this at any time from room settings.": "Sa saad seda alati jututoa seadistustest muuta.",
|
||||
"Anyone will be able to find and join this room, not just members of <SpaceName/>.": "Mitte ainult <SpaceName/> kogukonna liikmed, vaid kõik saavad seda jututuba leida ja võivad temaga liituda.",
|
||||
"Share entire screen": "Jaga tervet ekraani",
|
||||
"Application window": "Rakenduse aken",
|
||||
"Share content": "Jaga sisu",
|
||||
"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",
|
||||
"Decrypting": "Dekrüptin sisu",
|
||||
"Show all rooms": "Näita kõiki jututubasid",
|
||||
|
@ -1865,8 +1752,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.": "Sinu isiklikud sõnumid on tavaliselt läbivalt krüptitud, aga see jututuba ei ole. Tavaliselt on põhjuseks, et kasutusel on mõni seade või meetod nagu e-posti põhised kutsed, mis krüptimist veel ei toeta.",
|
||||
"Enable encryption in settings.": "Võta seadistustes krüptimine kasutusele.",
|
||||
"Cross-signing is ready but keys are not backed up.": "Risttunnustamine on töövalmis, aga krüptovõtmed on varundamata.",
|
||||
"See when people join, leave, or are invited to your active room": "Näita, millal teised sinu aktiivse toaga liituvad, sealt lahkuvad või sellesse tuppa kutsutakse",
|
||||
"See when people join, leave, or are invited to this room": "Näita, millal inimesed toaga liituvad, lahkuvad või siia tuppa kutsutakse",
|
||||
"Rooms and spaces": "Jututoad ja kogukonnad",
|
||||
"Results": "Tulemused",
|
||||
"Error downloading audio": "Helifaili allalaadimine ei õnnestunud",
|
||||
|
@ -1896,8 +1781,6 @@
|
|||
"This upgrade will allow members of selected spaces access to this room without an invite.": "Antud uuendusega on valitud kogukonnakeskuste liikmetel võimalik selle jututoaga ilma kutseta liituda.",
|
||||
"Are you sure you want to add encryption to this public room?": "Kas sa oled kindel, et soovid selles avalikus jututoas kasutada krüptimist?",
|
||||
"Surround selected text when typing special characters": "Erimärkide sisestamisel märgista valitud tekst",
|
||||
"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",
|
||||
"Some encryption parameters have been changed.": "Mõned krüptimise parameetrid on muutunud.",
|
||||
"Role in <RoomName/>": "Roll jututoas <RoomName/>",
|
||||
"Unknown failure": "Määratlemata viga",
|
||||
|
@ -1957,7 +1840,6 @@
|
|||
"View in room": "Vaata jututoas",
|
||||
"Enter your Security Phrase or <button>use your Security Key</button> to continue.": "Jätkamiseks sisesta oma turvafraas või <button>kasuta oma turvavõtit</button>.",
|
||||
"What projects are your team working on?": "Missuguste projektidega sinu tiim tegeleb?",
|
||||
"The email address doesn't appear to be valid.": "See e-posti aadress ei tundu olema korrektne.",
|
||||
"See room timeline (devtools)": "Vaata jututoa ajajoont (arendusvaade)",
|
||||
"Developer mode": "Arendusrežiim",
|
||||
"Joined": "Liitunud",
|
||||
|
@ -1970,10 +1852,7 @@
|
|||
"Without verifying, you won't have access to all your messages and may appear as untrusted to others.": "Ilma verifitseerimiseta sul puudub ligipääs kõikidele oma sõnumitele ning teised ei näe sinu kasutajakontot usaldusväärsena.",
|
||||
"Shows all threads you've participated in": "Näitab kõiki jutulõngasid, kus sa oled osalenud",
|
||||
"You're all caught up": "Ei tea... kõik vist on nüüd tehtud",
|
||||
"We call the places where you can host your account 'homeservers'.": "Me nimetame „koduserveriks“ sellist serverit, mis haldab sinu kasutajakontot.",
|
||||
"Matrix.org is the biggest public homeserver in the world, so it's a good place for many.": "Matrix.org on maailma suurim avalik koduserver ja see sobib paljude jaoks.",
|
||||
"If you can't see who you're looking for, send them your invite link below.": "Kui sa ei leia otsitavaid, siis saada neile kutse.",
|
||||
"You can't disable this later. Bridges & most bots won't work yet.": "Seda funktsionaalsust sa ei saa hiljem kinni keerata. Sõnumisillad ja enamus roboteid veel ei oska seda kasutada.",
|
||||
"This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "See jututuba on mõne sellise kogukonnakeskuse osa, kus sul pole haldaja õigusi. Selliselt juhul vana jututuba jätkuvalt kuvatakse, kuid selle asutajatele pakutakse võimalust uuega liituda.",
|
||||
"In encrypted rooms, verify all users to ensure it's secure.": "Krüptitud jututubades turvalisuse tagamiseks verifitseeri kõik kasutajad.",
|
||||
"Yours, or the other users' session": "Sinu või teise kasutaja sessioon",
|
||||
|
@ -2007,7 +1886,6 @@
|
|||
"Copy link to thread": "Kopeeri jutulõnga link",
|
||||
"Thread options": "Jutulõnga valikud",
|
||||
"Someone already has that username. Try another or if it is you, sign in below.": "Keegi juba pruugib sellist kasutajanime. Katseta mõne muuga või kui oled sina ise, siis logi sisse.",
|
||||
"Someone already has that username, please try another.": "Keegi juba pruugib sellist kasutajanime. Palun katseta mõne muuga.",
|
||||
"Show tray icon and minimise window to it on close": "Näita süsteemisalve ikooni ja Element'i akna sulgemisel minimeeri ta salve",
|
||||
"Show all your rooms in Home, even if they're in a space.": "Näita kõiki oma jututubasid avalehel ka siis kui nad on osa mõnest kogukonnast.",
|
||||
"Home is useful for getting an overview of everything.": "Avalehelt saad kõigest hea ülevaate.",
|
||||
|
@ -2053,7 +1931,6 @@
|
|||
"Pin to sidebar": "Kinnita külgpaanile",
|
||||
"Quick settings": "Kiirseadistused",
|
||||
"Spaces you know that contain this space": "Sulle teadaolevad kogukonnakeskused, millesse kuulub see kogukond",
|
||||
"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",
|
||||
"%(spaceName)s menu": "%(spaceName)s menüü",
|
||||
"Join public room": "Liitu avaliku jututoaga",
|
||||
|
@ -2121,10 +1998,7 @@
|
|||
"Expand map": "Kuva kaart laiemana",
|
||||
"From a thread": "Jutulõngast",
|
||||
"Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Tundmatu kasutaja ja sessiooni kombinatsioon: (%(userId)s, %(deviceId)s)",
|
||||
"Command failed: Unable to find room (%(roomId)s": "Viga käsu täitmisel: jututuba ei õnnestu leida (%(roomId)s)",
|
||||
"Unrecognised room address: %(roomAlias)s": "Jututoa tundmatu aadress: %(roomAlias)s",
|
||||
"Command error: Unable to find rendering type (%(renderingType)s)": "Viga käsu täitmisel: visualiseerimise tüüpi ei leidu (%(renderingType)s)",
|
||||
"Command error: Unable to handle slash command.": "Viga käsu täitmisel: Kaldkriipsuga käsku ei ole võimalik töödelda.",
|
||||
"Unknown error fetching location. Please try again later.": "Asukoha tuvastamine ei õnnestunud teadmaata põhjusel. Palun proovi hiljem uuesti.",
|
||||
"Timed out trying to fetch your location. Please try again later.": "Asukoha tuvastamine ei õnnestunud päringu aegumise tõttu. Palun proovi hiljem uuesti.",
|
||||
"Failed to fetch your location. Please try again later.": "Asukoha tuvastamine ei õnnestunud. Palun proovi hiljem uuesti.",
|
||||
|
@ -2136,16 +2010,10 @@
|
|||
"Remove them from everything I'm able to": "Eemalda kasutaja kõikjalt, kust ma saan",
|
||||
"Remove from %(roomName)s": "Eemalda %(roomName)s jututoast",
|
||||
"You were removed from %(roomName)s by %(memberName)s": "%(memberName)s eemaldas sind %(roomName)s jututoast",
|
||||
"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",
|
||||
"Space home": "Kogukonnakeskuse avaleht",
|
||||
"Message pending moderation": "Sõnum on modereerimise ootel",
|
||||
"Message pending moderation: %(reason)s": "Sõnum on modereerimise ootel: %(reason)s",
|
||||
"Keyboard": "Klaviatuur",
|
||||
"You can't see earlier messages": "Sa ei saa näha varasemaid sõnumeid",
|
||||
"Encrypted messages before this point are unavailable.": "Enne seda ajahetke saadetud krüptitud sõnumid pole saadaval.",
|
||||
"You don't have permission to view messages from before you joined.": "Sul pole õigusi vaadata enne liitumist saadetud sõnumeid.",
|
||||
"You don't have permission to view messages from before you were invited.": "Sul pole õigusi vaadata enne kutse saatmist saadetud sõnumeid.",
|
||||
"Internal room ID": "Jututoa tehniline tunnus",
|
||||
"Group all your rooms that aren't part of a space in one place.": "Koonda ühte kohta kõik oma jututoad, mis ei kuulu mõnda kogukonda.",
|
||||
"Unable to check if username has been taken. Try again later.": "Kasutajanime saadavust ei õnnestu kontrollida. Palun proovi hiljem uuesti.",
|
||||
|
@ -2361,7 +2229,6 @@
|
|||
"Show spaces": "Näita kogukondi",
|
||||
"Show rooms": "Näita jututubasid",
|
||||
"Explore public spaces in the new search dialog": "Tutvu avalike kogukondadega kasutades uut otsinguvaadet",
|
||||
"You can't disable this later. The room will be encrypted but the embedded call will not.": "Sa ei saa seda hiljem välja lülitada. Jututuba on läbivalt krüptitud, kuid lõimitud kõned ei ole.",
|
||||
"Join the room to participate": "Osalemiseks liitu jututoaga",
|
||||
"Reset bearing to north": "Kasuta põhjasuunda",
|
||||
"Mapbox logo": "Mapbox'i logo",
|
||||
|
@ -2541,20 +2408,13 @@
|
|||
"Error downloading image": "Pildifaili allalaadimine ei õnnestunud",
|
||||
"Unable to show image due to error": "Vea tõttu ei ole võimalik pilti kuvada",
|
||||
"Go live": "Alusta otseeetrit",
|
||||
"That e-mail address or phone number is already in use.": "See e-posti aadress või telefoninumber on juba kasutusel.",
|
||||
"This means that you have all the keys needed to unlock your encrypted messages and confirm to other users that you trust this session.": "See tähendab, et selles sessioonis on ka kõik vajalikud võtmed krüptitud sõnumite lugemiseks ja teistele kasutajatele kinnitamiseks, et sa usaldad seda sessiooni.",
|
||||
"Verified sessions are anywhere you are using this account after entering your passphrase or confirming your identity with another verified session.": "Verifitseeritud sessioonideks loetakse Element'is või mõnes muus Matrix'i rakenduses selliseid sessioone, kus sa kas oled sisestanud oma salafraasi või tuvastanud end mõne teise oma verifitseeritud sessiooni abil.",
|
||||
"Show details": "Näita üksikasju",
|
||||
"Hide details": "Peida üksikasjalik teave",
|
||||
"30s forward": "30s edasi",
|
||||
"30s backward": "30s tagasi",
|
||||
"Verify your email to continue": "Jätkamiseks kinnita oma e-posti aadress",
|
||||
"<b>%(homeserver)s</b> will send you a verification link to let you reset your password.": "Koduserver <b>%(homeserver)s</b> saadab sulle salasõna lähtestamiseks vajaliku verifitseerimislingi.",
|
||||
"Enter your email to reset password": "Salasõna lähtestamiseks sisesta oma e-posti aadress",
|
||||
"Send email": "Saada e-kiri",
|
||||
"Verification link email resent!": "Saatsime verifitseerimislingi uuesti!",
|
||||
"Did not receive it?": "Kas sa ei saanud kirja kätte?",
|
||||
"Follow the instructions sent to <b>%(email)s</b>": "Järgi juhendit, mille saatsime <b>%(email)s</b> e-posti aadressile",
|
||||
"Sign out of all devices": "Logi kõik oma seadmed võrgust välja",
|
||||
"Confirm new password": "Kinnita oma uus salasõna",
|
||||
"Too many attempts in a short time. Retry after %(timeout)s.": "Liiga palju päringuid napis ajavahemikus. Enne uuesti proovimist palun oota %(timeout)s sekundit.",
|
||||
|
@ -2573,9 +2433,6 @@
|
|||
"Low bandwidth mode": "Vähese ribalaiusega režiim",
|
||||
"You have unverified sessions": "Sul on verifitseerimata sessioone",
|
||||
"Change layout": "Muuda paigutust",
|
||||
"Sign in instead": "Pigem logi sisse",
|
||||
"Re-enter email address": "Sisesta e-posti aadress uuesti",
|
||||
"Wrong email address?": "Kas e-posti aadress pole õige?",
|
||||
"Search users in this room…": "Vali kasutajad sellest jututoast…",
|
||||
"Give one or multiple users in this room more privileges": "Lisa selles jututoas ühele või mitmele kasutajale täiendavaid õigusi",
|
||||
"Add privileged users": "Lisa kasutajatele täiendavaid õigusi",
|
||||
|
@ -2603,7 +2460,6 @@
|
|||
"Your current session is ready for secure messaging.": "Sinu praegune sessioon on valmis turvaliseks sõnumivahetuseks.",
|
||||
"Text": "Tekst",
|
||||
"Create a link": "Tee link",
|
||||
"Force 15s voice broadcast chunk length": "Kasuta ringhäälingusõnumi puhul 15-sekundilist blokipikkust",
|
||||
"Sign out of %(count)s sessions": {
|
||||
"one": "Logi %(count)s'st sessioonist välja",
|
||||
"other": "Logi %(count)s'st sessioonist välja"
|
||||
|
@ -2638,7 +2494,6 @@
|
|||
"Declining…": "Keeldumisel…",
|
||||
"There are no past polls in this room": "Selles jututoas pole varasemaid küsitlusi",
|
||||
"There are no active polls in this room": "Selles jututoas pole käimasolevaid küsitlusi",
|
||||
"We need to know it’s you before resetting your password. Click the link in the email we just sent to <b>%(email)s</b>": "Enne sinu salasõna lähtestamist soovime olla kindlad, et tegemist on sinuga. Palun klõpsi linki, mille just saatsime <b>%(email)s</b> e-posti aadressile",
|
||||
"Warning: your personal data (including encryption keys) is still stored in this session. Clear it if you're finished using this session, or want to sign in to another account.": "Hoiatus: Sinu privaatsed andmed (sealhulgas krüptimisvõtmed) on jätkuvalt salvestatud selles sessioonis. Eemalda nad, kui oled lõpetanud selle sessiooni kasutamise või soovid sisse logida muu kasutajakontoga.",
|
||||
"<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>Hoiatus</b>: Jututoa versiooni uuendamine <i>ei koli jututoa liikmeid automaatselt uude jututoa olekusse.</i> Vanas jututoa versioonis saab olema viide uuele versioonile ning kõik liikmed peavad jututoa uue versiooni kasutamiseks seda viidet klõpsama.",
|
||||
"WARNING: session already verified, but keys do NOT MATCH!": "HOIATUS: Sessioon on juba verifitseeritud, aga võtmed ei klapi!",
|
||||
|
@ -2649,8 +2504,6 @@
|
|||
"Enter a Security Phrase only you know, as it's used to safeguard your data. To be secure, you shouldn't re-use your account password.": "Andmete kaitsmiseks sisesta turvafraas, mida vaid sina tead. Ole mõistlik ja palun ära kasuta selleks oma tavalist konto salasõna.",
|
||||
"Starting backup…": "Alustame varundamist…",
|
||||
"Please only proceed if you're sure you've lost all of your other devices and your Security Key.": "Palun jätka ainult siis, kui sa oled kaotanud ligipääsu kõikidele oma seadmetele ning oma turvavõtmele.",
|
||||
"Signing In…": "Login sisse…",
|
||||
"Syncing…": "Sünkroniseerin…",
|
||||
"Inviting…": "Saadan kutset…",
|
||||
"Creating rooms…": "Loon jututube…",
|
||||
"Keep going…": "Jätka…",
|
||||
|
@ -2706,7 +2559,6 @@
|
|||
"Once everyone has joined, you’ll be able to chat": "Te saate vestelda, kui kõik on liitunud",
|
||||
"Invites by email can only be sent one at a time": "Kutseid saad e-posti teel saata vaid ükshaaval",
|
||||
"An error occurred when updating your notification preferences. Please try to toggle your option again.": "Teavituste eelistuste muutmisel tekkis viga. Palun proovi sama valikut uuesti sisse/välja lülitada.",
|
||||
"Use your account to continue.": "Jätkamaks kasuta oma kontot.",
|
||||
"Desktop app logo": "Töölauarakenduse logo",
|
||||
"Log out and back in to disable": "Väljalülitamiseks logi Matrix'i võrgust välja ja seejärel tagasi",
|
||||
"Can currently only be enabled via config.json": "Seda võimalust saab hetkel sisse lülitada vaid config.json failist",
|
||||
|
@ -2757,14 +2609,11 @@
|
|||
"User is not logged in": "Kasutaja pole võrku loginud",
|
||||
"Allow fallback call assist server (%(server)s)": "Varuvariandina luba kasutada ka teist kõnehõlbustusserverit (%(server)s)",
|
||||
"Try using %(server)s": "Proovi kasutada %(server)s serverit",
|
||||
"Enable new native OIDC flows (Under active development)": "Luba OIDC liidestus (aktiivselt arendamisel)",
|
||||
"Your server requires encryption to be disabled.": "Sinu server eeldab, et krüptimine on välja lülitatud.",
|
||||
"Are you sure you wish to remove (delete) this event?": "Kas sa oled kindel, et soovid kustutada selle sündmuse?",
|
||||
"Note that removing room changes like this could undo the change.": "Palun arvesta jututoa muudatuste eemaldamine võib eemaldada ka selle muutuse.",
|
||||
"Something went wrong.": "Midagi läks nüüd valesti.",
|
||||
"User cannot be invited until they are unbanned": "Kasutajale ei saa kutset saata enne, kui temalt on suhtluskeeld eemaldatud",
|
||||
"Views room with given address": "Vaata sellise aadressiga jututuba",
|
||||
"Notification Settings": "Teavituste seadistused",
|
||||
"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.",
|
||||
"Email Notifications": "E-posti teel saadetavad teavitused",
|
||||
|
@ -2793,9 +2642,7 @@
|
|||
"Messages here are end-to-end encrypted. Verify %(displayName)s in their profile - tap on their profile picture.": "Sõnumid siin vestluses on läbivalt krüptitud. Klõpsides tunnuspilti saad verifitseerida kasutaja %(displayName)s.",
|
||||
"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.": "Sõnumid siin jututoas on läbivalt krüptitud. Kui uued kasutajad liituvad, siis klõpsides nende tunnuspilti saad neid verifitseerida.",
|
||||
"Your profile picture URL": "Sinu tunnuspildi URL",
|
||||
"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.",
|
||||
"Upgrade room": "Uuenda jututoa versiooni",
|
||||
"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",
|
||||
"Quick Actions": "Kiirtoimingud",
|
||||
"Mark all messages as read": "Märgi kõik sõnumid loetuks",
|
||||
|
@ -2906,7 +2753,8 @@
|
|||
"cross_signing": "Risttunnustamine",
|
||||
"identity_server": "Isikutuvastusserver",
|
||||
"integration_manager": "Lõiminguhaldur",
|
||||
"qr_code": "QR kood"
|
||||
"qr_code": "QR kood",
|
||||
"feedback": "Tagasiside"
|
||||
},
|
||||
"action": {
|
||||
"continue": "Jätka",
|
||||
|
@ -3079,7 +2927,10 @@
|
|||
"leave_beta_reload": "Beeta-funktsionaalsuste kasutamise lõpetamisel laadime uuesti rakenduse %(brand)s.",
|
||||
"join_beta_reload": "Beeta-funktsionaalsuste kasutusele võtmisel laadime uuesti rakenduse %(brand)s.",
|
||||
"leave_beta": "Lõpeta beetaversiooni kasutamine",
|
||||
"join_beta": "Hakka kasutama beetaversiooni"
|
||||
"join_beta": "Hakka kasutama beetaversiooni",
|
||||
"notification_settings_beta_title": "Teavituste seadistused",
|
||||
"voice_broadcast_force_small_chunks": "Kasuta ringhäälingusõnumi puhul 15-sekundilist blokipikkust",
|
||||
"oidc_native_flow": "Luba OIDC liidestus (aktiivselt arendamisel)"
|
||||
},
|
||||
"keyboard": {
|
||||
"home": "Avaleht",
|
||||
|
@ -3367,7 +3218,9 @@
|
|||
"timeline_image_size": "Ajajoone piltide suurus",
|
||||
"timeline_image_size_default": "Tavaline",
|
||||
"timeline_image_size_large": "Suur"
|
||||
}
|
||||
},
|
||||
"inline_url_previews_room_account": "Luba URL'ide eelvaated selle jututoa jaoks (mõjutab vaid sind)",
|
||||
"inline_url_previews_room": "Luba URL'ide vaikimisi eelvaated selles jututoas osalejate jaoks"
|
||||
},
|
||||
"devtools": {
|
||||
"send_custom_account_data_event": "Saada kohandatud kontoandmete päring",
|
||||
|
@ -3526,7 +3379,25 @@
|
|||
"title_public_room": "Loo avalik jututuba",
|
||||
"title_private_room": "Loo omavaheline jututuba",
|
||||
"action_create_video_room": "Loo videotuba",
|
||||
"action_create_room": "Loo jututuba"
|
||||
"action_create_room": "Loo jututuba",
|
||||
"name_validation_required": "Palun sisesta jututoa nimi",
|
||||
"join_rule_restricted_label": "Kõik <SpaceName/> kogukonna liikmed saavad seda jututuba leida ning võivad temaga liituda.",
|
||||
"join_rule_change_notice": "Sa saad seda alati jututoa seadistustest muuta.",
|
||||
"join_rule_public_parent_space_label": "Mitte ainult <SpaceName/> kogukonna liikmed, vaid kõik saavad seda jututuba leida ja võivad temaga liituda.",
|
||||
"join_rule_public_label": "Kõik saavad seda jututuba leida ja temaga liituda.",
|
||||
"join_rule_invite_label": "See jututuba on leitav vaid kutse olemasolul ning liitumine on võimalik vaid kutse alusel.",
|
||||
"join_rule_knock_label": "Kõik võivad liituda, kuid jututoa haldur või moderaator peab eelnevalt ligipääsu kinnitama. Sa saad seda hiljem muuta.",
|
||||
"encrypted_video_room_warning": "Sa ei saa seda hiljem välja lülitada. Jututuba on läbivalt krüptitud, kuid lõimitud kõned ei ole.",
|
||||
"encrypted_warning": "Seda funktsionaalsust sa ei saa hiljem kinni keerata. Sõnumisillad ja enamus roboteid veel ei oska seda kasutada.",
|
||||
"encryption_forced": "Sinu koduserveri seadistused eeldavad, et mitteavalikud jututoad asutavad läbivat krüptimist.",
|
||||
"encryption_label": "Võta läbiv krüptimine kasutusele",
|
||||
"unfederated_label_default_off": "Sa võid sellise võimaluse kasutusele võtta, kui seda jututuba kasutatakse vaid organisatsioonisiseste tiimide ühistööks oma koduserveri piires. Seda ei saa hiljem muuta.",
|
||||
"unfederated_label_default_on": "Sa võid sellise võimaluse jätta kasutusele võtmata, kui seda jututuba kasutatakse erinevate väliste tiimide ühistööks kasutades erinevaid koduservereid. Seda ei saa hiljem muuta.",
|
||||
"topic_label": "Jututoa teema (kui soovid lisada)",
|
||||
"room_visibility_label": "Jututoa nähtavus",
|
||||
"join_rule_invite": "Privaatne jututuba (kutse alusel)",
|
||||
"join_rule_restricted": "Nähtav kogukonnakeskuse liikmetele",
|
||||
"unfederated": "Keela kõikide niisuguste kasutajate liitumine selle jututoaga, kelle kasutajakonto ei asu %(serverName)s koduserveris."
|
||||
},
|
||||
"timeline": {
|
||||
"m.call": {
|
||||
|
@ -3808,7 +3679,11 @@
|
|||
"changed_rule_rooms": "%(senderName)s muutis %(reason)s tõttu jututubade ligipääsukeelu reegli algset tingimust %(oldGlob)s uueks tingimuseks %(newGlob)s",
|
||||
"changed_rule_servers": "%(senderName)s muutis %(reason)s tõttu serverite ligipääsukeelu reegli algset tingimust %(oldGlob)s uueks tingimuseks %(newGlob)s",
|
||||
"changed_rule_glob": "%(senderName)s muutis %(reason)s tõttu ligipääsukeelu reegli algset tingimust %(oldGlob)s uueks tingimuseks %(newGlob)s"
|
||||
}
|
||||
},
|
||||
"no_permission_messages_before_invite": "Sul pole õigusi vaadata enne kutse saatmist saadetud sõnumeid.",
|
||||
"no_permission_messages_before_join": "Sul pole õigusi vaadata enne liitumist saadetud sõnumeid.",
|
||||
"encrypted_historical_messages_unavailable": "Enne seda ajahetke saadetud krüptitud sõnumid pole saadaval.",
|
||||
"historical_messages_unavailable": "Sa ei saa näha varasemaid sõnumeid"
|
||||
},
|
||||
"slash_command": {
|
||||
"spoiler": "Saadab selle sõnumi rõõmurikkujana",
|
||||
|
@ -3868,7 +3743,15 @@
|
|||
"holdcall": "Jätab kõne selles jututoas ootele",
|
||||
"no_active_call": "Jututoas ei ole kõnet pooleli",
|
||||
"unholdcall": "Võtab selles jututoas ootel oleva kõne",
|
||||
"me": "Näitab tegevusi"
|
||||
"me": "Näitab tegevusi",
|
||||
"error_invalid_runfn": "Viga käsu täitmisel: Kaldkriipsuga käsku ei ole võimalik töödelda.",
|
||||
"error_invalid_rendering_type": "Viga käsu täitmisel: visualiseerimise tüüpi ei leidu (%(renderingType)s)",
|
||||
"join": "Liitu antud aadressiga jututoaga",
|
||||
"view": "Vaata sellise aadressiga jututuba",
|
||||
"failed_find_room": "Viga käsu täitmisel: jututuba ei õnnestu leida (%(roomId)s)",
|
||||
"failed_find_user": "Jututoast ei leidnud kasutajat",
|
||||
"op": "Määra kasutaja õigused",
|
||||
"deop": "Eemalda antud tunnusega kasutajalt haldusõigused selles jututoas"
|
||||
},
|
||||
"presence": {
|
||||
"busy": "Hõivatud",
|
||||
|
@ -4052,13 +3935,57 @@
|
|||
"reset_password_title": "Lähtesta oma salasõna",
|
||||
"continue_with_sso": "Jätkamiseks kasuta %(ssoButtons)s teenuseid",
|
||||
"sso_or_username_password": "%(ssoButtons)s või %(usernamePassword)s",
|
||||
"sign_in_instead": "Sul juba on kasutajakonto olemas? <a>Logi siin sisse</a>",
|
||||
"sign_in_instead": "Pigem logi sisse",
|
||||
"account_clash": "Sinu uus kasutajakonto (%(newAccountId)s) on registreeritud, kuid sa jube oled sisse loginud teise kasutajakontoga (%(loggedInUserId)s).",
|
||||
"account_clash_previous_account": "Jätka senise konto kasutamist",
|
||||
"log_in_new_account": "<a>Logi sisse</a> oma uuele kasutajakontole.",
|
||||
"registration_successful": "Registreerimine õnnestus",
|
||||
"server_picker_title": "Sinu kasutajakontot teenindab",
|
||||
"server_picker_dialog_title": "Vali kes võiks sinu kasutajakontot teenindada"
|
||||
"server_picker_title": "Logi sisse oma koduserverisse",
|
||||
"server_picker_dialog_title": "Vali kes võiks sinu kasutajakontot teenindada",
|
||||
"footer_powered_by_matrix": "põhineb Matrix'il",
|
||||
"failed_homeserver_discovery": "Koduserveri leidmine ebaõnnestus",
|
||||
"sync_footer_subtitle": "Kui oled liitunud paljude jututubadega, siis see võib natuke aega võtta",
|
||||
"syncing": "Sünkroniseerin…",
|
||||
"signing_in": "Login sisse…",
|
||||
"unsupported_auth_msisdn": "See server ei toeta autentimist telefoninumbri alusel.",
|
||||
"unsupported_auth_email": "See koduserver ei võimalda e-posti aadressi kasutamist sisselogimisel.",
|
||||
"unsupported_auth": "See koduserver ei paku ühtegi sisselogimislahendust, mida see klient toetab.",
|
||||
"registration_disabled": "Väline registreerimine ei ole selles koduserveris kasutusel.",
|
||||
"failed_query_registration_methods": "Ei õnnestunud pärida toetatud registreerimismeetodite loendit.",
|
||||
"username_in_use": "Keegi juba pruugib sellist kasutajanime. Palun katseta mõne muuga.",
|
||||
"3pid_in_use": "See e-posti aadress või telefoninumber on juba kasutusel.",
|
||||
"incorrect_password": "Vale salasõna",
|
||||
"failed_soft_logout_auth": "Uuesti autentimine ei õnnestunud",
|
||||
"soft_logout_heading": "Sa oled loginud välja",
|
||||
"forgot_password_email_required": "Sa pead sisestama oma kontoga seotud e-posti aadressi.",
|
||||
"forgot_password_email_invalid": "See e-posti aadress ei tundu olema korrektne.",
|
||||
"sign_in_prompt": "Sul on kasutajakonto olemas? <a>Siis logi sisse</a>",
|
||||
"verify_email_heading": "Jätkamiseks kinnita oma e-posti aadress",
|
||||
"forgot_password_prompt": "Kas sa unustasid oma salasõna?",
|
||||
"soft_logout_intro_password": "Sisselogimiseks ja oma kontole ligipääsu saamiseks sisesta oma salasõna.",
|
||||
"soft_logout_intro_sso": "Logi sisse ja pääse tagasi oma kasutajakonto juurde.",
|
||||
"soft_logout_intro_unsupported_auth": "Sa ei saa oma kasutajakontole sisse logida. Lisateabe saamiseks palun võta ühendust oma koduserveri halduriga.",
|
||||
"check_email_explainer": "Järgi juhendit, mille saatsime <b>%(email)s</b> e-posti aadressile",
|
||||
"check_email_wrong_email_prompt": "Kas e-posti aadress pole õige?",
|
||||
"check_email_wrong_email_button": "Sisesta e-posti aadress uuesti",
|
||||
"check_email_resend_prompt": "Kas sa ei saanud kirja kätte?",
|
||||
"check_email_resend_tooltip": "Saatsime verifitseerimislingi uuesti!",
|
||||
"enter_email_heading": "Salasõna lähtestamiseks sisesta oma e-posti aadress",
|
||||
"enter_email_explainer": "Koduserver <b>%(homeserver)s</b> saadab sulle salasõna lähtestamiseks vajaliku verifitseerimislingi.",
|
||||
"verify_email_explainer": "Enne sinu salasõna lähtestamist soovime olla kindlad, et tegemist on sinuga. Palun klõpsi linki, mille just saatsime <b>%(email)s</b> e-posti aadressile",
|
||||
"create_account_prompt": "Täitsa uus asi sinu jaoks? <a>Loo omale kasutajakonto</a>",
|
||||
"sign_in_or_register": "Logi sisse või loo uus konto",
|
||||
"sign_in_or_register_description": "Jätkamaks kasuta oma kontot või loo uus konto.",
|
||||
"sign_in_description": "Jätkamaks kasuta oma kontot.",
|
||||
"register_action": "Loo konto",
|
||||
"server_picker_failed_validate_homeserver": "Koduserveri õigsust ei õnnestunud kontrollida",
|
||||
"server_picker_invalid_url": "Vigane aadress",
|
||||
"server_picker_required": "Sisesta koduserver",
|
||||
"server_picker_matrix.org": "Matrix.org on maailma suurim avalik koduserver ja see sobib paljude jaoks.",
|
||||
"server_picker_intro": "Me nimetame „koduserveriks“ sellist serverit, mis haldab sinu kasutajakontot.",
|
||||
"server_picker_custom": "Muu koduserver",
|
||||
"server_picker_explainer": "Kui sul on oma koduserveri eelistus olemas, siis kasuta seda. Samuti võid soovi korral oma enda koduserveri püsti panna.",
|
||||
"server_picker_learn_more": "Teave koduserverite kohta"
|
||||
},
|
||||
"room_list": {
|
||||
"sort_unread_first": "Näita lugemata sõnumitega jututubasid esimesena",
|
||||
|
@ -4109,5 +4036,81 @@
|
|||
"access_token_detail": "Sinu pääsuluba annab täismahulise ligipääsu sinu kasutajakontole. Palun ära jaga seda teistega.",
|
||||
"clear_cache_reload": "Tühjenda puhver ja laadi uuesti"
|
||||
}
|
||||
},
|
||||
"widget": {
|
||||
"capability": {
|
||||
"send_stickers_this_room": "Saada kleepse siia jututuppa",
|
||||
"send_stickers_active_room": "Saada kleepse hetkel aktiivsesse jututuppa",
|
||||
"send_stickers_this_room_as_you": "Saada sellesse jututuppa kleepse iseendana",
|
||||
"send_stickers_active_room_as_you": "Saada enda nimel kleepse hetkel aktiivsesse jututuppa",
|
||||
"see_sticker_posted_this_room": "Vaata kui uus kleeps on siia jututuppa lisatud",
|
||||
"see_sticker_posted_active_room": "Vaata kui keegi on saatnud kleepse aktiivsesse jututuppa",
|
||||
"always_on_screen_viewing_another_room": "Kui vaatad mõnda teist jututuba, siis jää oma ekraanivaate juurde",
|
||||
"always_on_screen_generic": "Jää oma ekraanivaate juurde",
|
||||
"switch_room": "Vaheta vaadatavat jututuba",
|
||||
"switch_room_message_user": "Muuda jututuba, sõnumit või kasutajat, mida hetkel vaatad",
|
||||
"change_topic_this_room": "Muuda selle jututoa teemat",
|
||||
"see_topic_change_this_room": "Vaata kui selle jututoa teema muutub",
|
||||
"change_topic_active_room": "Muuda oma aktiivse jututoa teemat",
|
||||
"see_topic_change_active_room": "Vaata kui hetkel aktiivse jututoa teema muutub",
|
||||
"change_name_this_room": "Muuda selle jututoa nime",
|
||||
"see_name_change_this_room": "Vaata kui selle jututoa nimi muutub",
|
||||
"change_name_active_room": "Muuda oma aktiivse jututoa nime",
|
||||
"see_name_change_active_room": "Vaata kui hetkel aktiivse jututoa nimi muutub",
|
||||
"change_avatar_this_room": "Muuda selle jututoa tunnuspilti",
|
||||
"see_avatar_change_this_room": "Vaata kui selle jututoa tunnuspilt muutub",
|
||||
"change_avatar_active_room": "Muuda oma aktiivse jututoa tunnuspilti",
|
||||
"see_avatar_change_active_room": "Vaata kui hetkel aktiivse jututoa tunnuspilt muutub",
|
||||
"remove_ban_invite_leave_this_room": "Sellest jututoast inimeste eemaldamine, väljamüksamine, keelamine või tuppa kutsumine",
|
||||
"receive_membership_this_room": "Näita, millal inimesed toaga liituvad, lahkuvad või siia tuppa kutsutakse",
|
||||
"remove_ban_invite_leave_active_room": "Aktiivsest jututoast inimeste eemaldamine, väljamüksamine, keelamine või tuppa kutsumine",
|
||||
"receive_membership_active_room": "Näita, millal teised sinu aktiivse toaga liituvad, sealt lahkuvad või sellesse tuppa kutsutakse",
|
||||
"byline_empty_state_key": "tühja olekuvõtmega",
|
||||
"byline_state_key": "olekuvõtmega %(stateKey)s",
|
||||
"any_room": "Ülaltoodu, aga samuti igas jututoas, millega oled liitunud või kuhu oled kutsutud",
|
||||
"specific_room": "Ülaltoodu, aga samuti <Room /> jututoas",
|
||||
"send_event_type_this_room": "Saada enda nimel <b>%(eventType)s</b> sündmusi siia jututuppa",
|
||||
"see_event_type_sent_this_room": "Vaata siia jututuppa saadetud <b>%(eventType)s</b> sündmusi",
|
||||
"send_event_type_active_room": "Saada oma nimel oma aktiivses jututoas <b>%(eventType)s</b> sündmusi",
|
||||
"see_event_type_sent_active_room": "Vaata oma aktiivsesse jututuppa saadetud <b>%(eventType)s</b> sündmusi",
|
||||
"capability": "<b>%(capability)s</b> võimekus",
|
||||
"send_messages_this_room": "Saada selles jututoas oma nimel sõnumeid",
|
||||
"send_messages_active_room": "Saada oma aktiivses jututoas enda nimel sõnumeid",
|
||||
"see_messages_sent_this_room": "Vaata selle jututoa sõnumeid",
|
||||
"see_messages_sent_active_room": "Vaata sõnumeid oma aktiivses jututoas",
|
||||
"send_text_messages_this_room": "Saada selles jututoas oma nimel tekstisõnumeid",
|
||||
"send_text_messages_active_room": "Saada oma aktiivses jututoas enda nimel tekstisõnumeid",
|
||||
"see_text_messages_sent_this_room": "Vaata selle jututoa tekstisõnumeid",
|
||||
"see_text_messages_sent_active_room": "Vaata tekstisõnumeid oma aktiivses jututoas",
|
||||
"send_emotes_this_room": "Saada selles jututoas oma nimel emotesid",
|
||||
"send_emotes_active_room": "Saada oma aktiivses jututoas enda nimel emotesid",
|
||||
"see_sent_emotes_this_room": "Vaata selle jututoa emotesid",
|
||||
"see_sent_emotes_active_room": "Näha emotesid sinu aktiivses jututoas",
|
||||
"send_images_this_room": "Saata sinu nimel pilte siia jututuppa",
|
||||
"send_images_active_room": "Saata sinu nimel pilte sinu aktiivsesse jututuppa",
|
||||
"see_images_sent_this_room": "Näha siia jututuppa lisatud pilte",
|
||||
"see_images_sent_active_room": "Näha sinu aktiivsesse jututuppa lisatud pilte",
|
||||
"send_videos_this_room": "Saata sinu nimel videosid siia jututuppa",
|
||||
"send_videos_active_room": "Saata sinu nimel videosid sinu aktiivsesse jututuppa",
|
||||
"see_videos_sent_this_room": "Näha siia jututuppa lisatud videosid",
|
||||
"see_videos_sent_active_room": "Näha videosid sinu aktiivses jututoas",
|
||||
"send_files_this_room": "Saata sinu nimel muid faile siia jututuppa",
|
||||
"send_files_active_room": "Saata sinu nimel muid faile sinu aktiivsesse jututuppa",
|
||||
"see_sent_files_this_room": "Näha sellesse jututuppa lisatud muid faile",
|
||||
"see_sent_files_active_room": "Näha sinu aktiivsesse jututuppa lisatud muid faile",
|
||||
"send_msgtype_this_room": "Saata sinu nimel <b>%(msgtype)s</b> sõnumeid siia jututuppa",
|
||||
"send_msgtype_active_room": "Saata sinu nimel <b>%(msgtype)s</b> sõnumeid sinu aktiivsesse jututuppa",
|
||||
"see_msgtype_sent_this_room": "Näha sellesse jututuppa saadetud <b>%(msgtype)s</b> sõnumeid",
|
||||
"see_msgtype_sent_active_room": "Näha sinu aktiivsesse jututuppa saadetud <b>%(msgtype)s</b> sõnumeid"
|
||||
}
|
||||
},
|
||||
"feedback": {
|
||||
"sent": "Tagasiside on saadetud",
|
||||
"comment_label": "Kommentaar",
|
||||
"platform_username": "Lisame sinu kommentaaridele ka kasutajanime ja operatsioonisüsteemi.",
|
||||
"may_contact_label": "Võid minuga ühendust võtta, kui soovid jätkata mõttevahetust või lasta mul tulevasi ideid katsetada",
|
||||
"pro_type": "SOOVITUS: Kui sa koostad uut veateadet, siis meil on lihtsam vea põhjuseni leida, kui sa lisad juurde ka <debugLogsLink>silumislogid</debugLogsLink>.",
|
||||
"existing_issue_link": "Palun esmalt vaata, kas <existingIssuesLink>Githubis on selline viga juba kirjeldatud</existingIssuesLink>. Sa ei leidnud midagi? <newIssueLink>Siis saada uus veateade</newIssueLink>.",
|
||||
"send_feedback_action": "Saada tagasiside"
|
||||
}
|
||||
}
|
||||
|
|
|
@ -6,7 +6,6 @@
|
|||
"Notifications": "Jakinarazpenak",
|
||||
"Operation failed": "Eragiketak huts egin du",
|
||||
"unknown error code": "errore kode ezezaguna",
|
||||
"powered by Matrix": "Matrix-ekin egina",
|
||||
"Historical": "Historiala",
|
||||
"Home": "Hasiera",
|
||||
"Rooms": "Gelak",
|
||||
|
@ -14,7 +13,6 @@
|
|||
"Join Room": "Elkartu gelara",
|
||||
"Return to login screen": "Itzuli saio hasierarako pantailara",
|
||||
"Email address": "E-mail helbidea",
|
||||
"The email address linked to your account must be entered.": "Zure kontura gehitutako e-mail helbidea sartu behar da.",
|
||||
"A new password must be entered.": "Pasahitz berri bat sartu behar da.",
|
||||
"Failed to verify email address: make sure you clicked the link in the email": "Huts egin du e-mail helbidearen egiaztaketak, egin klik e-mailean zetorren estekan",
|
||||
"Jump to first unread message.": "Jauzi irakurri gabeko lehen mezura.",
|
||||
|
@ -166,7 +164,6 @@
|
|||
"%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s, %(monthName)sk %(day)s %(time)s",
|
||||
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(fullYear)sko %(monthName)sk %(day)s %(time)s",
|
||||
"%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s",
|
||||
"This server does not support authentication with a phone number.": "Zerbitzari honek ez du telefono zenbakia erabiliz autentifikatzea onartzen.",
|
||||
"Sent messages will be stored until your connection has returned.": "Bidalitako mezuak zure konexioa berreskuratu arte gordeko dira.",
|
||||
"(~%(count)s results)": {
|
||||
"one": "(~%(count)s emaitza)",
|
||||
|
@ -183,7 +180,6 @@
|
|||
"Failed to invite": "Huts egin du ganbidapenak",
|
||||
"Confirm Removal": "Berretsi kentzea",
|
||||
"Unknown error": "Errore ezezaguna",
|
||||
"Incorrect password": "Pasahitz okerra",
|
||||
"Unable to restore session": "Ezin izan da saioa berreskuratu",
|
||||
"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.": "Aurretik %(brand)s bertsio berriago bat erabili baduzu, zure saioa bertsio honekin bateraezina izan daiteke. Itxi leiho hau eta itzuli bertsio berriagora.",
|
||||
"Token incorrect": "Token okerra",
|
||||
|
@ -204,13 +200,11 @@
|
|||
"Authentication check failed: incorrect password?": "Autentifikazio errorea: pasahitz okerra?",
|
||||
"Do you want to set an email address?": "E-mail helbidea ezarri nahi duzu?",
|
||||
"This will allow you to reset your password and receive notifications.": "Honek zure pasahitza berrezarri eta jakinarazpenak jasotzea ahalbidetuko dizu.",
|
||||
"Deops user with given id": "Emandako ID-a duen erabiltzailea mailaz jaisten du",
|
||||
"and %(count)s others...": {
|
||||
"other": "eta beste %(count)s…",
|
||||
"one": "eta beste bat…"
|
||||
},
|
||||
"Delete widget": "Ezabatu trepeta",
|
||||
"Define the power level of a user": "Zehaztu erabiltzaile baten botere maila",
|
||||
"Publish this room to the public in %(domain)s's room directory?": "Argitaratu gela hau publikora %(domain)s domeinuko gelen direktorioan?",
|
||||
"AM": "AM",
|
||||
"PM": "PM",
|
||||
|
@ -228,8 +222,6 @@
|
|||
"Restricted": "Mugatua",
|
||||
"Send": "Bidali",
|
||||
"Mirror local video feed": "Bikoiztu tokiko bideo jarioa",
|
||||
"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",
|
||||
"%(duration)ss": "%(duration)s s",
|
||||
"%(duration)sm": "%(duration)s m",
|
||||
"%(duration)sh": "%(duration)s h",
|
||||
|
@ -373,7 +365,6 @@
|
|||
"Unable to restore backup": "Ezin izan da babes-kopia berrezarri",
|
||||
"No backup found!": "Ez da babes-kopiarik aurkitu!",
|
||||
"Failed to decrypt %(failedCount)s sessions!": "Ezin izan dira %(failedCount)s saio deszifratu!",
|
||||
"Failed to perform homeserver discovery": "Huts egin du hasiera-zerbitzarien bilaketak",
|
||||
"Invalid homeserver discovery response": "Baliogabeko hasiera-zerbitzarien bilaketaren erantzuna",
|
||||
"Use a few words, avoid common phrases": "Erabili hitz gutxi batzuk, ekidin ohiko esaldiak",
|
||||
"No need for symbols, digits, or uppercase letters": "Ez dira sinboloak, zenbakiak edo letra larriak behar",
|
||||
|
@ -538,9 +529,6 @@
|
|||
"You'll lose access to your encrypted messages": "Zure zifratutako mezuetara sarbidea galduko duzu",
|
||||
"Are you sure you want to sign out?": "Ziur saioa amaitu nahi duzula?",
|
||||
"<b>Warning</b>: you should only set up key backup from a trusted computer.": "<b>Abisua:</b>: Gakoen babeskopia fidagarria den gailu batetik egin beharko zenuke beti.",
|
||||
"This homeserver does not support login using email address.": "Hasiera-zerbitzari honek ez du e-mail helbidea erabiliz saioa hastea onartzen.",
|
||||
"Registration has been disabled on this homeserver.": "Izen ematea desaktibatuta dago hasiera-zerbitzari honetan.",
|
||||
"Unable to query for supported registration methods.": "Ezin izan da onartutako izen emate metodoei buruz galdetu.",
|
||||
"Your keys are being backed up (the first backup could take a few minutes).": "Zure gakoen babes-kopia egiten ari da (lehen babes-kopiak minutu batzuk behar ditzake).",
|
||||
"Success!": "Ongi!",
|
||||
"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.": "Ez baduzu berreskuratze metodoa kendu, agian erasotzaile bat zure mezuen historialera sarbidea lortu nahi du. Aldatu kontuaren pasahitza eta ezarri berreskuratze metodo berri bat berehala ezarpenetan.",
|
||||
|
@ -652,15 +640,9 @@
|
|||
"Clear all data": "Garbitu datu guztiak",
|
||||
"Your homeserver doesn't seem to support this feature.": "Antza zure hasiera-zerbitzariak ez du ezaugarri hau onartzen.",
|
||||
"Resend %(unsentCount)s reaction(s)": "Birbidali %(unsentCount)s erreakzio",
|
||||
"Forgotten your password?": "Pasahitza ahaztuta?",
|
||||
"Sign in and regain access to your account.": "Hasi saioa eta berreskuratu zure kontua.",
|
||||
"You're signed out": "Saioa amaitu duzu",
|
||||
"Clear personal data": "Garbitu datu pertsonalak",
|
||||
"Please tell us what went wrong or, better, create a GitHub issue that describes the problem.": "Esaguzu zer ez den behar bezala ibili edo, hobe oraindik, sortu GitHub txosten bat zure arazoa deskribatuz.",
|
||||
"Failed to re-authenticate due to a homeserver problem": "Berriro autentifikatzean huts egin du hasiera-zerbitzariaren arazo bat dela eta",
|
||||
"Failed to re-authenticate": "Berriro autentifikatzean huts egin du",
|
||||
"Enter your password to sign in and regain access to your account.": "Sartu zure pasahitza saioa hasteko eta berreskuratu zure kontura sarbidea.",
|
||||
"You cannot sign in to your account. Please contact your homeserver admin for more information.": "Ezin duzu zure kontuan saioa hasi. Jarri kontaktuan zure hasiera zerbitzariko administratzailearekin informazio gehiagorako.",
|
||||
"Find others by phone or email": "Aurkitu besteak telefonoa edo e-maila erabiliz",
|
||||
"Be found by phone or email": "Izan telefonoa edo e-maila erabiliz aurkigarria",
|
||||
"Use bots, bridges, widgets and sticker packs": "Erabili botak, zubiak, trepetak eta eranskailu multzoak",
|
||||
|
@ -742,8 +724,6 @@
|
|||
"Use an identity server to invite by email. <default>Use the default (%(defaultIdentityServerName)s)</default> or manage in <settings>Settings</settings>.": "Erabili identitate-zerbitzari bat e-mail bidez gonbidatzeko. <default>Erabili lehenetsitakoa (%(defaultIdentityServerName)s)</default> edo gehitu bat <settings>Ezarpenak</settings> atalean.",
|
||||
"Use an identity server to invite by email. Manage in <settings>Settings</settings>.": "Erabili identitate-zerbitzari bat e-mail bidez gonbidatzeko. Kudeatu <settings>Ezarpenak</settings> atalean.",
|
||||
"Close dialog": "Itxi elkarrizketa-koadroa",
|
||||
"Please enter a name for the room": "Sartu gelaren izena",
|
||||
"Topic (optional)": "Mintzagaia (aukerakoa)",
|
||||
"Hide advanced": "Ezkutatu aurreratua",
|
||||
"Show advanced": "Erakutsi aurreratua",
|
||||
"To continue you need to accept the terms of this service.": "Jarraitzeko erabilera baldintzak onartu behar dituzu.",
|
||||
|
@ -938,9 +918,6 @@
|
|||
"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.",
|
||||
"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.",
|
||||
"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.",
|
||||
"Create Account": "Sortu kontua",
|
||||
"Cancelling…": "Ezeztatzen…",
|
||||
"Your homeserver does not support cross-signing.": "Zure hasiera-zerbitzariak ez du zeharkako sinatzea onartzen.",
|
||||
"Homeserver feature support:": "Hasiera-zerbitzariaren ezaugarrien euskarria:",
|
||||
|
@ -1026,19 +1003,16 @@
|
|||
"Verification timed out.": "Egiaztaketarako denbora-muga agortu da.",
|
||||
"%(displayName)s cancelled verification.": "%(displayName)s-k egiaztaketa ezeztatu du.",
|
||||
"You cancelled verification.": "Egiaztaketa ezeztatu duzu.",
|
||||
"Enable end-to-end encryption": "Gaitu muturretik-muturrera zifratzea",
|
||||
"Confirm your account deactivation by using Single Sign On to prove your identity.": "Berretsi zure kontua desgaitzea Single sign-on bidez zure identitatea frogatuz.",
|
||||
"Are you sure you want to deactivate your account? This is irreversible.": "Ziur kontua desaktibatu nahi duzula? Ez dago gero atzera egiterik.",
|
||||
"Confirm account deactivation": "Baieztatu kontua desaktibatzea",
|
||||
"Server did not require any authentication": "Zerbitzariak ez du autentifikaziorik eskatu",
|
||||
"Server did not return valid authentication information.": "Zerbitzariak ez du baliozko autentifikazio informaziorik itzuli.",
|
||||
"There was a problem communicating with the server. Please try again.": "Arazo bat egon da zerbitzariarekin komunikatzeko. Saiatu berriro.",
|
||||
"Could not find user in room": "Ezin izan da erabiltzailea gelan aurkitu",
|
||||
"Can't load this message": "Ezin izan da mezu hau kargatu",
|
||||
"Submit logs": "Bidali egunkariak",
|
||||
"Reminder: Your browser is unsupported, so your experience may be unpredictable.": "Oroigarria: Ez dugu zure nabigatzailearentzako euskarririk, ezin da zure esperientzia nolakoa izango den aurreikusi.",
|
||||
"Unable to upload": "Ezin izan da igo",
|
||||
"If you've joined lots of rooms, this might take a while": "Gela askotara elkartu bazara, honek denbora behar lezake",
|
||||
"Unable to query secret storage status": "Ezin izan da biltegi sekretuaren egoera kontsultatu",
|
||||
"Currently indexing: %(currentRoom)s": "Orain indexatzen: %(currentRoom)s",
|
||||
"New login. Was this you?": "Saio berria. Zu izan zara?",
|
||||
|
@ -1058,7 +1032,6 @@
|
|||
"Successfully restored %(sessionCount)s keys": "%(sessionCount)s gako ongi berreskuratuta",
|
||||
"Confirm encryption setup": "Berretsi zifratze ezarpena",
|
||||
"Click the button below to confirm setting up encryption.": "Sakatu azpiko botoia zifratze-ezarpena berresteko.",
|
||||
"Joins room with given address": "Emandako helbidea duen gelara elkartzen da",
|
||||
"Your homeserver has exceeded its user limit.": "Zure hasiera-zerbitzariak erabiltzaile muga gainditu du.",
|
||||
"Your homeserver has exceeded one of its resource limits.": "Zure hasiera-zerbitzariak bere baliabide mugetako bat gainditu du.",
|
||||
"Contact your <a>server admin</a>.": "Jarri kontaktuan <a>zerbitzariaren administratzailearekin</a>.",
|
||||
|
@ -1084,7 +1057,6 @@
|
|||
"Switch to dark mode": "Aldatu modu ilunera",
|
||||
"Switch theme": "Aldatu azala",
|
||||
"All settings": "Ezarpen guztiak",
|
||||
"Feedback": "Iruzkinak",
|
||||
"Use a different passphrase?": "Erabili pasa-esaldi desberdin bat?",
|
||||
"Change notification settings": "Aldatu jakinarazpenen ezarpenak",
|
||||
"Use custom size": "Erabili tamaina pertsonalizatua",
|
||||
|
@ -1157,7 +1129,8 @@
|
|||
"cross_signing": "Zeharkako sinadura",
|
||||
"identity_server": "Identitate zerbitzaria",
|
||||
"integration_manager": "Integrazio-kudeatzailea",
|
||||
"qr_code": "QR kodea"
|
||||
"qr_code": "QR kodea",
|
||||
"feedback": "Iruzkinak"
|
||||
},
|
||||
"action": {
|
||||
"continue": "Jarraitu",
|
||||
|
@ -1381,7 +1354,9 @@
|
|||
"custom_theme_add_button": "Gehitu azala",
|
||||
"font_size": "Letra-tamaina",
|
||||
"timeline_image_size_default": "Lehenetsia"
|
||||
}
|
||||
},
|
||||
"inline_url_previews_room_account": "Gaitu URLen aurrebista gela honetan (zuretzat bakarrik aldatuko duzu)",
|
||||
"inline_url_previews_room": "Gaitu URLen aurrebista lehenetsita gela honetako partaideentzat"
|
||||
},
|
||||
"devtools": {
|
||||
"event_type": "Gertaera mota",
|
||||
|
@ -1395,7 +1370,10 @@
|
|||
},
|
||||
"create_room": {
|
||||
"title_public_room": "Sortu gela publikoa",
|
||||
"title_private_room": "Sortu gela pribatua"
|
||||
"title_private_room": "Sortu gela pribatua",
|
||||
"name_validation_required": "Sartu gelaren izena",
|
||||
"encryption_label": "Gaitu muturretik-muturrera zifratzea",
|
||||
"topic_label": "Mintzagaia (aukerakoa)"
|
||||
},
|
||||
"timeline": {
|
||||
"m.call.invite": {
|
||||
|
@ -1620,7 +1598,11 @@
|
|||
"addwidget_no_permissions": "Ezin dituzu gela honetako trepetak aldatu.",
|
||||
"discardsession": "Uneko irteerako talde saioa zifratutako gela batean baztertzera behartzen du",
|
||||
"query": "Erabiltzailearekin txata irekitzen du",
|
||||
"me": "Ekintza bistaratzen du"
|
||||
"me": "Ekintza bistaratzen du",
|
||||
"join": "Emandako helbidea duen gelara elkartzen da",
|
||||
"failed_find_user": "Ezin izan da erabiltzailea gelan aurkitu",
|
||||
"op": "Zehaztu erabiltzaile baten botere maila",
|
||||
"deop": "Emandako ID-a duen erabiltzailea mailaz jaisten du"
|
||||
},
|
||||
"presence": {
|
||||
"online_for": "Konektatua %(duration)s",
|
||||
|
@ -1706,7 +1688,25 @@
|
|||
"account_clash": "Zure kontu berria (%(newAccountId)s) erregistratuta dago, baina dagoeneko saioa hasi duzu beste kontu batekin (%(loggedInUserId)s).",
|
||||
"account_clash_previous_account": "Jarraitu aurreko kontuarekin",
|
||||
"log_in_new_account": "<a>Hasi saioa</a> zure kontu berrian.",
|
||||
"registration_successful": "Ongi erregistratuta"
|
||||
"registration_successful": "Ongi erregistratuta",
|
||||
"footer_powered_by_matrix": "Matrix-ekin egina",
|
||||
"failed_homeserver_discovery": "Huts egin du hasiera-zerbitzarien bilaketak",
|
||||
"sync_footer_subtitle": "Gela askotara elkartu bazara, honek denbora behar lezake",
|
||||
"unsupported_auth_msisdn": "Zerbitzari honek ez du telefono zenbakia erabiliz autentifikatzea onartzen.",
|
||||
"unsupported_auth_email": "Hasiera-zerbitzari honek ez du e-mail helbidea erabiliz saioa hastea onartzen.",
|
||||
"registration_disabled": "Izen ematea desaktibatuta dago hasiera-zerbitzari honetan.",
|
||||
"failed_query_registration_methods": "Ezin izan da onartutako izen emate metodoei buruz galdetu.",
|
||||
"incorrect_password": "Pasahitz okerra",
|
||||
"failed_soft_logout_auth": "Berriro autentifikatzean huts egin du",
|
||||
"soft_logout_heading": "Saioa amaitu duzu",
|
||||
"forgot_password_email_required": "Zure kontura gehitutako e-mail helbidea sartu behar da.",
|
||||
"forgot_password_prompt": "Pasahitza ahaztuta?",
|
||||
"soft_logout_intro_password": "Sartu zure pasahitza saioa hasteko eta berreskuratu zure kontura sarbidea.",
|
||||
"soft_logout_intro_sso": "Hasi saioa eta berreskuratu zure kontua.",
|
||||
"soft_logout_intro_unsupported_auth": "Ezin duzu zure kontuan saioa hasi. Jarri kontaktuan zure hasiera zerbitzariko administratzailearekin informazio gehiagorako.",
|
||||
"sign_in_or_register": "Hasi saioa edo sortu kontua",
|
||||
"sign_in_or_register_description": "Erabili zure kontua edo sortu berri bat jarraitzeko.",
|
||||
"register_action": "Sortu kontua"
|
||||
},
|
||||
"export_chat": {
|
||||
"messages": "Mezuak"
|
||||
|
|
|
@ -11,7 +11,6 @@
|
|||
"Operation failed": "عملیات انجام نشد",
|
||||
"This Room": "این گپ",
|
||||
"Unavailable": "غیرقابلدسترسی",
|
||||
"powered by Matrix": "قدرتیافته از ماتریکس",
|
||||
"Favourite": "علاقهمندیها",
|
||||
"All Rooms": "همهی گپها",
|
||||
"Source URL": "آدرس مبدا",
|
||||
|
@ -68,7 +67,6 @@
|
|||
"Email": "ایمیل",
|
||||
"Download %(text)s": "دانلود 2%(text)s",
|
||||
"Default": "پیشفرض",
|
||||
"Deops user with given id": "کاربر را با شناسه داده شده از بین می برد",
|
||||
"Decrypt %(text)s": "رمزگشایی %(text)s",
|
||||
"Deactivate Account": "غیرفعال کردن حساب",
|
||||
"Current password": "گذرواژه فعلی",
|
||||
|
@ -139,7 +137,6 @@
|
|||
"The call could not be established": "امکان برقراری تماس وجود ندارد",
|
||||
"Unable to load! Check your network connectivity and try again.": "امکان بارگیری محتوا وجود ندارد! لطفا وضعیت اتصال خود به اینترنت را بررسی کرده و مجددا اقدام نمائید.",
|
||||
"Explore rooms": "جستجو در اتاق ها",
|
||||
"Create Account": "ایجاد حساب کاربری",
|
||||
"Use an identity server": "از سرور هویتسنجی استفاده کنید",
|
||||
"Double check that your server supports the room version chosen and try again.": "بررسی کنید که کارگزار شما از نسخه اتاق انتخابشده پشتیبانی کرده و دوباره امتحان کنید.",
|
||||
"Error upgrading room": "خطا در ارتقاء نسخه اتاق",
|
||||
|
@ -160,8 +157,6 @@
|
|||
"Failed to invite": "دعوت موفقیتآمیز نبود",
|
||||
"Moderator": "معاون",
|
||||
"Restricted": "ممنوع",
|
||||
"Use your account or create a new one to continue.": "برای ادامه کار از حساب کاربری خود استفاده کرده و یا حساب کاربری جدیدی ایجاد کنید.",
|
||||
"Sign In or Create Account": "وارد شوید یا حساب کاربری بسازید",
|
||||
"Zimbabwe": "زیمبابوه",
|
||||
"Zambia": "زامبیا",
|
||||
"Yemen": "یمن",
|
||||
|
@ -420,11 +415,8 @@
|
|||
"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 /> برای تایید آدرس ایمیل یا شماره تماس دارد، اما کارگزار هیچ گونه شرایط خدماتی (terms of service) ندارد.",
|
||||
"Use an identity server to invite by email. Manage in Settings.": "برای دعوت از یک سرور هویتسنجی استفاده نمائید. میتوانید این مورد را در تنظیمات پیکربندی نمائید.",
|
||||
"Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "برای دعوت با استفاده از ایمیل از یک سرور هویتسنجی استفاده نمائید. جهت استفاده از سرور هویتسنجی پیشفرض (%(defaultIdentityServerName)s) بر روی ادامه کلیک کنید، وگرنه آن را در بخش تنظیمات پیکربندی نمائید.",
|
||||
"Joins room with given address": "به اتاق با آدرس دادهشده بپیوندید",
|
||||
"Session already verified!": "نشست پیش از این تائید شدهاست!",
|
||||
"Verifies a user, session, and pubkey tuple": "یک کاربر، نشست و عبارت کلید عمومی را تائید میکند",
|
||||
"Could not find user in room": "کاربر در اتاق پیدا نشد",
|
||||
"Define the power level of a user": "سطح قدرت یک کاربر را تعریف کنید",
|
||||
"You are no longer ignoring %(userId)s": "شما دیگر کاربر %(userId)s را نادیده نمیگیرید",
|
||||
"Unignored user": "کاربران نادیده گرفتهنشده",
|
||||
"You are now ignoring %(userId)s": "شما هماکنون کاربر %(userId)s را نادیده گرفتید",
|
||||
|
@ -433,65 +425,10 @@
|
|||
"Verified key": "کلید تأیید شده",
|
||||
"WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and session %(deviceId)s is \"%(fprint)s\" which does not match the provided key \"%(fingerprint)s\". This could mean your communications are being intercepted!": "هشدار: تایید کلید ناموفق بود! کلید امضا کننده %(userId)s در نشست %(deviceId)s برابر %(fprint)s است که با کلید %(fingerprint)s تطابق ندارد. این می تواند به معنی رهگیری ارتباطات شما باشد!",
|
||||
"Reason": "دلیل",
|
||||
"See when anyone posts a sticker to your active room": "ببینید چه وقتی برچسب به اتاق فعال شما ارسال می شود",
|
||||
"Send stickers to your active room as you": "همانطور که هستید ، برچسب ها را به اتاق فعال خود ارسال کنید",
|
||||
"See when a sticker is posted in this room": "زمان نصب برچسب در این اتاق را ببینید",
|
||||
"Repeats like \"aaa\" are easy to guess": "تکرارهایی مانند بببب به راحتی قابل حدس هستند",
|
||||
"with an empty state key": "با یک کلید حالت خالی",
|
||||
"See when people join, leave, or are invited to this room": "ببینید که کی مردم در این اتاق عضو شده اند، ترک کرده اند یا به آن دعوت شده اند",
|
||||
"Your %(brand)s is misconfigured": "%(brand)sی شما به درستی پیکربندی نشدهاست",
|
||||
"Ensure you have a stable internet connection, or get in touch with the server admin": "از اتصال اینترنت پایدار اطمینان حاصلکرده و سپس با مدیر سرور ارتباط بگیرید",
|
||||
"Cannot reach homeserver": "دسترسی به سرور میسر نیست",
|
||||
"See <b>%(msgtype)s</b> messages posted to your active room": "پیام های <b>%(msgtype)s</b> ارسال شده به اتاق فعال خودتان را مشاهده کنید",
|
||||
"See <b>%(msgtype)s</b> messages posted to this room": "پیام های <b>%(msgtype)s</b> ارسال شده به این اتاق را مشاهده کنید",
|
||||
"Send <b>%(msgtype)s</b> messages as you in your active room": "همانطور که در اتاق فعال خودتان هستید پیام های <b>%(msgtype)s</b> را ارسال کنید",
|
||||
"Send <b>%(msgtype)s</b> messages as you in this room": "همانطور که در این اتاق هستید پیام های <b>%(msgtype)s</b> را ارسال کنید",
|
||||
"See general files posted to your active room": "فایلهای ارسال شده در اتاق فعال خودتان را مشاهده کنید",
|
||||
"See general files posted to this room": "فایلهای ارسال شده در این اتاق را مشاهده کنید",
|
||||
"Send general files as you in your active room": "همانطور که در اتاق فعال خود هستید فایل ارسال کنید",
|
||||
"Send general files as you in this room": "همانطور که در این اتاق هستید فایل ارسال کنید",
|
||||
"See videos posted to your active room": "فیلم های ارسال شده در اتاق فعال خودتان را مشاهده کنید",
|
||||
"See videos posted to this room": "فیلم های ارسال شده در این اتاق را مشاهده کنید",
|
||||
"Send videos as you in your active room": "همانطور که در اتاق فعال خود هستید فیلم ارسال کنید",
|
||||
"Send videos as you in this room": "همانطور که در این اتاق هستید فیلم ارسال کنید",
|
||||
"See images posted to your active room": "تصاویری را که در اتاق فعال خودتان ارسال شدهاند، مشاهده کنید",
|
||||
"See images posted to this room": "تصاویری را که در این اتاق ارسال شدهاند، مشاهده کنید",
|
||||
"Send images as you in your active room": "همانطور که در اتاق فعال خود هستید تصاویر را ارسال کنید",
|
||||
"Send images as you in this room": "همانطور که در این اتاق هستید تصاویر را ارسال کنید",
|
||||
"Send emotes as you in your active room": "همانطور که در اتاق فعال خود هستید شکلکهای خود را ارسال کنید",
|
||||
"Send emotes as you in this room": "همانطور که در این اتاق هستید شکلکهای خود را ارسال کنید",
|
||||
"Send text messages as you in your active room": "همانطور که در اتاق فعال خود هستید پیام های متنی ارسال کنید",
|
||||
"Send text messages as you in this room": "همانطور که در این اتاق هستید پیام های متنی ارسال کنید",
|
||||
"Send messages as you in your active room": "همانطور که در اتاق فعال خود هستید پیام ارسال کنید",
|
||||
"Send messages as you in this room": "همانطور که در این اتاق هستید پیام ارسال کنید",
|
||||
"See emotes posted to your active room": "شکلکهای ارسالشده در اتاق فعال خودتان را مشاهده کنید",
|
||||
"See emotes posted to this room": "شکلکهای ارسالشده در این اتاق را مشاهده کنید",
|
||||
"See text messages posted to your active room": "پیامهای متنی که در اتاق فعال شما ارسال شدهاند را مشاهده کنید",
|
||||
"See text messages posted to this room": "پیامهای متنی که در این گروه ارسال شدهاند را مشاهده کنید",
|
||||
"See messages posted to your active room": "مشاهدهی پیامهایی که در اتاق فعال شما ارسال شدهاند",
|
||||
"See messages posted to this room": "مشاهدهی پیامهایی که در این اتاق ارسال شدهاند",
|
||||
"The <b>%(capability)s</b> capability": "قابلیت <b>%(capability)s</b>",
|
||||
"See <b>%(eventType)s</b> events posted to your active room": "رخدادهای <b>%(eventType)s</b> را که در اتاق فعال شما ارسال شده، مشاهده کنید",
|
||||
"See <b>%(eventType)s</b> events posted to this room": "رخدادهای <b>%(eventType)s</b> را که در این اتاق ارسال شدهاند مشاهده کنید",
|
||||
"with state key %(stateKey)s": "با کلید وضعیت (state key) %(stateKey)s",
|
||||
"Send stickers to this room as you": "با مشخصات کاربری خودتان در این گروه استیکر ارسال نمائید",
|
||||
"See when people join, leave, or are invited to your active room": "هنگامی که افراد به اتاق فعال شما دعوت میشوند، آن را ترک میکنند و لیست افراد دعوت شده به آن را مشاهده کنید",
|
||||
"See when the avatar changes in your active room": "تغییرات نمایهی اتاق فعال خود را مشاهده کنید",
|
||||
"Change the avatar of your active room": "نمایهی اتاق فعال خود را تغییر دهید",
|
||||
"See when the avatar changes in this room": "تغییرات نمایهی این اتاق را مشاهده کنید",
|
||||
"Change the avatar of this room": "نمایهی این اتاق را تغییر دهید",
|
||||
"See when the name changes in your active room": "تغییرات نام اتاق فعال خود را مشاهده کنید",
|
||||
"Change the name of your active room": "نام اتاق فعال خود را تغییر دهید",
|
||||
"See when the name changes in this room": "تغییرات نام این اتاق را مشاهده کنید",
|
||||
"Change the name of this room": "نام این اتاق را تغییر دهید",
|
||||
"See when the topic changes in your active room": "تغییرات عنوان را در اتاق فعال خود مشاهده کنید",
|
||||
"Change the topic of your active room": "عنوان اتاق فعال خود را تغییر دهید",
|
||||
"See when the topic changes in this room": "تغییرات عنوان این اتاق را مشاهده کنید",
|
||||
"Change the topic of this room": "عنوان این اتاق را تغییر دهید",
|
||||
"Change which room, message, or user you're viewing": "اتاق، پیام و کاربرانی را که مشاهده میکنید، تغییر دهید",
|
||||
"Change which room you're viewing": "اتاقهایی را که مشاهده میکنید تغییر دهید",
|
||||
"Send stickers into your active room": "در اتاقهای فعال خود استیکر ارسال کنید",
|
||||
"Send stickers into this room": "در این اتاق استیکر ارسال کنید",
|
||||
"The server has denied your request.": "سرور درخواست شما را رد کرده است.",
|
||||
"Use your Security Key to continue.": "برای ادامه از کلید امنیتی خود استفاده کنید.",
|
||||
"%(creator)s created and configured the room.": "%(creator)s اتاق را ایجاد و پیکربندی کرد.",
|
||||
|
@ -515,8 +452,6 @@
|
|||
"Unable to load backup status": "بارگیری و نمایش وضعیت نسخهی پشتیبان امکانپذیر نیست",
|
||||
"Link to most recent message": "پیوند به آخرین پیام",
|
||||
"Clear Storage and Sign Out": "فضای ذخیرهسازی را پاک کرده و از حساب کاربری خارج شوید",
|
||||
"Unable to validate homeserver": "تأیید اعتبار سرور امکانپذیر نیست",
|
||||
"Sign into your homeserver": "وارد سرور خود شوید",
|
||||
"%(creator)s created this DM.": "%(creator)s این گفتگو را ایجاد کرد.",
|
||||
"The server is offline.": "سرور آفلاین است.",
|
||||
"You're all caught up.": "همهی کارها را انجام دادید.",
|
||||
|
@ -543,7 +478,6 @@
|
|||
"Security Key mismatch": "عدم تطابق کلید امنیتی",
|
||||
"Invalid Security Key": "کلید امنیتی نامعتبر است",
|
||||
"Wrong Security Key": "کلید امنیتی اشتباه است",
|
||||
"Specify a homeserver": "یک سرور مشخص کنید",
|
||||
"Continuing without email": "ادامه بدون ایمیل",
|
||||
"Approve widget permissions": "دسترسیهای ابزارک را تائید کنید",
|
||||
"Server isn't responding": "سرور پاسخ نمی دهد",
|
||||
|
@ -569,9 +503,6 @@
|
|||
"Save Changes": "ذخیره تغییرات",
|
||||
"Leave Space": "ترک فضای کاری",
|
||||
"Remember this": "این را به یاد داشته باش",
|
||||
"Invalid URL": "آدرس URL نامعتبر",
|
||||
"About homeservers": "درباره سرورها",
|
||||
"Other homeserver": "سرور دیگر",
|
||||
"Decline All": "رد کردن همه",
|
||||
"Modal Widget": "ابزارک کمکی",
|
||||
"Updating %(brand)s": "بهروزرسانی %(brand)s",
|
||||
|
@ -617,21 +548,13 @@
|
|||
"Verifying this user will mark their session as trusted, and also mark your session as trusted to them.": "با تأیید این کاربر ، نشست وی به عنوان مورد اعتماد علامتگذاری شده و همچنین نشست شما به عنوان مورد اعتماد برای وی علامتگذاری خواهد شد.",
|
||||
"Verify this user to mark them as trusted. Trusting users gives you extra peace of mind when using end-to-end encrypted messages.": "این کاربر را تأیید کنید تا به عنوان کاربر مورد اعتماد علامتگذاری شود. اعتماد به کاربران آرامش و اطمینان بیشتری به شما در استفاده از رمزنگاری سرتاسر میدهد.",
|
||||
"Terms of Service": "شرایط استفاده از خدمات",
|
||||
"Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.": "لطفاً ابتدا اشکالات موجود را در <existingIssuesLink>گیتهاب برنامه</existingIssuesLink> را مشاهده کنید. با اشکال شما مطابقتی وجود ندارد؟<newIssueLink> مورد جدیدی را ثبت کنید</newIssueLink>.",
|
||||
"PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "نکتهای برای کاربران حرفهای: اگر به مشکل نرمافزاری در برنامه برخورد کردید، لطفاً <debugLogsLink>لاگهای مشکل</debugLogsLink> را ارسال کنید تا به ما در ردیابی و رفع آن کمک کند.",
|
||||
"Comment": "نظر",
|
||||
"Feedback sent": "بازخورد ارسال شد",
|
||||
"Search names and descriptions": "جستجوی نامها و توضیحات",
|
||||
"Failed to create initial space rooms": "ایجاد اتاقهای اولیه در فضای کاری موفق نبود",
|
||||
"What do you want to organise?": "چه چیزی را میخواهید سازماندهی کنید؟",
|
||||
"You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "اگر اتاق فقط برای همکاری با تیم های داخلی در سرور خانه شما استفاده شود ، ممکن است این قابلیت را فعال کنید. این بعدا نمی تواند تغییر کند.",
|
||||
"Enable end-to-end encryption": "فعال کردن رمزنگاری سرتاسر",
|
||||
"Pick rooms or conversations to add. This is just a space for you, no one will be informed. You can add more later.": "گفتگوهای خصوصی یا اتاقهایی را برای افزودن انتخاب کنید. این فقط یک فضای کاری برای شماست، هیچ کس از وجود آن مطلع نخواهد شد. میتوانید موارد بیشتری را بعدا اضافه کنید.",
|
||||
"Your server requires encryption to be enabled in private rooms.": "سرور شما به گونهای تنظیم شدهاست که فعال بودن رمزنگاری سرتاسر در اتاقهای خصوصی اجباری میباشد.",
|
||||
"Share %(name)s": "به اشتراکگذاری %(name)s",
|
||||
"It's just you at the moment, it will be even better with others.": "در حال حاضر فقط شما حضور دارید ، با دیگران حتی بهتر هم خواهد بود.",
|
||||
"Go to my first room": "برو به اتاق اول من",
|
||||
"Please enter a name for the room": "لطفاً نامی برای اتاق وارد کنید",
|
||||
"Clear all data": "پاک کردن همه داده ها",
|
||||
"Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "پاک کردن همه داده های این جلسه غیرقابل بازگشت است. پیامهای رمزگذاری شده از بین میروند مگر اینکه از کلیدهای آنها پشتیبان تهیه شده باشد.",
|
||||
"Clear all data in this session?": "همه دادههای این نشست پاک شود؟",
|
||||
|
@ -665,19 +588,13 @@
|
|||
"Uploading %(filename)s": "در حال بارگذاری %(filename)s",
|
||||
"Reminder: Your browser is unsupported, so your experience may be unpredictable.": "یادآوری: مرورگر شما پشتیبانی نمی شود ، بنابراین ممکن است تجربه شما غیرقابل پیش بینی باشد.",
|
||||
"Preparing to download logs": "در حال آماده سازی برای بارگیری گزارش ها",
|
||||
"Got an account? <a>Sign in</a>": "حساب کاربری دارید؟ <a>وارد شوید</a>",
|
||||
"Failed to send logs: ": "ارسال گزارش با خطا مواجه شد: ",
|
||||
"New here? <a>Create an account</a>": "تازه وارد هستید؟ <a>یک حساب کاربری ایجاد کنید</a>",
|
||||
"Thank you!": "با سپاس!",
|
||||
"The email address linked to your account must be entered.": "آدرس ایمیلی که به حساب کاربری شما متصل است، باید وارد شود.",
|
||||
"Logs sent": "گزارشهای مربوط ارسال شد",
|
||||
"Preparing to send logs": "در حال آماده سازی برای ارسال گزارش ها",
|
||||
"Please tell us what went wrong or, better, create a GitHub issue that describes the problem.": "لطفاً به ما بگویید چه مشکلی پیش آمد و یا اینکه لطف کنید و یک مسئله GitHub ایجاد کنید که مشکل را توصیف کند.",
|
||||
"Send feedback": "ارسال بازخورد",
|
||||
"You may contact me if you have any follow up questions": "در صورت داشتن هرگونه سوال پیگیری ممکن است با من تماس بگیرید",
|
||||
"Feedback": "بازخورد",
|
||||
"To leave the beta, visit your settings.": "برای خروج از بتا به بخش تنظیمات مراجعه کنید.",
|
||||
"Your platform and username will be noted to help us use your feedback as much as we can.": "سیستمعامل و نام کاربری شما ثبت خواهد شد تا به ما کمک کند تا جایی که می توانیم از نظرات شما استفاده کنیم.",
|
||||
"Close dialog": "بستن گفتگو",
|
||||
"Invite anyway": "به هر حال دعوت کن",
|
||||
"Invite anyway and never warn me again": "به هر حال دعوت کن و دیگر هرگز به من هشدار نده",
|
||||
|
@ -695,7 +612,6 @@
|
|||
"Wrong file type": "نوع فایل اشتباه است",
|
||||
"Confirm encryption setup": "راهاندازی رمزگذاری را تأیید کنید",
|
||||
"General failure": "خطای عمومی",
|
||||
"This homeserver does not support login using email address.": "این سرور از ورود با استفاده از آدرس ایمیل پشتیبانی نمی کند.",
|
||||
"Please <a>contact your service administrator</a> to continue using this service.": "لطفاً برای ادامه استفاده از این سرویس <a> با مدیر سرور خود تماس بگیرید </a>.",
|
||||
"Create a new room": "ایجاد اتاق جدید",
|
||||
"This account has been deactivated.": "این حساب غیر فعال شده است.",
|
||||
|
@ -718,15 +634,12 @@
|
|||
"Can't find this server or its room list": "این سرور و یا لیست اتاقهای آن پیدا نمی شود",
|
||||
"You are not allowed to view this server's rooms list": "شما مجاز به مشاهده لیست اتاقهای این سرور نمیباشید",
|
||||
"Looks good": "به نظر خوب میاد",
|
||||
"Unable to query for supported registration methods.": "درخواست از روشهای پشتیبانیشدهی ثبتنام میسر نیست.",
|
||||
"Enter a server name": "نام سرور را وارد کنید",
|
||||
"And %(count)s more...": {
|
||||
"other": "و %(count)s مورد بیشتر ..."
|
||||
},
|
||||
"This server does not support authentication with a phone number.": "این سرور از قابلیت احراز با شماره تلفن پشتیبانی نمی کند.",
|
||||
"Join millions for free on the largest public server": "به بزرگترین سرور عمومی با میلیون ها نفر کاربر بپیوندید",
|
||||
"Failed to re-authenticate due to a homeserver problem": "به دلیل مشکلی که در سرور وجود دارد ، احراز هویت مجدد انجام نشد",
|
||||
"You cannot sign in to your account. Please contact your homeserver admin for more information.": "نمی توانید وارد حساب کاربری خود شوید. لطفا برای اطلاعات بیشتر با مدیر سرور خود تماس بگیرید.",
|
||||
"Server Options": "گزینه های سرور",
|
||||
"This address is already in use": "این آدرس قبلاً استفاده شدهاست",
|
||||
"This address is available to use": "این آدرس برای استفاده در دسترس است",
|
||||
|
@ -770,9 +683,6 @@
|
|||
"Incompatible Database": "پایگاه داده ناسازگار",
|
||||
"You've previously used a newer version of %(brand)s with this session. To use this version again with end to end encryption, you will need to sign out and back in again.": "شما قبلاً با این نشست از نسخه جدیدتر %(brand)s استفاده کردهاید. برای استفاده مجدد از این نسخه با قابلیت رمزنگاری سرتاسر ، باید از حسابتان خارج شده و دوباره وارد برنامه شوید.",
|
||||
"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": "برای جلوگیری از دست دادن تاریخچهی گفتگوی خود باید قبل از ورود به برنامه ، کلیدهای اتاق خود را استخراج (Export) کنید. برای این کار باید از نسخه جدیدتر %(brand)s استفاده کنید",
|
||||
"Block anyone not part of %(serverName)s from ever joining this room.": "از عضوشدن کاربرانی در این اتاق که حساب آنها متعلق به سرور %(serverName)s است، جلوگیری کن.",
|
||||
"Topic (optional)": "موضوع (اختیاری)",
|
||||
"You might disable this if the room will be used for collaborating with external teams who have their own homeserver. This cannot be changed later.": "اگر از اتاق برای همکاری با تیم های خارجی که سرور خود را دارند استفاده شود ، ممکن است این را غیرفعال کنید. این نمیتواند بعدا تغییر کند.",
|
||||
"You can't send any messages until you review and agree to <consentLink>our terms and conditions</consentLink>.": "تا زمانی که <consentLink>شرایط و ضوابط سرویس ما</consentLink> را مطالعه و با آن موافقت نکنید، نمی توانید هیچ پیامی ارسال کنید.",
|
||||
"Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please <a>contact your service administrator</a> to continue using the service.": "پیام شما ارسال نشد زیرا این سرور به محدودیت تعداد کاربر فعال ماهانهی خود رسیده است. لطفاً برای ادامه استفاده از سرویس <a> با مدیر سرور خود تماس بگیرید </a>.",
|
||||
"Your message wasn't sent because this homeserver has exceeded a resource limit. Please <a>contact your service administrator</a> to continue using the service.": "پیام شما ارسال نشد زیرا این سرور از محدودیت منابع فراتر رفته است. لطفاً برای ادامه استفاده از سرویس <a> با مدیر سرور خود تماس بگیرید </a>.",
|
||||
|
@ -886,7 +796,6 @@
|
|||
"In encrypted rooms, your messages are secured and only you and the recipient have the unique keys to unlock them.": "در اتاقهای رمزگذاری شده، پیامهای شما امن هستند و فقط شما و گیرنده کلیدهای منحصر به فرد برای باز کردن قفل آنها را دارید.",
|
||||
"Messages in this room are not end-to-end encrypted.": "پیام های موجود در این اتاق به صورت سرتاسر رمزگذاری نشدهاند.",
|
||||
"Your messages are secured and only you and the recipient have the unique keys to unlock them.": "پیامهای شما امن هستند و فقط شما و گیرنده کلیدهای منحصر به فرد برای باز کردن قفل آنها را دارید.",
|
||||
"Failed to perform homeserver discovery": "جستجوی سرور با موفقیت انجام نشد",
|
||||
"Direct Messages": "پیام مستقیم",
|
||||
"Messages in this room are end-to-end encrypted.": "پیامهای موجود در این اتاق به صورت سرتاسر رمزگذاری شدهاند.",
|
||||
"Start Verification": "شروع تایید هویت",
|
||||
|
@ -1034,7 +943,6 @@
|
|||
"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.": "اگر متد بازیابی را حذف نکردهاید، ممکن است حملهکنندهای سعی در دسترسی به حسابکاربری شما داشته باشد. گذرواژه حساب کاربری خود را تغییر داده و فورا یک روش بازیابی را از بخش تنظیمات خود تنظیم کنید.",
|
||||
"Message downloading sleep time(ms)": "زمان خواب بارگیری پیام (ms)",
|
||||
"Something went wrong!": "مشکلی پیش آمد!",
|
||||
"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.": "مدیر سرور شما قابلیت رمزنگاری سرتاسر برای اتاقها و گفتگوهای خصوصی را به صورت پیشفرض غیرفعال کردهاست.",
|
||||
"To link to this room, please add an address.": "برای لینک دادن به این اتاق، لطفا یک نشانی برای آن اضافه کنید.",
|
||||
"Can't load this message": "بارگیری این پیام امکان پذیر نیست",
|
||||
|
@ -1074,7 +982,6 @@
|
|||
"Common names and surnames are easy to guess": "نام و نام خانوادگیهای متداول به راحتی قابل حدس زدن هستند",
|
||||
"Names and surnames by themselves are easy to guess": "به راحتی می توان نام و نام خانوادگی را حدس زد",
|
||||
"Predictable substitutions like '@' instead of 'a' don't help very much": "جایگزینهای قابل پیش بینی مانند '@' به جای 'a' کمک زیادی نمی کند",
|
||||
"Send <b>%(eventType)s</b> events as you in your active room": "رویدادهای <b>%(eventType)s</b> هنگامی که در اتاق فعال خود هستید ارسال شود",
|
||||
"Unrecognised command: %(commandText)s": "دستور نامفهوم: %(commandText)s",
|
||||
"Unknown Command": "دستور ناشناس",
|
||||
"Server unavailable, overloaded, or something else went wrong.": "سرور در دسترس نیست، یا حجم بار روی آن زیاد شده و یا خطای دیگری رخ داده است.",
|
||||
|
@ -1348,19 +1255,14 @@
|
|||
"Enable message search in encrypted rooms": "فعالسازی قابلیت جستجو در اتاقهای رمزشده",
|
||||
"Show hidden events in timeline": "نمایش رخدادهای مخفی در گفتگوها",
|
||||
"Enable widget screenshots on supported widgets": "فعالسازی امکان اسکرینشات برای ویجتهای پشتیبانیشده",
|
||||
"Enable URL previews by default for participants in this room": "امکان پیشنمایش URL را به صورت پیشفرض برای اعضای این اتاق فعال کن",
|
||||
"Enable URL previews for this room (only affects you)": "فعالسازی پیشنمایش URL برای این اتاق (تنها شما را تحت تاثیر قرار میدهد)",
|
||||
"Never send encrypted messages to unverified sessions in this room from this session": "هرگز از این نشست، پیامهای رمزشده برای به نشستهای تائید نشده در این اتاق ارسال مکن",
|
||||
"Never send encrypted messages to unverified sessions from this session": "هرگز از این نشست، پیامهای رمزشده را به نشستهای تائید نشده ارسال مکن",
|
||||
"Send analytics data": "ارسال دادههای تجزیه و تحلیلی",
|
||||
"Mirror local video feed": "تصویر خودتان را هنگام تماس تصویری برعکس (مثل آینه) نمایش بده",
|
||||
"Space used:": "فضای مصرفی:",
|
||||
"Indexed messages:": "پیامهای ایندکسشده:",
|
||||
"Send <b>%(eventType)s</b> events as you in this room": "رویدادهای <b>%(eventType)s</b> هنگامی که داخل این اتاق هستید ارسال شود",
|
||||
"Indexed rooms:": "اتاقهای ایندکسشده:",
|
||||
"%(doneRooms)s out of %(totalRooms)s": "%(doneRooms)s از %(totalRooms)s",
|
||||
"Remain on your screen while running": "بر روی صفحه خود باقی بمانید",
|
||||
"Remain on your screen when viewing another room, when running": "هنگام مشاهده اتاق دیگر، روی صفحه خود باشید",
|
||||
"This event could not be displayed": "امکان نمایش این رخداد وجود ندارد",
|
||||
"Edit message": "ویرایش پیام",
|
||||
"Send as message": "ارسال به عنوان پیام",
|
||||
|
@ -1408,16 +1310,8 @@
|
|||
"Ask your %(brand)s admin to check <a>your config</a> for incorrect or duplicate entries.": "از مدیر %(brand)s خود بخواهید تا <a>پیکربندی شما</a> را از جهت ورودیهای نادرست یا تکراری بررسی کند.",
|
||||
"Users": "کاربران",
|
||||
"Clear personal data": "پاککردن دادههای شخصی",
|
||||
"You're signed out": "شما خارج شدید",
|
||||
"Sign in and regain access to your account.": "وارد شوید و به حساب کاربری خود دسترسی داشته باشید.",
|
||||
"Forgotten your password?": "گذرواژهی خود را فراموش کردید؟",
|
||||
"Enter your password to sign in and regain access to your account.": "جهت ورود مجدد به حساب کاربری و دسترسی به منوی کاربری، گذرواژهی خود را وارد نمائید.",
|
||||
"Failed to re-authenticate": "احراز هویت مجدد موفیتآمیز نبود",
|
||||
"Incorrect password": "گذرواژه صحیح نیست",
|
||||
"Verify your identity to access encrypted messages and prove your identity to others.": "با تائید هویت خود به پیامهای رمزشده دسترسی یافته و هویت خود را به دیگران ثابت میکنید.",
|
||||
"Create account": "ساختن حساب کاربری",
|
||||
"Registration has been disabled on this homeserver.": "ثبتنام بر روی این سرور غیرفعال شدهاست.",
|
||||
"New? <a>Create account</a>": "کاربر جدید هستید؟ <a>حساب کاربری بسازید</a>",
|
||||
"Return to login screen": "بازگشت به صفحهی ورود",
|
||||
"Your password has been reset.": "گذرواژهی شما با موفقیت تغییر کرد.",
|
||||
"New Password": "گذرواژه جدید",
|
||||
|
@ -1687,7 +1581,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 استفاده کردهاید ، نشست شما ممکن است با این نسخه ناسازگار باشد. این پنجره را بسته و به نسخه جدیدتر برگردید.",
|
||||
"We encountered an error trying to restore your previous session.": "هنگام تلاش برای بازیابی نشست قبلی شما، با خطایی روبرو شدیم.",
|
||||
"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.": "از یک سرور مبتنی بر پروتکل ماتریکس که ترجیح میدهید استفاده کرده، و یا از سرور شخصی خودتان استفاده کنید.",
|
||||
"Recent changes that have not yet been received": "تغییرات اخیری که هنوز دریافت نشدهاند",
|
||||
"The server is not configured to indicate what the problem is (CORS).": "سرور طوری پیکربندی نشده تا نشان دهد مشکل چیست (CORS).",
|
||||
"A connection error occurred while trying to contact the server.": "هنگام تلاش برای اتصال به سرور خطایی رخ داده است.",
|
||||
|
@ -1753,10 +1646,7 @@
|
|||
"You cannot place calls without a connection to the server.": "شما نمی توانید بدون اتصال به سرور تماس برقرار کنید.",
|
||||
"Connectivity to the server has been lost": "اتصال با سرور قطع شده است",
|
||||
"Unrecognised room address: %(roomAlias)s": "نشانی اتاق %(roomAlias)s شناسایی نشد",
|
||||
"Command error: Unable to handle slash command.": "خطای دستور: ناتوانی در اجرای دستور اسلش.",
|
||||
"%(space1Name)s and %(space2Name)s": "%(space1Name)s و %(space2Name)s",
|
||||
"Command failed: Unable to find room (%(roomId)s": "دستور با خطا روبرو شد: اتاق %(roomId)s پیدا نشد",
|
||||
"Command error: Unable to find rendering type (%(renderingType)s)": "خطای دستوری: نوع نمایش (%(renderingType)s ) یافت نشد",
|
||||
"Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "دوتایی (کاربر و نشست) ناشناخته : ( %(userId)sو%(deviceId)s )",
|
||||
"Failed to invite users to %(roomName)s": "افزودن کاربران به %(roomName)s با شکست روبرو شد",
|
||||
"Inviting %(user)s and %(count)s others": {
|
||||
|
@ -1839,10 +1729,6 @@
|
|||
"You don't have the required permissions to start a voice broadcast in this room. Contact a room administrator to upgrade your permissions.": "شما دسترسی لازم برای ارسال صدای جمعی در این اتاق را ندارید. لطفا با مدیر اتاق تماس بگیرید.",
|
||||
"You are already recording a voice broadcast. Please end your current voice broadcast to start a new one.": "شما در حال ضبط یک صدا برای ارسال جمعی هستید. برای تولید یک صدای جمعی دیگر ضبط فعلی را متوقف نمایید.",
|
||||
"Can't start a new voice broadcast": "امکان ارسال یک صدای جدید به صورت جمعی نیست",
|
||||
"The above, but in <Room /> as well": "در بالا،همچنین در این <Room /> هم",
|
||||
"The above, but in any room you are joined or invited to as well": "در بالا، اما نه در اتاقی که به آن وارد شده و یا دعوت شدید",
|
||||
"Remove, ban, or invite people to your active room, and make you leave": "حذف کردن،محدود کردن و یا دعوت از افراد به این اتاق فعال و سپس ترک آن",
|
||||
"Remove, ban, or invite people to this room, and make you leave": "حذف کردن،محدود کردن و یا دعوت کردن افراد به این اتاق و ترک این اتاق",
|
||||
"Light high contrast": "بالاترین کنتراست قالب روشن",
|
||||
"Inviting %(user1)s and %(user2)s": "دعوت کردن %(user1)s و %(user2)s",
|
||||
"User is not logged in": "کاربر وارد نشده است",
|
||||
|
@ -1857,7 +1743,6 @@
|
|||
"Closed poll": "نظرسنجی بسته",
|
||||
"Cannot invite user by email without an identity server. You can connect to one under \"Settings\".": "بدون سرور احراز هویت نمی توان کاربر را از طریق ایمیل دعوت کرد. می توانید در قسمت «تنظیمات» به یکی متصل شوید.",
|
||||
"Sorry, the poll you tried to create was not posted.": "با عرض پوزش، نظرسنجی که سعی کردید ایجاد کنید پست نشد.",
|
||||
"Use your account to continue.": "برای ادامه از حساب خود استفاده کنید.",
|
||||
"Open poll": "باز کردن نظرسنجی",
|
||||
"Identity server not set": "سرور هویت تنظیم نشده است",
|
||||
"Alternatively, you can try to use the public server at <server/>, but this will not be as reliable, and it will share your IP address with that server. You can also manage this in Settings.": "از طرف دیگر، میتوانید سعی کنید از سرور عمومی در <server/> استفاده کنید، اما این به آن اندازه قابل اعتماد نخواهد بود و آدرس IP شما را با آن سرور به اشتراک میگذارد. شما همچنین می توانید این قابلیت را در تنظیمات مدیریت کنید.",
|
||||
|
@ -1932,7 +1817,8 @@
|
|||
"cross_signing": "امضاء متقابل",
|
||||
"identity_server": "کارساز هویت",
|
||||
"integration_manager": "مدیر یکپارچگی",
|
||||
"qr_code": "کد QR"
|
||||
"qr_code": "کد QR",
|
||||
"feedback": "بازخورد"
|
||||
},
|
||||
"action": {
|
||||
"continue": "ادامه",
|
||||
|
@ -2239,7 +2125,9 @@
|
|||
"font_size": "اندازه فونت",
|
||||
"custom_font_description": "نام فونتی که بر روی سیستمتان نصب است را وارد کرده و %(brand)s سعی میکند از آن استفاده کند.",
|
||||
"timeline_image_size_default": "پیشفرض"
|
||||
}
|
||||
},
|
||||
"inline_url_previews_room_account": "فعالسازی پیشنمایش URL برای این اتاق (تنها شما را تحت تاثیر قرار میدهد)",
|
||||
"inline_url_previews_room": "امکان پیشنمایش URL را به صورت پیشفرض برای اعضای این اتاق فعال کن"
|
||||
},
|
||||
"devtools": {
|
||||
"event_type": "نوع رخداد",
|
||||
|
@ -2290,7 +2178,14 @@
|
|||
},
|
||||
"create_room": {
|
||||
"title_public_room": "ساختن اتاق عمومی",
|
||||
"title_private_room": "ساختن اتاق خصوصی"
|
||||
"title_private_room": "ساختن اتاق خصوصی",
|
||||
"name_validation_required": "لطفاً نامی برای اتاق وارد کنید",
|
||||
"encryption_forced": "سرور شما به گونهای تنظیم شدهاست که فعال بودن رمزنگاری سرتاسر در اتاقهای خصوصی اجباری میباشد.",
|
||||
"encryption_label": "فعال کردن رمزنگاری سرتاسر",
|
||||
"unfederated_label_default_off": "اگر اتاق فقط برای همکاری با تیم های داخلی در سرور خانه شما استفاده شود ، ممکن است این قابلیت را فعال کنید. این بعدا نمی تواند تغییر کند.",
|
||||
"unfederated_label_default_on": "اگر از اتاق برای همکاری با تیم های خارجی که سرور خود را دارند استفاده شود ، ممکن است این را غیرفعال کنید. این نمیتواند بعدا تغییر کند.",
|
||||
"topic_label": "موضوع (اختیاری)",
|
||||
"unfederated": "از عضوشدن کاربرانی در این اتاق که حساب آنها متعلق به سرور %(serverName)s است، جلوگیری کن."
|
||||
},
|
||||
"timeline": {
|
||||
"m.call": {
|
||||
|
@ -2576,7 +2471,14 @@
|
|||
"holdcall": "تماس را در اتاق فعلی در حالت تعلیق قرار می دهد",
|
||||
"no_active_call": "تماس فعالی در این اتفاق وجود ندارد",
|
||||
"unholdcall": "تماس را در اتاق فعلی خاموش نگه می دارد",
|
||||
"me": "عملکرد را نمایش می دهد"
|
||||
"me": "عملکرد را نمایش می دهد",
|
||||
"error_invalid_runfn": "خطای دستور: ناتوانی در اجرای دستور اسلش.",
|
||||
"error_invalid_rendering_type": "خطای دستوری: نوع نمایش (%(renderingType)s ) یافت نشد",
|
||||
"join": "به اتاق با آدرس دادهشده بپیوندید",
|
||||
"failed_find_room": "دستور با خطا روبرو شد: اتاق %(roomId)s پیدا نشد",
|
||||
"failed_find_user": "کاربر در اتاق پیدا نشد",
|
||||
"op": "سطح قدرت یک کاربر را تعریف کنید",
|
||||
"deop": "کاربر را با شناسه داده شده از بین می برد"
|
||||
},
|
||||
"presence": {
|
||||
"online_for": "آنلاین برای مدت %(duration)s",
|
||||
|
@ -2717,8 +2619,35 @@
|
|||
"account_clash_previous_account": "با حساب کاربری قبلی ادامه دهید",
|
||||
"log_in_new_account": "به حساب کاربری جدید خود <a>وارد شوید</a>.",
|
||||
"registration_successful": "ثبتنام موفقیتآمیز بود",
|
||||
"server_picker_title": "ساختن حساب کاربری بر روی",
|
||||
"server_picker_dialog_title": "حساب کاربری شما بر روی کجا ساخته شود"
|
||||
"server_picker_title": "وارد سرور خود شوید",
|
||||
"server_picker_dialog_title": "حساب کاربری شما بر روی کجا ساخته شود",
|
||||
"footer_powered_by_matrix": "قدرتیافته از ماتریکس",
|
||||
"failed_homeserver_discovery": "جستجوی سرور با موفقیت انجام نشد",
|
||||
"sync_footer_subtitle": "اگر عضو اتاقهای بسیار زیادی هستید، ممکن است این فرآیند مقدای به طول بیانجامد",
|
||||
"unsupported_auth_msisdn": "این سرور از قابلیت احراز با شماره تلفن پشتیبانی نمی کند.",
|
||||
"unsupported_auth_email": "این سرور از ورود با استفاده از آدرس ایمیل پشتیبانی نمی کند.",
|
||||
"registration_disabled": "ثبتنام بر روی این سرور غیرفعال شدهاست.",
|
||||
"failed_query_registration_methods": "درخواست از روشهای پشتیبانیشدهی ثبتنام میسر نیست.",
|
||||
"incorrect_password": "گذرواژه صحیح نیست",
|
||||
"failed_soft_logout_auth": "احراز هویت مجدد موفیتآمیز نبود",
|
||||
"soft_logout_heading": "شما خارج شدید",
|
||||
"forgot_password_email_required": "آدرس ایمیلی که به حساب کاربری شما متصل است، باید وارد شود.",
|
||||
"sign_in_prompt": "حساب کاربری دارید؟ <a>وارد شوید</a>",
|
||||
"forgot_password_prompt": "گذرواژهی خود را فراموش کردید؟",
|
||||
"soft_logout_intro_password": "جهت ورود مجدد به حساب کاربری و دسترسی به منوی کاربری، گذرواژهی خود را وارد نمائید.",
|
||||
"soft_logout_intro_sso": "وارد شوید و به حساب کاربری خود دسترسی داشته باشید.",
|
||||
"soft_logout_intro_unsupported_auth": "نمی توانید وارد حساب کاربری خود شوید. لطفا برای اطلاعات بیشتر با مدیر سرور خود تماس بگیرید.",
|
||||
"create_account_prompt": "تازه وارد هستید؟ <a>یک حساب کاربری ایجاد کنید</a>",
|
||||
"sign_in_or_register": "وارد شوید یا حساب کاربری بسازید",
|
||||
"sign_in_or_register_description": "برای ادامه کار از حساب کاربری خود استفاده کرده و یا حساب کاربری جدیدی ایجاد کنید.",
|
||||
"sign_in_description": "برای ادامه از حساب خود استفاده کنید.",
|
||||
"register_action": "ایجاد حساب کاربری",
|
||||
"server_picker_failed_validate_homeserver": "تأیید اعتبار سرور امکانپذیر نیست",
|
||||
"server_picker_invalid_url": "آدرس URL نامعتبر",
|
||||
"server_picker_required": "یک سرور مشخص کنید",
|
||||
"server_picker_custom": "سرور دیگر",
|
||||
"server_picker_explainer": "از یک سرور مبتنی بر پروتکل ماتریکس که ترجیح میدهید استفاده کرده، و یا از سرور شخصی خودتان استفاده کنید.",
|
||||
"server_picker_learn_more": "درباره سرورها"
|
||||
},
|
||||
"room_list": {
|
||||
"sort_unread_first": "ابتدا اتاق های با پیام خوانده نشده را نمایش بده",
|
||||
|
@ -2760,5 +2689,80 @@
|
|||
"access_token_detail": "توکن دسترسی شما، دسترسی کامل به حساب کاربری شما را میسر میسازد. لطفا آن را در اختیار فرد دیگری قرار ندهید.",
|
||||
"clear_cache_reload": "پاککردن حافظهی کش و راهاندازی مجدد"
|
||||
}
|
||||
},
|
||||
"widget": {
|
||||
"capability": {
|
||||
"send_stickers_this_room": "در این اتاق استیکر ارسال کنید",
|
||||
"send_stickers_active_room": "در اتاقهای فعال خود استیکر ارسال کنید",
|
||||
"send_stickers_this_room_as_you": "با مشخصات کاربری خودتان در این گروه استیکر ارسال نمائید",
|
||||
"send_stickers_active_room_as_you": "همانطور که هستید ، برچسب ها را به اتاق فعال خود ارسال کنید",
|
||||
"see_sticker_posted_this_room": "زمان نصب برچسب در این اتاق را ببینید",
|
||||
"see_sticker_posted_active_room": "ببینید چه وقتی برچسب به اتاق فعال شما ارسال می شود",
|
||||
"always_on_screen_viewing_another_room": "هنگام مشاهده اتاق دیگر، روی صفحه خود باشید",
|
||||
"always_on_screen_generic": "بر روی صفحه خود باقی بمانید",
|
||||
"switch_room": "اتاقهایی را که مشاهده میکنید تغییر دهید",
|
||||
"switch_room_message_user": "اتاق، پیام و کاربرانی را که مشاهده میکنید، تغییر دهید",
|
||||
"change_topic_this_room": "عنوان این اتاق را تغییر دهید",
|
||||
"see_topic_change_this_room": "تغییرات عنوان این اتاق را مشاهده کنید",
|
||||
"change_topic_active_room": "عنوان اتاق فعال خود را تغییر دهید",
|
||||
"see_topic_change_active_room": "تغییرات عنوان را در اتاق فعال خود مشاهده کنید",
|
||||
"change_name_this_room": "نام این اتاق را تغییر دهید",
|
||||
"see_name_change_this_room": "تغییرات نام این اتاق را مشاهده کنید",
|
||||
"change_name_active_room": "نام اتاق فعال خود را تغییر دهید",
|
||||
"see_name_change_active_room": "تغییرات نام اتاق فعال خود را مشاهده کنید",
|
||||
"change_avatar_this_room": "نمایهی این اتاق را تغییر دهید",
|
||||
"see_avatar_change_this_room": "تغییرات نمایهی این اتاق را مشاهده کنید",
|
||||
"change_avatar_active_room": "نمایهی اتاق فعال خود را تغییر دهید",
|
||||
"see_avatar_change_active_room": "تغییرات نمایهی اتاق فعال خود را مشاهده کنید",
|
||||
"remove_ban_invite_leave_this_room": "حذف کردن،محدود کردن و یا دعوت کردن افراد به این اتاق و ترک این اتاق",
|
||||
"receive_membership_this_room": "ببینید که کی مردم در این اتاق عضو شده اند، ترک کرده اند یا به آن دعوت شده اند",
|
||||
"remove_ban_invite_leave_active_room": "حذف کردن،محدود کردن و یا دعوت از افراد به این اتاق فعال و سپس ترک آن",
|
||||
"receive_membership_active_room": "هنگامی که افراد به اتاق فعال شما دعوت میشوند، آن را ترک میکنند و لیست افراد دعوت شده به آن را مشاهده کنید",
|
||||
"byline_empty_state_key": "با یک کلید حالت خالی",
|
||||
"byline_state_key": "با کلید وضعیت (state key) %(stateKey)s",
|
||||
"any_room": "در بالا، اما نه در اتاقی که به آن وارد شده و یا دعوت شدید",
|
||||
"specific_room": "در بالا،همچنین در این <Room /> هم",
|
||||
"send_event_type_this_room": "رویدادهای <b>%(eventType)s</b> هنگامی که داخل این اتاق هستید ارسال شود",
|
||||
"see_event_type_sent_this_room": "رخدادهای <b>%(eventType)s</b> را که در این اتاق ارسال شدهاند مشاهده کنید",
|
||||
"send_event_type_active_room": "رویدادهای <b>%(eventType)s</b> هنگامی که در اتاق فعال خود هستید ارسال شود",
|
||||
"see_event_type_sent_active_room": "رخدادهای <b>%(eventType)s</b> را که در اتاق فعال شما ارسال شده، مشاهده کنید",
|
||||
"capability": "قابلیت <b>%(capability)s</b>",
|
||||
"send_messages_this_room": "همانطور که در این اتاق هستید پیام ارسال کنید",
|
||||
"send_messages_active_room": "همانطور که در اتاق فعال خود هستید پیام ارسال کنید",
|
||||
"see_messages_sent_this_room": "مشاهدهی پیامهایی که در این اتاق ارسال شدهاند",
|
||||
"see_messages_sent_active_room": "مشاهدهی پیامهایی که در اتاق فعال شما ارسال شدهاند",
|
||||
"send_text_messages_this_room": "همانطور که در این اتاق هستید پیام های متنی ارسال کنید",
|
||||
"send_text_messages_active_room": "همانطور که در اتاق فعال خود هستید پیام های متنی ارسال کنید",
|
||||
"see_text_messages_sent_this_room": "پیامهای متنی که در این گروه ارسال شدهاند را مشاهده کنید",
|
||||
"see_text_messages_sent_active_room": "پیامهای متنی که در اتاق فعال شما ارسال شدهاند را مشاهده کنید",
|
||||
"send_emotes_this_room": "همانطور که در این اتاق هستید شکلکهای خود را ارسال کنید",
|
||||
"send_emotes_active_room": "همانطور که در اتاق فعال خود هستید شکلکهای خود را ارسال کنید",
|
||||
"see_sent_emotes_this_room": "شکلکهای ارسالشده در این اتاق را مشاهده کنید",
|
||||
"see_sent_emotes_active_room": "شکلکهای ارسالشده در اتاق فعال خودتان را مشاهده کنید",
|
||||
"send_images_this_room": "همانطور که در این اتاق هستید تصاویر را ارسال کنید",
|
||||
"send_images_active_room": "همانطور که در اتاق فعال خود هستید تصاویر را ارسال کنید",
|
||||
"see_images_sent_this_room": "تصاویری را که در این اتاق ارسال شدهاند، مشاهده کنید",
|
||||
"see_images_sent_active_room": "تصاویری را که در اتاق فعال خودتان ارسال شدهاند، مشاهده کنید",
|
||||
"send_videos_this_room": "همانطور که در این اتاق هستید فیلم ارسال کنید",
|
||||
"send_videos_active_room": "همانطور که در اتاق فعال خود هستید فیلم ارسال کنید",
|
||||
"see_videos_sent_this_room": "فیلم های ارسال شده در این اتاق را مشاهده کنید",
|
||||
"see_videos_sent_active_room": "فیلم های ارسال شده در اتاق فعال خودتان را مشاهده کنید",
|
||||
"send_files_this_room": "همانطور که در این اتاق هستید فایل ارسال کنید",
|
||||
"send_files_active_room": "همانطور که در اتاق فعال خود هستید فایل ارسال کنید",
|
||||
"see_sent_files_this_room": "فایلهای ارسال شده در این اتاق را مشاهده کنید",
|
||||
"see_sent_files_active_room": "فایلهای ارسال شده در اتاق فعال خودتان را مشاهده کنید",
|
||||
"send_msgtype_this_room": "همانطور که در این اتاق هستید پیام های <b>%(msgtype)s</b> را ارسال کنید",
|
||||
"send_msgtype_active_room": "همانطور که در اتاق فعال خودتان هستید پیام های <b>%(msgtype)s</b> را ارسال کنید",
|
||||
"see_msgtype_sent_this_room": "پیام های <b>%(msgtype)s</b> ارسال شده به این اتاق را مشاهده کنید",
|
||||
"see_msgtype_sent_active_room": "پیام های <b>%(msgtype)s</b> ارسال شده به اتاق فعال خودتان را مشاهده کنید"
|
||||
}
|
||||
},
|
||||
"feedback": {
|
||||
"sent": "بازخورد ارسال شد",
|
||||
"comment_label": "نظر",
|
||||
"platform_username": "سیستمعامل و نام کاربری شما ثبت خواهد شد تا به ما کمک کند تا جایی که می توانیم از نظرات شما استفاده کنیم.",
|
||||
"pro_type": "نکتهای برای کاربران حرفهای: اگر به مشکل نرمافزاری در برنامه برخورد کردید، لطفاً <debugLogsLink>لاگهای مشکل</debugLogsLink> را ارسال کنید تا به ما در ردیابی و رفع آن کمک کند.",
|
||||
"existing_issue_link": "لطفاً ابتدا اشکالات موجود را در <existingIssuesLink>گیتهاب برنامه</existingIssuesLink> را مشاهده کنید. با اشکال شما مطابقتی وجود ندارد؟<newIssueLink> مورد جدیدی را ثبت کنید</newIssueLink>.",
|
||||
"send_feedback_action": "ارسال بازخورد"
|
||||
}
|
||||
}
|
||||
|
|
|
@ -6,7 +6,6 @@
|
|||
"Operation failed": "Toiminto epäonnistui",
|
||||
"unknown error code": "tuntematon virhekoodi",
|
||||
"Failed to change password. Is your password correct?": "Salasanan vaihtaminen epäonnistui. Onko salasanasi oikein?",
|
||||
"powered by Matrix": "moottorina Matrix",
|
||||
"No Microphones detected": "Mikrofonia ei löytynyt",
|
||||
"No Webcams detected": "Kameroita ei löytynyt",
|
||||
"No media permissions": "Ei mediaoikeuksia",
|
||||
|
@ -122,7 +121,6 @@
|
|||
"Thu": "to",
|
||||
"Fri": "pe",
|
||||
"Sat": "la",
|
||||
"This server does not support authentication with a phone number.": "Tämä palvelin ei tue autentikointia puhelinnumeron avulla.",
|
||||
"Copied!": "Kopioitu!",
|
||||
"Failed to copy": "Kopiointi epäonnistui",
|
||||
"Connectivity to the server has been lost.": "Yhteys palvelimeen menetettiin.",
|
||||
|
@ -143,7 +141,6 @@
|
|||
"Failed to invite": "Kutsu epäonnistui",
|
||||
"Confirm Removal": "Varmista poistaminen",
|
||||
"Unknown error": "Tuntematon virhe",
|
||||
"Incorrect password": "Virheellinen salasana",
|
||||
"Unable to restore session": "Istunnon palautus epäonnistui",
|
||||
"Decrypt %(text)s": "Pura %(text)s",
|
||||
"Publish this room to the public in %(domain)s's room directory?": "Julkaise tämä huone verkkotunnuksen %(domain)s huoneluettelossa?",
|
||||
|
@ -161,14 +158,12 @@
|
|||
"Unable to verify email address.": "Sähköpostin vahvistaminen epäonnistui.",
|
||||
"Unable to enable Notifications": "Ilmoitusten käyttöönotto epäonnistui",
|
||||
"Upload Failed": "Lähetys epäonnistui",
|
||||
"Define the power level of a user": "Määritä käyttäjän oikeustaso",
|
||||
"Failed to change power level": "Oikeustason muuttaminen epäonnistui",
|
||||
"Please check your email and click on the link it contains. Once this is done, click continue.": "Ole hyvä ja tarkista sähköpostisi ja seuraa sen sisältämää linkkiä. Kun olet valmis, napsauta Jatka.",
|
||||
"Power level must be positive integer.": "Oikeustason pitää olla positiivinen kokonaisluku.",
|
||||
"Server may be unavailable, overloaded, or search timed out :(": "Palvelin saattaa olla saavuttamattomissa, ylikuormitettu tai haku kesti liian kauan :(",
|
||||
"Server may be unavailable, overloaded, or you hit a bug.": "Palvelin saattaa olla saavuttamattomissa, ylikuormitettu tai olet törmännyt virheeseen.",
|
||||
"Server unavailable, overloaded, or something else went wrong.": "Palvelin on saavuttamattomissa, ylikuormitettu tai jotain muuta meni vikaan.",
|
||||
"The email address linked to your account must be entered.": "Sinun pitää syöttää tiliisi liitetty sähköpostiosoite.",
|
||||
"Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Aikajanan tietty hetki yritettiin ladata, mutta sinulla ei ole oikeutta nähdä kyseistä viestiä.",
|
||||
"Tried to load a specific point in this room's timeline, but was unable to find it.": "Huoneen aikajanan tietty hetki yritettiin ladata, mutta sitä ei löytynyt.",
|
||||
"%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (oikeustaso %(powerLevelNumber)s)",
|
||||
|
@ -209,8 +204,6 @@
|
|||
"You are now ignoring %(userId)s": "Et enää huomioi käyttäjää %(userId)s",
|
||||
"You are no longer ignoring %(userId)s": "Huomioit jälleen käyttäjän %(userId)s",
|
||||
"Mirror local video feed": "Peilaa paikallinen videosyöte",
|
||||
"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",
|
||||
"Unignore": "Huomioi käyttäjä jälleen",
|
||||
"Jump to read receipt": "Hyppää lukukuittaukseen",
|
||||
"Admin Tools": "Ylläpitotyökalut",
|
||||
|
@ -230,7 +223,6 @@
|
|||
"other": "Ja %(count)s muuta..."
|
||||
},
|
||||
"Please note you are logging into the %(hs)s server, not matrix.org.": "Huomaa että olet kirjautumassa palvelimelle %(hs)s, etkä palvelimelle matrix.org.",
|
||||
"Deops user with given id": "Poistaa tunnuksen mukaiselta käyttäjältä ylläpito-oikeudet",
|
||||
"Notify the whole room": "Ilmoita koko huoneelle",
|
||||
"Room Notification": "Huoneilmoitus",
|
||||
"%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s",
|
||||
|
@ -536,10 +528,7 @@
|
|||
"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.": "Viestiäsi ei lähetetty, koska tämä kotipalvelin on ylittänyt resurssirajan. <a>Ota yhteyttä palvelun ylläpitäjään</a> jatkaaksesi palvelun käyttämistä.",
|
||||
"Could not load user profile": "Käyttäjäprofiilia ei voitu ladata",
|
||||
"General failure": "Yleinen virhe",
|
||||
"This homeserver does not support login using email address.": "Tämä kotipalvelin ei tue sähköpostiosoitteella kirjautumista.",
|
||||
"Please <a>contact your service administrator</a> to continue using this service.": "<a>Ota yhteyttä palvelun ylläpitäjään</a> jatkaaksesi palvelun käyttöä.",
|
||||
"Registration has been disabled on this homeserver.": "Rekisteröityminen on poistettu käytöstä tällä kotipalvelimella.",
|
||||
"Unable to query for supported registration methods.": "Tuettuja rekisteröitymistapoja ei voitu kysellä.",
|
||||
"The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Viety tiedosto suojataan salasanalla. Syötä salasana tähän purkaaksesi tiedoston salauksen.",
|
||||
"That matches!": "Täsmää!",
|
||||
"That doesn't match.": "Ei täsmää.",
|
||||
|
@ -562,7 +551,6 @@
|
|||
"Your password has been reset.": "Salasanasi on nollattu.",
|
||||
"Invalid homeserver discovery response": "Epäkelpo kotipalvelimen etsinnän vastaus",
|
||||
"Invalid identity server discovery response": "Epäkelpo identiteettipalvelimen etsinnän vastaus",
|
||||
"Failed to perform homeserver discovery": "Kotipalvelimen etsinnän suoritus epäonnistui",
|
||||
"Set up": "Ota käyttöön",
|
||||
"New Recovery Method": "Uusi palautustapa",
|
||||
"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.": "Jos et ottanut käyttöön uutta palautustapaa, hyökkääjä saattaa yrittää käyttää tiliäsi. Vaihda tilisi salasana ja aseta uusi palautustapa asetuksissa välittömästi.",
|
||||
|
@ -648,16 +636,10 @@
|
|||
"Upload all": "Lähetä kaikki palvelimelle",
|
||||
"Your homeserver doesn't seem to support this feature.": "Kotipalvelimesi ei näytä tukevan tätä ominaisuutta.",
|
||||
"Resend %(unsentCount)s reaction(s)": "Lähetä %(unsentCount)s reaktio(ta) uudelleen",
|
||||
"You're signed out": "Sinut on kirjattu ulos",
|
||||
"Clear all data": "Poista kaikki tiedot",
|
||||
"Please tell us what went wrong or, better, create a GitHub issue that describes the problem.": "Kerro mikä meni pieleen, tai, mikä parempaa, luo GitHub-issue joka kuvailee ongelman.",
|
||||
"Removing…": "Poistetaan…",
|
||||
"Failed to re-authenticate due to a homeserver problem": "Uudelleenautentikointi epäonnistui kotipalvelinongelmasta johtuen",
|
||||
"Failed to re-authenticate": "Uudelleenautentikointi epäonnistui",
|
||||
"Enter your password to sign in and regain access to your account.": "Syötä salasanasi kirjautuaksesi ja päästäksesi takaisin tilillesi.",
|
||||
"Forgotten your password?": "Unohditko salasanasi?",
|
||||
"Sign in and regain access to your account.": "Kirjaudu ja pääse takaisin tilillesi.",
|
||||
"You cannot sign in to your account. Please contact your homeserver admin for more information.": "Et voi kirjautua tilillesi. Ota yhteyttä kotipalvelimesi ylläpitäjään saadaksesi lisätietoja.",
|
||||
"Clear personal data": "Poista henkilökohtaiset tiedot",
|
||||
"Find others by phone or email": "Löydä muita käyttäjiä puhelimen tai sähköpostin perusteella",
|
||||
"Be found by phone or email": "Varmista, että sinut löydetään puhelimen tai sähköpostin perusteella",
|
||||
|
@ -724,8 +706,6 @@
|
|||
"Deactivate user": "Poista käyttäjä pysyvästi",
|
||||
"Link this email with your account in Settings to receive invites directly in %(brand)s.": "Linkitä tämä sähköposti tilisi kanssa asetuksissa, jotta voit saada kutsuja suoraan %(brand)sissa.",
|
||||
"e.g. my-room": "esim. oma-huone",
|
||||
"Please enter a name for the room": "Syötä huoneelle nimi",
|
||||
"Topic (optional)": "Aihe (valinnainen)",
|
||||
"Show image": "Näytä kuva",
|
||||
"Close dialog": "Sulje dialogi",
|
||||
"To continue you need to accept the terms of this service.": "Sinun täytyy hyväksyä palvelun käyttöehdot jatkaaksesi.",
|
||||
|
@ -900,9 +880,6 @@
|
|||
"Indexed rooms:": "Indeksoidut huoneet:",
|
||||
"%(doneRooms)s out of %(totalRooms)s": "%(doneRooms)s / %(totalRooms)s",
|
||||
"Verify this session": "Vahvista tämä istunto",
|
||||
"Sign In or Create Account": "Kirjaudu sisään tai luo tili",
|
||||
"Use your account or create a new one to continue.": "Käytä tiliäsi tai luo uusi jatkaaksesi.",
|
||||
"Create Account": "Luo tili",
|
||||
"Session already verified!": "Istunto on jo vahvistettu!",
|
||||
"Not Trusted": "Ei luotettu",
|
||||
"Ask this user to verify their session, or manually verify it below.": "Pyydä tätä käyttäjää vahvistamaan istuntonsa, tai vahvista se manuaalisesti alla.",
|
||||
|
@ -949,12 +926,10 @@
|
|||
"New published address (e.g. #alias:server)": "Uusi julkaistu osoite (esim. #alias:palvelin)",
|
||||
"Ask %(displayName)s to scan your code:": "Pyydä käyttäjää %(displayName)s lukemaan koodisi:",
|
||||
"Sign in with SSO": "Kirjaudu kertakirjautumista käyttäen",
|
||||
"Could not find user in room": "Käyttäjää ei löytynyt huoneesta",
|
||||
"Can't load this message": "Tätä viestiä ei voi ladata",
|
||||
"Submit logs": "Lähetä lokit",
|
||||
"Reminder: Your browser is unsupported, so your experience may be unpredictable.": "Muistutus: Selaintasi ei tueta, joten voit kohdata yllätyksiä.",
|
||||
"There was a problem communicating with the server. Please try again.": "Palvelinyhteydessä oli ongelma. Yritä uudelleen.",
|
||||
"If you've joined lots of rooms, this might take a while": "Jos olet liittynyt moniin huoneisiin, tässä voi kestää hetken",
|
||||
"Click the button below to confirm adding this email address.": "Napsauta alapuolella olevaa painiketta lisätäksesi tämän sähköpostiosoitteen.",
|
||||
"Click the button below to confirm adding this phone number.": "Napsauta alapuolella olevaa painiketta lisätäksesi tämän puhelinnumeron.",
|
||||
"New login. Was this you?": "Uusi sisäänkirjautuminen. Olitko se sinä?",
|
||||
|
@ -1016,7 +991,6 @@
|
|||
"Destroy cross-signing keys?": "Tuhoa ristiinvarmennuksen avaimet?",
|
||||
"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.": "Ristiinvarmennuksen avainten tuhoamista ei voi kumota. Jokainen, jonka olet varmentanut, tulee näkemään turvallisuushälytyksiä. Et todennäköisesti halua tehdä tätä, ellet ole hukannut kaikkia laitteitasi, joista pystyit ristiinvarmentamaan.",
|
||||
"Clear cross-signing keys": "Tyhjennä ristiinvarmennuksen avaimet",
|
||||
"Enable end-to-end encryption": "Ota päästä päähän -salaus käyttöön",
|
||||
"Session key": "Istunnon tunnus",
|
||||
"Verifying this user will mark their session as trusted, and also mark your session as trusted to them.": "Tämän käyttäjän varmentaminen merkitsee hänen istuntonsa luotetuksi, ja myös merkkaa sinun istuntosi luotetuksi hänen laitteissaan.",
|
||||
"Verify this device to mark it as trusted. Trusting this device gives you and other users extra peace of mind when using end-to-end encrypted messages.": "Varmenna tämä laite merkitäksesi sen luotetuksi. Tähän laitteeseen luottaminen antaa sinulle ja muille käyttäjille lisää mielenrauhaa, kun käytätte päästä päähän -salausta.",
|
||||
|
@ -1031,7 +1005,6 @@
|
|||
"Unable to upload": "Lähettäminen ei ole mahdollista",
|
||||
"Signature upload success": "Allekirjoituksen lähettäminen onnistui",
|
||||
"Signature upload failed": "Allekirjoituksen lähettäminen epäonnistui",
|
||||
"Joins room with given address": "Liittyy annetun osoitteen mukaiseen huoneeseen",
|
||||
"Your homeserver has exceeded its user limit.": "Kotipalvelimesi on ylittänyt käyttäjärajansa.",
|
||||
"Your homeserver has exceeded one of its resource limits.": "Kotipalvelimesi on ylittänyt jonkin resurssirajansa.",
|
||||
"Contact your <a>server admin</a>.": "Ota yhteyttä <a>palvelimesi ylläpitäjään</a>.",
|
||||
|
@ -1050,7 +1023,6 @@
|
|||
"Switch to dark mode": "Vaihda tummaan teemaan",
|
||||
"Switch theme": "Vaihda teemaa",
|
||||
"All settings": "Kaikki asetukset",
|
||||
"Feedback": "Palaute",
|
||||
"Looks good!": "Hyvältä näyttää!",
|
||||
"Use custom size": "Käytä mukautettua kokoa",
|
||||
"Room options": "Huoneen asetukset",
|
||||
|
@ -1080,7 +1052,6 @@
|
|||
"Take a picture": "Ota kuva",
|
||||
"Your server isn't responding to some of your requests. Below are some of the most likely reasons.": "Palvelimesi ei vastaa joihinkin pyynnöistäsi. Alla on joitakin todennäköisimpiä syitä.",
|
||||
"Server isn't responding": "Palvelin ei vastaa",
|
||||
"Your server requires encryption to be enabled in private rooms.": "Palvelimesi edellyttää, että salaus on käytössä yksityisissä huoneissa.",
|
||||
"Click to view edits": "Napsauta nähdäksesi muokkaukset",
|
||||
"Edited at %(date)s": "Muokattu %(date)s",
|
||||
"Forget Room": "Unohda huone",
|
||||
|
@ -1108,20 +1079,8 @@
|
|||
"The server is offline.": "Palvelin ei ole verkossa.",
|
||||
"Your firewall or anti-virus is blocking the request.": "Palomuurisi tai virustentorjuntaohjelmasi estää pyynnön.",
|
||||
"The server (%(serverName)s) took too long to respond.": "Palvelin (%(serverName)s) ei vastannut ajoissa.",
|
||||
"Feedback sent": "Palaute lähetetty",
|
||||
"Preparing to download logs": "Valmistellaan lokien lataamista",
|
||||
"The operation could not be completed": "Toimintoa ei voitu tehdä loppuun asti",
|
||||
"Send stickers to your active room as you": "Lähetä aktiiviseen huoneeseesi tarroja itsenäsi",
|
||||
"Send stickers to this room as you": "Lähetä tähän huoneeseen tarroja itsenäsi",
|
||||
"Change the avatar of your active room": "Vaihda aktiivisen huoneesi kuva",
|
||||
"Change the avatar of this room": "Vaihda huoneen kuva",
|
||||
"Change the name of your active room": "Muuta aktiivisen huoneesi nimeä",
|
||||
"Change the name of this room": "Muuta tämän huoneen nimeä",
|
||||
"Change the topic of your active room": "Muuta aktiivisen huoneesi aihetta",
|
||||
"Change the topic of this room": "Muuta huoneen aihetta",
|
||||
"Change which room you're viewing": "Vaihda näytettävää huonetta",
|
||||
"Send stickers into your active room": "Lähetä tarroja aktiiviseen huoneeseesi",
|
||||
"Send stickers into this room": "Lähetä tarroja tähän huoneeseen",
|
||||
"Comoros": "Komorit",
|
||||
"Colombia": "Kolumbia",
|
||||
"Cocos (Keeling) Islands": "Kookossaaret",
|
||||
|
@ -1392,11 +1351,7 @@
|
|||
"Mongolia": "Mongolia",
|
||||
"Monaco": "Monaco",
|
||||
"not found in storage": "ei löytynyt muistista",
|
||||
"Sign into your homeserver": "Kirjaudu sisään kotipalvelimellesi",
|
||||
"About homeservers": "Tietoa kotipalvelimista",
|
||||
"Not encrypted": "Ei salattu",
|
||||
"Got an account? <a>Sign in</a>": "Sinulla on jo tili? <a>Kirjaudu sisään</a>",
|
||||
"New here? <a>Create an account</a>": "Uusi täällä? <a>Luo tili</a>",
|
||||
"Attach files from chat or just drag and drop them anywhere in a room.": "Liitä tiedostoja alalaidan klemmarilla, tai raahaa ja pudota ne mihin tahansa huoneen kohtaan.",
|
||||
"Use email or phone to optionally be discoverable by existing contacts.": "Käytä sähköpostiosoitetta tai puhelinnumeroa, jos haluat olla löydettävissä nykyisille yhteystiedoille.",
|
||||
"Use email to optionally be discoverable by existing contacts.": "Käytä sähköpostiosoitetta, jos haluat olla löydettävissä nykyisille yhteystiedoille.",
|
||||
|
@ -1406,7 +1361,6 @@
|
|||
"Move left": "Siirry vasemmalle",
|
||||
"Revoke permissions": "Peruuta käyttöoikeudet",
|
||||
"You're all caught up.": "Olet ajan tasalla.",
|
||||
"Unable to validate homeserver": "Kotipalvelimen vahvistus epäonnistui",
|
||||
"This version of %(brand)s does not support searching encrypted messages": "Tämä %(brand)s-versio ei tue salattujen viestien hakua",
|
||||
"This version of %(brand)s does not support viewing some encrypted files": "Tämä %(brand)s-versio ei tue joidenkin salattujen tiedostojen katselua",
|
||||
"Use the <a>Desktop app</a> to see all encrypted files": "Voit tarkastella kaikkia salattuja tiedostoja <a>työpöytäsovelluksella</a>",
|
||||
|
@ -1419,27 +1373,11 @@
|
|||
"Use a different passphrase?": "Käytä eri salalausetta?",
|
||||
"There was a problem communicating with the homeserver, please try again later.": "Yhteydessä kotipalvelimeen ilmeni ongelma, yritä myöhemmin uudelleen.",
|
||||
"This widget would like to:": "Tämä sovelma haluaa:",
|
||||
"Other homeserver": "Muu kotipalvelin",
|
||||
"Specify a homeserver": "Määritä kotipalvelin",
|
||||
"The server has denied your request.": "Palvelin eväsi pyyntösi.",
|
||||
"Just a heads up, if you don't add an email and forget your password, you could <b>permanently lose access to your account</b>.": "Huomio: jos et lisää sähköpostia ja unohdat salasanasi, saatat <b>menettää pääsyn tiliisi pysyvästi</b>.",
|
||||
"Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Palvelimesi ylläpitäjä on poistanut päästä päähän -salauksen oletuksena käytöstä yksityisissä huoneissa ja yksityisviesteissä.",
|
||||
"Send general files as you in your active room": "Lähetä aktiiviseen huoneeseesi yleisiä tiedostoja itsenäsi",
|
||||
"Send general files as you in this room": "Lähetä tähän huoneeseen yleisiä tiedostoja itsenäsi",
|
||||
"Send videos as you in your active room": "Lähetä aktiiviseen huoneeseesi videoita itsenäsi",
|
||||
"Send videos as you in this room": "Lähetä tähän huoneeseen videoita itsenäsi",
|
||||
"Send images as you in your active room": "Lähetä aktiiviseen huoneeseesi kuvia itsenäsi",
|
||||
"Send images as you in this room": "Lähetä tähän huoneeseen kuvia itsenäsi",
|
||||
"Send text messages as you in your active room": "Lähetä aktiiviseen huoneeseesi tekstiviestejä itsenäsi",
|
||||
"Send text messages as you in this room": "Lähetä tähän huoneeseen tekstiviestejä itsenäsi",
|
||||
"Send messages as you in your active room": "Lähetä aktiiviseen huoneeseesi viestejä itsenäsi",
|
||||
"Send messages as you in this room": "Lähetä tähän huoneeseen viestejä itsenäsi",
|
||||
"A connection error occurred while trying to contact the server.": "Yhteysvirhe yritettäessä ottaa yhteyttä palvelimeen.",
|
||||
"The <b>%(capability)s</b> capability": "<b>%(capability)s</b>-ominaisuus",
|
||||
"See when the avatar changes in this room": "Näe milloin avatar vaihtuu tässä huoneessa",
|
||||
"See when the name changes in your active room": "Näe milloin käyttäjän nimi muuttuu aktiivisessa huoneessa",
|
||||
"If disabled, messages from encrypted rooms won't appear in search results.": "Jos ei ole käytössä, salattujen huoneiden viestejä ei näytetä hakutuloksissa.",
|
||||
"New? <a>Create account</a>": "Uusi? <a>Luo tili</a>",
|
||||
"Continuing without email": "Jatka ilman sähköpostia",
|
||||
"Invite by email": "Kutsu sähköpostilla",
|
||||
"Confirm Security Phrase": "Vahvista turvalause",
|
||||
|
@ -1448,17 +1386,12 @@
|
|||
"a key signature": "avaimen allekirjoitus",
|
||||
"Homeserver feature support:": "Kotipalvelimen ominaisuuksien tuki:",
|
||||
"Create key backup": "Luo avaimen varmuuskopio",
|
||||
"Invalid URL": "Virheellinen URL",
|
||||
"Reason (optional)": "Syy (valinnainen)",
|
||||
"Send feedback": "Lähetä palautetta",
|
||||
"Security Phrase": "Turvalause",
|
||||
"Security Key": "Turva-avain",
|
||||
"Verify session": "Vahvista istunto",
|
||||
"Hold": "Pidä",
|
||||
"Resume": "Jatka",
|
||||
"Comment": "Kommentti",
|
||||
"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",
|
||||
"Please verify the room ID or address and try again.": "Tarkista huonetunnus ja yritä uudelleen.",
|
||||
"Are you sure you want to deactivate your account? This is irreversible.": "Haluatko varmasti poistaa tilisi pysyvästi?",
|
||||
"Data on this screen is shared with %(widgetDomain)s": "Tällä näytöllä olevaa tietoa jaetaan verkkotunnuksen %(widgetDomain)s kanssa",
|
||||
|
@ -1476,18 +1409,14 @@
|
|||
"%(brand)s is securely caching encrypted messages locally for them to appear in search results:": "%(brand)s tallentaa turvallisesti salattuja viestejä välimuistiin, jotta ne näkyvät hakutuloksissa:",
|
||||
"Failed to transfer call": "Puhelunsiirto epäonnistui",
|
||||
"A call can only be transferred to a single user.": "Puhelun voi siirtää vain yhdelle käyttäjälle.",
|
||||
"Block anyone not part of %(serverName)s from ever joining this room.": "Estä muita kuin palvelimen %(serverName)s jäseniä liittymästä tähän huoneeseen.",
|
||||
"Open dial pad": "Avaa näppäimistö",
|
||||
"Dial pad": "Näppäimistö",
|
||||
"There was an error looking up the phone number": "Puhelinnumeron haussa tapahtui virhe",
|
||||
"Unable to look up phone number": "Puhelinnumeroa ei voi hakea",
|
||||
"Use app": "Käytä sovellusta",
|
||||
"Use app for a better experience": "Parempi kokemus sovelluksella",
|
||||
"Change which room, message, or user you're viewing": "Vaihda näytettävää huonetta, viestiä tai käyttäjää",
|
||||
"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\".",
|
||||
"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 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.",
|
||||
"Recent changes that have not yet been received": "Tuoreet muutokset, joita ei ole vielä otettu vastaan",
|
||||
"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.": "Pyysimme selainta muistamaan kirjautumista varten mitä kotipalvelinta käytät, mutta selain on unohtanut sen. Mene kirjautumissivulle ja yritä uudelleen.",
|
||||
"Channel: <channelLink/>": "Kanava: <channelLink/>",
|
||||
|
@ -1598,10 +1527,6 @@
|
|||
"Only people invited will be able to find and join this space.": "Vain kutsutut ihmiset voivat löytää tämän avaruuden ja liittyä siihen.",
|
||||
"Public space": "Julkinen avaruus",
|
||||
"Public room": "Julkinen huone",
|
||||
"Private room (invite only)": "Yksityinen huone (vain kutsulla)",
|
||||
"Only people invited will be able to find and join this room.": "Vain kutsutut ihmiset voivat löytää tämän huoneen ja liittyä siihen.",
|
||||
"You can change this at any time from room settings.": "Voit muuttaa tämän milloin tahansa huoneen asetuksista.",
|
||||
"Everyone in <SpaceName/> will be able to find and join this room.": "Kaikki avaruudessa <SpaceName/> voivat löytää tämän huoneen ja liittyä siihen.",
|
||||
"Including %(commaSeparatedMembers)s": "Mukaan lukien %(commaSeparatedMembers)s",
|
||||
"Share content": "Jaa sisältö",
|
||||
"Application window": "Sovelluksen ikkuna",
|
||||
|
@ -1650,7 +1575,6 @@
|
|||
"Allow people to preview your space before they join.": "Salli ihmisten esikatsella avaruuttasi ennen liittymistä.",
|
||||
"Preview Space": "Esikatsele avaruutta",
|
||||
"Space visibility": "Avaruuden näkyvyys",
|
||||
"Room visibility": "Huoneen näkyvyys",
|
||||
"Visibility": "Näkyvyys",
|
||||
"Are you sure you want to leave the space '%(spaceName)s'?": "Haluatko varmasti poistua avaruudesta '%(spaceName)s'?",
|
||||
"Leave space": "Poistu avaruudesta",
|
||||
|
@ -1669,14 +1593,11 @@
|
|||
"Add space": "Lisää avaruus",
|
||||
"Want to add an existing space instead?": "Haluatko sen sijaan lisätä olemassa olevan avaruuden?",
|
||||
"Add a space to a space you manage.": "Lisää avaruus hallitsemaasi avaruuteen.",
|
||||
"Anyone will be able to find and join this room, not just members of <SpaceName/>.": "Kuka tahansa voi löytää tämän huoneen ja liittyä siihen, ei pelkästään avaruuden <SpaceName/> jäsenet.",
|
||||
"Anyone will be able to find and join this space, not just members of <SpaceName/>.": "Kuka tahansa voi löytää tämän avaruuden ja liittyä siihen, ei pelkästään avaruuden <SpaceName/> jäsenet.",
|
||||
"Anyone in <SpaceName/> will be able to find and join.": "Kuka tahansa avaruudessa <SpaceName/> voi löytää ja liittyä.",
|
||||
"Anyone will be able to find and join this room.": "Kuka tahansa voi löytää tämän huoneen ja liittyä siihen.",
|
||||
"e.g. my-space": "esim. minun-space",
|
||||
"Private space": "Yksityinen avaruus",
|
||||
"Private space (invite only)": "Yksityinen avaruus (vain kutsulla)",
|
||||
"Visible to space members": "Näkyvissä avaruuden jäsenille",
|
||||
"Images, GIFs and videos": "Kuvat, GIF:t ja videot",
|
||||
"Code blocks": "Koodilohkot",
|
||||
"Keyboard shortcuts": "Pikanäppäimet",
|
||||
|
@ -1843,9 +1764,7 @@
|
|||
"Report": "Ilmoita",
|
||||
"Collapse reply thread": "Supista vastausketju",
|
||||
"Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Tuntematon (käyttäjä, laite) (%(userId)s, %(deviceId)s)",
|
||||
"Command failed: Unable to find room (%(roomId)s": "Komento epäonnistui: Huonetta %(roomId)s ei löydetty",
|
||||
"Unrecognised room address: %(roomAlias)s": "Huoneen osoitetta %(roomAlias)s ei tunnistettu",
|
||||
"Command error: Unable to handle slash command.": "Määräys virhe: Ei voitu käsitellä / komentoa",
|
||||
"We sent the others, but the below people couldn't be invited to <RoomName/>": "Lähetimme toisille, alla lista henkilöistä joita ei voitu kutsua <RoomName/>",
|
||||
"Location": "Sijainti",
|
||||
"%(count)s votes": {
|
||||
|
@ -1888,10 +1807,6 @@
|
|||
"You do not have permission to start polls in this room.": "Sinulla ei ole oikeutta aloittaa kyselyitä tässä huoneessa.",
|
||||
"Voice Message": "Ääniviesti",
|
||||
"Hide stickers": "Piilota tarrat",
|
||||
"You can't see earlier messages": "Et voi nähdä aiempia viestejä",
|
||||
"Encrypted messages before this point are unavailable.": "Tätä aiemmat salatut viestit eivät ole saatavilla.",
|
||||
"You don't have permission to view messages from before you joined.": "Sinulla ei ole oikeutta nähdä viestejä ajalta ennen liittymistäsi.",
|
||||
"You don't have permission to view messages from before you were invited.": "Sinulla ei ole oikeutta nähdä viestejä ajalta ennen kutsumistasi.",
|
||||
"People with supported clients will be able to join the room without having a registered account.": "Käyttäjät, joilla on tuettu asiakasohjelma, voivat liittyä huoneeseen ilman rekisteröityä käyttäjätiliä.",
|
||||
"To avoid these issues, create a <a>new public room</a> for the conversation you plan to have.": "Vältä nämä ongelmat luomalla <a>uusi julkinen huone</a> aikomallesi keskustelulle.",
|
||||
"Get notified for every message": "Vastaanota ilmoitus joka viestistä",
|
||||
|
@ -1987,7 +1902,6 @@
|
|||
"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.",
|
||||
"Verify with another device": "Vahvista toisella laitteella",
|
||||
"The email address doesn't appear to be valid.": "Sähköpostiosoite ei vaikuta kelvolliselta.",
|
||||
"Device verified": "Laite vahvistettu",
|
||||
"Verify this device": "Vahvista tämä laite",
|
||||
"Unable to verify this device": "Tätä laitetta ei voitu vahvistaa",
|
||||
|
@ -2003,7 +1917,6 @@
|
|||
"Use <arrows/> to scroll": "Käytä <arrows/> vierittääksesi",
|
||||
"Join %(roomAddress)s": "Liity %(roomAddress)s",
|
||||
"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.",
|
||||
"Automatically invite members from this room to the new one": "Kutsu jäsenet tästä huoneesta automaattisesti uuteen huoneeseen",
|
||||
"Feedback sent! Thanks, we appreciate it!": "Palaute lähetetty. Kiitos, arvostamme sitä!",
|
||||
"%(featureName)s Beta feedback": "Ominaisuuden %(featureName)s beetapalaute",
|
||||
|
@ -2024,7 +1937,6 @@
|
|||
"You will leave all rooms and DMs that you are in": "Poistut kaikista huoneista ja yksityisviesteistä, joissa olet",
|
||||
"You will no longer be able to log in": "Et voi enää kirjautua",
|
||||
"To continue, please enter your account password:": "Jatka kirjoittamalla tilisi salasana:",
|
||||
"You can't disable this later. Bridges & most bots won't work yet.": "Et voi poistaa tätä käytöstä myöhemmin. SIllat ja useimmat botit eivät vielä toimi.",
|
||||
"Preserve system messages": "Säilytä järjestelmän viestit",
|
||||
"Click to read topic": "Lue aihe napsauttamalla",
|
||||
"Edit topic": "Muokkaa aihetta",
|
||||
|
@ -2055,9 +1967,6 @@
|
|||
"Developer": "Kehittäjä",
|
||||
"Connection lost": "Yhteys menetettiin",
|
||||
"Sorry, your homeserver is too old to participate here.": "Kotipalvelimesi on liian vanha osallistumaan tänne.",
|
||||
"Send <b>%(eventType)s</b> events as you in your active room": "Lähetä <b>%(eventType)s</b>-tapahtumia aktiiviseen huoneeseesi itsenäsi",
|
||||
"Send <b>%(eventType)s</b> events as you in this room": "Lähetä <b>%(eventType)s</b>-tapahtumia tähän huoneeseen itsenäsi",
|
||||
"Someone already has that username, please try another.": "Jollakin on jo kyseinen käyttäjätunnus. Valitse eri käyttäjätunnus.",
|
||||
"We'll create rooms for each of them.": "Luomme huoneet jokaiselle niistä.",
|
||||
"What projects are your team working on?": "Minkä projektien parissa tiimisi työskentelee?",
|
||||
"Verification requested": "Vahvistus pyydetty",
|
||||
|
@ -2111,14 +2020,6 @@
|
|||
"User is already in the space": "Käyttäjä on jo avaruudessa",
|
||||
"User is already invited to the space": "Käyttäjä on jo kutsuttu avaruuteen",
|
||||
"You do not have permission to invite people to this space.": "Sinulla ei ole oikeutta kutsua ihmisiä tähän avaruuteen.",
|
||||
"See videos posted to your active room": "Näe aktiiviseen huoneeseen lähetetyt videot",
|
||||
"See videos posted to this room": "Näe tähän huoneeseen lähetetyt videot",
|
||||
"See images posted to your active room": "Näe aktiiviseen huoneeseen lähetetyt kuvat",
|
||||
"See images posted to this room": "Näe tähän huoneeseen lähetetyt kuvat",
|
||||
"See text messages posted to this room": "Näe tähän huoneeseen lähetetyt tekstiviestit",
|
||||
"See messages posted to your active room": "Näe aktiiviseen huoneeseen lähetetyt viestit",
|
||||
"See messages posted to this room": "Näe tähän huoneeseen lähetetyt viestit",
|
||||
"See when the name changes in this room": "Näe milloin nimi muuttuu tässä huoneessa",
|
||||
"Keep discussions organised with threads": "Pidä keskustelut järjestyksessä ketjuissa",
|
||||
"Show all threads": "Näytä kaikki ketjut",
|
||||
"Shows all threads you've participated in": "Näyttää kaikki ketjut, joissa olet ollut osallinen",
|
||||
|
@ -2146,8 +2047,6 @@
|
|||
"Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Odotetaan vahvistustasi toiselta laitteelta, %(deviceName)s (%(deviceId)s)…",
|
||||
"Verify this device by confirming the following number appears on its screen.": "Vahvista tämä laite toteamalla, että seuraava numero näkyy sen näytöllä.",
|
||||
"To proceed, please accept the verification request on your other device.": "Jatka hyväksymällä vahvistuspyyntö toisella laitteella.",
|
||||
"Use your preferred Matrix homeserver if you have one, or host your own.": "Käytä haluamaasi Matrix-kotipalvelinta, tai isännöi omaa palvelinta.",
|
||||
"We call the places where you can host your account 'homeservers'.": "Kutsumme \"kotipalvelimiksi\" paikkoja, missä voit isännöidä tiliäsi.",
|
||||
"Something went wrong in confirming your identity. Cancel and try again.": "Jokin meni pieleen henkilöllisyyttä vahvistaessa. Peruuta ja yritä uudelleen.",
|
||||
"Confirm your account deactivation by using Single Sign On to prove your identity.": "Vahvista tilin deaktivointi todistamalla henkilöllisyytesi kertakirjautumista käyttäen.",
|
||||
"Confirm logging out these devices by using Single Sign On to prove your identity.": {
|
||||
|
@ -2182,7 +2081,6 @@
|
|||
"Enable hardware acceleration": "Ota laitteistokiihdytys käyttöön",
|
||||
"Moderation": "Moderointi",
|
||||
"You were disconnected from the call. (Error: %(message)s)": "Yhteytesi puheluun katkaistiin. (Virhe: %(message)s)",
|
||||
"See when people join, leave, or are invited to this room": "Näe milloin ihmiset liittyvät, poistuvat tai tulevat kutsutuiksi tähän huoneeseen",
|
||||
"%(downloadButton)s or %(copyButton)s": "%(downloadButton)s tai %(copyButton)s",
|
||||
"Waiting for device to sign in": "Odotetaan laitteen sisäänkirjautumista",
|
||||
"Review and approve the sign in": "Katselmoi ja hyväksy sisäänkirjautuminen",
|
||||
|
@ -2299,19 +2197,11 @@
|
|||
"other": "Avaruudessa %(spaceName)s ja %(count)s muussa avaruudessa."
|
||||
},
|
||||
"Get notifications as set up in your <a>settings</a>": "Vastaanota ilmoitukset <a>asetuksissa</a> määrittämälläsi tavalla",
|
||||
"PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "Vinkki: Jos teet virheilmoituksen, lähetä <debugLogsLink>vianjäljityslokit</debugLogsLink> jotta ongelman ratkaiseminen helpottuu.",
|
||||
"Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.": "Katso ensin <existingIssuesLink>aiemmin raportoidut virheet Githubissa</existingIssuesLink>. Eikö samanlaista virhettä löydy? <newIssueLink>Tee uusi ilmoitus virheestä</newIssueLink>.",
|
||||
"Search for": "Etsittävät kohteet",
|
||||
"To join, please enable video rooms in Labs first": "Liittyäksesi ota videohuoneet käyttöön laboratorion kautta",
|
||||
"Home options": "Etusivun valinnat",
|
||||
"Internal room ID": "Sisäinen huoneen ID-tunniste",
|
||||
"Reset bearing to north": "Aseta suunta pohjoiseen",
|
||||
"See when anyone posts a sticker to your active room": "Näe kun kuka tahansa lähettää tarran aktiiviseen huoneeseen",
|
||||
"See when a sticker is posted in this room": "Näe kun tarra lähetetään tähän huoneeseen",
|
||||
"See when people join, leave, or are invited to your active room": "Näe kun ihmiset liittyvät, poistuvat tai tulevat kutsutuiksi aktiiviseen huoneeseen",
|
||||
"See when the avatar changes in your active room": "Näe kun kuva vaihtuu aktiivisessa huoneessa",
|
||||
"See when the topic changes in your active room": "Näe kun aihe vaihtuu aktiivisessa huoneessa",
|
||||
"See when the topic changes in this room": "Näe kun aihe vaihtuu tässä huoneessa",
|
||||
"Show Labs settings": "Näytä laboratorion asetukset",
|
||||
"Record the client name, version, and url to recognise sessions more easily in session manager": "Talleta asiakasohjelmiston nimi, versio ja URL-osoite tunnistaaksesi istunnot istuntohallinnassa",
|
||||
"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.": "Sinut on kirjattu ulos kaikilta laitteilta, etkä enää vastaanota push-ilmoituksia. Ota ilmoitukset uudelleen käyttöön kirjautumalla jokaiselle haluamallesi laitteelle.",
|
||||
|
@ -2320,8 +2210,6 @@
|
|||
"Invite someone using their name, email address, username (like <userId/>) or <a>share this space</a>.": "Kutsu käyttäen nimeä, sähköpostiosoitetta, käyttäjänimeä (kuten <userId/>) tai <a>jaa tämä avaruus</a>.",
|
||||
"To search messages, look for this icon at the top of a room <icon/>": "Etsi viesteistä huoneen yläosassa olevalla kuvakkeella <icon/>",
|
||||
"Use \"%(query)s\" to search": "Etsitään \"%(query)s\"",
|
||||
"You may contact me if you want to follow up or to let me test out upcoming ideas": "Voitte olla yhteydessä minuun, jos haluatte keskustella palautteesta tai antaa minun testata tulevia ideoita",
|
||||
"Your platform and username will be noted to help us use your feedback as much as we can.": "Alustasi ja käyttäjänimesi huomataan, jotta palautteesi on meille mahdollisimman käyttökelpoista.",
|
||||
"For best security, sign out from any session that you don't recognize or use anymore.": "Parhaan turvallisuuden takaamiseksi kirjaudu ulos istunnoista, joita et tunnista tai et enää käytä.",
|
||||
"Voice broadcast": "Äänen yleislähetys",
|
||||
"pause voice broadcast": "keskeytä äänen yleislähetys",
|
||||
|
@ -2332,7 +2220,6 @@
|
|||
"Someone else is already recording a voice broadcast. Wait for their voice broadcast to end to start a new one.": "Joku toinen tallentaa jo äänen yleislähetystä. Odota äänen yleislähetyksen päättymistä, jotta voit aloittaa uuden.",
|
||||
"You are already recording a voice broadcast. Please end your current voice broadcast to start a new one.": "Tallennat jo äänen yleislähetystä. Lopeta nykyinen äänen yleislähetys aloittaaksesi uuden.",
|
||||
"Can't start a new voice broadcast": "Uutta äänen yleislähetystä ei voi käynnistää",
|
||||
"Command error: Unable to find rendering type (%(renderingType)s)": "Komentovirhe: Renderöintityyppiä (%(renderingType)s) ei löydy",
|
||||
"You need to be able to kick users to do that.": "Sinun täytyy pystyä potkia käyttäjiä voidaksesi tehdä tuon.",
|
||||
"Error downloading image": "Virhe kuvaa ladatessa",
|
||||
"Unable to show image due to error": "Kuvan näyttäminen epäonnistui virheen vuoksi",
|
||||
|
@ -2352,8 +2239,6 @@
|
|||
"other": "Haluatko varmasti kirjautua ulos %(count)s istunnosta?"
|
||||
},
|
||||
"Reply in thread": "Vastaa ketjuun",
|
||||
"That e-mail address or phone number is already in use.": "Tämä sähköpostiosoite tai puhelinnumero on jo käytössä.",
|
||||
"You can't disable this later. The room will be encrypted but the embedded call will not.": "Et voi poistaa tätä käytöstä myöhemmin. Huone salataan, mutta siihen upotettu puhelu ei ole salattu.",
|
||||
"This address had invalid server or is already in use": "Tässä osoitteessa on virheellinen palvelin tai se on jo käytössä",
|
||||
"Original event source": "Alkuperäinen tapahtumalähde",
|
||||
"Sign in new device": "Kirjaa sisään uusi laite",
|
||||
|
@ -2367,15 +2252,7 @@
|
|||
"When enabled, the other party might be able to see your IP address": "Kun käytössä, toinen osapuoli voi mahdollisesti nähdä IP-osoitteesi",
|
||||
"30s forward": "30 s eteenpäin",
|
||||
"30s backward": "30 s taaksepäin",
|
||||
"Verify your email to continue": "Vahvista sähköpostiosoitteesi jatkaaksesi",
|
||||
"<b>%(homeserver)s</b> will send you a verification link to let you reset your password.": "<b>%(homeserver)s</b> lähettää sinulle vahvistuslinkin, jotta voit nollata salasanasi.",
|
||||
"Enter your email to reset password": "Kirjoita sähköpostiosoitteesi nollataksesi salasanasi",
|
||||
"Send email": "Lähetä sähköpostia",
|
||||
"Verification link email resent!": "Vahvistuslinkin sisältävä sähköposti lähetetty uudelleen!",
|
||||
"Did not receive it?": "Etkö vastaanottanut viestiä?",
|
||||
"Re-enter email address": "Kirjoita sähköpostiosoite uudestaan",
|
||||
"Wrong email address?": "Väärä sähköpostiosoite?",
|
||||
"Follow the instructions sent to <b>%(email)s</b>": "Seuraa osoitteeseen <b>%(email)s</b> lähetettyjä ohjeita",
|
||||
"Sign out of all devices": "Kirjaudu ulos kaikista laitteista",
|
||||
"Confirm new password": "Vahvista uusi salasana",
|
||||
"<w>WARNING:</w> <description/>": "<w>VAROITUS:</w> <description/>",
|
||||
|
@ -2448,10 +2325,7 @@
|
|||
"Starting export process…": "Käynnistetään vientitoimenpide…",
|
||||
"Unable to connect to Homeserver. Retrying…": "Kotipalvelimeen yhdistäminen ei onnistunut. Yritetään uudelleen…",
|
||||
"WARNING: session already verified, but keys do NOT MATCH!": "VAROITUS: istunto on jo vahvistettu, mutta avaimet EIVÄT TÄSMÄÄ!",
|
||||
"Use your account to continue.": "Käytä tiliäsi jatkaaksesi.",
|
||||
"Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.": "Suojaudu salattuihin viesteihin ja tietoihin pääsyn menettämiseltä varmuuskopioimalla salausavaimesi palvelimellesi.",
|
||||
"Signing In…": "Kirjaudutaan…",
|
||||
"Syncing…": "Synkronoidaan…",
|
||||
"Inviting…": "Kutsutaan…",
|
||||
"Creating rooms…": "Luodaan huoneita…",
|
||||
"Keep going…": "Jatka…",
|
||||
|
@ -2512,8 +2386,6 @@
|
|||
"If you know a room address, try joining through that instead.": "Jos tiedät huoneen osoitteen, yritä liittyä sen kautta.",
|
||||
"Safeguard against losing access to encrypted messages & data": "Suojaudu salattuihin viesteihin ja tietoihin pääsyn menettämiseltä",
|
||||
"WebGL is required to display maps, please enable it in your browser settings.": "Karttojen näyttäminen vaatii WebGL:n. Ota se käyttöön selaimen asetuksista.",
|
||||
"Send <b>%(msgtype)s</b> messages as you in your active room": "Lähetä <b>%(msgtype)s</b>-viestejä itsenäsi aktiiviseen huoneeseesi",
|
||||
"Send <b>%(msgtype)s</b> messages as you in this room": "Lähetä <b>%(msgtype)s</b>-viestejä itsenäsi tähän huoneeseen",
|
||||
"This may be caused by having the app open in multiple tabs or due to clearing browser data.": "Tämä voi johtua siitä, että sovellus on auki useissa välilehdissä tai selaimen tietojen tyhjentämisestä.",
|
||||
"Database unexpectedly closed": "Tietokanta sulkeutui odottamattomasti",
|
||||
"Identity server not set": "Identiteettipalvelinta ei ole asetettu",
|
||||
|
@ -2613,7 +2485,8 @@
|
|||
"cross_signing": "Ristiinvarmennus",
|
||||
"identity_server": "Identiteettipalvelin",
|
||||
"integration_manager": "Integraatiohallinta",
|
||||
"qr_code": "QR-koodi"
|
||||
"qr_code": "QR-koodi",
|
||||
"feedback": "Palaute"
|
||||
},
|
||||
"action": {
|
||||
"continue": "Jatka",
|
||||
|
@ -3050,7 +2923,9 @@
|
|||
"timeline_image_size": "Kuvan koko aikajanalla",
|
||||
"timeline_image_size_default": "Oletus",
|
||||
"timeline_image_size_large": "Suuri"
|
||||
}
|
||||
},
|
||||
"inline_url_previews_room_account": "Ota linkkien esikatselut käyttöön tässä huoneessa (koskee ainoastaan sinua)",
|
||||
"inline_url_previews_room": "Ota linkkien esikatselu käyttöön kaikille huoneen jäsenille"
|
||||
},
|
||||
"devtools": {
|
||||
"event_type": "Tapahtuman tyyppi",
|
||||
|
@ -3163,7 +3038,24 @@
|
|||
"title_public_room": "Luo julkinen huone",
|
||||
"title_private_room": "Luo yksityinen huone",
|
||||
"action_create_video_room": "Luo videohuone",
|
||||
"action_create_room": "Luo huone"
|
||||
"action_create_room": "Luo huone",
|
||||
"name_validation_required": "Syötä huoneelle nimi",
|
||||
"join_rule_restricted_label": "Kaikki avaruudessa <SpaceName/> voivat löytää tämän huoneen ja liittyä siihen.",
|
||||
"join_rule_change_notice": "Voit muuttaa tämän milloin tahansa huoneen asetuksista.",
|
||||
"join_rule_public_parent_space_label": "Kuka tahansa voi löytää tämän huoneen ja liittyä siihen, ei pelkästään avaruuden <SpaceName/> jäsenet.",
|
||||
"join_rule_public_label": "Kuka tahansa voi löytää tämän huoneen ja liittyä siihen.",
|
||||
"join_rule_invite_label": "Vain kutsutut ihmiset voivat löytää tämän huoneen ja liittyä siihen.",
|
||||
"encrypted_video_room_warning": "Et voi poistaa tätä käytöstä myöhemmin. Huone salataan, mutta siihen upotettu puhelu ei ole salattu.",
|
||||
"encrypted_warning": "Et voi poistaa tätä käytöstä myöhemmin. SIllat ja useimmat botit eivät vielä toimi.",
|
||||
"encryption_forced": "Palvelimesi edellyttää, että salaus on käytössä yksityisissä huoneissa.",
|
||||
"encryption_label": "Ota päästä päähän -salaus käyttöön",
|
||||
"unfederated_label_default_off": "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.",
|
||||
"unfederated_label_default_on": "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.",
|
||||
"topic_label": "Aihe (valinnainen)",
|
||||
"room_visibility_label": "Huoneen näkyvyys",
|
||||
"join_rule_invite": "Yksityinen huone (vain kutsulla)",
|
||||
"join_rule_restricted": "Näkyvissä avaruuden jäsenille",
|
||||
"unfederated": "Estä muita kuin palvelimen %(serverName)s jäseniä liittymästä tähän huoneeseen."
|
||||
},
|
||||
"timeline": {
|
||||
"m.call": {
|
||||
|
@ -3428,7 +3320,11 @@
|
|||
"changed_rule_rooms": "%(senderName)s muutti sääntöä, joka esti huoneita säännöllä %(oldGlob)s muotoon %(newGlob)s. Syy: %(reason)s",
|
||||
"changed_rule_servers": "%(senderName)s muutti sääntöä, joka esti palvelimia säännöllä %(oldGlob)s muotoon %(newGlob)s. Syy: %(reason)s",
|
||||
"changed_rule_glob": "%(senderName)s muutti estosääntöä muodosta %(oldGlob)s muotoon %(newGlob)s. Syy: %(reason)s"
|
||||
}
|
||||
},
|
||||
"no_permission_messages_before_invite": "Sinulla ei ole oikeutta nähdä viestejä ajalta ennen kutsumistasi.",
|
||||
"no_permission_messages_before_join": "Sinulla ei ole oikeutta nähdä viestejä ajalta ennen liittymistäsi.",
|
||||
"encrypted_historical_messages_unavailable": "Tätä aiemmat salatut viestit eivät ole saatavilla.",
|
||||
"historical_messages_unavailable": "Et voi nähdä aiempia viestejä"
|
||||
},
|
||||
"slash_command": {
|
||||
"spoiler": "Lähettää annetun viestin spoilerina",
|
||||
|
@ -3485,7 +3381,14 @@
|
|||
"holdcall": "Asettaa nykyisen huoneen puhelun pitoon",
|
||||
"no_active_call": "Huoneessa ei ole aktiivista puhelua",
|
||||
"unholdcall": "Ottaa nykyisen huoneen puhelun pois pidosta",
|
||||
"me": "Näyttää toiminnan"
|
||||
"me": "Näyttää toiminnan",
|
||||
"error_invalid_runfn": "Määräys virhe: Ei voitu käsitellä / komentoa",
|
||||
"error_invalid_rendering_type": "Komentovirhe: Renderöintityyppiä (%(renderingType)s) ei löydy",
|
||||
"join": "Liittyy annetun osoitteen mukaiseen huoneeseen",
|
||||
"failed_find_room": "Komento epäonnistui: Huonetta %(roomId)s ei löydetty",
|
||||
"failed_find_user": "Käyttäjää ei löytynyt huoneesta",
|
||||
"op": "Määritä käyttäjän oikeustaso",
|
||||
"deop": "Poistaa tunnuksen mukaiselta käyttäjältä ylläpito-oikeudet"
|
||||
},
|
||||
"presence": {
|
||||
"busy": "Varattu",
|
||||
|
@ -3665,8 +3568,50 @@
|
|||
"account_clash_previous_account": "Jatka aiemmalla tilillä",
|
||||
"log_in_new_account": "<a>Kirjaudu</a> uudelle tilillesi.",
|
||||
"registration_successful": "Rekisteröityminen onnistui",
|
||||
"server_picker_title": "Ylläpidä tiliä osoitteessa",
|
||||
"server_picker_dialog_title": "Päätä, missä tiliäsi isännöidään"
|
||||
"server_picker_title": "Kirjaudu sisään kotipalvelimellesi",
|
||||
"server_picker_dialog_title": "Päätä, missä tiliäsi isännöidään",
|
||||
"footer_powered_by_matrix": "moottorina Matrix",
|
||||
"failed_homeserver_discovery": "Kotipalvelimen etsinnän suoritus epäonnistui",
|
||||
"sync_footer_subtitle": "Jos olet liittynyt moniin huoneisiin, tässä voi kestää hetken",
|
||||
"syncing": "Synkronoidaan…",
|
||||
"signing_in": "Kirjaudutaan…",
|
||||
"unsupported_auth_msisdn": "Tämä palvelin ei tue autentikointia puhelinnumeron avulla.",
|
||||
"unsupported_auth_email": "Tämä kotipalvelin ei tue sähköpostiosoitteella kirjautumista.",
|
||||
"registration_disabled": "Rekisteröityminen on poistettu käytöstä tällä kotipalvelimella.",
|
||||
"failed_query_registration_methods": "Tuettuja rekisteröitymistapoja ei voitu kysellä.",
|
||||
"username_in_use": "Jollakin on jo kyseinen käyttäjätunnus. Valitse eri käyttäjätunnus.",
|
||||
"3pid_in_use": "Tämä sähköpostiosoite tai puhelinnumero on jo käytössä.",
|
||||
"incorrect_password": "Virheellinen salasana",
|
||||
"failed_soft_logout_auth": "Uudelleenautentikointi epäonnistui",
|
||||
"soft_logout_heading": "Sinut on kirjattu ulos",
|
||||
"forgot_password_email_required": "Sinun pitää syöttää tiliisi liitetty sähköpostiosoite.",
|
||||
"forgot_password_email_invalid": "Sähköpostiosoite ei vaikuta kelvolliselta.",
|
||||
"sign_in_prompt": "Sinulla on jo tili? <a>Kirjaudu sisään</a>",
|
||||
"verify_email_heading": "Vahvista sähköpostiosoitteesi jatkaaksesi",
|
||||
"forgot_password_prompt": "Unohditko salasanasi?",
|
||||
"soft_logout_intro_password": "Syötä salasanasi kirjautuaksesi ja päästäksesi takaisin tilillesi.",
|
||||
"soft_logout_intro_sso": "Kirjaudu ja pääse takaisin tilillesi.",
|
||||
"soft_logout_intro_unsupported_auth": "Et voi kirjautua tilillesi. Ota yhteyttä kotipalvelimesi ylläpitäjään saadaksesi lisätietoja.",
|
||||
"check_email_explainer": "Seuraa osoitteeseen <b>%(email)s</b> lähetettyjä ohjeita",
|
||||
"check_email_wrong_email_prompt": "Väärä sähköpostiosoite?",
|
||||
"check_email_wrong_email_button": "Kirjoita sähköpostiosoite uudestaan",
|
||||
"check_email_resend_prompt": "Etkö vastaanottanut viestiä?",
|
||||
"check_email_resend_tooltip": "Vahvistuslinkin sisältävä sähköposti lähetetty uudelleen!",
|
||||
"enter_email_heading": "Kirjoita sähköpostiosoitteesi nollataksesi salasanasi",
|
||||
"enter_email_explainer": "<b>%(homeserver)s</b> lähettää sinulle vahvistuslinkin, jotta voit nollata salasanasi.",
|
||||
"create_account_prompt": "Uusi täällä? <a>Luo tili</a>",
|
||||
"sign_in_or_register": "Kirjaudu sisään tai luo tili",
|
||||
"sign_in_or_register_description": "Käytä tiliäsi tai luo uusi jatkaaksesi.",
|
||||
"sign_in_description": "Käytä tiliäsi jatkaaksesi.",
|
||||
"register_action": "Luo tili",
|
||||
"server_picker_failed_validate_homeserver": "Kotipalvelimen vahvistus epäonnistui",
|
||||
"server_picker_invalid_url": "Virheellinen URL",
|
||||
"server_picker_required": "Määritä kotipalvelin",
|
||||
"server_picker_matrix.org": "Matrix.org on maailman suurin julkinen kotipalvelin, joten se on hyvä valinta useimmille.",
|
||||
"server_picker_intro": "Kutsumme \"kotipalvelimiksi\" paikkoja, missä voit isännöidä tiliäsi.",
|
||||
"server_picker_custom": "Muu kotipalvelin",
|
||||
"server_picker_explainer": "Käytä haluamaasi Matrix-kotipalvelinta, tai isännöi omaa palvelinta.",
|
||||
"server_picker_learn_more": "Tietoa kotipalvelimista"
|
||||
},
|
||||
"room_list": {
|
||||
"sort_unread_first": "Näytä ensimmäisenä huoneet, joissa on lukemattomia viestejä",
|
||||
|
@ -3706,5 +3651,64 @@
|
|||
"access_token_detail": "Käyttöpolettisi (ns. token) antaa täyden pääsyn tilillesi. Älä jaa sitä kenenkään kanssa.",
|
||||
"clear_cache_reload": "Tyhjennä välimuisti ja lataa uudelleen"
|
||||
}
|
||||
},
|
||||
"widget": {
|
||||
"capability": {
|
||||
"send_stickers_this_room": "Lähetä tarroja tähän huoneeseen",
|
||||
"send_stickers_active_room": "Lähetä tarroja aktiiviseen huoneeseesi",
|
||||
"send_stickers_this_room_as_you": "Lähetä tähän huoneeseen tarroja itsenäsi",
|
||||
"send_stickers_active_room_as_you": "Lähetä aktiiviseen huoneeseesi tarroja itsenäsi",
|
||||
"see_sticker_posted_this_room": "Näe kun tarra lähetetään tähän huoneeseen",
|
||||
"see_sticker_posted_active_room": "Näe kun kuka tahansa lähettää tarran aktiiviseen huoneeseen",
|
||||
"always_on_screen_viewing_another_room": "Pysy ruudulla katsellessasi huonetta, kun se on käynnissä",
|
||||
"always_on_screen_generic": "Pysy ruudulla käynnissä olon ajan",
|
||||
"switch_room": "Vaihda näytettävää huonetta",
|
||||
"switch_room_message_user": "Vaihda näytettävää huonetta, viestiä tai käyttäjää",
|
||||
"change_topic_this_room": "Muuta huoneen aihetta",
|
||||
"see_topic_change_this_room": "Näe kun aihe vaihtuu tässä huoneessa",
|
||||
"change_topic_active_room": "Muuta aktiivisen huoneesi aihetta",
|
||||
"see_topic_change_active_room": "Näe kun aihe vaihtuu aktiivisessa huoneessa",
|
||||
"change_name_this_room": "Muuta tämän huoneen nimeä",
|
||||
"see_name_change_this_room": "Näe milloin nimi muuttuu tässä huoneessa",
|
||||
"change_name_active_room": "Muuta aktiivisen huoneesi nimeä",
|
||||
"see_name_change_active_room": "Näe milloin käyttäjän nimi muuttuu aktiivisessa huoneessa",
|
||||
"change_avatar_this_room": "Vaihda huoneen kuva",
|
||||
"see_avatar_change_this_room": "Näe milloin avatar vaihtuu tässä huoneessa",
|
||||
"change_avatar_active_room": "Vaihda aktiivisen huoneesi kuva",
|
||||
"see_avatar_change_active_room": "Näe kun kuva vaihtuu aktiivisessa huoneessa",
|
||||
"receive_membership_this_room": "Näe milloin ihmiset liittyvät, poistuvat tai tulevat kutsutuiksi tähän huoneeseen",
|
||||
"receive_membership_active_room": "Näe kun ihmiset liittyvät, poistuvat tai tulevat kutsutuiksi aktiiviseen huoneeseen",
|
||||
"send_event_type_this_room": "Lähetä <b>%(eventType)s</b>-tapahtumia tähän huoneeseen itsenäsi",
|
||||
"send_event_type_active_room": "Lähetä <b>%(eventType)s</b>-tapahtumia aktiiviseen huoneeseesi itsenäsi",
|
||||
"capability": "<b>%(capability)s</b>-ominaisuus",
|
||||
"send_messages_this_room": "Lähetä tähän huoneeseen viestejä itsenäsi",
|
||||
"send_messages_active_room": "Lähetä aktiiviseen huoneeseesi viestejä itsenäsi",
|
||||
"see_messages_sent_this_room": "Näe tähän huoneeseen lähetetyt viestit",
|
||||
"see_messages_sent_active_room": "Näe aktiiviseen huoneeseen lähetetyt viestit",
|
||||
"send_text_messages_this_room": "Lähetä tähän huoneeseen tekstiviestejä itsenäsi",
|
||||
"send_text_messages_active_room": "Lähetä aktiiviseen huoneeseesi tekstiviestejä itsenäsi",
|
||||
"see_text_messages_sent_this_room": "Näe tähän huoneeseen lähetetyt tekstiviestit",
|
||||
"send_images_this_room": "Lähetä tähän huoneeseen kuvia itsenäsi",
|
||||
"send_images_active_room": "Lähetä aktiiviseen huoneeseesi kuvia itsenäsi",
|
||||
"see_images_sent_this_room": "Näe tähän huoneeseen lähetetyt kuvat",
|
||||
"see_images_sent_active_room": "Näe aktiiviseen huoneeseen lähetetyt kuvat",
|
||||
"send_videos_this_room": "Lähetä tähän huoneeseen videoita itsenäsi",
|
||||
"send_videos_active_room": "Lähetä aktiiviseen huoneeseesi videoita itsenäsi",
|
||||
"see_videos_sent_this_room": "Näe tähän huoneeseen lähetetyt videot",
|
||||
"see_videos_sent_active_room": "Näe aktiiviseen huoneeseen lähetetyt videot",
|
||||
"send_files_this_room": "Lähetä tähän huoneeseen yleisiä tiedostoja itsenäsi",
|
||||
"send_files_active_room": "Lähetä aktiiviseen huoneeseesi yleisiä tiedostoja itsenäsi",
|
||||
"send_msgtype_this_room": "Lähetä <b>%(msgtype)s</b>-viestejä itsenäsi tähän huoneeseen",
|
||||
"send_msgtype_active_room": "Lähetä <b>%(msgtype)s</b>-viestejä itsenäsi aktiiviseen huoneeseesi"
|
||||
}
|
||||
},
|
||||
"feedback": {
|
||||
"sent": "Palaute lähetetty",
|
||||
"comment_label": "Kommentti",
|
||||
"platform_username": "Alustasi ja käyttäjänimesi huomataan, jotta palautteesi on meille mahdollisimman käyttökelpoista.",
|
||||
"may_contact_label": "Voitte olla yhteydessä minuun, jos haluatte keskustella palautteesta tai antaa minun testata tulevia ideoita",
|
||||
"pro_type": "Vinkki: Jos teet virheilmoituksen, lähetä <debugLogsLink>vianjäljityslokit</debugLogsLink> jotta ongelman ratkaiseminen helpottuu.",
|
||||
"existing_issue_link": "Katso ensin <existingIssuesLink>aiemmin raportoidut virheet Githubissa</existingIssuesLink>. Eikö samanlaista virhettä löydy? <newIssueLink>Tee uusi ilmoitus virheestä</newIssueLink>.",
|
||||
"send_feedback_action": "Lähetä palautetta"
|
||||
}
|
||||
}
|
||||
|
|
|
@ -26,7 +26,6 @@
|
|||
"Current password": "Mot de passe actuel",
|
||||
"Deactivate Account": "Fermer le compte",
|
||||
"Decrypt %(text)s": "Déchiffrer %(text)s",
|
||||
"Deops user with given id": "Retire le rang d’opérateur d’un utilisateur à partir de son identifiant",
|
||||
"Failed to load timeline position": "Échec du chargement de la position dans le fil de discussion",
|
||||
"Failed to mute user": "Échec de la mise en sourdine de l’utilisateur",
|
||||
"Failed to reject invite": "Échec du rejet de l’invitation",
|
||||
|
@ -88,7 +87,6 @@
|
|||
"Signed Out": "Déconnecté",
|
||||
"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 n’a pas été trouvée",
|
||||
"The email address linked to your account must be entered.": "L’adresse e-mail liée à votre compte doit être renseignée.",
|
||||
"This room has no local addresses": "Ce salon n’a pas d’adresse locale",
|
||||
"This room is not recognised.": "Ce salon n’est pas reconnu.",
|
||||
"This doesn't appear to be a valid email address": "Cette adresse e-mail ne semble pas valide",
|
||||
|
@ -136,7 +134,6 @@
|
|||
"%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s %(day)s %(monthName)s %(time)s",
|
||||
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s %(day)s %(monthName)s %(fullYear)s %(time)s",
|
||||
"%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s",
|
||||
"This server does not support authentication with a phone number.": "Ce serveur ne prend pas en charge l’authentification avec un numéro de téléphone.",
|
||||
"Connectivity to the server has been lost.": "La connexion au serveur a été perdue.",
|
||||
"Sent messages will be stored until your connection has returned.": "Les messages envoyés seront stockés jusqu’à ce que votre connexion revienne.",
|
||||
"Passphrases must match": "Les phrases secrètes doivent être identiques",
|
||||
|
@ -154,12 +151,10 @@
|
|||
"Failed to invite": "Échec de l’invitation",
|
||||
"Confirm Removal": "Confirmer la suppression",
|
||||
"Unknown error": "Erreur inconnue",
|
||||
"Incorrect password": "Mot de passe incorrect",
|
||||
"Unable to restore session": "Impossible de restaurer la 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.": "Si vous avez utilisé une version plus récente de %(brand)s précédemment, votre session risque d’être incompatible avec cette version. Fermez cette fenêtre et retournez à la version plus récente.",
|
||||
"Token incorrect": "Jeton incorrect",
|
||||
"Please enter the code it contains:": "Merci de saisir le code qu’il contient :",
|
||||
"powered by Matrix": "propulsé par Matrix",
|
||||
"Error decrypting image": "Erreur lors du déchiffrement de l’image",
|
||||
"Error decrypting video": "Erreur lors du déchiffrement de la vidéo",
|
||||
"Add an Integration": "Ajouter une intégration",
|
||||
|
@ -209,7 +204,6 @@
|
|||
"This will allow you to reset your password and receive notifications.": "Ceci vous permettra de réinitialiser votre mot de passe et de recevoir des notifications.",
|
||||
"Check for update": "Rechercher une mise à jour",
|
||||
"Delete widget": "Supprimer le widget",
|
||||
"Define the power level of a user": "Définir le rang d’un utilisateur",
|
||||
"Unable to create widget.": "Impossible de créer le widget.",
|
||||
"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 n’avez pas l’autorisation d’effectuer cette action dans ce salon.",
|
||||
|
@ -245,8 +239,6 @@
|
|||
"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.",
|
||||
"Restricted": "Restreint",
|
||||
"Enable URL previews for this room (only affects you)": "Activer l’aperçu des URL pour ce salon (n’affecte que vous)",
|
||||
"Enable URL previews by default for participants in this room": "Activer l’aperç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 disabled by default for participants in this room.": "Les aperçus d'URL sont désactivés par défaut pour les participants de ce salon.",
|
||||
"%(duration)ss": "%(duration)ss",
|
||||
|
@ -374,7 +366,6 @@
|
|||
"Unable to restore backup": "Impossible de restaurer la sauvegarde",
|
||||
"No backup found!": "Aucune sauvegarde n’a été trouvée !",
|
||||
"Failed to decrypt %(failedCount)s sessions!": "Le déchiffrement de %(failedCount)s sessions a échoué !",
|
||||
"Failed to perform homeserver discovery": "Échec lors de la découverte du serveur d’accueil",
|
||||
"Invalid homeserver discovery response": "Réponse de découverte du serveur d’accueil non valide",
|
||||
"Use a few words, avoid common phrases": "Utilisez quelques mots, évitez les phrases courantes",
|
||||
"No need for symbols, digits, or uppercase letters": "Il n'y a pas besoin de symbole, de chiffre ou de majuscule",
|
||||
|
@ -530,9 +521,6 @@
|
|||
"This homeserver would like to make sure you are not a robot.": "Ce serveur d’accueil veut s’assurer que vous n’êtes pas un robot.",
|
||||
"Couldn't load page": "Impossible de charger la page",
|
||||
"Your password has been reset.": "Votre mot de passe a été réinitialisé.",
|
||||
"This homeserver does not support login using email address.": "Ce serveur d’accueil ne prend pas en charge la connexion avec une adresse e-mail.",
|
||||
"Registration has been disabled on this homeserver.": "L’inscription a été désactivée sur ce serveur d’accueil.",
|
||||
"Unable to query for supported registration methods.": "Impossible de demander les méthodes d’inscription prises en charge.",
|
||||
"Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "En êtes-vous sûr ? Vous perdrez vos messages chiffrés si vos clés ne sont pas sauvegardées correctement.",
|
||||
"Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "Les messages chiffrés sont sécurisés avec un chiffrement de bout en bout. Seuls vous et le(s) destinataire(s) ont les clés pour lire ces messages.",
|
||||
"Restore from Backup": "Restaurer depuis la sauvegarde",
|
||||
|
@ -652,16 +640,10 @@
|
|||
"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:": "La mise à niveau de ce salon nécessite de fermer l’instance actuelle du salon et de créer un nouveau salon à la place. Pour fournir la meilleure expérience possible aux utilisateurs, nous allons :",
|
||||
"Resend %(unsentCount)s reaction(s)": "Renvoyer %(unsentCount)s réaction(s)",
|
||||
"Your homeserver doesn't seem to support this feature.": "Il semble que votre serveur d’accueil ne prenne pas en charge cette fonctionnalité.",
|
||||
"You're signed out": "Vous êtes déconnecté",
|
||||
"Clear all data": "Supprimer toutes les données",
|
||||
"Removing…": "Suppression…",
|
||||
"Failed to re-authenticate due to a homeserver problem": "Échec de la ré-authentification à cause d’un problème du serveur d’accueil",
|
||||
"Failed to re-authenticate": "Échec de la ré-authentification",
|
||||
"Enter your password to sign in and regain access to your account.": "Saisissez votre mot de passe pour vous connecter et ré-accéder à votre compte.",
|
||||
"Forgotten your password?": "Mot de passe oublié ?",
|
||||
"Clear personal data": "Supprimer les données personnelles",
|
||||
"Sign in and regain access to your account.": "Connectez-vous et ré-accédez à votre compte.",
|
||||
"You cannot sign in to your account. Please contact your homeserver admin for more information.": "Vous ne pouvez pas vous connecter à votre compte. Contactez l’administrateur de votre serveur d’accueil pour plus d’informations.",
|
||||
"Please tell us what went wrong or, better, create a GitHub issue that describes the problem.": "Dites-nous ce qui s’est mal passé ou, encore mieux, créez un rapport d’erreur sur GitHub qui décrit le problème.",
|
||||
"Find others by phone or email": "Trouver d’autres personnes par téléphone ou e-mail",
|
||||
"Be found by phone or email": "Être trouvé par téléphone ou e-mail",
|
||||
|
@ -740,8 +722,6 @@
|
|||
"Read Marker off-screen lifetime (ms)": "Durée de vie du repère de lecture en dehors de l’écran (ms)",
|
||||
"e.g. my-room": "par ex. mon-salon",
|
||||
"Close dialog": "Fermer la boîte de dialogue",
|
||||
"Please enter a name for the room": "Veuillez renseigner un nom pour le salon",
|
||||
"Topic (optional)": "Sujet (facultatif)",
|
||||
"Hide advanced": "Masquer les paramètres avancés",
|
||||
"Show advanced": "Afficher les paramètres avancés",
|
||||
"To continue you need to accept the terms of this service.": "Pour continuer vous devez accepter les conditions de ce service.",
|
||||
|
@ -967,9 +947,6 @@
|
|||
"exists": "existant",
|
||||
"Cancelling…": "Annulation…",
|
||||
"Accepting…": "Acceptation…",
|
||||
"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.",
|
||||
"Create Account": "Créer un compte",
|
||||
"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",
|
||||
"Not currently indexing messages for any room.": "N’indexe aucun message en ce moment.",
|
||||
|
@ -1035,9 +1012,6 @@
|
|||
"Server did not require any authentication": "Le serveur n’a pas demandé d’authentification",
|
||||
"Server did not return valid authentication information.": "Le serveur n’a pas renvoyé des informations d’authentification valides.",
|
||||
"There was a problem communicating with the server. Please try again.": "Un problème est survenu en essayant de communiquer avec le serveur. Veuillez réessayer.",
|
||||
"Enable end-to-end encryption": "Activer le chiffrement de bout en bout",
|
||||
"Could not find user in room": "Impossible de trouver l’utilisateur dans le salon",
|
||||
"If you've joined lots of rooms, this might take a while": "Si vous avez rejoint beaucoup de salons, cela peut prendre du temps",
|
||||
"Can't load this message": "Impossible de charger ce message",
|
||||
"Submit logs": "Envoyer les journaux",
|
||||
"Reminder: Your browser is unsupported, so your experience may be unpredictable.": "Rappel : Votre navigateur n’est pas pris en charge donc votre expérience pourrait être aléatoire.",
|
||||
|
@ -1061,7 +1035,6 @@
|
|||
"Size must be a number": "La taille doit être un nombre",
|
||||
"Custom font size can only be between %(min)s pt and %(max)s pt": "La taille de police personnalisée doit être comprise entre %(min)s pt et %(max)s pt",
|
||||
"Use between %(min)s pt and %(max)s pt": "Utiliser entre %(min)s pt et %(max)s pt",
|
||||
"Joins room with given address": "Rejoint le salon à l’adresse donnée",
|
||||
"Please verify the room ID or address and try again.": "Vérifiez l’identifiant ou l’adresse du salon et réessayez.",
|
||||
"Room ID or address of ban list": "Identifiant du salon ou adresse de la liste de bannissement",
|
||||
"To link to this room, please add an address.": "Pour créer un lien vers ce salon, ajoutez une adresse.",
|
||||
|
@ -1085,7 +1058,6 @@
|
|||
"Switch to dark mode": "Passer au mode sombre",
|
||||
"Switch theme": "Changer le thème",
|
||||
"All settings": "Tous les paramètres",
|
||||
"Feedback": "Commentaire",
|
||||
"No recently visited rooms": "Aucun salon visité récemment",
|
||||
"Message preview": "Aperçu de message",
|
||||
"Room options": "Options du salon",
|
||||
|
@ -1184,20 +1156,8 @@
|
|||
"Modal Widget": "Fenêtre de widget",
|
||||
"Invite someone using their name, username (like <userId/>) or <a>share this room</a>.": "Invitez quelqu’un à partir de son nom, pseudo (comme <userId/>) ou <a>partagez ce salon</a>.",
|
||||
"Start a conversation with someone using their name or username (like <userId/>).": "Commencer une conversation privée avec quelqu’un en utilisant son nom ou son pseudo (comme <userId/>).",
|
||||
"Send feedback": "Envoyer un commentaire",
|
||||
"PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "CONSEIL : si vous rapportez un bug, merci d’envoyer <debugLogsLink>les journaux de débogage</debugLogsLink> pour nous aider à identifier le problème.",
|
||||
"Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.": "Merci de regarder d’abord les <existingIssuesLink>bugs déjà répertoriés sur Github</existingIssuesLink>. Pas de résultat ? <newIssueLink>Rapportez un nouveau bug</newIssueLink>.",
|
||||
"Comment": "Commentaire",
|
||||
"Feedback sent": "Commentaire envoyé",
|
||||
"Block anyone not part of %(serverName)s from ever joining this room.": "Empêche n’importe qui n’étant pas membre de %(serverName)s de rejoindre ce salon.",
|
||||
"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.": "Vous devriez le déactiver si le salon est utilisé pour collaborer avec des équipes externes qui ont leur propre serveur d’accueil. Ceci ne peut pas être changé plus tard.",
|
||||
"You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "Vous devriez l’activer si le salon n’est utilisé que pour collaborer avec des équipes internes sur votre serveur d’accueil. Ceci ne peut pas être changé plus tard.",
|
||||
"Your server requires encryption to be enabled in private rooms.": "Votre serveur impose d’activer le chiffrement dans les salons privés.",
|
||||
"%(creator)s created this DM.": "%(creator)s a créé cette conversation privée.",
|
||||
"Got an account? <a>Sign in</a>": "Vous avez un compte ? <a>Connectez-vous</a>",
|
||||
"New here? <a>Create an account</a>": "Nouveau ici ? <a>Créez un compte</a>",
|
||||
"There was a problem communicating with the homeserver, please try again later.": "Il y a eu un problème lors de la communication avec le serveur d’accueil, veuillez réessayer ultérieurement.",
|
||||
"New? <a>Create account</a>": "Nouveau ? <a>Créez un compte</a>",
|
||||
"Algeria": "Algérie",
|
||||
"Albania": "Albanie",
|
||||
"Åland Islands": "Îles Åland",
|
||||
|
@ -1226,7 +1186,6 @@
|
|||
"Invite someone using their name, email address, username (like <userId/>) or <a>share this room</a>.": "Invitez quelqu’un via son nom, e-mail ou pseudo (p. ex. <userId/>) ou <a>partagez ce salon</a>.",
|
||||
"Start a conversation with someone using their name, email address or username (like <userId/>).": "Commencer une conversation privée avec quelqu’un via son nom, e-mail ou pseudo (comme par exemple <userId/>).",
|
||||
"Too Many Calls": "Trop d’appels",
|
||||
"Send stickers to this room as you": "Envoyer des autocollants dans ce salon sous votre nom",
|
||||
"Zambia": "Zambie",
|
||||
"Yemen": "Yémen",
|
||||
"Western Sahara": "Sahara occidental",
|
||||
|
@ -1451,54 +1410,7 @@
|
|||
"Bolivia": "Bolivie",
|
||||
"Bhutan": "Bhoutan",
|
||||
"Bermuda": "Bermudes",
|
||||
"with state key %(stateKey)s": "avec la ou les clés d’état %(stateKey)s",
|
||||
"with an empty state key": "avec une clé d’état vide",
|
||||
"See when anyone posts a sticker to your active room": "Voir quand n’importe qui envoie un autocollant dans le salon actuel",
|
||||
"See when a sticker is posted in this room": "Voir quand un autocollant est envoyé dans ce salon",
|
||||
"See when the avatar changes in your active room": "Voir quand l’avatar change dans le salon actuel",
|
||||
"Change the avatar of your active room": "Changer l’avatar du salon actuel",
|
||||
"See when the avatar changes in this room": "Voir quand l’avatar change dans ce salon",
|
||||
"Change the avatar of this room": "Changer l’avatar de ce salon",
|
||||
"Send stickers into your active room": "Envoyer des autocollants dans le salon actuel",
|
||||
"See when the topic changes in this room": "Voir quand le sujet change dans ce salon",
|
||||
"See when the topic changes in your active room": "Voir quand le sujet change dans le salon actuel",
|
||||
"Change the name of your active room": "Changer le nom du salon actuel",
|
||||
"See when the name changes in this room": "Suivre quand le nom de ce salon change",
|
||||
"Change the name of this room": "Changer le nom de ce salon",
|
||||
"Change the topic of your active room": "Changer le sujet dans le salon actuel",
|
||||
"Change the topic of this room": "Changer le sujet de ce salon",
|
||||
"Send stickers into this room": "Envoyer des autocollants dans ce salon",
|
||||
"Remain on your screen when viewing another room, when running": "Reste sur votre écran lors de l’appel quand vous regardez un autre salon",
|
||||
"Zimbabwe": "Zimbabwe",
|
||||
"Send images as you in your active room": "Envoie des images sous votre nom dans le salon actuel",
|
||||
"Send images as you in this room": "Envoie des images sous votre nom dans ce salon",
|
||||
"See emotes posted to your active room": "Voir les réactions envoyées dans le salon actuel",
|
||||
"See emotes posted to this room": "Voir les réactions envoyées dans ce salon",
|
||||
"Send emotes as you in your active room": "Envoyer des réactions sous votre nom dans le salon actuel",
|
||||
"Send emotes as you in this room": "Envoyer des réactions sous votre nom dans ce salon",
|
||||
"See videos posted to your active room": "Voir les vidéos publiées dans votre salon actif",
|
||||
"See videos posted to this room": "Voir les vidéos envoyées dans ce salon",
|
||||
"Send videos as you in your active room": "Envoie des vidéos sous votre nom dans votre salon actuel",
|
||||
"Send videos as you in this room": "Envoie des vidéos sous votre nom dans ce salon",
|
||||
"See images posted to this room": "Voir les images envoyées dans ce salon",
|
||||
"See images posted to your active room": "Voir les images publiées dans votre salon actif",
|
||||
"See messages posted to your active room": "Voir les messages envoyés dans le salon actuel",
|
||||
"See messages posted to this room": "Voir les messages envoyés dans ce salon",
|
||||
"Send messages as you in your active room": "Envoie des messages sous votre nom dans votre salon actif",
|
||||
"Send messages as you in this room": "Envoie des messages sous votre nom dans ce salon",
|
||||
"The <b>%(capability)s</b> capability": "La capacité <b>%(capability)s</b>",
|
||||
"See <b>%(eventType)s</b> events posted to your active room": "Voir les évènements <b>%(eventType)s</b> publiés dans votre salon actuel",
|
||||
"Send <b>%(eventType)s</b> events as you in your active room": "Envoie des évènements <b>%(eventType)s</b> sous votre nom dans votre salon actuel",
|
||||
"See <b>%(eventType)s</b> events posted to this room": "Voir les évènements <b>%(eventType)s</b> envoyés dans ce salon",
|
||||
"Send <b>%(eventType)s</b> events as you in this room": "Envoie des évènements <b>%(eventType)s</b> sous votre nom dans ce salon",
|
||||
"Send stickers to your active room as you": "Envoie des autocollants sous votre nom dans le salon actuel",
|
||||
"About homeservers": "À propos des serveurs d’accueil",
|
||||
"Use your preferred Matrix homeserver if you have one, or host your own.": "Utilisez votre serveur d’accueil Matrix préféré si vous en avez un, ou hébergez le vôtre.",
|
||||
"Other homeserver": "Autre serveur d’accueil",
|
||||
"Sign into your homeserver": "Connectez-vous sur votre serveur d’accueil",
|
||||
"Specify a homeserver": "Spécifiez un serveur d’accueil",
|
||||
"Invalid URL": "URL invalide",
|
||||
"Unable to validate homeserver": "Impossible de valider le serveur d’accueil",
|
||||
"Just a heads up, if you don't add an email and forget your password, you could <b>permanently lose access to your account</b>.": "Juste une remarque, si vous n'ajoutez pas d’e-mail et que vous oubliez votre mot de passe, vous pourriez <b>perdre définitivement l’accès à votre compte</b>.",
|
||||
"Continuing without email": "Continuer sans e-mail",
|
||||
"Transfer": "Transférer",
|
||||
|
@ -1520,14 +1432,6 @@
|
|||
"Update %(brand)s": "Mettre à jour %(brand)s",
|
||||
"Enable desktop notifications": "Activer les notifications sur le bureau",
|
||||
"Don't miss a reply": "Ne ratez pas une réponse",
|
||||
"See <b>%(msgtype)s</b> messages posted to your active room": "Voir les messages de type <b>%(msgtype)s</b> envoyés dans le salon actuel",
|
||||
"See <b>%(msgtype)s</b> messages posted to this room": "Voir les messages de type <b>%(msgtype)s</b> envoyés dans ce salon",
|
||||
"Send <b>%(msgtype)s</b> messages as you in this room": "Envoie les messages de type <b>%(msgtype)s</b> sous votre nom dans ce salon",
|
||||
"Send <b>%(msgtype)s</b> messages as you in your active room": "Envoie des messages de type <b>%(msgtype)s</b> sous votre nom dans votre salon actif",
|
||||
"See general files posted to your active room": "Voir les fichiers postés dans votre salon actuel",
|
||||
"See general files posted to this room": "Voir les fichiers envoyés dans ce salon",
|
||||
"Send general files as you in your active room": "Envoyer des fichiers sous votre nom dans votre salon actif",
|
||||
"Send general files as you in this room": "Envoyer des fichiers sous votre nom dans ce salon",
|
||||
"This session has detected that your Security Phrase and key for Secure Messages have been removed.": "Cette session a détecté que votre phrase secrète et clé de sécurité pour les messages sécurisés ont été supprimées.",
|
||||
"A new Security Phrase and key for Secure Messages have been detected.": "Une nouvelle phrase secrète et clé de sécurité pour les messages sécurisés ont été détectées.",
|
||||
"Confirm your Security Phrase": "Confirmez votre phrase secrète",
|
||||
|
@ -1578,14 +1482,6 @@
|
|||
"Unable to look up phone number": "Impossible de trouver votre numéro de téléphone",
|
||||
"Use app": "Utiliser l’application",
|
||||
"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 this room": "Voir les messages textuels envoyés dans ce salon",
|
||||
"Send text messages as you in your active room": "Envoyez des messages textuels sous votre nom dans le salon actif",
|
||||
"Send text messages as you in this room": "Envoyez des messages textuels sous votre nom dans ce salon",
|
||||
"See when the name changes in your active room": "Suivre les changements de nom dans le salon actif",
|
||||
"Change which room, message, or user you're viewing": "Changer le salon, message, ou la personne que vous visualisez",
|
||||
"Change which room you're viewing": "Changer le salon que vous êtes en train de lire",
|
||||
"Remain on your screen while running": "Reste sur votre écran pendant l’appel",
|
||||
"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 d’accueil, mais il semble l’avoir oublié. Rendez-vous à la page de connexion et réessayez.",
|
||||
"We couldn't log you in": "Nous n’avons pas pu vous connecter",
|
||||
"Invite someone using their name, username (like <userId/>) or <a>share this space</a>.": "Invitez quelqu’un grâce à son nom, nom d’utilisateur (tel que <userId/>) ou <a>partagez cet espace</a>.",
|
||||
|
@ -1728,12 +1624,9 @@
|
|||
"Search names and descriptions": "Rechercher par nom et description",
|
||||
"You may contact me if you have any follow up questions": "Vous pouvez me contacter si vous avez des questions par la suite",
|
||||
"To leave the beta, visit your settings.": "Pour quitter la bêta, consultez les paramètres.",
|
||||
"Your platform and username will be noted to help us use your feedback as much as we can.": "Votre plateforme et nom d’utilisateur seront consignés pour nous aider à tirer le maximum de vos commentaires.",
|
||||
"Add reaction": "Ajouter une réaction",
|
||||
"See when people join, leave, or are invited to this room": "Voir quand une personne rejoint, quitte ou est invitée sur ce salon",
|
||||
"Space Autocomplete": "Autocomplétion d’espace",
|
||||
"Go to my space": "Accéder à mon espace",
|
||||
"See when people join, leave, or are invited to your active room": "Afficher quand des personnes rejoignent, partent, ou sont invités dans votre salon actif",
|
||||
"Currently joining %(count)s rooms": {
|
||||
"one": "Vous êtes en train de rejoindre %(count)s salon",
|
||||
"other": "Vous êtes en train de rejoindre %(count)s salons"
|
||||
|
@ -1868,15 +1761,7 @@
|
|||
"Only people invited will be able to find and join this space.": "Seules les personnes invitées pourront trouver et rejoindre cet espace.",
|
||||
"Anyone will be able to find and join this space, not just members of <SpaceName/>.": "Quiconque pourra trouver et rejoindre cet espace, pas seulement les membres de <SpaceName/>.",
|
||||
"Anyone in <SpaceName/> will be able to find and join.": "Tous les membres de <SpaceName/> pourront trouver et venir.",
|
||||
"Visible to space members": "Visible pour les membres de l'espace",
|
||||
"Public room": "Salon public",
|
||||
"Private room (invite only)": "Salon privé (uniquement sur invitation)",
|
||||
"Room visibility": "Visibilité du salon",
|
||||
"Only people invited will be able to find and join this room.": "Seules les personnes invitées pourront trouver et rejoindre ce salon.",
|
||||
"Anyone will be able to find and join this room.": "Quiconque pourra trouver et rejoindre ce salon.",
|
||||
"Anyone will be able to find and join this room, not just members of <SpaceName/>.": "Quiconque pourra trouver et rejoindre ce salon, pas seulement les membres de <SpaceName/>.",
|
||||
"You can change this at any time from room settings.": "Vous pouvez changer ceci n’importe quand depuis les paramètres du salon.",
|
||||
"Everyone in <SpaceName/> will be able to find and join this room.": "Tout le monde dans <SpaceName/> pourra trouver et rejoindre ce salon.",
|
||||
"Missed call": "Appel manqué",
|
||||
"Call declined": "Appel rejeté",
|
||||
"Stop recording": "Arrêter l’enregistrement",
|
||||
|
@ -1898,8 +1783,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.",
|
||||
"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.",
|
||||
"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",
|
||||
"Some encryption parameters have been changed.": "Certains paramètres de chiffrement ont été changés.",
|
||||
"Role in <RoomName/>": "Rôle dans <RoomName/>",
|
||||
"%(reactors)s reacted with %(content)s": "%(reactors)s ont réagi avec %(content)s",
|
||||
|
@ -1950,7 +1833,6 @@
|
|||
},
|
||||
"Loading new room": "Chargement du nouveau salon",
|
||||
"Upgrading room": "Mise-à-jour du salon",
|
||||
"The email address doesn't appear to be valid.": "L’adresse de courriel semble être invalide.",
|
||||
"What projects are your team working on?": "Sur quels projets travaille votre équipe ?",
|
||||
"See room timeline (devtools)": "Voir l’historique du salon (outils développeurs)",
|
||||
"View in room": "Voir dans le salon",
|
||||
|
@ -1968,10 +1850,7 @@
|
|||
"Joined": "Rejoint",
|
||||
"Joining": "En train de rejoindre",
|
||||
"You're all caught up": "Vous êtes à jour",
|
||||
"We call the places where you can host your account 'homeservers'.": "Nous appelons « serveur d'accueils » les lieux où vous pouvez héberger votre compte.",
|
||||
"Matrix.org is the biggest public homeserver in the world, so it's a good place for many.": "Matrix.org est le plus grand serveur d’accueil public, c'est donc un bon choix pour la plupart des gens.",
|
||||
"If you can't see who you're looking for, send them your invite link below.": "Si vous ne trouvez pas la personne que vous cherchez, envoyez-lui le lien d’invitation ci-dessous.",
|
||||
"You can't disable this later. Bridges & most bots won't work yet.": "Vous ne pourrez pas le désactiver plus tard. Les passerelles et la plupart des bots ne fonctionneront pas pour le moment.",
|
||||
"In encrypted rooms, verify all users to ensure it's secure.": "Dans les salons chiffrés, vérifiez tous les utilisateurs pour vous assurer qu’il est sécurisé.",
|
||||
"Yours, or the other users' session": "Votre session ou celle de l’autre utilisateur",
|
||||
"Yours, or the other users' internet connection": "Votre connexion internet ou celle de l’autre utilisateur",
|
||||
|
@ -1996,7 +1875,6 @@
|
|||
"Automatically send debug logs on any error": "Envoyer automatiquement les journaux de débogage en cas d’erreur",
|
||||
"Use a more compact 'Modern' layout": "Utiliser une mise en page « moderne » plus compacte",
|
||||
"Light high contrast": "Contraste élevé clair",
|
||||
"Someone already has that username, please try another.": "Quelqu’un possède déjà ce nom d’utilisateur, veuillez en essayer un autre.",
|
||||
"Someone already has that username. Try another or if it is you, sign in below.": "Quelqu’un d’autre a déjà ce nom d’utilisateur. Essayez-en un autre ou bien, si c’est vous, connecter vous ci-dessous.",
|
||||
"Copy link to thread": "Copier le lien du fil de discussion",
|
||||
"Thread options": "Options des fils de discussion",
|
||||
|
@ -2030,7 +1908,6 @@
|
|||
"Large": "Grande",
|
||||
"Other rooms": "Autres salons",
|
||||
"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",
|
||||
"Sorry, the poll you tried to create was not posted.": "Désolé, le sondage que vous avez essayé de créer n’a pas été envoyé.",
|
||||
"Failed to post poll": "Échec lors de la soumission du sondage",
|
||||
"Based on %(count)s votes": {
|
||||
|
@ -2121,10 +1998,7 @@
|
|||
"Room members": "Membres du salon",
|
||||
"Back to chat": "Retour à la conversation",
|
||||
"Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Paire (utilisateur, session) inconnue : (%(userId)s, %(deviceId)s)",
|
||||
"Command failed: Unable to find room (%(roomId)s": "Commande échouée : Salon introuvable (%(roomId)s)",
|
||||
"Unrecognised room address: %(roomAlias)s": "Adresse de salon non reconnue : %(roomAlias)s",
|
||||
"Command error: Unable to find rendering type (%(renderingType)s)": "Erreur de commande : Impossible de trouver le type de rendu (%(renderingType)s)",
|
||||
"Command error: Unable to handle slash command.": "Erreur de commande : Impossible de gérer la commande de barre oblique.",
|
||||
"Space home": "Accueil de l’espace",
|
||||
"Unknown error fetching location. Please try again later.": "Erreur inconnue en récupérant votre position. Veuillez réessayer plus tard.",
|
||||
"Timed out trying to fetch your location. Please try again later.": "Délai d’attente expiré en essayant de récupérer votre position. Veuillez réessayer plus tard.",
|
||||
|
@ -2137,15 +2011,9 @@
|
|||
"Remove them from specific things I'm able to": "Les expulser de certains endroits où j’ai le droit de le faire",
|
||||
"Remove them from everything I'm able to": "Les expulser de partout où j’ai 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",
|
||||
"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 from %(roomName)s": "Expulser de %(roomName)s",
|
||||
"Keyboard": "Clavier",
|
||||
"Automatically send debug logs on decryption errors": "Envoyer automatiquement les journaux de débogage en cas d’erreurs de déchiffrement",
|
||||
"You can't see earlier messages": "Vous ne pouvez pas voir les messages plus anciens",
|
||||
"Encrypted messages before this point are unavailable.": "Les messages chiffrés avant ce point sont inaccessibles.",
|
||||
"You don't have permission to view messages from before you joined.": "Vous n’avez pas l’autorisation de voir les messages antérieurs à votre arrivée.",
|
||||
"You don't have permission to view messages from before you were invited.": "Vous n’avez pas l’autorisation de voir les messages antérieurs à votre invitation.",
|
||||
"Group all your people in one place.": "Regrouper toutes vos connaissances au même endroit.",
|
||||
"Group all your favourite rooms and people in one place.": "Regroupez tous vos salons et personnes préférés au même endroit.",
|
||||
"Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "Les espaces permettent de regrouper des salons et des personnes. En plus de ceux auxquels vous participez, vous pouvez également utiliser des espaces prédéfinis.",
|
||||
|
@ -2361,7 +2229,6 @@
|
|||
"Show spaces": "Afficher les espaces",
|
||||
"Show rooms": "Afficher les salons",
|
||||
"Explore public spaces in the new search dialog": "Explorer les espaces publics dans la nouvelle fenêtre de recherche",
|
||||
"You can't disable this later. The room will be encrypted but the embedded call will not.": "Vous ne pourrez pas désactiver ceci plus tard. Ce salon sera chiffré mais l’appel intégré ne le sera pas.",
|
||||
"Join the room to participate": "Rejoindre le salon pour participer",
|
||||
"Reset bearing to north": "Repositionner vers le nord",
|
||||
"Mapbox logo": "Logo de Mapbox",
|
||||
|
@ -2541,20 +2408,13 @@
|
|||
"When enabled, the other party might be able to see your IP address": "Si activé, l’interlocuteur peut être capable de voir votre adresse IP",
|
||||
"Allow Peer-to-Peer for 1:1 calls": "Autoriser le pair-à-pair pour les appels en face à face",
|
||||
"Go live": "Passer en direct",
|
||||
"That e-mail address or phone number is already in use.": "Cette adresse e-mail ou numéro de téléphone est déjà utilisé.",
|
||||
"This means that you have all the keys needed to unlock your encrypted messages and confirm to other users that you trust this session.": "Cela veut dire qu’elles disposent de toutes les clés nécessaires pour lire les messages chiffrés, et confirment aux autres utilisateur que vous faites confiance à cette session.",
|
||||
"Verified sessions are anywhere you are using this account after entering your passphrase or confirming your identity with another verified session.": "Les sessions vérifiées sont toutes celles qui utilisent ce compte après avoir saisie la phrase de sécurité ou confirmé votre identité à l’aide d’une autre session vérifiée.",
|
||||
"Show details": "Afficher les détails",
|
||||
"Hide details": "Masquer les détails",
|
||||
"30s forward": "30s en avant",
|
||||
"30s backward": "30s en arrière",
|
||||
"Verify your email to continue": "Vérifiez vos e-mail avant de continuer",
|
||||
"<b>%(homeserver)s</b> will send you a verification link to let you reset your password.": "<b>%(homeserver)s</b> va vous envoyer un lien de vérification vous permettant de réinitialiser votre mot de passe.",
|
||||
"Enter your email to reset password": "Entrez votre e-mail pour réinitialiser le mot de passe",
|
||||
"Send email": "Envoyer l’e-mail",
|
||||
"Verification link email resent!": "E-mail du lien de vérification ré-envoyé !",
|
||||
"Did not receive it?": "Pas reçues ?",
|
||||
"Follow the instructions sent to <b>%(email)s</b>": "Suivez les instructions envoyées à <b>%(email)s</b>",
|
||||
"Sign out of all devices": "Déconnecter tous les appareils",
|
||||
"Confirm new password": "Confirmer le nouveau mot de passe",
|
||||
"Too many attempts in a short time. Retry after %(timeout)s.": "Trop de tentatives consécutives. Réessayez après %(timeout)s.",
|
||||
|
@ -2573,9 +2433,6 @@
|
|||
"Low bandwidth mode": "Mode faible bande passante",
|
||||
"Change layout": "Changer la disposition",
|
||||
"You have unverified sessions": "Vous avez des sessions non vérifiées",
|
||||
"Sign in instead": "Se connecter à la place",
|
||||
"Re-enter email address": "Re-saisir l’adresse e-mail",
|
||||
"Wrong email address?": "Mauvaise adresse e-mail ?",
|
||||
"This session doesn't support encryption and thus can't be verified.": "Cette session ne prend pas en charge le chiffrement, elle ne peut donc pas être vérifiée.",
|
||||
"For best security and privacy, it is recommended to use Matrix clients that support encryption.": "Pour de meilleures sécurité et confidentialité, il est recommandé d’utiliser des clients Matrix qui prennent en charge le chiffrement.",
|
||||
"You won't be able to participate in rooms where encryption is enabled when using this session.": "Vous ne pourrez pas participer aux salons qui ont activé le chiffrement en utilisant cette session.",
|
||||
|
@ -2603,7 +2460,6 @@
|
|||
"Mark as read": "Marquer comme lu",
|
||||
"Text": "Texte",
|
||||
"Create a link": "Crée un lien",
|
||||
"Force 15s voice broadcast chunk length": "Forcer la diffusion audio à utiliser des morceaux de 15s",
|
||||
"Sign out of %(count)s sessions": {
|
||||
"one": "Déconnecter %(count)s session",
|
||||
"other": "Déconnecter %(count)s sessions"
|
||||
|
@ -2638,7 +2494,6 @@
|
|||
"Declining…": "Refus…",
|
||||
"There are no past polls in this room": "Il n’y a aucun ancien sondage dans ce salon",
|
||||
"There are no active polls in this room": "Il n’y a aucun sondage en cours dans ce salon",
|
||||
"We need to know it’s you before resetting your password. Click the link in the email we just sent to <b>%(email)s</b>": "Nous avons besoin de savoir que c’est vous avant de réinitialiser votre mot de passe. Cliquer sur le lien dans l’e-mail que nous venons juste d’envoyer à <b>%(email)s</b>",
|
||||
"Warning: your personal data (including encryption keys) is still stored in this session. Clear it if you're finished using this session, or want to sign in to another account.": "Attention : vos données personnelles (y compris les clés de chiffrement) seront stockées dans cette session. Effacez-les si vous n’utilisez plus cette session ou si vous voulez vous connecter à un autre compte.",
|
||||
"Scan QR code": "Scanner le QR code",
|
||||
"Select '%(scanQRCode)s'": "Sélectionnez « %(scanQRCode)s »",
|
||||
|
@ -2649,8 +2504,6 @@
|
|||
"Enter a Security Phrase only you know, as it's used to safeguard your data. To be secure, you shouldn't re-use your account password.": "Saisissez une Phrase de Sécurité connue de vous seul·e car elle est utilisée pour protéger vos données. Pour plus de sécurité, vous ne devriez pas réutiliser le mot de passe de votre compte.",
|
||||
"Starting backup…": "Début de la sauvegarde…",
|
||||
"Please only proceed if you're sure you've lost all of your other devices and your Security Key.": "Veuillez ne continuer que si vous êtes certain d’avoir perdu tous vos autres appareils et votre Clé de Sécurité.",
|
||||
"Signing In…": "Authentification…",
|
||||
"Syncing…": "Synchronisation…",
|
||||
"Inviting…": "Invitation…",
|
||||
"Creating rooms…": "Création des salons…",
|
||||
"Keep going…": "En cours…",
|
||||
|
@ -2707,7 +2560,6 @@
|
|||
"Once everyone has joined, you’ll be able to chat": "Quand tout le monde sera présent, vous pourrez discuter",
|
||||
"An error occurred when updating your notification preferences. Please try to toggle your option again.": "Nous avons rencontré une erreur lors de la mise-à-jour de vos préférences de notification. Veuillez essayer de réactiver l’option.",
|
||||
"Desktop app logo": "Logo de l’application de bureau",
|
||||
"Use your account to continue.": "Utilisez votre compte pour continuer.",
|
||||
"Log out and back in to disable": "Déconnectez et revenez pour désactiver",
|
||||
"Can currently only be enabled via config.json": "Ne peut pour l’instant être activé que dans config.json",
|
||||
"Requires your server to support the stable version of MSC3827": "Requiert la prise en charge par le serveur de la version stable du MSC3827",
|
||||
|
@ -2758,10 +2610,7 @@
|
|||
"Try using %(server)s": "Essayer d’utiliser %(server)s",
|
||||
"Alternatively, you can try to use the public server at <server/>, but this will not be as reliable, and it will share your IP address with that server. You can also manage this in Settings.": "Vous pouvez sinon essayer d’utiliser le serveur public <server/>, mais ça ne sera pas aussi fiable et votre adresse IP sera partagée avec ce serveur. Vous pouvez aussi gérer ce réglage dans les paramètres.",
|
||||
"User is not logged in": "L’utilisateur n’est pas identifié",
|
||||
"Views room with given address": "Affiche le salon avec cette adresse",
|
||||
"Ask to join": "Demander à venir",
|
||||
"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)",
|
||||
"People cannot join unless access is granted.": "Les personnes ne peuvent pas venir tant que l’accès ne leur est pas autorisé.",
|
||||
"Receive an email summary of missed notifications": "Recevoir un résumé par courriel des notifications manquées",
|
||||
"Your server requires encryption to be disabled.": "Votre serveur impose la désactivation du chiffrement.",
|
||||
|
@ -2775,8 +2624,6 @@
|
|||
"Show message preview in desktop notification": "Afficher l’aperçu du message dans la notification de bureau",
|
||||
"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.": "Les messages ici sont chiffrés de bout en bout. Quand les gens viennent, vous pouvez les vérifier dans leur profil, tapez simplement sur leur image de profil.",
|
||||
"Note that removing room changes like this could undo the change.": "Notez bien que la suppression de modification du salon comme celui-ci peut annuler ce changement.",
|
||||
"This homeserver doesn't offer any login flows that are supported by this client.": "Ce serveur d’accueil n’offre aucune méthode d’identification compatible avec ce client.",
|
||||
"Anyone can request to join, but admins or moderators need to grant access. You can change this later.": "Tout le monde peut demander à venir, mais un admin ou un modérateur doit autoriser l’accès. Vous pouvez modifier ceci plus tard.",
|
||||
"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.": "Le fichier exporté permettra à tous ceux qui peuvent le lire de déchiffrer tous les messages chiffrés auxquels vous avez accès, vous devez donc être vigilant et le stocker dans un endroit sûr. Afin de protéger ce fichier, saisissez ci-dessous une phrase secrète unique qui sera utilisée uniquement pour chiffrer les données exportées. Seule l’utilisation de la même phrase secrète permettra de déchiffrer et importer les données.",
|
||||
"Quick Actions": "Actions rapides",
|
||||
"Unable to find user by email": "Impossible de trouver un utilisateur avec son courriel",
|
||||
|
@ -2906,7 +2753,8 @@
|
|||
"cross_signing": "Signature croisée",
|
||||
"identity_server": "Serveur d’identité",
|
||||
"integration_manager": "Gestionnaire d’intégration",
|
||||
"qr_code": "QR code"
|
||||
"qr_code": "QR code",
|
||||
"feedback": "Commentaire"
|
||||
},
|
||||
"action": {
|
||||
"continue": "Continuer",
|
||||
|
@ -3079,7 +2927,10 @@
|
|||
"leave_beta_reload": "Quitter la bêta va recharger %(brand)s.",
|
||||
"join_beta_reload": "Rejoindre la bêta va recharger %(brand)s.",
|
||||
"leave_beta": "Quitter la bêta",
|
||||
"join_beta": "Rejoindre la bêta"
|
||||
"join_beta": "Rejoindre la bêta",
|
||||
"notification_settings_beta_title": "Paramètres de notification",
|
||||
"voice_broadcast_force_small_chunks": "Forcer la diffusion audio à utiliser des morceaux de 15s",
|
||||
"oidc_native_flow": "Active le nouveau processus OIDC natif (en cours de développement)"
|
||||
},
|
||||
"keyboard": {
|
||||
"home": "Accueil",
|
||||
|
@ -3367,7 +3218,9 @@
|
|||
"timeline_image_size": "Taille d’image dans l’historique",
|
||||
"timeline_image_size_default": "Par défaut",
|
||||
"timeline_image_size_large": "Grande"
|
||||
}
|
||||
},
|
||||
"inline_url_previews_room_account": "Activer l’aperçu des URL pour ce salon (n’affecte que vous)",
|
||||
"inline_url_previews_room": "Activer l’aperçu des URL par défaut pour les participants de ce salon"
|
||||
},
|
||||
"devtools": {
|
||||
"send_custom_account_data_event": "Envoyer des événements personnalisés de données du compte",
|
||||
|
@ -3526,7 +3379,25 @@
|
|||
"title_public_room": "Créer un salon public",
|
||||
"title_private_room": "Créer un salon privé",
|
||||
"action_create_video_room": "Crée le salon visio",
|
||||
"action_create_room": "Créer un salon"
|
||||
"action_create_room": "Créer un salon",
|
||||
"name_validation_required": "Veuillez renseigner un nom pour le salon",
|
||||
"join_rule_restricted_label": "Tout le monde dans <SpaceName/> pourra trouver et rejoindre ce salon.",
|
||||
"join_rule_change_notice": "Vous pouvez changer ceci n’importe quand depuis les paramètres du salon.",
|
||||
"join_rule_public_parent_space_label": "Quiconque pourra trouver et rejoindre ce salon, pas seulement les membres de <SpaceName/>.",
|
||||
"join_rule_public_label": "Quiconque pourra trouver et rejoindre ce salon.",
|
||||
"join_rule_invite_label": "Seules les personnes invitées pourront trouver et rejoindre ce salon.",
|
||||
"join_rule_knock_label": "Tout le monde peut demander à venir, mais un admin ou un modérateur doit autoriser l’accès. Vous pouvez modifier ceci plus tard.",
|
||||
"encrypted_video_room_warning": "Vous ne pourrez pas désactiver ceci plus tard. Ce salon sera chiffré mais l’appel intégré ne le sera pas.",
|
||||
"encrypted_warning": "Vous ne pourrez pas le désactiver plus tard. Les passerelles et la plupart des bots ne fonctionneront pas pour le moment.",
|
||||
"encryption_forced": "Votre serveur impose d’activer le chiffrement dans les salons privés.",
|
||||
"encryption_label": "Activer le chiffrement de bout en bout",
|
||||
"unfederated_label_default_off": "Vous devriez l’activer si le salon n’est utilisé que pour collaborer avec des équipes internes sur votre serveur d’accueil. Ceci ne peut pas être changé plus tard.",
|
||||
"unfederated_label_default_on": "Vous devriez le déactiver si le salon est utilisé pour collaborer avec des équipes externes qui ont leur propre serveur d’accueil. Ceci ne peut pas être changé plus tard.",
|
||||
"topic_label": "Sujet (facultatif)",
|
||||
"room_visibility_label": "Visibilité du salon",
|
||||
"join_rule_invite": "Salon privé (uniquement sur invitation)",
|
||||
"join_rule_restricted": "Visible pour les membres de l'espace",
|
||||
"unfederated": "Empêche n’importe qui n’étant pas membre de %(serverName)s de rejoindre ce salon."
|
||||
},
|
||||
"timeline": {
|
||||
"m.call": {
|
||||
|
@ -3808,7 +3679,11 @@
|
|||
"changed_rule_rooms": "%(senderName)s a changé une règle qui bannit les salons correspondant à %(oldGlob)s vers une règle correspondant à %(newGlob)s pour %(reason)s",
|
||||
"changed_rule_servers": "%(senderName)s a changé une règle qui bannit les serveurs correspondant à %(oldGlob)s vers une règle correspondant à %(newGlob)s pour %(reason)s",
|
||||
"changed_rule_glob": "%(senderName)s a mis à jour une règle de bannissement correspondant à %(oldGlob)s vers une règle correspondant à %(newGlob)s pour %(reason)s"
|
||||
}
|
||||
},
|
||||
"no_permission_messages_before_invite": "Vous n’avez pas l’autorisation de voir les messages antérieurs à votre invitation.",
|
||||
"no_permission_messages_before_join": "Vous n’avez pas l’autorisation de voir les messages antérieurs à votre arrivée.",
|
||||
"encrypted_historical_messages_unavailable": "Les messages chiffrés avant ce point sont inaccessibles.",
|
||||
"historical_messages_unavailable": "Vous ne pouvez pas voir les messages plus anciens"
|
||||
},
|
||||
"slash_command": {
|
||||
"spoiler": "Envoie le message flouté",
|
||||
|
@ -3868,7 +3743,15 @@
|
|||
"holdcall": "Met l’appel dans ce salon en attente",
|
||||
"no_active_call": "Aucun appel en cours dans ce salon",
|
||||
"unholdcall": "Reprend l’appel en attente dans ce salon",
|
||||
"me": "Affiche l’action"
|
||||
"me": "Affiche l’action",
|
||||
"error_invalid_runfn": "Erreur de commande : Impossible de gérer la commande de barre oblique.",
|
||||
"error_invalid_rendering_type": "Erreur de commande : Impossible de trouver le type de rendu (%(renderingType)s)",
|
||||
"join": "Rejoint le salon à l’adresse donnée",
|
||||
"view": "Affiche le salon avec cette adresse",
|
||||
"failed_find_room": "Commande échouée : Salon introuvable (%(roomId)s)",
|
||||
"failed_find_user": "Impossible de trouver l’utilisateur dans le salon",
|
||||
"op": "Définir le rang d’un utilisateur",
|
||||
"deop": "Retire le rang d’opérateur d’un utilisateur à partir de son identifiant"
|
||||
},
|
||||
"presence": {
|
||||
"busy": "Occupé",
|
||||
|
@ -4052,13 +3935,57 @@
|
|||
"reset_password_title": "Réinitialise votre mot de passe",
|
||||
"continue_with_sso": "Continuer avec %(ssoButtons)s",
|
||||
"sso_or_username_password": "%(ssoButtons)s ou %(usernamePassword)s",
|
||||
"sign_in_instead": "Vous avez déjà un compte ? <a>Connectez-vous ici</a>",
|
||||
"sign_in_instead": "Se connecter à la place",
|
||||
"account_clash": "Votre nouveau compte (%(newAccountId)s) est créé, mais vous êtes déjà connecté avec un autre compte (%(loggedInUserId)s).",
|
||||
"account_clash_previous_account": "Continuer avec le compte précédent",
|
||||
"log_in_new_account": "<a>Connectez-vous</a> à votre nouveau compte.",
|
||||
"registration_successful": "Inscription réussie",
|
||||
"server_picker_title": "Héberger le compte sur",
|
||||
"server_picker_dialog_title": "Décidez où votre compte est hébergé"
|
||||
"server_picker_title": "Connectez-vous sur votre serveur d’accueil",
|
||||
"server_picker_dialog_title": "Décidez où votre compte est hébergé",
|
||||
"footer_powered_by_matrix": "propulsé par Matrix",
|
||||
"failed_homeserver_discovery": "Échec lors de la découverte du serveur d’accueil",
|
||||
"sync_footer_subtitle": "Si vous avez rejoint beaucoup de salons, cela peut prendre du temps",
|
||||
"syncing": "Synchronisation…",
|
||||
"signing_in": "Authentification…",
|
||||
"unsupported_auth_msisdn": "Ce serveur ne prend pas en charge l’authentification avec un numéro de téléphone.",
|
||||
"unsupported_auth_email": "Ce serveur d’accueil ne prend pas en charge la connexion avec une adresse e-mail.",
|
||||
"unsupported_auth": "Ce serveur d’accueil n’offre aucune méthode d’identification compatible avec ce client.",
|
||||
"registration_disabled": "L’inscription a été désactivée sur ce serveur d’accueil.",
|
||||
"failed_query_registration_methods": "Impossible de demander les méthodes d’inscription prises en charge.",
|
||||
"username_in_use": "Quelqu’un possède déjà ce nom d’utilisateur, veuillez en essayer un autre.",
|
||||
"3pid_in_use": "Cette adresse e-mail ou numéro de téléphone est déjà utilisé.",
|
||||
"incorrect_password": "Mot de passe incorrect",
|
||||
"failed_soft_logout_auth": "Échec de la ré-authentification",
|
||||
"soft_logout_heading": "Vous êtes déconnecté",
|
||||
"forgot_password_email_required": "L’adresse e-mail liée à votre compte doit être renseignée.",
|
||||
"forgot_password_email_invalid": "L’adresse de courriel semble être invalide.",
|
||||
"sign_in_prompt": "Vous avez un compte ? <a>Connectez-vous</a>",
|
||||
"verify_email_heading": "Vérifiez vos e-mail avant de continuer",
|
||||
"forgot_password_prompt": "Mot de passe oublié ?",
|
||||
"soft_logout_intro_password": "Saisissez votre mot de passe pour vous connecter et ré-accéder à votre compte.",
|
||||
"soft_logout_intro_sso": "Connectez-vous et ré-accédez à votre compte.",
|
||||
"soft_logout_intro_unsupported_auth": "Vous ne pouvez pas vous connecter à votre compte. Contactez l’administrateur de votre serveur d’accueil pour plus d’informations.",
|
||||
"check_email_explainer": "Suivez les instructions envoyées à <b>%(email)s</b>",
|
||||
"check_email_wrong_email_prompt": "Mauvaise adresse e-mail ?",
|
||||
"check_email_wrong_email_button": "Re-saisir l’adresse e-mail",
|
||||
"check_email_resend_prompt": "Pas reçues ?",
|
||||
"check_email_resend_tooltip": "E-mail du lien de vérification ré-envoyé !",
|
||||
"enter_email_heading": "Entrez votre e-mail pour réinitialiser le mot de passe",
|
||||
"enter_email_explainer": "<b>%(homeserver)s</b> va vous envoyer un lien de vérification vous permettant de réinitialiser votre mot de passe.",
|
||||
"verify_email_explainer": "Nous avons besoin de savoir que c’est vous avant de réinitialiser votre mot de passe. Cliquer sur le lien dans l’e-mail que nous venons juste d’envoyer à <b>%(email)s</b>",
|
||||
"create_account_prompt": "Nouveau ici ? <a>Créez un compte</a>",
|
||||
"sign_in_or_register": "Se connecter ou créer un compte",
|
||||
"sign_in_or_register_description": "Utilisez votre compte ou créez en un pour continuer.",
|
||||
"sign_in_description": "Utilisez votre compte pour continuer.",
|
||||
"register_action": "Créer un compte",
|
||||
"server_picker_failed_validate_homeserver": "Impossible de valider le serveur d’accueil",
|
||||
"server_picker_invalid_url": "URL invalide",
|
||||
"server_picker_required": "Spécifiez un serveur d’accueil",
|
||||
"server_picker_matrix.org": "Matrix.org est le plus grand serveur d’accueil public, c'est donc un bon choix pour la plupart des gens.",
|
||||
"server_picker_intro": "Nous appelons « serveur d'accueils » les lieux où vous pouvez héberger votre compte.",
|
||||
"server_picker_custom": "Autre serveur d’accueil",
|
||||
"server_picker_explainer": "Utilisez votre serveur d’accueil Matrix préféré si vous en avez un, ou hébergez le vôtre.",
|
||||
"server_picker_learn_more": "À propos des serveurs d’accueil"
|
||||
},
|
||||
"room_list": {
|
||||
"sort_unread_first": "Afficher les salons non lus en premier",
|
||||
|
@ -4109,5 +4036,81 @@
|
|||
"access_token_detail": "Votre jeton d’accès donne un accès intégral à votre compte. Ne le partagez avec personne.",
|
||||
"clear_cache_reload": "Vider le cache et recharger"
|
||||
}
|
||||
},
|
||||
"widget": {
|
||||
"capability": {
|
||||
"send_stickers_this_room": "Envoyer des autocollants dans ce salon",
|
||||
"send_stickers_active_room": "Envoyer des autocollants dans le salon actuel",
|
||||
"send_stickers_this_room_as_you": "Envoyer des autocollants dans ce salon sous votre nom",
|
||||
"send_stickers_active_room_as_you": "Envoie des autocollants sous votre nom dans le salon actuel",
|
||||
"see_sticker_posted_this_room": "Voir quand un autocollant est envoyé dans ce salon",
|
||||
"see_sticker_posted_active_room": "Voir quand n’importe qui envoie un autocollant dans le salon actuel",
|
||||
"always_on_screen_viewing_another_room": "Reste sur votre écran lors de l’appel quand vous regardez un autre salon",
|
||||
"always_on_screen_generic": "Reste sur votre écran pendant l’appel",
|
||||
"switch_room": "Changer le salon que vous êtes en train de lire",
|
||||
"switch_room_message_user": "Changer le salon, message, ou la personne que vous visualisez",
|
||||
"change_topic_this_room": "Changer le sujet de ce salon",
|
||||
"see_topic_change_this_room": "Voir quand le sujet change dans ce salon",
|
||||
"change_topic_active_room": "Changer le sujet dans le salon actuel",
|
||||
"see_topic_change_active_room": "Voir quand le sujet change dans le salon actuel",
|
||||
"change_name_this_room": "Changer le nom de ce salon",
|
||||
"see_name_change_this_room": "Suivre quand le nom de ce salon change",
|
||||
"change_name_active_room": "Changer le nom du salon actuel",
|
||||
"see_name_change_active_room": "Suivre les changements de nom dans le salon actif",
|
||||
"change_avatar_this_room": "Changer l’avatar de ce salon",
|
||||
"see_avatar_change_this_room": "Voir quand l’avatar change dans ce salon",
|
||||
"change_avatar_active_room": "Changer l’avatar du salon actuel",
|
||||
"see_avatar_change_active_room": "Voir quand l’avatar change dans le salon actuel",
|
||||
"remove_ban_invite_leave_this_room": "Expulser, bannir ou inviter une personne dans ce salon et vous permettre de partir",
|
||||
"receive_membership_this_room": "Voir quand une personne rejoint, quitte ou est invitée sur ce salon",
|
||||
"remove_ban_invite_leave_active_room": "Expulser, bannir ou inviter des personnes dans votre salon actif et en partir",
|
||||
"receive_membership_active_room": "Afficher quand des personnes rejoignent, partent, ou sont invités dans votre salon actif",
|
||||
"byline_empty_state_key": "avec une clé d’état vide",
|
||||
"byline_state_key": "avec la ou les clés d’état %(stateKey)s",
|
||||
"any_room": "Comme ci-dessus, mais également dans tous les salons dans lesquels vous avez été invité ou que vous avez rejoint",
|
||||
"specific_room": "Comme ci-dessus, mais également dans <Room />",
|
||||
"send_event_type_this_room": "Envoie des évènements <b>%(eventType)s</b> sous votre nom dans ce salon",
|
||||
"see_event_type_sent_this_room": "Voir les évènements <b>%(eventType)s</b> envoyés dans ce salon",
|
||||
"send_event_type_active_room": "Envoie des évènements <b>%(eventType)s</b> sous votre nom dans votre salon actuel",
|
||||
"see_event_type_sent_active_room": "Voir les évènements <b>%(eventType)s</b> publiés dans votre salon actuel",
|
||||
"capability": "La capacité <b>%(capability)s</b>",
|
||||
"send_messages_this_room": "Envoie des messages sous votre nom dans ce salon",
|
||||
"send_messages_active_room": "Envoie des messages sous votre nom dans votre salon actif",
|
||||
"see_messages_sent_this_room": "Voir les messages envoyés dans ce salon",
|
||||
"see_messages_sent_active_room": "Voir les messages envoyés dans le salon actuel",
|
||||
"send_text_messages_this_room": "Envoyez des messages textuels sous votre nom dans ce salon",
|
||||
"send_text_messages_active_room": "Envoyez des messages textuels sous votre nom dans le salon actif",
|
||||
"see_text_messages_sent_this_room": "Voir les messages textuels envoyés dans ce salon",
|
||||
"see_text_messages_sent_active_room": "Voir les messages textuels dans le salon actif",
|
||||
"send_emotes_this_room": "Envoyer des réactions sous votre nom dans ce salon",
|
||||
"send_emotes_active_room": "Envoyer des réactions sous votre nom dans le salon actuel",
|
||||
"see_sent_emotes_this_room": "Voir les réactions envoyées dans ce salon",
|
||||
"see_sent_emotes_active_room": "Voir les réactions envoyées dans le salon actuel",
|
||||
"send_images_this_room": "Envoie des images sous votre nom dans ce salon",
|
||||
"send_images_active_room": "Envoie des images sous votre nom dans le salon actuel",
|
||||
"see_images_sent_this_room": "Voir les images envoyées dans ce salon",
|
||||
"see_images_sent_active_room": "Voir les images publiées dans votre salon actif",
|
||||
"send_videos_this_room": "Envoie des vidéos sous votre nom dans ce salon",
|
||||
"send_videos_active_room": "Envoie des vidéos sous votre nom dans votre salon actuel",
|
||||
"see_videos_sent_this_room": "Voir les vidéos envoyées dans ce salon",
|
||||
"see_videos_sent_active_room": "Voir les vidéos publiées dans votre salon actif",
|
||||
"send_files_this_room": "Envoyer des fichiers sous votre nom dans ce salon",
|
||||
"send_files_active_room": "Envoyer des fichiers sous votre nom dans votre salon actif",
|
||||
"see_sent_files_this_room": "Voir les fichiers envoyés dans ce salon",
|
||||
"see_sent_files_active_room": "Voir les fichiers postés dans votre salon actuel",
|
||||
"send_msgtype_this_room": "Envoie les messages de type <b>%(msgtype)s</b> sous votre nom dans ce salon",
|
||||
"send_msgtype_active_room": "Envoie des messages de type <b>%(msgtype)s</b> sous votre nom dans votre salon actif",
|
||||
"see_msgtype_sent_this_room": "Voir les messages de type <b>%(msgtype)s</b> envoyés dans ce salon",
|
||||
"see_msgtype_sent_active_room": "Voir les messages de type <b>%(msgtype)s</b> envoyés dans le salon actuel"
|
||||
}
|
||||
},
|
||||
"feedback": {
|
||||
"sent": "Commentaire envoyé",
|
||||
"comment_label": "Commentaire",
|
||||
"platform_username": "Votre plateforme et nom d’utilisateur seront consignés pour nous aider à tirer le maximum de vos commentaires.",
|
||||
"may_contact_label": "Vous pouvez me contacter si vous voulez un suivi ou me laisser tester de nouvelles idées",
|
||||
"pro_type": "CONSEIL : si vous rapportez un bug, merci d’envoyer <debugLogsLink>les journaux de débogage</debugLogsLink> pour nous aider à identifier le problème.",
|
||||
"existing_issue_link": "Merci de regarder d’abord les <existingIssuesLink>bugs déjà répertoriés sur Github</existingIssuesLink>. Pas de résultat ? <newIssueLink>Rapportez un nouveau bug</newIssueLink>.",
|
||||
"send_feedback_action": "Envoyer un commentaire"
|
||||
}
|
||||
}
|
||||
|
|
|
@ -3,14 +3,9 @@
|
|||
"Show more": "Taispeáin níos mó",
|
||||
"Switch to dark mode": "Athraigh go mód dorcha",
|
||||
"Switch to light mode": "Athraigh go mód geal",
|
||||
"Got an account? <a>Sign in</a>": "An bhfuil cuntas agat? <a>Sínigh isteach</a>",
|
||||
"New here? <a>Create an account</a>": "Céaduaire? <a>Cruthaigh cuntas</a>",
|
||||
"All settings": "Gach Socrú",
|
||||
"Security & Privacy": "Slándáil ⁊ Príobháideachas",
|
||||
"What's new?": "Cad é nua?",
|
||||
"New? <a>Create account</a>": "Céaduaire? <a>Cruthaigh cuntas</a>",
|
||||
"Forgotten your password?": "An nDearna tú dearmad ar do fhocal faire?",
|
||||
"Sign In or Create Account": "Sínigh Isteach nó Déan cuntas a chruthú",
|
||||
"Are you sure you want to reject the invitation?": "An bhfuil tú cinnte gur mian leat an cuireadh a dhiúltú?",
|
||||
"Are you sure you want to leave the room '%(roomName)s'?": "An bhfuil tú cinnte gur mian leat an seomra '%(roomName)s' a fhágáil?",
|
||||
"Are you sure?": "An bhfuil tú cinnte?",
|
||||
|
@ -228,13 +223,11 @@
|
|||
"Algeria": "an Ailgéir",
|
||||
"Albania": "an Albáin",
|
||||
"Afghanistan": "an Afganastáin",
|
||||
"Comment": "Trácht",
|
||||
"Widgets": "Giuirléidí",
|
||||
"ready": "réidh",
|
||||
"Algorithm:": "Algartam:",
|
||||
"Information": "Eolas",
|
||||
"Favourited": "Roghnaithe",
|
||||
"Feedback": "Aiseolas",
|
||||
"Ok": "Togha",
|
||||
"Accepting…": "ag Glacadh leis…",
|
||||
"Cancelling…": "ag Cealú…",
|
||||
|
@ -405,16 +398,13 @@
|
|||
"Confirm adding email": "Deimhnigh an seoladh ríomhphoist nua",
|
||||
"Confirm adding this email address by using Single Sign On to prove your identity.": "Deimhnigh an seoladh ríomhphoist seo le SSO mar cruthúnas céannachta.",
|
||||
"Explore rooms": "Breathnaigh thart ar na seomraí",
|
||||
"Create Account": "Déan cuntas a chruthú",
|
||||
"Use Single Sign On to continue": "Lean ar aghaidh le SSO",
|
||||
"This phone number is already in use": "Úsáidtear an uimhir ghutháin seo chean féin",
|
||||
"This email address is already in use": "Úsáidtear an seoladh ríomhphoist seo chean féin",
|
||||
"Sign out and remove encryption keys?": "Sínigh amach agus scrios eochracha criptiúcháin?",
|
||||
"Clear Storage and Sign Out": "Scrios Stóras agus Sínigh Amach",
|
||||
"You're signed out": "Tá tú sínithe amach",
|
||||
"Are you sure you want to sign out?": "An bhfuil tú cinnte go dteastaíonn uait sínigh amach?",
|
||||
"Signed Out": "Sínithe Amach",
|
||||
"Unable to query for supported registration methods.": "Ní féidir iarratas a dhéanamh faoi modhanna cláraithe tacaithe.",
|
||||
"Create account": "Déan cuntas a chruthú",
|
||||
"Deactivate Account": "Cuir cuntas as feidhm",
|
||||
"Account management": "Bainistíocht cuntais",
|
||||
|
@ -496,7 +486,6 @@
|
|||
"Enter passphrase": "Iontráil pasfrása",
|
||||
"Email address": "Seoladh ríomhphoist",
|
||||
"Download %(text)s": "Íoslódáil %(text)s",
|
||||
"Deops user with given id": "Bain an cumhacht oibritheora ó úsáideoir leis an ID áirithe",
|
||||
"Decrypt %(text)s": "Díchriptigh %(text)s",
|
||||
"Custom level": "Leibhéal saincheaptha",
|
||||
"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>.": "Ní féidir ceangal leis an bhfreastalaí baile trí HTTP nuair a bhíonn URL HTTPS i mbarra do bhrabhsálaí. Bain úsáid as HTTPS nó <a> scripteanna neamhshábháilte a chumasú </a>.",
|
||||
|
@ -556,7 +545,8 @@
|
|||
"trusted": "Dílis",
|
||||
"unnamed_room": "Seomra gan ainm",
|
||||
"stickerpack": "Pacáiste greamáin",
|
||||
"cross_signing": "Cros-síniú"
|
||||
"cross_signing": "Cros-síniú",
|
||||
"feedback": "Aiseolas"
|
||||
},
|
||||
"action": {
|
||||
"continue": "Lean ar aghaidh",
|
||||
|
@ -727,7 +717,8 @@
|
|||
"category_advanced": "Forbartha",
|
||||
"category_effects": "Tionchair",
|
||||
"category_other": "Eile",
|
||||
"me": "Taispeáin gníomh"
|
||||
"me": "Taispeáin gníomh",
|
||||
"deop": "Bain an cumhacht oibritheora ó úsáideoir leis an ID áirithe"
|
||||
},
|
||||
"presence": {
|
||||
"online": "Ar Líne",
|
||||
|
@ -798,7 +789,14 @@
|
|||
"auth": {
|
||||
"sso": "Single Sign On",
|
||||
"sign_in_instead": "An bhfuil cuntas agat cheana? <a>Sínigh isteach anseo</a>",
|
||||
"server_picker_title": "Óstáil cuntas ar"
|
||||
"server_picker_title": "Óstáil cuntas ar",
|
||||
"failed_query_registration_methods": "Ní féidir iarratas a dhéanamh faoi modhanna cláraithe tacaithe.",
|
||||
"soft_logout_heading": "Tá tú sínithe amach",
|
||||
"sign_in_prompt": "An bhfuil cuntas agat? <a>Sínigh isteach</a>",
|
||||
"forgot_password_prompt": "An nDearna tú dearmad ar do fhocal faire?",
|
||||
"create_account_prompt": "Céaduaire? <a>Cruthaigh cuntas</a>",
|
||||
"sign_in_or_register": "Sínigh Isteach nó Déan cuntas a chruthú",
|
||||
"register_action": "Déan cuntas a chruthú"
|
||||
},
|
||||
"export_chat": {
|
||||
"messages": "Teachtaireachtaí"
|
||||
|
@ -819,5 +817,8 @@
|
|||
"help_about": {
|
||||
"versions": "Leaganacha"
|
||||
}
|
||||
},
|
||||
"feedback": {
|
||||
"comment_label": "Trácht"
|
||||
}
|
||||
}
|
||||
|
|
|
@ -61,8 +61,6 @@
|
|||
"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",
|
||||
"Authentication check failed: incorrect password?": "Fallou a comprobación de autenticación: contrasinal incorrecto?",
|
||||
"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",
|
||||
"Incorrect verification code": "Código de verificación incorrecto",
|
||||
"Phone": "Teléfono",
|
||||
"No display name": "Sen nome público",
|
||||
|
@ -159,7 +157,6 @@
|
|||
"A text message has been sent to %(msisdn)s": "Enviouse unha mensaxe de texto a %(msisdn)s",
|
||||
"Please enter the code it contains:": "Por favor introduza o código que contén:",
|
||||
"Start authentication": "Inicie a autenticación",
|
||||
"powered by Matrix": "funciona grazas a Matrix",
|
||||
"Sign in with": "Acceder con",
|
||||
"Email address": "Enderezo de correo",
|
||||
"Something went wrong!": "Algo fallou!",
|
||||
|
@ -181,7 +178,6 @@
|
|||
},
|
||||
"Confirm Removal": "Confirma a retirada",
|
||||
"Unknown error": "Fallo descoñecido",
|
||||
"Incorrect password": "Contrasinal incorrecto",
|
||||
"Deactivate Account": "Desactivar conta",
|
||||
"An error has occurred.": "Algo fallou.",
|
||||
"Unable to restore session": "Non se puido restaurar a sesión",
|
||||
|
@ -234,7 +230,6 @@
|
|||
"Notifications": "Notificacións",
|
||||
"Profile": "Perfil",
|
||||
"Account": "Conta",
|
||||
"The email address linked to your account must be entered.": "Debe introducir o correo electrónico ligado a súa conta.",
|
||||
"A new password must be entered.": "Debe introducir un novo contrasinal.",
|
||||
"New passwords must match each other.": "Os novos contrasinais deben ser coincidentes.",
|
||||
"Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Detectáronse datos de una versión anterior de %(brand)s. Isto causará un mal funcionamento da criptografía extremo-a-extremo na versión antiga. As mensaxes cifradas extremo-a-extremo intercambiadas mentres utilizaba a versión anterior poderían non ser descifrables en esta versión. Isto tamén podería causar que mensaxes intercambiadas con esta versión tampouco funcionasen. Se ten problemas, desconéctese e conéctese de novo. Para manter o historial de mensaxes, exporte e reimporte as súas chaves.",
|
||||
|
@ -243,8 +238,6 @@
|
|||
"Please note you are logging into the %(hs)s server, not matrix.org.": "Ten en conta que estás accedendo ao servidor %(hs)s, non a matrix.org.",
|
||||
"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>.": "Non se pode conectar ao servidor vía HTTP cando na barra de enderezos do navegador está HTTPS. Utiliza HTTPS ou <a>active scripts non seguros</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.": "Non se conectou ao servidor - por favor comprobe a conexión, asegúrese de que o<a>certificado SSL do servidor</a> sexa de confianza, e que ningún engadido do navegador estea bloqueando as peticións.",
|
||||
"This server does not support authentication with a phone number.": "O servidor non soporta a autenticación con número de teléfono.",
|
||||
"Define the power level of a user": "Define o nivel de permisos de unha usuaria",
|
||||
"Commands": "Comandos",
|
||||
"Notify the whole room": "Notificar a toda a sala",
|
||||
"Room Notification": "Notificación da sala",
|
||||
|
@ -264,7 +257,6 @@
|
|||
"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 add tag %(tagName)s to room": "Fallo ao engadir a etiqueta %(tagName)s a sala",
|
||||
"Deops user with given id": "Degrada usuaria co id proporcionado",
|
||||
"You don't currently have any stickerpacks enabled": "Non ten paquetes de iconas activados",
|
||||
"Sunday": "Domingo",
|
||||
"Notification targets": "Obxectivos das notificacións",
|
||||
|
@ -346,7 +338,6 @@
|
|||
"Confirm adding phone number": "Confirma a adición do teléfono",
|
||||
"Click the button below to confirm adding this phone number.": "Preme no botón inferior para confirmar que engades este número.",
|
||||
"Add Phone Number": "Engadir novo Número",
|
||||
"Sign In or Create Account": "Conéctate ou Crea unha Conta",
|
||||
"Sign Up": "Rexistro",
|
||||
"Deleting cross-signing keys is permanent. Anyone you have verified with will see security alerts. You almost certainly don't want to do this, unless you've lost every device you can cross-sign from.": "O eliminación das chaves de sinatura cruzada é permanente. Calquera a quen verificases con elas verá alertas de seguridade. Seguramente non queres facer esto, a menos que perdeses todos os dispositivos nos que podías asinar.",
|
||||
"Confirm your account deactivation by using Single Sign On to prove your identity.": "Confirma a desactivación da túa conta usando Single Sign On para probar a túa identidade.",
|
||||
|
@ -355,9 +346,6 @@
|
|||
"Sign out and remove encryption keys?": "Saír e eliminar as chaves de cifrado?",
|
||||
"Sign in with SSO": "Conecta utilizando SSO",
|
||||
"Your password has been reset.": "Restableceuse o contrasinal.",
|
||||
"Enter your password to sign in and regain access to your account.": "Escribe o contrasinal para acceder e retomar o control da túa conta.",
|
||||
"Sign in and regain access to your account.": "Conéctate e recupera o acceso a túa conta.",
|
||||
"You cannot sign in to your account. Please contact your homeserver admin for more information.": "Non podes conectar a conta. Contacta coa administración do teu servidor para máis información.",
|
||||
"Unable to load! Check your network connectivity and try again.": "Non cargou! Comproba a conexión á rede e volta a intentalo.",
|
||||
"Call failed due to misconfigured server": "Fallou a chamada porque o servidor está mal configurado",
|
||||
"Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Contacta coa administración do teu servidor (<code>%(homeserverDomain)s</code>) para configurar un servidor TURN para que as chamadas funcionen de xeito fiable.",
|
||||
|
@ -373,14 +361,11 @@
|
|||
"This action requires accessing the default identity server <server /> to validate an email address or phone number, but the server does not have any terms of service.": "Esta acción precisa acceder ao servidor de indentidade <server /> para validar o enderezo de email ou o número de teléfono, pero o servidor non publica os seus termos do servizo.",
|
||||
"Only continue if you trust the owner of the server.": "Continúa se realmente confías no dono do servidor.",
|
||||
"%(name)s is requesting verification": "%(name)s está pedindo a verificación",
|
||||
"Use your account or create a new one to continue.": "Usa a túa conta ou crea unha nova para continuar.",
|
||||
"Create Account": "Crear conta",
|
||||
"Error upgrading room": "Fallo ao actualizar a sala",
|
||||
"Double check that your server supports the room version chosen and try again.": "Comproba ben que o servidor soporta a versión da sala escollida e inténtao outra vez.",
|
||||
"Use an identity server": "Usar un servidor de identidade",
|
||||
"Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Usar un servidor de identidade para convidar por email. Preme continuar para usar o servidor de identidade por defecto (%(defaultIdentityServerName)s) ou cambiao en Axustes.",
|
||||
"Use an identity server to invite by email. Manage in Settings.": "Usar un servidor de indentidade para convidar por email. Xestionao en Axustes.",
|
||||
"Could not find user in room": "Non se atopa a usuaria na sala",
|
||||
"Session already verified!": "A sesión xa está verificada!",
|
||||
"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!": "AVISO: FALLOU A VERIFICACIÓN DAS CHAVES! A chave de firma para %(userId)s na sesión %(deviceId)s é \"%(fprint)s\" que non concordan coa chave proporcionada \"%(fingerprint)s\". Esto podería significar que as túas comunicacións foron interceptadas!",
|
||||
"The signing key you provided matches the signing key you received from %(userId)s's session %(deviceId)s. Session marked as verified.": "A chave de firma proporcionada concorda coa chave de firma recibida desde a sesión %(deviceId)s de %(userId)s. Sesión marcada como verificada.",
|
||||
|
@ -401,8 +386,6 @@
|
|||
"%(creator)s created and configured the room.": "%(creator)s creou e configurou a sala.",
|
||||
"Explore rooms": "Explorar salas",
|
||||
"General failure": "Fallo xeral",
|
||||
"This homeserver does not support login using email address.": "Este servidor non soporta o acceso usando enderezos de email.",
|
||||
"Joins room with given address": "Unirse a sala co enderezo dado",
|
||||
"Room Addresses": "Enderezos da sala",
|
||||
"There was an error updating the room's alternative addresses. It may not be allowed by the server or a temporary failure occurred.": "Algo fallou ao actualizar os enderezos alternativos da sala. É posible que o servidor non o permita ou acontecese un fallo temporal.",
|
||||
"Set addresses for this room so users can find this room through your homeserver (%(localDomain)s)": "Establecer enderezos para a sala para que poida ser atopada no teu servidor local (%(localDomain)s)",
|
||||
|
@ -894,9 +877,6 @@
|
|||
"Clear all data in this session?": "¿Baleirar todos os datos desta sesión?",
|
||||
"Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "O baleirado dos datos da sesión é permanente. As mensaxes cifradas perderánse a menos que as súas chaves estiveren nunha copia de apoio.",
|
||||
"Clear all data": "Eliminar todos os datos",
|
||||
"Please enter a name for the room": "Escribe un nome para a sala",
|
||||
"Enable end-to-end encryption": "Activar cifrado extremo-a-extremo",
|
||||
"Topic (optional)": "Asunto (optativo)",
|
||||
"Hide advanced": "Ocultar Avanzado",
|
||||
"Show advanced": "Mostrar Avanzado",
|
||||
"To avoid losing your chat history, you must export your room keys before logging out. You will need to go back to the newer version of %(brand)s to do this": "Para evitar perder o historial da conversa, debes exportar as chaves da sala antes de saír. Necesitarás volver á nova versión de %(brand)s para facer esto",
|
||||
|
@ -1033,7 +1013,6 @@
|
|||
"Switch to dark mode": "Cambiar a decorado escuro",
|
||||
"Switch theme": "Cambiar decorado",
|
||||
"All settings": "Todos os axustes",
|
||||
"Feedback": "Comenta",
|
||||
"Could not load user profile": "Non se cargou o perfil da usuaria",
|
||||
"Invalid homeserver discovery response": "Resposta de descubrimento do servidor non válida",
|
||||
"Failed to get autodiscovery configuration from server": "Fallo ó obter a configuración de autodescubrimento desde o servidor",
|
||||
|
@ -1043,15 +1022,8 @@
|
|||
"Invalid base_url for m.identity_server": "base_url para m.identity_server non válida",
|
||||
"Identity server URL does not appear to be a valid identity server": "O URL do servidor de identidade non semella ser un servidor de identidade válido",
|
||||
"This account has been deactivated.": "Esta conta foi desactivada.",
|
||||
"Failed to perform homeserver discovery": "Fallo ao intentar o descubrimento do servidor",
|
||||
"If you've joined lots of rooms, this might take a while": "Se te uniches a moitas salas, esto podería levarnos un anaco",
|
||||
"Create account": "Crea unha conta",
|
||||
"Unable to query for supported registration methods.": "Non se puido consultar os métodos de rexistro soportados.",
|
||||
"Registration has been disabled on this homeserver.": "O rexistro está desactivado neste servidor.",
|
||||
"Failed to re-authenticate due to a homeserver problem": "Fallo ó reautenticar debido a un problema no servidor",
|
||||
"Failed to re-authenticate": "Fallo na reautenticación",
|
||||
"Forgotten your password?": "¿Esqueceches o contrasinal?",
|
||||
"You're signed out": "Estás desconectada",
|
||||
"Clear personal data": "Baleirar datos personais",
|
||||
"Command Autocomplete": "Autocompletado de comandos",
|
||||
"Emoji Autocomplete": "Autocompletado emoticonas",
|
||||
|
@ -1138,9 +1110,6 @@
|
|||
"Error leaving room": "Erro ó saír da sala",
|
||||
"Set up Secure Backup": "Configurar Copia de apoio Segura",
|
||||
"Information": "Información",
|
||||
"You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "Pode resultar útil se a sala vai ser utilizada só polo equipo de xestión interna do servidor. Non se pode cambiar máis tarde.",
|
||||
"You might disable this if the room will be used for collaborating with external teams who have their own homeserver. This cannot be changed later.": "Poderías desactivalo se a sala vai ser utilizada para colaborar con equipos externos que teñen o seu propio servidor. Esto non se pode cambiar máis tarde.",
|
||||
"Block anyone not part of %(serverName)s from ever joining this room.": "Evitar que calquera externo a %(serverName)s se poida unir a esta sala.",
|
||||
"Unknown App": "App descoñecida",
|
||||
"Not encrypted": "Sen cifrar",
|
||||
"Room settings": "Axustes da sala",
|
||||
|
@ -1162,7 +1131,6 @@
|
|||
"Widgets": "Widgets",
|
||||
"Edit widgets, bridges & bots": "Editar widgets, pontes e bots",
|
||||
"Add widgets, bridges & bots": "Engade widgets, pontes e bots",
|
||||
"Your server requires encryption to be enabled in private rooms.": "O servidor require que actives o cifrado nas salas privadas.",
|
||||
"Use the <a>Desktop app</a> to see all encrypted files": "Usa a <a>app de Escritorio</a> para ver todos os ficheiros cifrados",
|
||||
"Use the <a>Desktop app</a> to search encrypted messages": "Usa a <a>app de Escritorio</a> para buscar mensaxes cifradas",
|
||||
"This version of %(brand)s does not support viewing some encrypted files": "Esta versión de %(brand)s non soporta o visionado dalgúns ficheiros cifrados",
|
||||
|
@ -1188,11 +1156,6 @@
|
|||
"Answered Elsewhere": "Respondido noutro lugar",
|
||||
"Data on this screen is shared with %(widgetDomain)s": "Os datos nesta pantalla compártense con %(widgetDomain)s",
|
||||
"Modal Widget": "Widget modal",
|
||||
"Feedback sent": "Comentario enviado",
|
||||
"Send feedback": "Enviar comentario",
|
||||
"PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "PRO TIP: se inicias un novo informe, envía <debugLogsLink>rexistros de depuración</debugLogsLink> para axudarnos a investigar o problema.",
|
||||
"Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.": "Primeiro revisa <existingIssuesLink>a lista existente de fallo en Github</existingIssuesLink>. Non hai nada? <newIssueLink>Abre un novo</newIssueLink>.",
|
||||
"Comment": "Comentar",
|
||||
"Invite someone using their name, email address, username (like <userId/>) or <a>share this room</a>.": "Convida a persoas usando o seu nome, enderezo de email, nome de usuaria (como <userId/>) ou <a>comparte esta sala</a>.",
|
||||
"Start a conversation with someone using their name, email address or username (like <userId/>).": "Inicia unha conversa con alguén usando o seu nome, enderezo de email ou nome de usuaria (como <userId/>).",
|
||||
"Invite by email": "Convidar por email",
|
||||
|
@ -1463,86 +1426,20 @@
|
|||
"one": "Conservar na memoria local as mensaxes cifradas de xeito seguro para que aparezan nas buscas, usando %(size)s para gardar mensaxes de %(rooms)s salas.",
|
||||
"other": "Conservar na memoria local as mensaxes cifradas de xeito seguro para que aparezan nas buscas, usando %(size)s para gardar mensaxes de %(rooms)s salas."
|
||||
},
|
||||
"The <b>%(capability)s</b> capability": "A capacidade de <b>%(capability)s</b>",
|
||||
"Decline All": "Rexeitar todo",
|
||||
"This widget would like to:": "O widget podería querer:",
|
||||
"Approve widget permissions": "Aprovar permisos do widget",
|
||||
"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",
|
||||
"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 this room": "Enviar mensaxes <b>%(msgtype)s</b> no teu nome a esta sala",
|
||||
"See general files posted to your active room": "Ver ficheiros publicados na túa sala activa",
|
||||
"See general files posted to this room": "Ver ficheiros publicados nesta sala",
|
||||
"Send general files as you in your active room": "Enviar ficheiros no teu nome á túa sala activa",
|
||||
"Send general files as you in this room": "Enviar ficheiros no teu nome a esta sala",
|
||||
"See videos posted to your active room": "Ver vídeos publicados na túa sala activa",
|
||||
"See videos posted to this room": "Ver vídeos publicados nesta sala",
|
||||
"Send videos as you in your active room": "Enviar vídeos no teu nome á túa sala activa",
|
||||
"Send videos as you in this room": "Enviar vídeos no teu nome a esta sala",
|
||||
"See images posted to your active room": "Ver imaxes publicadas na túa sala activa",
|
||||
"See images posted to this room": "Ver imaxes publicadas nesta sala",
|
||||
"Send images as you in your active room": "Enviar imaxes no teu nome á túa sala activa",
|
||||
"Send images as you in this room": "Enviar imaxes no teu nome a esta sala",
|
||||
"See emotes posted to your active room": "Ver emotes publicados na túa sala activa",
|
||||
"See emotes posted to this room": "Ver emotes publicados nesta sala",
|
||||
"Send emotes as you in your active room": "Enviar emotes no teu nome á túa sala activa",
|
||||
"Send emotes as you in this room": "Enviar emotes no teu nome a esta sala",
|
||||
"See text messages posted to your active room": "Ver mensaxes de texto publicados na túa sala activa",
|
||||
"See text messages posted to this room": "Ver mensaxes de texto publicados nesta sala",
|
||||
"Send text messages as you in your active room": "Enviar mensaxes de texto no teu nome á túa sala activa",
|
||||
"Send text messages as you in this room": "Enviar mensaxes de texto no teu nome a esta sala",
|
||||
"See messages posted to your active room": "Ver as mensaxes publicadas na túa sala activa",
|
||||
"See messages posted to this room": "Ver as mensaxes publicadas nesta sala",
|
||||
"Send messages as you in your active room": "Enviar mensaxes no teu nome na túa sala activa",
|
||||
"Send messages as you in this room": "Enviar mensaxes no teu nome nesta sala",
|
||||
"See <b>%(eventType)s</b> events posted to your active room": "Ver os eventos <b>%(eventType)s</b> publicados na túa sala activa",
|
||||
"Send <b>%(eventType)s</b> events as you in your active room": "Envía no teu nome <b>%(eventType)s</b> eventos á túa sala activa",
|
||||
"See <b>%(eventType)s</b> events posted to this room": "Ver <b>%(eventType)s</b> eventos publicados nesta sala",
|
||||
"Send <b>%(eventType)s</b> events as you in this room": "Envia no teu nome <b>%(eventType)s</b> eventos a esta sala",
|
||||
"with state key %(stateKey)s": "coa chave de estado %(stateKey)s",
|
||||
"with an empty state key": "cunha chave de estado baleiro",
|
||||
"See when anyone posts a sticker to your active room": "Ver cando alguén publica un adhesivo na túa sala activa",
|
||||
"Send stickers to your active room as you": "Enviar no teu nome adhesivos á túa sala activa",
|
||||
"See when a sticker is posted in this room": "Ver cando un adhesivo se publica nesta sala",
|
||||
"Send stickers to this room as you": "Enviar no teu nome adhesivos a esta sala",
|
||||
"See when the avatar changes in your active room": "Ver cando o avatar da túa sala activa cambie",
|
||||
"Change the avatar of your active room": "Cambiar o avatar da túa sala activa",
|
||||
"See when the avatar changes in this room": "Ver cando o avatar desta sala cambie",
|
||||
"Change the avatar of this room": "Cambiar o avatar desta sala",
|
||||
"See when the name changes in your active room": "Ver cando o nome da túa sala activa cambie",
|
||||
"Change the name of your active room": "Cambiar o tema da túa sala activa",
|
||||
"See when the name changes in this room": "Ver cando o nome desta sala cambie",
|
||||
"Change the name of this room": "Cambiar o nome desta sala",
|
||||
"See when the topic changes in your active room": "Ver cando o tema da túa sala activa cambie",
|
||||
"Change the topic of your active room": "Cambiar o tema da túa sala activa",
|
||||
"See when the topic changes in this room": "Ver cando o tema desta sala cambie",
|
||||
"Change the topic of this room": "Cambiar o tema desta sala",
|
||||
"Change which room you're viewing": "Cambiar a sala que estás vendo",
|
||||
"Send stickers into your active room": "Enviar adhesivos á túa sala activa",
|
||||
"Send stickers into this room": "Enviar adhesivos a esta sala",
|
||||
"Remain on your screen while running": "Permanecer na túa pantalla mentras se executa",
|
||||
"Remain on your screen when viewing another room, when running": "Permanecer na túa pantalla cando visualizas outra sala, ó executar",
|
||||
"Enter phone number": "Escribe número de teléfono",
|
||||
"Enter email address": "Escribe enderezo email",
|
||||
"New here? <a>Create an account</a>": "Acabas de coñecernos? <a>Crea unha conta</a>",
|
||||
"Got an account? <a>Sign in</a>": "Tes unha conta? <a>Conéctate</a>",
|
||||
"New? <a>Create account</a>": "Recén cheagada? <a>Crea unha conta</a>",
|
||||
"There was a problem communicating with the homeserver, please try again later.": "Houbo un problema de comunicación co servidor de inicio, inténtao máis tarde.",
|
||||
"Use email to optionally be discoverable by existing contacts.": "Usa o email para ser opcionalmente descubrible para os contactos existentes.",
|
||||
"Use email or phone to optionally be discoverable by existing contacts.": "Usa un email ou teléfono para ser (opcionalmente) descubrible polos contactos existentes.",
|
||||
"Add an email to be able to reset your password.": "Engade un email para poder restablecer o contrasinal.",
|
||||
"That phone number doesn't look quite right, please check and try again": "Non semella correcto este número, compróbao e inténtao outra vez",
|
||||
"About homeservers": "Acerca dos servidores de inicio",
|
||||
"Use your preferred Matrix homeserver if you have one, or host your own.": "Usa o teu servidor de inicio Matrix preferido, ou usa o teu propio.",
|
||||
"Other homeserver": "Outro servidor de inicio",
|
||||
"Sign into your homeserver": "Conecta co teu servidor de inicio",
|
||||
"Specify a homeserver": "Indica un servidor de inicio",
|
||||
"Just a heads up, if you don't add an email and forget your password, you could <b>permanently lose access to your account</b>.": "Lembra que se non engades un email e esqueces o contrasinal <b>perderás de xeito permanente o acceso á conta</b>.",
|
||||
"Continuing without email": "Continuando sen email",
|
||||
"Server Options": "Opcións do servidor",
|
||||
"Reason (optional)": "Razón (optativa)",
|
||||
"Invalid URL": "URL non válido",
|
||||
"Unable to validate homeserver": "Non se puido validar o servidor de inicio",
|
||||
"Hold": "Colgar",
|
||||
"Resume": "Retomar",
|
||||
"You've reached the maximum number of simultaneous calls.": "Acadaches o número máximo de chamadas simultáneas.",
|
||||
|
@ -1557,7 +1454,6 @@
|
|||
"Unable to look up phone number": "Non atopamos o número de teléfono",
|
||||
"Channel: <channelLink/>": "Canle: <channelLink/>",
|
||||
"Workspace: <networkLink/>": "Espazo de traballo: <networkLink/>",
|
||||
"Change which room, message, or user you're viewing": "Cambia a sala, mensaxe ou usuaria que estás vendo",
|
||||
"This session has detected that your Security Phrase and key for Secure Messages have been removed.": "Esta sesión detectou que se eliminaron a túa Frase de Seguridade e chave para Mensaxes Seguras.",
|
||||
"A new Security Phrase and key for Secure Messages have been detected.": "Detectouse unha nova Frase de Seguridade e chave para as Mensaxes Seguras.",
|
||||
"Confirm your Security Phrase": "Confirma a Frase de Seguridade",
|
||||
|
@ -1727,13 +1623,10 @@
|
|||
"Search names and descriptions": "Buscar nome e descricións",
|
||||
"You may contact me if you have any follow up questions": "Podes contactar conmigo se tes algunha outra suxestión",
|
||||
"To leave the beta, visit your settings.": "Para saír da beta, vai aos axustes.",
|
||||
"Your platform and username will be noted to help us use your feedback as much as we can.": "A túa plataforma e nome de usuaria serán notificados para axudarnos a utilizar a túa opinión do mellor xeito posible.",
|
||||
"Add reaction": "Engadir reacción",
|
||||
"Message search initialisation failed": "Fallou a inicialización da busca de mensaxes",
|
||||
"Space Autocomplete": "Autocompletado do espazo",
|
||||
"Go to my space": "Ir ao meu espazo",
|
||||
"See when people join, leave, or are invited to your active room": "Mira cando alguén se une, sae ou é convidada á túa sala activa",
|
||||
"See when people join, leave, or are invited to this room": "Mira cando se une alguén, sae ou é convidada a esta sala",
|
||||
"Currently joining %(count)s rooms": {
|
||||
"one": "Neste intre estás en %(count)s sala",
|
||||
"other": "Neste intre estás en %(count)s salas"
|
||||
|
@ -1825,15 +1718,7 @@
|
|||
"Decide which spaces can access this room. If a space is selected, its members can find and join <RoomName/>.": "Decide que espazos poderán acceder a esta sala. Se un espazo é elexido, os seus membros poderán atopar e unirse a <RoomName/>.",
|
||||
"Select spaces": "Elixe espazos",
|
||||
"You're removing all spaces. Access will default to invite only": "Vas eliminar tódolos espazos. Por defecto o acceso cambiará a só por convite",
|
||||
"Room visibility": "Visibilidade da sala",
|
||||
"Visible to space members": "Visible para membros do espazo",
|
||||
"Public room": "Sala pública",
|
||||
"Private room (invite only)": "Sala privada (só con convite)",
|
||||
"Only people invited will be able to find and join this room.": "Só as persoas convidadas poderán atopar e unirse a esta sala.",
|
||||
"Anyone will be able to find and join this room.": "Calquera poderá atopar e unirse a esta sala.",
|
||||
"Anyone will be able to find and join this room, not just members of <SpaceName/>.": "Calquera poderá atopar e unirse a esta sala, non só os membros de <SpaceName/>.",
|
||||
"You can change this at any time from room settings.": "Podes cambiar isto en calquera momento nos axustes da sala.",
|
||||
"Everyone in <SpaceName/> will be able to find and join this room.": "Todas en <SpaceName/> poderán atopar e unirse a esta sala.",
|
||||
"Share content": "Compartir contido",
|
||||
"Application window": "Ventá da aplicación",
|
||||
"Share entire screen": "Compartir pantalla completa",
|
||||
|
@ -1898,8 +1783,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.",
|
||||
"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.",
|
||||
"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",
|
||||
"Some encryption parameters have been changed.": "Algún dos parámetros de cifrado foron cambiados.",
|
||||
"Role in <RoomName/>": "Rol en <RoomName/>",
|
||||
"Unknown failure": "Fallo descoñecido",
|
||||
|
@ -1956,7 +1839,6 @@
|
|||
"Upgrading room": "Actualizando sala",
|
||||
"View in room": "Ver na sala",
|
||||
"Enter your Security Phrase or <button>use your Security Key</button> to continue.": "Escribe a túa Frase de Seguridade ou <button>usa a túa Chave de Seguridade</button> para continuar.",
|
||||
"The email address doesn't appear to be valid.": "O enderezo de email non semella ser válido.",
|
||||
"What projects are your team working on?": "En que proxectos está a traballar o teu equipo?",
|
||||
"See room timeline (devtools)": "Ver cronoloxía da sala (devtools)",
|
||||
"Developer mode": "Modo desenvolvemento",
|
||||
|
@ -1964,7 +1846,6 @@
|
|||
"Joined": "Unícheste",
|
||||
"Joining": "Uníndote",
|
||||
"Light high contrast": "Alto contraste claro",
|
||||
"You can't disable this later. Bridges & most bots won't work yet.": "Non poderás desactivar isto máis tarde. As pasarelas e a maioría de bots aínda non funcionan.",
|
||||
"Add option": "Engade unha opción",
|
||||
"Write an option": "Escribe unha opción",
|
||||
"Option %(number)s": "Opción %(number)s",
|
||||
|
@ -2016,7 +1897,6 @@
|
|||
"We'll generate a Security Key for you to store somewhere safe, like a password manager or a safe.": "Imos crear unha Chave de Seguridade para que a gardes nun lugar seguro, como nun xestor de contrasinais ou caixa forte.",
|
||||
"Regain access to your account and recover encryption keys stored in this session. Without them, you won't be able to read all of your secure messages in any session.": "Recupera o acceso á túa conta e ás chaves de cifrado gardadas nesta sesión. Sen elas, non poderás ler tódalas túas mensaxes seguras en calquera sesión.",
|
||||
"Without verifying, you won't have access to all your messages and may appear as untrusted to others.": "Sen verificación non poderás acceder a tódalas túas mensaxes e poderían aparecer como non confiables ante outras persoas.",
|
||||
"Someone already has that username, please try another.": "Este nome de usuaria xa está pillado, inténtao con outro.",
|
||||
"Show all threads": "Mostra tódolos temas",
|
||||
"Keep discussions organised with threads": "Manter as conversas organizadas con fíos",
|
||||
"Shows all threads you've participated in": "Mostra tódalas conversas nas que participaches",
|
||||
|
@ -2026,8 +1906,6 @@
|
|||
"Thread options": "Opcións da conversa",
|
||||
"Mentions only": "Só mencións",
|
||||
"Forget": "Esquecer",
|
||||
"We call the places where you can host your account 'homeservers'.": "Chamámoslle 'Servidores de Inicio' aos lugares onde podes ter a túa conta.",
|
||||
"Matrix.org is the biggest public homeserver in the world, so it's a good place for many.": "Matrix.org é o servidor público máis grande do mundo, podería ser un bo lugar para comezar.",
|
||||
"If you can't see who you're looking for, send them your invite link below.": "Se non atopas a quen buscas, envíalle a túa ligazón de convite.",
|
||||
"Based on %(count)s votes": {
|
||||
"one": "Baseado en %(count)s voto",
|
||||
|
@ -2054,7 +1932,6 @@
|
|||
"Quick settings": "Axustes rápidos",
|
||||
"Spaces you know that contain this space": "Espazos que sabes conteñen este espazo",
|
||||
"Chat": "Chat",
|
||||
"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",
|
||||
"%(spaceName)s menu": "Menú de %(spaceName)s",
|
||||
"Join public room": "Unirse a sala pública",
|
||||
|
@ -2093,12 +1970,8 @@
|
|||
"other": "Resultado final baseado en %(count)s votos"
|
||||
},
|
||||
"Copy room link": "Copiar ligazón á sala",
|
||||
"Remove, ban, or invite people to your active room, and make you leave": "Eliminar, vetar ou convidar persoas á túa sala activa, e saír ti mesmo",
|
||||
"Remove, ban, or invite people to this room, and make you leave": "Eliminar, vetar, ou convidar persas a esta sala, e saír ti mesmo",
|
||||
"Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Parella (usuaria, sesión) descoñecida: (%(userId)s, %(deviceId)s)",
|
||||
"Command failed: Unable to find room (%(roomId)s": "Fallo no comando: Non se atopa a sala (%(roomId)s)",
|
||||
"Unrecognised room address: %(roomAlias)s": "Enderezo da sala non recoñecido: %(roomAlias)s",
|
||||
"Command error: Unable to find rendering type (%(renderingType)s)": "Erro no comando: non se puido atopa o tipo de renderizado (%(renderingType)s)",
|
||||
"Could not fetch location": "Non se obtivo a localización",
|
||||
"Location": "Localización",
|
||||
"toggle event": "activar evento",
|
||||
|
@ -2120,10 +1993,6 @@
|
|||
"Poll": "Enquisa",
|
||||
"Voice Message": "Mensaxe de voz",
|
||||
"Hide stickers": "Agochar adhesivos",
|
||||
"You can't see earlier messages": "Non podes ver mensaxes anteriores",
|
||||
"Encrypted messages before this point are unavailable.": "Non están dispoñibles as mensaxes cifradas anteriores a este punto.",
|
||||
"You don't have permission to view messages from before you joined.": "Non tes permiso para ver mensaxes anteriores a que te unises.",
|
||||
"You don't have permission to view messages from before you were invited.": "Non tes permiso para ver mensaxes anteriores a que te unises.",
|
||||
"From a thread": "Desde un fío",
|
||||
"Internal room ID": "ID interno da sala",
|
||||
"Group all your rooms that aren't part of a space in one place.": "Agrupa nun só lugar tódalas túas salas que non forman parte dun espazo.",
|
||||
|
@ -2214,7 +2083,6 @@
|
|||
"one": "Eliminando agora mensaxes de %(count)s sala",
|
||||
"other": "Eliminando agora mensaxes de %(count)s salas"
|
||||
},
|
||||
"Command error: Unable to handle slash command.": "Erro no comando: non se puido xestionar o comando con barra.",
|
||||
"Unsent": "Sen enviar",
|
||||
"You can use the custom server options to sign into other Matrix servers by specifying a different homeserver URL. This allows you to use %(brand)s with an existing Matrix account on a different homeserver.": "Podes usar as opcións personalizadas do servidor para acceder a outros servidores Matrix indicando o URL do servidor de inicio. Así podes usar %(brand)s cunha conta Matrix rexistrada nun servidor diferente.",
|
||||
"%(brand)s was denied permission to fetch your location. Please allow location access in your browser settings.": "%(brand)s non ten permiso para obter a túa localización. Concede acceso á localización nos axustes do navegador.",
|
||||
|
@ -2360,7 +2228,6 @@
|
|||
"You cannot search for rooms that are neither a room nor a space": "Non podes buscar salas que non son nin unha sala nin un espazo",
|
||||
"Show spaces": "Mostrar espazos",
|
||||
"Show rooms": "Mostrar salas",
|
||||
"You can't disable this later. The room will be encrypted but the embedded call will not.": "Despois non poderás desfacer esto. A sala estará cifrada pero non a chamada que inclúe.",
|
||||
"Join the room to participate": "Únete á sala para participar",
|
||||
"Explore public spaces in the new search dialog": "Explorar espazos públicos no novo diálogo de busca",
|
||||
"Reset bearing to north": "Restablecer apuntando ao norte",
|
||||
|
@ -2536,7 +2403,8 @@
|
|||
"cross_signing": "Sinatura cruzada",
|
||||
"identity_server": "Servidor de identidade",
|
||||
"integration_manager": "Xestor de Integracións",
|
||||
"qr_code": "Código QR"
|
||||
"qr_code": "Código QR",
|
||||
"feedback": "Comenta"
|
||||
},
|
||||
"action": {
|
||||
"continue": "Continuar",
|
||||
|
@ -2951,7 +2819,9 @@
|
|||
"timeline_image_size": "Tamaño de imaxe na cronoloxía",
|
||||
"timeline_image_size_default": "Por defecto",
|
||||
"timeline_image_size_large": "Grande"
|
||||
}
|
||||
},
|
||||
"inline_url_previews_room_account": "Activar vista previa de URL nesta sala (só che afecta a ti)",
|
||||
"inline_url_previews_room": "Activar a vista previa de URL por defecto para as participantes nesta sala"
|
||||
},
|
||||
"devtools": {
|
||||
"send_custom_account_data_event": "Enviar evento de datos da conta personalizado",
|
||||
|
@ -3076,7 +2946,24 @@
|
|||
"title_public_room": "Crear sala pública",
|
||||
"title_private_room": "Crear sala privada",
|
||||
"action_create_video_room": "Crear sala de vídeo",
|
||||
"action_create_room": "Crear sala"
|
||||
"action_create_room": "Crear sala",
|
||||
"name_validation_required": "Escribe un nome para a sala",
|
||||
"join_rule_restricted_label": "Todas en <SpaceName/> poderán atopar e unirse a esta sala.",
|
||||
"join_rule_change_notice": "Podes cambiar isto en calquera momento nos axustes da sala.",
|
||||
"join_rule_public_parent_space_label": "Calquera poderá atopar e unirse a esta sala, non só os membros de <SpaceName/>.",
|
||||
"join_rule_public_label": "Calquera poderá atopar e unirse a esta sala.",
|
||||
"join_rule_invite_label": "Só as persoas convidadas poderán atopar e unirse a esta sala.",
|
||||
"encrypted_video_room_warning": "Despois non poderás desfacer esto. A sala estará cifrada pero non a chamada que inclúe.",
|
||||
"encrypted_warning": "Non poderás desactivar isto máis tarde. As pasarelas e a maioría de bots aínda non funcionan.",
|
||||
"encryption_forced": "O servidor require que actives o cifrado nas salas privadas.",
|
||||
"encryption_label": "Activar cifrado extremo-a-extremo",
|
||||
"unfederated_label_default_off": "Pode resultar útil se a sala vai ser utilizada só polo equipo de xestión interna do servidor. Non se pode cambiar máis tarde.",
|
||||
"unfederated_label_default_on": "Poderías desactivalo se a sala vai ser utilizada para colaborar con equipos externos que teñen o seu propio servidor. Esto non se pode cambiar máis tarde.",
|
||||
"topic_label": "Asunto (optativo)",
|
||||
"room_visibility_label": "Visibilidade da sala",
|
||||
"join_rule_invite": "Sala privada (só con convite)",
|
||||
"join_rule_restricted": "Visible para membros do espazo",
|
||||
"unfederated": "Evitar que calquera externo a %(serverName)s se poida unir a esta sala."
|
||||
},
|
||||
"timeline": {
|
||||
"m.call": {
|
||||
|
@ -3348,7 +3235,11 @@
|
|||
"changed_rule_rooms": "%(senderName)s cambiou unha regra que bloqueaba salas con %(oldGlob)s a %(newGlob)s por %(reason)s",
|
||||
"changed_rule_servers": "%(senderName)s cambiou unha regra que bloqueaba servidores con %(oldGlob)s a %(newGlob)s por %(reason)s",
|
||||
"changed_rule_glob": "%(senderName)s actualizou unha regra de bloqueo con %(oldGlob)s a %(newGlob)s por %(reason)s"
|
||||
}
|
||||
},
|
||||
"no_permission_messages_before_invite": "Non tes permiso para ver mensaxes anteriores a que te unises.",
|
||||
"no_permission_messages_before_join": "Non tes permiso para ver mensaxes anteriores a que te unises.",
|
||||
"encrypted_historical_messages_unavailable": "Non están dispoñibles as mensaxes cifradas anteriores a este punto.",
|
||||
"historical_messages_unavailable": "Non podes ver mensaxes anteriores"
|
||||
},
|
||||
"slash_command": {
|
||||
"spoiler": "Envía a mensaxe dada como un spoiler",
|
||||
|
@ -3404,7 +3295,14 @@
|
|||
"holdcall": "Pon en pausa a chamada da sala actual",
|
||||
"no_active_call": "Sen chamada activa nesta sala",
|
||||
"unholdcall": "Acepta a chamada na sala actual",
|
||||
"me": "Mostra acción"
|
||||
"me": "Mostra acción",
|
||||
"error_invalid_runfn": "Erro no comando: non se puido xestionar o comando con barra.",
|
||||
"error_invalid_rendering_type": "Erro no comando: non se puido atopa o tipo de renderizado (%(renderingType)s)",
|
||||
"join": "Unirse a sala co enderezo dado",
|
||||
"failed_find_room": "Fallo no comando: Non se atopa a sala (%(roomId)s)",
|
||||
"failed_find_user": "Non se atopa a usuaria na sala",
|
||||
"op": "Define o nivel de permisos de unha usuaria",
|
||||
"deop": "Degrada usuaria co id proporcionado"
|
||||
},
|
||||
"presence": {
|
||||
"busy": "Ocupado",
|
||||
|
@ -3582,8 +3480,38 @@
|
|||
"account_clash_previous_account": "Continúa coa conta anterior",
|
||||
"log_in_new_account": "<a>Accede</a> usando a conta nova.",
|
||||
"registration_successful": "Rexistro correcto",
|
||||
"server_picker_title": "Crea a conta en",
|
||||
"server_picker_dialog_title": "Decide onde queres crear a túa conta"
|
||||
"server_picker_title": "Conecta co teu servidor de inicio",
|
||||
"server_picker_dialog_title": "Decide onde queres crear a túa conta",
|
||||
"footer_powered_by_matrix": "funciona grazas a Matrix",
|
||||
"failed_homeserver_discovery": "Fallo ao intentar o descubrimento do servidor",
|
||||
"sync_footer_subtitle": "Se te uniches a moitas salas, esto podería levarnos un anaco",
|
||||
"unsupported_auth_msisdn": "O servidor non soporta a autenticación con número de teléfono.",
|
||||
"unsupported_auth_email": "Este servidor non soporta o acceso usando enderezos de email.",
|
||||
"registration_disabled": "O rexistro está desactivado neste servidor.",
|
||||
"failed_query_registration_methods": "Non se puido consultar os métodos de rexistro soportados.",
|
||||
"username_in_use": "Este nome de usuaria xa está pillado, inténtao con outro.",
|
||||
"incorrect_password": "Contrasinal incorrecto",
|
||||
"failed_soft_logout_auth": "Fallo na reautenticación",
|
||||
"soft_logout_heading": "Estás desconectada",
|
||||
"forgot_password_email_required": "Debe introducir o correo electrónico ligado a súa conta.",
|
||||
"forgot_password_email_invalid": "O enderezo de email non semella ser válido.",
|
||||
"sign_in_prompt": "Tes unha conta? <a>Conéctate</a>",
|
||||
"forgot_password_prompt": "¿Esqueceches o contrasinal?",
|
||||
"soft_logout_intro_password": "Escribe o contrasinal para acceder e retomar o control da túa conta.",
|
||||
"soft_logout_intro_sso": "Conéctate e recupera o acceso a túa conta.",
|
||||
"soft_logout_intro_unsupported_auth": "Non podes conectar a conta. Contacta coa administración do teu servidor para máis información.",
|
||||
"create_account_prompt": "Acabas de coñecernos? <a>Crea unha conta</a>",
|
||||
"sign_in_or_register": "Conéctate ou Crea unha Conta",
|
||||
"sign_in_or_register_description": "Usa a túa conta ou crea unha nova para continuar.",
|
||||
"register_action": "Crear conta",
|
||||
"server_picker_failed_validate_homeserver": "Non se puido validar o servidor de inicio",
|
||||
"server_picker_invalid_url": "URL non válido",
|
||||
"server_picker_required": "Indica un servidor de inicio",
|
||||
"server_picker_matrix.org": "Matrix.org é o servidor público máis grande do mundo, podería ser un bo lugar para comezar.",
|
||||
"server_picker_intro": "Chamámoslle 'Servidores de Inicio' aos lugares onde podes ter a túa conta.",
|
||||
"server_picker_custom": "Outro servidor de inicio",
|
||||
"server_picker_explainer": "Usa o teu servidor de inicio Matrix preferido, ou usa o teu propio.",
|
||||
"server_picker_learn_more": "Acerca dos servidores de inicio"
|
||||
},
|
||||
"room_list": {
|
||||
"sort_unread_first": "Mostrar primeiro as salas con mensaxes sen ler",
|
||||
|
@ -3629,5 +3557,81 @@
|
|||
"access_token_detail": "O teu token de acceso da acceso completo á túa conta. Non o compartas con ninguén.",
|
||||
"clear_cache_reload": "Baleirar caché e recargar"
|
||||
}
|
||||
},
|
||||
"widget": {
|
||||
"capability": {
|
||||
"send_stickers_this_room": "Enviar adhesivos a esta sala",
|
||||
"send_stickers_active_room": "Enviar adhesivos á túa sala activa",
|
||||
"send_stickers_this_room_as_you": "Enviar no teu nome adhesivos a esta sala",
|
||||
"send_stickers_active_room_as_you": "Enviar no teu nome adhesivos á túa sala activa",
|
||||
"see_sticker_posted_this_room": "Ver cando un adhesivo se publica nesta sala",
|
||||
"see_sticker_posted_active_room": "Ver cando alguén publica un adhesivo na túa sala activa",
|
||||
"always_on_screen_viewing_another_room": "Permanecer na túa pantalla cando visualizas outra sala, ó executar",
|
||||
"always_on_screen_generic": "Permanecer na túa pantalla mentras se executa",
|
||||
"switch_room": "Cambiar a sala que estás vendo",
|
||||
"switch_room_message_user": "Cambia a sala, mensaxe ou usuaria que estás vendo",
|
||||
"change_topic_this_room": "Cambiar o tema desta sala",
|
||||
"see_topic_change_this_room": "Ver cando o tema desta sala cambie",
|
||||
"change_topic_active_room": "Cambiar o tema da túa sala activa",
|
||||
"see_topic_change_active_room": "Ver cando o tema da túa sala activa cambie",
|
||||
"change_name_this_room": "Cambiar o nome desta sala",
|
||||
"see_name_change_this_room": "Ver cando o nome desta sala cambie",
|
||||
"change_name_active_room": "Cambiar o tema da túa sala activa",
|
||||
"see_name_change_active_room": "Ver cando o nome da túa sala activa cambie",
|
||||
"change_avatar_this_room": "Cambiar o avatar desta sala",
|
||||
"see_avatar_change_this_room": "Ver cando o avatar desta sala cambie",
|
||||
"change_avatar_active_room": "Cambiar o avatar da túa sala activa",
|
||||
"see_avatar_change_active_room": "Ver cando o avatar da túa sala activa cambie",
|
||||
"remove_ban_invite_leave_this_room": "Eliminar, vetar, ou convidar persas a esta sala, e saír ti mesmo",
|
||||
"receive_membership_this_room": "Mira cando se une alguén, sae ou é convidada a esta sala",
|
||||
"remove_ban_invite_leave_active_room": "Eliminar, vetar ou convidar persoas á túa sala activa, e saír ti mesmo",
|
||||
"receive_membership_active_room": "Mira cando alguén se une, sae ou é convidada á túa sala activa",
|
||||
"byline_empty_state_key": "cunha chave de estado baleiro",
|
||||
"byline_state_key": "coa chave de estado %(stateKey)s",
|
||||
"any_room": "O de enriba, pero en calquera sala á que te uniches ou foches convidada",
|
||||
"specific_room": "O de arriba, pero tamén en <Room />",
|
||||
"send_event_type_this_room": "Envia no teu nome <b>%(eventType)s</b> eventos a esta sala",
|
||||
"see_event_type_sent_this_room": "Ver <b>%(eventType)s</b> eventos publicados nesta sala",
|
||||
"send_event_type_active_room": "Envía no teu nome <b>%(eventType)s</b> eventos á túa sala activa",
|
||||
"see_event_type_sent_active_room": "Ver os eventos <b>%(eventType)s</b> publicados na túa sala activa",
|
||||
"capability": "A capacidade de <b>%(capability)s</b>",
|
||||
"send_messages_this_room": "Enviar mensaxes no teu nome nesta sala",
|
||||
"send_messages_active_room": "Enviar mensaxes no teu nome na túa sala activa",
|
||||
"see_messages_sent_this_room": "Ver as mensaxes publicadas nesta sala",
|
||||
"see_messages_sent_active_room": "Ver as mensaxes publicadas na túa sala activa",
|
||||
"send_text_messages_this_room": "Enviar mensaxes de texto no teu nome a esta sala",
|
||||
"send_text_messages_active_room": "Enviar mensaxes de texto no teu nome á túa sala activa",
|
||||
"see_text_messages_sent_this_room": "Ver mensaxes de texto publicados nesta sala",
|
||||
"see_text_messages_sent_active_room": "Ver mensaxes de texto publicados na túa sala activa",
|
||||
"send_emotes_this_room": "Enviar emotes no teu nome a esta sala",
|
||||
"send_emotes_active_room": "Enviar emotes no teu nome á túa sala activa",
|
||||
"see_sent_emotes_this_room": "Ver emotes publicados nesta sala",
|
||||
"see_sent_emotes_active_room": "Ver emotes publicados na túa sala activa",
|
||||
"send_images_this_room": "Enviar imaxes no teu nome a esta sala",
|
||||
"send_images_active_room": "Enviar imaxes no teu nome á túa sala activa",
|
||||
"see_images_sent_this_room": "Ver imaxes publicadas nesta sala",
|
||||
"see_images_sent_active_room": "Ver imaxes publicadas na túa sala activa",
|
||||
"send_videos_this_room": "Enviar vídeos no teu nome a esta sala",
|
||||
"send_videos_active_room": "Enviar vídeos no teu nome á túa sala activa",
|
||||
"see_videos_sent_this_room": "Ver vídeos publicados nesta sala",
|
||||
"see_videos_sent_active_room": "Ver vídeos publicados na túa sala activa",
|
||||
"send_files_this_room": "Enviar ficheiros no teu nome a esta sala",
|
||||
"send_files_active_room": "Enviar ficheiros no teu nome á túa sala activa",
|
||||
"see_sent_files_this_room": "Ver ficheiros publicados nesta sala",
|
||||
"see_sent_files_active_room": "Ver ficheiros publicados na túa sala activa",
|
||||
"send_msgtype_this_room": "Enviar mensaxes <b>%(msgtype)s</b> no teu nome a esta sala",
|
||||
"send_msgtype_active_room": "Enviar mensaxes <b>%(msgtype)s</b> no teu nome á túa sala activa",
|
||||
"see_msgtype_sent_this_room": "Ver mensaxes <b>%(msgtype)s</b> publicados nesta sala",
|
||||
"see_msgtype_sent_active_room": "Ver mensaxes <b>%(msgtype)s</b> publicados na túa sala activa"
|
||||
}
|
||||
},
|
||||
"feedback": {
|
||||
"sent": "Comentario enviado",
|
||||
"comment_label": "Comentar",
|
||||
"platform_username": "A túa plataforma e nome de usuaria serán notificados para axudarnos a utilizar a túa opinión do mellor xeito posible.",
|
||||
"may_contact_label": "Podes contactar conmigo se queres estar ao día ou comentarme algunha suxestión",
|
||||
"pro_type": "PRO TIP: se inicias un novo informe, envía <debugLogsLink>rexistros de depuración</debugLogsLink> para axudarnos a investigar o problema.",
|
||||
"existing_issue_link": "Primeiro revisa <existingIssuesLink>a lista existente de fallo en Github</existingIssuesLink>. Non hai nada? <newIssueLink>Abre un novo</newIssueLink>.",
|
||||
"send_feedback_action": "Enviar comentario"
|
||||
}
|
||||
}
|
||||
|
|
|
@ -28,7 +28,6 @@
|
|||
"AM": "AM",
|
||||
"Rooms": "חדרים",
|
||||
"Operation failed": "פעולה נכשלה",
|
||||
"powered by Matrix": "מופעל ע\"י Matrix",
|
||||
"Send": "שלח",
|
||||
"Failed to change password. Is your password correct?": "שינוי הסיסמה נכשל. האם הסיסמה שלך נכונה?",
|
||||
"unknown error code": "קוד שגיאה לא מוכר",
|
||||
|
@ -84,14 +83,10 @@
|
|||
"WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and session %(deviceId)s is \"%(fprint)s\" which does not match the provided key \"%(fingerprint)s\". This could mean your communications are being intercepted!": "אזהרה: אימות מפתח נכשל! חתימת המפתח של %(userId)s ושל ההתחברות של מכשיר %(deviceId)s הינו \"%(fprint)s\" אשר אינו תואם למפתח הנתון \"%(fingerprint)s\". דבר זה יכול להעיר על כך שישנו נסיון להאזין לתקשורת שלכם!",
|
||||
"Session already verified!": "ההתחברות כבר אושרה!",
|
||||
"Verifies a user, session, and pubkey tuple": "מוודא משתמש, התחברות וצמד מפתח ציבורי",
|
||||
"Deops user with given id": "מסיר משתמש עם קוד זיהוי זה",
|
||||
"Could not find user in room": "משתמש זה לא נמצא בחדר",
|
||||
"Define the power level of a user": "הגדירו את רמת ההרשאות של משתמש",
|
||||
"You are no longer ignoring %(userId)s": "אינכם מתעלמים יותר מ %(userId)s",
|
||||
"Unignored user": "משתמש מוכר",
|
||||
"You are now ignoring %(userId)s": "אתם עכשיו מתעלמים מ %(userId)s",
|
||||
"Ignored user": "משתמש נעלם",
|
||||
"Joins room with given address": "חיבור לחדר עם כתובת מסויימת",
|
||||
"Use an identity server to invite by email. Manage in Settings.": "השתמש בשרת זיהוי להזמין דרך מייל. ניהול דרך ההגדרות.",
|
||||
"Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "השתמש בשרת זיהוי על מנת להזמין דרך מייל. לחצו על המשך להשתמש בשרת ברירת המחדל %(defaultIdentityServerName)s או הגדירו את השרת שלכם בהגדרות.",
|
||||
"Use an identity server": "השתמש בשרת זיהוי",
|
||||
|
@ -381,9 +376,6 @@
|
|||
"Tokelau": "טוקלאו",
|
||||
"Vanuatu": "ונואטו",
|
||||
"Default": "ברירת מחדל",
|
||||
"Create Account": "משתמש חדש",
|
||||
"Use your account or create a new one to continue.": "השתמשו בחשבונכם או צרו חשבון חדש.",
|
||||
"Sign In or Create Account": "התחברו או צרו חשבון",
|
||||
"Zimbabwe": "זימבבואה",
|
||||
"Zambia": "זמביה",
|
||||
"Yemen": "תימן",
|
||||
|
@ -424,62 +416,6 @@
|
|||
"Ask your %(brand)s admin to check <a>your config</a> for incorrect or duplicate entries.": "בקשו מהאדמין של %(brand)s לבדוק <a>קונפיגורציה</a> לרשומות כפולות שגויות.",
|
||||
"Ensure you have a stable internet connection, or get in touch with the server admin": "בדקו שיש לכם תקשורת אינטרנט יציבה, או צרו קשר עם האדמין של השרת",
|
||||
"Cannot reach homeserver": "אין תקשורת עם השרת הראשי",
|
||||
"See <b>%(msgtype)s</b> messages posted to your active room": "ראו <b>%(msgtype)s</b> הודעות שפורסמו בחדר הפעיל שלכם",
|
||||
"See <b>%(msgtype)s</b> messages posted to this room": "ראו <b>%(msgtype)s</b> הודעות שפורסמו בחדר זה",
|
||||
"Send <b>%(msgtype)s</b> messages as you in your active room": "שלחו <b>%(msgtype)s</b> הודעות בשמכם בחדר הפעיל שלכם",
|
||||
"Send <b>%(msgtype)s</b> messages as you in this room": "שלחו <b>%(msgtype)s</b> הודעות בשמכם בחדר זה",
|
||||
"See general files posted to your active room": "צפו בקבצים הכללים שפורסמו בחדר הפעיל שלכם",
|
||||
"See general files posted to this room": "צפו בקבצים כללים אשר פורסמו בחדר זה",
|
||||
"Send general files as you in your active room": "שלחו קבצים כללים בשמכם בחדר הפעיל שלכם",
|
||||
"Send general files as you in this room": "שלחו קבצים כללים בשמכם בחדר זה",
|
||||
"See videos posted to your active room": "ראו סרטונים שנשלחו לחדר הפעיל שלכם",
|
||||
"See videos posted to this room": "ראו סרטונים שנשלחו לחדר זה",
|
||||
"Send videos as you in your active room": "שלחו סרטונים בשמכם בחדר הפעיל שלכם",
|
||||
"Send videos as you in this room": "שלחו סרטונים בשמכם בחדר זה",
|
||||
"See images posted to your active room": "ראו תמונות שפורסמו בחדר הפעיל שלכם",
|
||||
"See images posted to this room": "ראו תמונות שפוסמו בחדר זה",
|
||||
"Send images as you in your active room": "שלחו תמונות בשמכם בחדר הפעיל שלכם",
|
||||
"Send images as you in this room": "שלחו תמונות בשמכם בחדר זה",
|
||||
"See emotes posted to your active room": "ראו סמלים שפורסמו בחדר הפעיל שלכם",
|
||||
"See emotes posted to this room": "ראו סמלים שפורסמו בחדר זה",
|
||||
"Send emotes as you in your active room": "שלחו סמלים בשמכם בחדר הפעיל שלכם",
|
||||
"Send emotes as you in this room": "שלחו סמלים בשמכם בחדר זה",
|
||||
"See text messages posted to your active room": "ראו הודעות טקסט שפורסמו בחדר הפעיל שלכם",
|
||||
"See text messages posted to this room": "ראו הודעות טקסט שפורסמו בחדר זה",
|
||||
"Send text messages as you in your active room": "שלחו הודעות טקסט בשמכם בחדר הפעיל שלכם",
|
||||
"Send text messages as you in this room": "שלחו הודעות טקסט בשמכם בחדר זה",
|
||||
"See messages posted to your active room": "ראו הודעות שפורסמו בחדר הפעיל שלכם",
|
||||
"See messages posted to this room": "ראו הודעות שפורסמו בחדר זה",
|
||||
"Send messages as you in your active room": "שלחו הודעות בשמכם בחדר הפעיל שלכם",
|
||||
"Send messages as you in this room": "שלחו הודעות בשמכם בחדר זה",
|
||||
"The <b>%(capability)s</b> capability": "ה<b>%(capability)s</b> יכולת",
|
||||
"See <b>%(eventType)s</b> events posted to your active room": "ראו <b>%(eventType)s</b> התרעות שפורסמו בחדר הפעיל שלכם",
|
||||
"Send <b>%(eventType)s</b> events as you in your active room": "שלח <b>%(eventType)s</b> התרעות בשמכם לחדר הפעיל שלכם",
|
||||
"See <b>%(eventType)s</b> events posted to this room": "ראו <b>%(eventType)s</b> התרעות שפורסמו בשמכם בחדר זה",
|
||||
"Send <b>%(eventType)s</b> events as you in this room": "שלח <b>%(eventType)s</b> התרעות בשמכם לחדר זה",
|
||||
"with state key %(stateKey)s": "עם מפתח מצב %(stateKey)s",
|
||||
"with an empty state key": "עם מפתח ללא מצב",
|
||||
"See when anyone posts a sticker to your active room": "ראו מתי כל אחד מפרסם מדבקה בחדר הפעיל שלכם",
|
||||
"Send stickers to your active room as you": "שלחו מדבקות אל החדר הפעיל שלכם בשמכם",
|
||||
"See when a sticker is posted in this room": "ראו מתי מדבקה מפורסמת בחדר זה",
|
||||
"Send stickers to this room as you": "שלחו מדבקות לחדר זה בשמכם",
|
||||
"See when the avatar changes in your active room": "ראו מתי שונה האווטר בחדר הפעיל שלכם",
|
||||
"Change the avatar of your active room": "שנו את האווטר של החדר הפעיל שלכם",
|
||||
"See when the avatar changes in this room": "ראו מתי האוורט משתנה בחדר זה",
|
||||
"Change the avatar of this room": "שנו את האווטר של החדר הזה",
|
||||
"See when the name changes in your active room": "ראו מתי השם משתנה בחדר הפעיל שלכם",
|
||||
"Change the name of your active room": "שנו את השם של החדר הפעיל שלכם",
|
||||
"See when the name changes in this room": "ראו מתי השם שונה בחדר זה",
|
||||
"Change the name of this room": "שנו את שם החדר הזה",
|
||||
"See when the topic changes in your active room": "ראו מתי שונה שם הנושא של הקבוצה הפעילה שלכם",
|
||||
"Change the topic of your active room": "שנו את שם הנושא של החדר הפעיל שלכם",
|
||||
"See when the topic changes in this room": "ראו מתי הנושא שונה בחדר זה",
|
||||
"Change the topic of this room": "שנו את שם הנושא של חדר זה",
|
||||
"Change which room you're viewing": "שנו את החדר שבו אתם נמצאים",
|
||||
"Send stickers into your active room": "שלחו מדבקות אל החדר הפעיל שלכם",
|
||||
"Send stickers into this room": "שלחו מדבקות לחדר זה",
|
||||
"Remain on your screen while running": "השארו במסך זה כאשר אתם פעילים",
|
||||
"Remain on your screen when viewing another room, when running": "השארו במסך הראשי כאשר אתם עברים בין חדרים בכל קהילה",
|
||||
"Not Trusted": "לא אמין",
|
||||
"Ask this user to verify their session, or manually verify it below.": "בקש ממשתמש זה לאמת את ההתחברות שלו, או לאמת אותה באופן ידני למטה.",
|
||||
"%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s %(userId)s נכנס דרך התחברות חדשה מבלי לאמת אותה:",
|
||||
|
@ -630,8 +566,6 @@
|
|||
"Enable message search in encrypted rooms": "אפשר חיפוש הודעות בחדרים מוצפנים",
|
||||
"Show hidden events in timeline": "הצג ארועים מוסתרים בקו הזמן",
|
||||
"Enable widget screenshots on supported widgets": "אפשר צילומי מסך של ישומונים עבור ישומונים נתמכים",
|
||||
"Enable URL previews by default for participants in this room": "אפשר לחברים בחדר זה לצפות בתצוגת קישורים",
|
||||
"Enable URL previews for this room (only affects you)": "הראה תצוגה מקדימה של קישורים בחדר זה (משפיע רק עליכם)",
|
||||
"Never send encrypted messages to unverified sessions in this room from this session": "לעולם אל תשלח הודעות מוצפנות אל התחברות שאינה מאומתת בחדר זה, מהתחברות זו",
|
||||
"Never send encrypted messages to unverified sessions from this session": "לעולם אל תשלח הודעות מוצפנות אל התחברות שאינה מאומתת מהתחברות זו",
|
||||
"Send analytics data": "שלח מידע אנליטי",
|
||||
|
@ -692,13 +626,6 @@
|
|||
"Incompatible Database": "מסד נתונים לא תואם",
|
||||
"You've previously used a newer version of %(brand)s with this session. To use this version again with end to end encryption, you will need to sign out and back in again.": "השתמשת בעבר בגרסה חדשה יותר של %(brand)s עם הפעלה זו. כדי להשתמש בגרסה זו שוב עם הצפנה מקצה לקצה, יהיה עליך לצאת ולחזור שוב.",
|
||||
"To avoid losing your chat history, you must export your room keys before logging out. You will need to go back to the newer version of %(brand)s to do this": "כדי להימנע מאיבוד היסטוריית הצ'אט שלכם, עליכם לייצא את מפתחות החדר שלכם לפני שאתם מתנתקים. יהיה עליכם לחזור לגרסה החדשה יותר של %(brand)s כדי לעשות זאת",
|
||||
"Block anyone not part of %(serverName)s from ever joining this room.": "חסום ממישהו שאינו חלק מ- %(serverName)s מלהצטרף אי פעם לחדר זה.",
|
||||
"Topic (optional)": "נושא (לא חובה)",
|
||||
"You might disable this if the room will be used for collaborating with external teams who have their own homeserver. This cannot be changed later.": "ייתכן שתשבית זאת אם החדר ישמש לשיתוף פעולה עם צוותים חיצוניים שיש להם שרת בית משלהם. לא ניתן לשנות זאת מאוחר יותר.",
|
||||
"You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "ייתכן שתאפשר זאת אם החדר ישמש רק לשיתוף פעולה עם צוותים פנימיים בשרת הבית שלך. לא ניתן לשנות זאת מאוחר יותר.",
|
||||
"Enable end-to-end encryption": "אפשר הצפנה מקצה לקצה",
|
||||
"Your server requires encryption to be enabled in private rooms.": "השרת שלכם דורש הפעלת הצפנה בחדרים פרטיים.",
|
||||
"Please enter a name for the room": "אנא הזינו שם לחדר",
|
||||
"Clear all data": "נקה את כל הנתונים",
|
||||
"Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "ניקוי כל הנתונים מהפגישה זו הוא קבוע. הודעות מוצפנות יאבדו אלא אם כן גובו על המפתחות שלהן.",
|
||||
"Clear all data in this session?": "למחוק את כל הנתונים בפגישה זו?",
|
||||
|
@ -1307,13 +1234,6 @@
|
|||
"Send Logs": "שלח יומנים",
|
||||
"Clear Storage and Sign Out": "נקה אחסון והתנתק",
|
||||
"Sign out and remove encryption keys?": "להתנתק ולהסיר מפתחות הצפנה?",
|
||||
"About homeservers": "אודות שרתי בית",
|
||||
"Use your preferred Matrix homeserver if you have one, or host your own.": "השתמש בשרת הבית המועדף על מטריקס אם יש לך כזה, או מארח משלך.",
|
||||
"Other homeserver": "שרת בית אחר",
|
||||
"Sign into your homeserver": "היכנס לשרת הבית שלך",
|
||||
"Specify a homeserver": "ציין שרת בית",
|
||||
"Invalid URL": "כתובת אתר לא חוקית",
|
||||
"Unable to validate homeserver": "לא ניתן לאמת את שרת הבית",
|
||||
"Recent changes that have not yet been received": "שינויים אחרונים שטרם התקבלו",
|
||||
"The server is not configured to indicate what the problem is (CORS).": "השרת אינו מוגדר לציין מהי הבעיה (CORS).",
|
||||
"A connection error occurred while trying to contact the server.": "אירעה שגיאת חיבור בעת ניסיון ליצור קשר עם השרת.",
|
||||
|
@ -1400,12 +1320,6 @@
|
|||
"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.": "אמתו את המכשיר הזה כדי לסמן אותו כאמין. אמון במכשיר זה מעניק לכם ולמשתמשים אחרים שקט נפשי נוסף בשימוש בהודעות מוצפנות מקצה לקצה.",
|
||||
"Verifying this user will mark their session as trusted, and also mark your session as trusted to them.": "אימות משתמש זה יסמן את ההפעלה שלו כאמינה, וגם יסמן את ההפעלה שלכם כאמינה להם.",
|
||||
"Verify this user to mark them as trusted. Trusting users gives you extra peace of mind when using end-to-end encrypted messages.": "אמתו את המשתמש הזה כדי לסמן אותו כאמין. אמון במשתמשים מעניק לכם שקט נפשי נוסף בשימוש בהודעות מוצפנות מקצה לקצה.",
|
||||
"Send feedback": "שלח משוב",
|
||||
"PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "טיפ למקצוענים: אם אתה מפעיל באג, שלח <debugLogsLink> יומני איתור באגים </debugLogsLink> כדי לעזור לנו לאתר את הבעיה.",
|
||||
"Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.": "אנא צפה תחילה ב <existingIssuesLink> באגים קיימים ב- Github </existingIssuesLink>. אין התאמה? <newIssueLink> התחל חדש </newIssueLink>.",
|
||||
"Feedback": "משוב",
|
||||
"Comment": "תגובה",
|
||||
"Feedback sent": "משוב נשלח",
|
||||
"An error has occurred.": "קרתה שגיאה.",
|
||||
"Transfer": "לְהַעֲבִיר",
|
||||
"Failed to transfer call": "העברת השיחה נכשלה",
|
||||
|
@ -1472,29 +1386,15 @@
|
|||
"Command Autocomplete": "השלמה אוטומטית של פקודות",
|
||||
"Commands": "פקודות",
|
||||
"Clear personal data": "נקה מידע אישי",
|
||||
"You're signed out": "התנתקתם",
|
||||
"You cannot sign in to your account. Please contact your homeserver admin for more information.": "אינך יכול להיכנס לחשבונך. אנא פנה למנהל שרת הבית שלך למידע נוסף.",
|
||||
"Sign in and regain access to your account.": "היכנס וקבל שוב גישה לחשבונך.",
|
||||
"Forgotten your password?": "שכחת את הסיסמה שלך?",
|
||||
"Enter your password to sign in and regain access to your account.": "הזן את הסיסמה שלך כדי להיכנס לחזרה ולחזור אליה.",
|
||||
"Failed to re-authenticate": "האימות מחדש נכשל",
|
||||
"Incorrect password": "סיסמה שגויה",
|
||||
"Failed to re-authenticate due to a homeserver problem": "האימות מחדש נכשל עקב בעיית שרת בית",
|
||||
"Create account": "חשבון משתמש חדש",
|
||||
"This server does not support authentication with a phone number.": "שרת זה אינו תומך באימות עם מספר טלפון.",
|
||||
"Registration has been disabled on this homeserver.": "ההרשמה הושבתה בשרת הבית הזה.",
|
||||
"Unable to query for supported registration methods.": "לא ניתן לשאול לשיטות רישום נתמכות.",
|
||||
"New? <a>Create account</a>": "<a>משתמש חדש</a>",
|
||||
"If you've joined lots of rooms, this might take a while": "אם הצטרפת להרבה חדרים, זה עשוי לקחת זמן מה",
|
||||
"Can't connect to homeserver - please check your connectivity, ensure your <a>homeserver's SSL certificate</a> is trusted, and that a browser extension is not blocking requests.": "לא ניתן להתחבר לשרת בית - אנא בדוק את הקישוריות שלך, וודא ש- <a> תעודת ה- SSL של שרת הביתה </a> שלך מהימנה ושהסיומת לדפדפן אינה חוסמת בקשות.",
|
||||
"Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or <a>enable unsafe scripts</a>.": "לא ניתן להתחבר לשרת ביתי באמצעות HTTP כאשר כתובת HTTPS נמצאת בסרגל הדפדפן שלך. השתמש ב- HTTPS או <a> הפעל סקריפטים לא בטוחים </a>.",
|
||||
"There was a problem communicating with the homeserver, please try again later.": "הייתה תקשורת עם שרת הבית. נסה שוב מאוחר יותר.",
|
||||
"Failed to perform homeserver discovery": "נכשל גילוי שרת הבית",
|
||||
"Please note you are logging into the %(hs)s server, not matrix.org.": "שים לב שאתה מתחבר לשרת %(hs)s, לא ל- matrix.org.",
|
||||
"Incorrect username and/or password.": "שם משתמש ו / או סיסמה שגויים.",
|
||||
"This account has been deactivated.": "חשבון זה הושבת.",
|
||||
"Please <a>contact your service administrator</a> to continue using this service.": "אנא <a> פנה למנהל השירות שלך </a> כדי להמשיך להשתמש בשירות זה.",
|
||||
"This homeserver does not support login using email address.": "שרת בית זה אינו תומך בכניסה באמצעות כתובת דוא\"ל.",
|
||||
"General failure": "שגיאה כללית",
|
||||
"Identity server URL does not appear to be a valid identity server": "נראה שכתובת האתר של שרת זהות אינה שרת זהות חוקי",
|
||||
"Invalid base_url for m.identity_server": "Base_url לא חוקי עבור m.identity_server",
|
||||
|
@ -1508,14 +1408,11 @@
|
|||
"New Password": "סיסמה חדשה",
|
||||
"New passwords must match each other.": "סיסמאות חדשות חייבות להתאים זו לזו.",
|
||||
"A new password must be entered.": "יש להזין סיסמה חדשה.",
|
||||
"The email address linked to your account must be entered.": "יש להזין את כתובת הדוא\"ל המקושרת לחשבונך.",
|
||||
"Could not load user profile": "לא ניתן לטעון את פרופיל המשתמש",
|
||||
"Switch theme": "שנה ערכת נושא",
|
||||
"Switch to dark mode": "שנה למצב כהה",
|
||||
"Switch to light mode": "שנה למצב בהיר",
|
||||
"All settings": "כל ההגדרות",
|
||||
"New here? <a>Create an account</a>": "חדש פה? <a> צור חשבון </a>",
|
||||
"Got an account? <a>Sign in</a>": "יש לך חשבון? <a> היכנס </a>",
|
||||
"Uploading %(filename)s and %(count)s others": {
|
||||
"one": "מעלה %(filename)s ו-%(count)s אחרים",
|
||||
"other": "מעלה %(filename)s ו-%(count)s אחרים"
|
||||
|
@ -1568,7 +1465,6 @@
|
|||
"The widget will verify your user ID, but won't be able to perform actions for you:": "היישומון יאמת את מזהה המשתמש שלך, אך לא יוכל לבצע פעולות עבורך:",
|
||||
"Allow this widget to verify your identity": "אפשר לווידג'ט זה לאמת את זהותך",
|
||||
"Workspace: <networkLink/>": "סביבת עבודה: <networkLink/>",
|
||||
"Change which room, message, or user you're viewing": "שנה את החדר, ההודעה או המשתמש שאתה צופה בו",
|
||||
"Use app": "השתמש באפליקציה",
|
||||
"Use app for a better experience": "השתמש באפליקציה לחוויה טובה יותר",
|
||||
"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.": "ביקשנו מהדפדפן לזכור באיזה שרת בית אתה משתמש כדי לאפשר לך להיכנס, אך למרבה הצער הדפדפן שלך שכח אותו. עבור לדף הכניסה ונסה שוב.",
|
||||
|
@ -1585,7 +1481,6 @@
|
|||
"Enter Security Phrase": "הזן ביטוי אבטחה",
|
||||
"Backup could not be decrypted with this Security Phrase: please verify that you entered the correct Security Phrase.": "לא ניתן לפענח גיבוי עם ביטוי אבטחה זה: אנא ודא שהזנת את ביטוי האבטחה הנכון.",
|
||||
"Incorrect Security Phrase": "ביטוי אבטחה שגוי",
|
||||
"Command failed: Unable to find room (%(roomId)s": "הפעולה נכשלה: לא ניתן למצוא את החדר (%(roomId)s",
|
||||
"Unrecognised room address: %(roomAlias)s": "כתובת חדר לא מוכרת: %(roomAlias)s",
|
||||
"Some invites couldn't be sent": "לא ניתן לשלוח חלק מההזמנות",
|
||||
"We sent the others, but the below people couldn't be invited to <RoomName/>": "ההזמנה נשלחה, פרט למשתמשים הבאים שלא ניתן להזמינם ל - <RoomName/>",
|
||||
|
@ -1603,8 +1498,6 @@
|
|||
"Failed to send": "השליחה נכשלה",
|
||||
"Message search initialisation failed": "אתחול חיפוש הודעות נכשל",
|
||||
"Share your public space": "שתף את מרחב העבודה הציבורי שלך",
|
||||
"Command error: Unable to find rendering type (%(renderingType)s)": "שגיאת פקודה: לא ניתן למצוא את סוג העיבוד (%(renderingType)s)",
|
||||
"Command error: Unable to handle slash command.": "שגיאת פקודה: לא ניתן לטפל בפקודת לוכסן.",
|
||||
"You cannot place calls without a connection to the server.": "אינך יכול לבצע שיחות ללא חיבור לשרת.",
|
||||
"Developer mode": "מצב מפתח",
|
||||
"Developer": "מפתח",
|
||||
|
@ -1666,7 +1559,6 @@
|
|||
"Not a valid Security Key": "מפתח האבטחה לא חוקי",
|
||||
"Failed to end poll": "תקלה בסגירת הסקר",
|
||||
"Failed to post poll": "תקלה בפרסום הסקר",
|
||||
"You can't see earlier messages": "לא ניתן לצפות בהודעות קודמות",
|
||||
"Confirm your Security Phrase": "אשר את ביטוי האבטחה שלך",
|
||||
"Application window": "חלון אפליקציה",
|
||||
"Results are only revealed when you end the poll": "תוצאות יהיה זמינות להצגה רק עם סגירת הסקר",
|
||||
|
@ -1705,7 +1597,6 @@
|
|||
"Verification requested": "התבקש אימות",
|
||||
"Your server doesn't support disabling sending read receipts.": "השרת שלכם לא תומך בביטול שליחת אישורי קריאה.",
|
||||
"Share your activity and status with others.": "שתפו את הפעילות והסטטוס שלכם עם אחרים.",
|
||||
"Room visibility": "נראות של החדר",
|
||||
"Send your first message to invite <displayName/> to chat": "שילחו את ההודעה הראשונה שלכם להזמין את <displayName/> לצ'אט",
|
||||
"User Directory": "ספריית משתמשים",
|
||||
"Space Autocomplete": "השלמה אוטומטית של חלל העבודה",
|
||||
|
@ -1813,9 +1704,6 @@
|
|||
"Failed to invite users to %(roomName)s": "נכשל בהזמנת משתמשים לחדר - %(roomName)",
|
||||
"Anyone will be able to find and join this space, not just members of <SpaceName/>.": "כל אחד יוכל למצוא ולהצטרך אל חלל עבודה זה. לא רק חברי <SpaceName/>.",
|
||||
"Anyone in <SpaceName/> will be able to find and join.": "כל אחד ב<SpaceName/> יוכל למצוא ולהצטרף.",
|
||||
"Visible to space members": "נראה לחברי מרחב העבודה",
|
||||
"Anyone will be able to find and join this room, not just members of <SpaceName/>.": "כל אחד יוכל למצוא ולהצטרך אל חדר זה, לא רק משתתפי מרחב עבודה <SpaceName/>.",
|
||||
"Everyone in <SpaceName/> will be able to find and join this room.": "כל אחד ב<SpaceName/> יוכל למצוא ולהצטרף אל חדר זה.",
|
||||
"Adding spaces has moved.": "הוספת מרחבי עבודה הוזז.",
|
||||
"Search for spaces": "חיפוש מרחבי עבודה",
|
||||
"Create a new space": "הגדרת מרחב עבודה חדש",
|
||||
|
@ -1935,10 +1823,7 @@
|
|||
"Allow Peer-to-Peer for 1:1 calls": "אפשר חיבור ישיר (Peer-to-Peer) בשיחות 1:1",
|
||||
"Only applies if your homeserver does not offer one. Your IP address would be shared during a call.": "רלוונטי רק אם שרת הבית לא מציע שרת שיחות. כתובת ה-IP שלך תשותף במהלך שיחה.",
|
||||
"Set a new account password…": "הגדרת סיסמה חדשה לחשבונך…",
|
||||
"Sign in instead": "התחבר במקום זאת",
|
||||
"Send email": "שלח אימייל",
|
||||
"<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": "הקלד את כתובת הדואר האלקטרוני שלך לצורך איפוס סיסמה",
|
||||
"Room directory": "רשימת חדרים",
|
||||
"New room": "חדר חדש",
|
||||
"common": {
|
||||
|
@ -2014,7 +1899,8 @@
|
|||
"cross_signing": "חתימה צולבת",
|
||||
"identity_server": "שרת הזדהות",
|
||||
"integration_manager": "מנהל אינטגרציה",
|
||||
"qr_code": "קוד QR"
|
||||
"qr_code": "קוד QR",
|
||||
"feedback": "משוב"
|
||||
},
|
||||
"action": {
|
||||
"continue": "המשך",
|
||||
|
@ -2332,7 +2218,9 @@
|
|||
"timeline_image_size": "גודל תמונה בציר הזמן",
|
||||
"timeline_image_size_default": "ברירת מחדל",
|
||||
"timeline_image_size_large": "גדול"
|
||||
}
|
||||
},
|
||||
"inline_url_previews_room_account": "הראה תצוגה מקדימה של קישורים בחדר זה (משפיע רק עליכם)",
|
||||
"inline_url_previews_room": "אפשר לחברים בחדר זה לצפות בתצוגת קישורים"
|
||||
},
|
||||
"devtools": {
|
||||
"event_type": "סוג ארוע",
|
||||
|
@ -2412,7 +2300,18 @@
|
|||
"create_room": {
|
||||
"title_video_room": "צרו חדר וידאו",
|
||||
"title_public_room": "צור חדר ציבורי",
|
||||
"title_private_room": "צור חדר פרטי"
|
||||
"title_private_room": "צור חדר פרטי",
|
||||
"name_validation_required": "אנא הזינו שם לחדר",
|
||||
"join_rule_restricted_label": "כל אחד ב<SpaceName/> יוכל למצוא ולהצטרף אל חדר זה.",
|
||||
"join_rule_public_parent_space_label": "כל אחד יוכל למצוא ולהצטרך אל חדר זה, לא רק משתתפי מרחב עבודה <SpaceName/>.",
|
||||
"encryption_forced": "השרת שלכם דורש הפעלת הצפנה בחדרים פרטיים.",
|
||||
"encryption_label": "אפשר הצפנה מקצה לקצה",
|
||||
"unfederated_label_default_off": "ייתכן שתאפשר זאת אם החדר ישמש רק לשיתוף פעולה עם צוותים פנימיים בשרת הבית שלך. לא ניתן לשנות זאת מאוחר יותר.",
|
||||
"unfederated_label_default_on": "ייתכן שתשבית זאת אם החדר ישמש לשיתוף פעולה עם צוותים חיצוניים שיש להם שרת בית משלהם. לא ניתן לשנות זאת מאוחר יותר.",
|
||||
"topic_label": "נושא (לא חובה)",
|
||||
"room_visibility_label": "נראות של החדר",
|
||||
"join_rule_restricted": "נראה לחברי מרחב העבודה",
|
||||
"unfederated": "חסום ממישהו שאינו חלק מ- %(serverName)s מלהצטרף אי פעם לחדר זה."
|
||||
},
|
||||
"timeline": {
|
||||
"m.call.invite": {
|
||||
|
@ -2644,7 +2543,8 @@
|
|||
"changed_rule_rooms": "%(senderName)s שינה כלל אשר חסם חדרים התואמים ל%(oldGlob)s ל%(newGlob)s עבור %(reason)s",
|
||||
"changed_rule_servers": "%(senderName)sשינה כלל אשר חסם שרתים שתאמו ל%(oldGlob)s ל%(newGlob)s עבור %(reason)s",
|
||||
"changed_rule_glob": "%(senderName)s עדכן כלל חסימה אשר תאם ל%(oldGlob)s ל%(newGlob)s עבור %(reason)s"
|
||||
}
|
||||
},
|
||||
"historical_messages_unavailable": "לא ניתן לצפות בהודעות קודמות"
|
||||
},
|
||||
"slash_command": {
|
||||
"spoiler": "שולח הודעה ומסמן אותה כספוילר",
|
||||
|
@ -2698,7 +2598,14 @@
|
|||
"holdcall": "שם את השיחה הנוכחית במצב המתנה",
|
||||
"no_active_call": "אין שיחה פעילה בחדר זה",
|
||||
"unholdcall": "מחזיר את השיחה הנוכחית ממצב המתנה",
|
||||
"me": "הצג פעולה"
|
||||
"me": "הצג פעולה",
|
||||
"error_invalid_runfn": "שגיאת פקודה: לא ניתן לטפל בפקודת לוכסן.",
|
||||
"error_invalid_rendering_type": "שגיאת פקודה: לא ניתן למצוא את סוג העיבוד (%(renderingType)s)",
|
||||
"join": "חיבור לחדר עם כתובת מסויימת",
|
||||
"failed_find_room": "הפעולה נכשלה: לא ניתן למצוא את החדר (%(roomId)s",
|
||||
"failed_find_user": "משתמש זה לא נמצא בחדר",
|
||||
"op": "הגדירו את רמת ההרשאות של משתמש",
|
||||
"deop": "מסיר משתמש עם קוד זיהוי זה"
|
||||
},
|
||||
"presence": {
|
||||
"online_for": "מחובר %(duration)s",
|
||||
|
@ -2855,13 +2762,41 @@
|
|||
"sso": "כניסה חד שלבית",
|
||||
"continue_with_sso": "המשך עם %(ssoButtons)s",
|
||||
"sso_or_username_password": "%(ssoButtons)s או %(usernamePassword)s",
|
||||
"sign_in_instead": "כבר יש לכם חשבון? <a> היכנסו כאן </a>",
|
||||
"sign_in_instead": "התחבר במקום זאת",
|
||||
"account_clash": "החשבון החדש שלך (%(newAccountId)s) רשום, אך אתה כבר מחובר לחשבון אחר (%(loggedInUserId)s).",
|
||||
"account_clash_previous_account": "המשך בחשבון הקודם",
|
||||
"log_in_new_account": "<a> היכנס </a> לחשבונך החדש.",
|
||||
"registration_successful": "ההרשמה בוצעה בהצלחה",
|
||||
"server_picker_title": "חשבון מארח ב",
|
||||
"server_picker_dialog_title": "החלט היכן מתארח חשבונך"
|
||||
"server_picker_title": "היכנס לשרת הבית שלך",
|
||||
"server_picker_dialog_title": "החלט היכן מתארח חשבונך",
|
||||
"footer_powered_by_matrix": "מופעל ע\"י Matrix",
|
||||
"failed_homeserver_discovery": "נכשל גילוי שרת הבית",
|
||||
"sync_footer_subtitle": "אם הצטרפת להרבה חדרים, זה עשוי לקחת זמן מה",
|
||||
"unsupported_auth_msisdn": "שרת זה אינו תומך באימות עם מספר טלפון.",
|
||||
"unsupported_auth_email": "שרת בית זה אינו תומך בכניסה באמצעות כתובת דוא\"ל.",
|
||||
"registration_disabled": "ההרשמה הושבתה בשרת הבית הזה.",
|
||||
"failed_query_registration_methods": "לא ניתן לשאול לשיטות רישום נתמכות.",
|
||||
"incorrect_password": "סיסמה שגויה",
|
||||
"failed_soft_logout_auth": "האימות מחדש נכשל",
|
||||
"soft_logout_heading": "התנתקתם",
|
||||
"forgot_password_email_required": "יש להזין את כתובת הדוא\"ל המקושרת לחשבונך.",
|
||||
"sign_in_prompt": "יש לך חשבון? <a> היכנס </a>",
|
||||
"forgot_password_prompt": "שכחת את הסיסמה שלך?",
|
||||
"soft_logout_intro_password": "הזן את הסיסמה שלך כדי להיכנס לחזרה ולחזור אליה.",
|
||||
"soft_logout_intro_sso": "היכנס וקבל שוב גישה לחשבונך.",
|
||||
"soft_logout_intro_unsupported_auth": "אינך יכול להיכנס לחשבונך. אנא פנה למנהל שרת הבית שלך למידע נוסף.",
|
||||
"enter_email_heading": "הקלד את כתובת הדואר האלקטרוני שלך לצורך איפוס סיסמה",
|
||||
"enter_email_explainer": "<b>%(homeserver)s</b> ישלח אליך קישור לצורך איפוס הסיסמה שלך.",
|
||||
"create_account_prompt": "חדש פה? <a> צור חשבון </a>",
|
||||
"sign_in_or_register": "התחברו או צרו חשבון",
|
||||
"sign_in_or_register_description": "השתמשו בחשבונכם או צרו חשבון חדש.",
|
||||
"register_action": "משתמש חדש",
|
||||
"server_picker_failed_validate_homeserver": "לא ניתן לאמת את שרת הבית",
|
||||
"server_picker_invalid_url": "כתובת אתר לא חוקית",
|
||||
"server_picker_required": "ציין שרת בית",
|
||||
"server_picker_custom": "שרת בית אחר",
|
||||
"server_picker_explainer": "השתמש בשרת הבית המועדף על מטריקס אם יש לך כזה, או מארח משלך.",
|
||||
"server_picker_learn_more": "אודות שרתי בית"
|
||||
},
|
||||
"room_list": {
|
||||
"sort_unread_first": "הצג תחילה חדרים עם הודעות שלא נקראו",
|
||||
|
@ -2902,5 +2837,73 @@
|
|||
"versions": "גרסאות",
|
||||
"clear_cache_reload": "נקה מטמון ואתחל"
|
||||
}
|
||||
},
|
||||
"widget": {
|
||||
"capability": {
|
||||
"send_stickers_this_room": "שלחו מדבקות לחדר זה",
|
||||
"send_stickers_active_room": "שלחו מדבקות אל החדר הפעיל שלכם",
|
||||
"send_stickers_this_room_as_you": "שלחו מדבקות לחדר זה בשמכם",
|
||||
"send_stickers_active_room_as_you": "שלחו מדבקות אל החדר הפעיל שלכם בשמכם",
|
||||
"see_sticker_posted_this_room": "ראו מתי מדבקה מפורסמת בחדר זה",
|
||||
"see_sticker_posted_active_room": "ראו מתי כל אחד מפרסם מדבקה בחדר הפעיל שלכם",
|
||||
"always_on_screen_viewing_another_room": "השארו במסך הראשי כאשר אתם עברים בין חדרים בכל קהילה",
|
||||
"always_on_screen_generic": "השארו במסך זה כאשר אתם פעילים",
|
||||
"switch_room": "שנו את החדר שבו אתם נמצאים",
|
||||
"switch_room_message_user": "שנה את החדר, ההודעה או המשתמש שאתה צופה בו",
|
||||
"change_topic_this_room": "שנו את שם הנושא של חדר זה",
|
||||
"see_topic_change_this_room": "ראו מתי הנושא שונה בחדר זה",
|
||||
"change_topic_active_room": "שנו את שם הנושא של החדר הפעיל שלכם",
|
||||
"see_topic_change_active_room": "ראו מתי שונה שם הנושא של הקבוצה הפעילה שלכם",
|
||||
"change_name_this_room": "שנו את שם החדר הזה",
|
||||
"see_name_change_this_room": "ראו מתי השם שונה בחדר זה",
|
||||
"change_name_active_room": "שנו את השם של החדר הפעיל שלכם",
|
||||
"see_name_change_active_room": "ראו מתי השם משתנה בחדר הפעיל שלכם",
|
||||
"change_avatar_this_room": "שנו את האווטר של החדר הזה",
|
||||
"see_avatar_change_this_room": "ראו מתי האוורט משתנה בחדר זה",
|
||||
"change_avatar_active_room": "שנו את האווטר של החדר הפעיל שלכם",
|
||||
"see_avatar_change_active_room": "ראו מתי שונה האווטר בחדר הפעיל שלכם",
|
||||
"byline_empty_state_key": "עם מפתח ללא מצב",
|
||||
"byline_state_key": "עם מפתח מצב %(stateKey)s",
|
||||
"send_event_type_this_room": "שלח <b>%(eventType)s</b> התרעות בשמכם לחדר זה",
|
||||
"see_event_type_sent_this_room": "ראו <b>%(eventType)s</b> התרעות שפורסמו בשמכם בחדר זה",
|
||||
"send_event_type_active_room": "שלח <b>%(eventType)s</b> התרעות בשמכם לחדר הפעיל שלכם",
|
||||
"see_event_type_sent_active_room": "ראו <b>%(eventType)s</b> התרעות שפורסמו בחדר הפעיל שלכם",
|
||||
"capability": "ה<b>%(capability)s</b> יכולת",
|
||||
"send_messages_this_room": "שלחו הודעות בשמכם בחדר זה",
|
||||
"send_messages_active_room": "שלחו הודעות בשמכם בחדר הפעיל שלכם",
|
||||
"see_messages_sent_this_room": "ראו הודעות שפורסמו בחדר זה",
|
||||
"see_messages_sent_active_room": "ראו הודעות שפורסמו בחדר הפעיל שלכם",
|
||||
"send_text_messages_this_room": "שלחו הודעות טקסט בשמכם בחדר זה",
|
||||
"send_text_messages_active_room": "שלחו הודעות טקסט בשמכם בחדר הפעיל שלכם",
|
||||
"see_text_messages_sent_this_room": "ראו הודעות טקסט שפורסמו בחדר זה",
|
||||
"see_text_messages_sent_active_room": "ראו הודעות טקסט שפורסמו בחדר הפעיל שלכם",
|
||||
"send_emotes_this_room": "שלחו סמלים בשמכם בחדר זה",
|
||||
"send_emotes_active_room": "שלחו סמלים בשמכם בחדר הפעיל שלכם",
|
||||
"see_sent_emotes_this_room": "ראו סמלים שפורסמו בחדר זה",
|
||||
"see_sent_emotes_active_room": "ראו סמלים שפורסמו בחדר הפעיל שלכם",
|
||||
"send_images_this_room": "שלחו תמונות בשמכם בחדר זה",
|
||||
"send_images_active_room": "שלחו תמונות בשמכם בחדר הפעיל שלכם",
|
||||
"see_images_sent_this_room": "ראו תמונות שפוסמו בחדר זה",
|
||||
"see_images_sent_active_room": "ראו תמונות שפורסמו בחדר הפעיל שלכם",
|
||||
"send_videos_this_room": "שלחו סרטונים בשמכם בחדר זה",
|
||||
"send_videos_active_room": "שלחו סרטונים בשמכם בחדר הפעיל שלכם",
|
||||
"see_videos_sent_this_room": "ראו סרטונים שנשלחו לחדר זה",
|
||||
"see_videos_sent_active_room": "ראו סרטונים שנשלחו לחדר הפעיל שלכם",
|
||||
"send_files_this_room": "שלחו קבצים כללים בשמכם בחדר זה",
|
||||
"send_files_active_room": "שלחו קבצים כללים בשמכם בחדר הפעיל שלכם",
|
||||
"see_sent_files_this_room": "צפו בקבצים כללים אשר פורסמו בחדר זה",
|
||||
"see_sent_files_active_room": "צפו בקבצים הכללים שפורסמו בחדר הפעיל שלכם",
|
||||
"send_msgtype_this_room": "שלחו <b>%(msgtype)s</b> הודעות בשמכם בחדר זה",
|
||||
"send_msgtype_active_room": "שלחו <b>%(msgtype)s</b> הודעות בשמכם בחדר הפעיל שלכם",
|
||||
"see_msgtype_sent_this_room": "ראו <b>%(msgtype)s</b> הודעות שפורסמו בחדר זה",
|
||||
"see_msgtype_sent_active_room": "ראו <b>%(msgtype)s</b> הודעות שפורסמו בחדר הפעיל שלכם"
|
||||
}
|
||||
},
|
||||
"feedback": {
|
||||
"sent": "משוב נשלח",
|
||||
"comment_label": "תגובה",
|
||||
"pro_type": "טיפ למקצוענים: אם אתה מפעיל באג, שלח <debugLogsLink> יומני איתור באגים </debugLogsLink> כדי לעזור לנו לאתר את הבעיה.",
|
||||
"existing_issue_link": "אנא צפה תחילה ב <existingIssuesLink> באגים קיימים ב- Github </existingIssuesLink>. אין התאמה? <newIssueLink> התחל חדש </newIssueLink>.",
|
||||
"send_feedback_action": "שלח משוב"
|
||||
}
|
||||
}
|
||||
|
|
|
@ -4,7 +4,6 @@
|
|||
"This email address is already in use": "यह ईमेल आईडी पहले से इस्तेमाल में है",
|
||||
"This phone number is already in use": "यह फ़ोन नंबर पहले से इस्तेमाल में है",
|
||||
"Failed to verify email address: make sure you clicked the link in the email": "ईमेल आईडी सत्यापित नही हो पाया: कृपया सुनिश्चित कर लें कि आपने ईमेल में मौजूद लिंक पर क्लिक किया है",
|
||||
"powered by Matrix": "मैट्रिक्स द्वारा संचालित",
|
||||
"You cannot place a call with yourself.": "आप अपने साथ कॉल नहीं कर सकते हैं।",
|
||||
"Permission Required": "अनुमति आवश्यक है",
|
||||
"You do not have permission to start a conference call in this room": "आपको इस रूम में कॉन्फ़्रेंस कॉल शुरू करने की अनुमति नहीं है",
|
||||
|
@ -58,8 +57,6 @@
|
|||
"You are now ignoring %(userId)s": "आप %(userId)s को अनदेखा कर रहे हैं",
|
||||
"Unignored user": "अनदेखा बंद किया गया उपयोगकर्ता",
|
||||
"You are no longer ignoring %(userId)s": "अब आप %(userId)s को अनदेखा नहीं कर रहे हैं",
|
||||
"Define the power level of a user": "उपयोगकर्ता के पावर स्तर को परिभाषित करें",
|
||||
"Deops user with given id": "दिए गए आईडी के साथ उपयोगकर्ता को देओप्स करना",
|
||||
"Verified key": "सत्यापित कुंजी",
|
||||
"Reason": "कारण",
|
||||
"Failure to create room": "रूम बनाने में विफलता",
|
||||
|
@ -72,8 +69,6 @@
|
|||
"Please contact your homeserver administrator.": "कृपया अपने होमसर्वर व्यवस्थापक से संपर्क करें।",
|
||||
"Mirror local video feed": "स्थानीय वीडियो फ़ीड को आईना करें",
|
||||
"Send analytics data": "विश्लेषण डेटा भेजें",
|
||||
"Enable URL previews for this room (only affects you)": "इस रूम के लिए यूआरएल पूर्वावलोकन सक्षम करें (केवल आपको प्रभावित करता है)",
|
||||
"Enable URL previews by default for participants in this room": "इस रूम में प्रतिभागियों के लिए डिफ़ॉल्ट रूप से यूआरएल पूर्वावलोकन सक्षम करें",
|
||||
"Enable widget screenshots on supported widgets": "समर्थित विजेट्स पर विजेट स्क्रीनशॉट सक्षम करें",
|
||||
"Waiting for response from server": "सर्वर से प्रतिक्रिया की प्रतीक्षा कर रहा है",
|
||||
"Incorrect verification code": "गलत सत्यापन कोड",
|
||||
|
@ -286,7 +281,6 @@
|
|||
"The file '%(fileName)s' failed to upload.": "फ़ाइल '%(fileName)s' अपलोड करने में विफल रही।",
|
||||
"The user must be unbanned before they can be invited.": "उपयोगकर्ता को आमंत्रित करने से पहले उन्हें प्रतिबंधित किया जाना चाहिए।",
|
||||
"Explore rooms": "रूम का अन्वेषण करें",
|
||||
"Create Account": "खाता बनाएं",
|
||||
"Mongolia": "मंगोलिया",
|
||||
"Monaco": "मोनाको",
|
||||
"Moldova": "मोलदोवा",
|
||||
|
@ -571,7 +565,9 @@
|
|||
},
|
||||
"appearance": {
|
||||
"timeline_image_size_default": "डिफ़ॉल्ट"
|
||||
}
|
||||
},
|
||||
"inline_url_previews_room_account": "इस रूम के लिए यूआरएल पूर्वावलोकन सक्षम करें (केवल आपको प्रभावित करता है)",
|
||||
"inline_url_previews_room": "इस रूम में प्रतिभागियों के लिए डिफ़ॉल्ट रूप से यूआरएल पूर्वावलोकन सक्षम करें"
|
||||
},
|
||||
"timeline": {
|
||||
"m.room.topic": "%(senderDisplayName)s ने विषय को \"%(topic)s\" में बदल दिया।",
|
||||
|
@ -647,7 +643,9 @@
|
|||
"addwidget_invalid_protocol": "कृपया एक https:// या http:// विजेट URL की आपूर्ति करें",
|
||||
"addwidget_no_permissions": "आप इस रूम में विजेट्स को संशोधित नहीं कर सकते।",
|
||||
"discardsession": "एक एन्क्रिप्टेड रूम में मौजूदा आउटबाउंड समूह सत्र को त्यागने के लिए मजबूर करता है",
|
||||
"me": "कार्रवाई प्रदर्शित करता है"
|
||||
"me": "कार्रवाई प्रदर्शित करता है",
|
||||
"op": "उपयोगकर्ता के पावर स्तर को परिभाषित करें",
|
||||
"deop": "दिए गए आईडी के साथ उपयोगकर्ता को देओप्स करना"
|
||||
},
|
||||
"presence": {
|
||||
"online_for": "%(duration)s के लिए ऑनलाइन",
|
||||
|
@ -690,7 +688,9 @@
|
|||
}
|
||||
},
|
||||
"auth": {
|
||||
"sso": "केवल हस्ताक्षर के ऊपर"
|
||||
"sso": "केवल हस्ताक्षर के ऊपर",
|
||||
"footer_powered_by_matrix": "मैट्रिक्स द्वारा संचालित",
|
||||
"register_action": "खाता बनाएं"
|
||||
},
|
||||
"setting": {
|
||||
"help_about": {
|
||||
|
|
|
@ -3,7 +3,6 @@
|
|||
"Favourite": "Kedvencnek jelölés",
|
||||
"Notifications": "Értesítések",
|
||||
"Operation failed": "Sikertelen művelet",
|
||||
"powered by Matrix": "a gépházban: Matrix",
|
||||
"unknown error code": "ismeretlen hibakód",
|
||||
"Account": "Fiók",
|
||||
"Admin Tools": "Admin. Eszközök",
|
||||
|
@ -107,7 +106,6 @@
|
|||
"Start authentication": "Hitelesítés indítása",
|
||||
"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ó",
|
||||
"The email address linked to your account must be entered.": "A fiókodhoz kötött e-mail címet add meg.",
|
||||
"This room has no local addresses": "Ennek a szobának nincs helyi címe",
|
||||
"This room is not recognised.": "Ez a szoba nem ismerős.",
|
||||
"This doesn't appear to be a valid email address": "Ez nem tűnik helyes e-mail címnek",
|
||||
|
@ -165,7 +163,6 @@
|
|||
"%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(monthName)s %(day)s, %(weekDayName)s %(time)s",
|
||||
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(fullYear)s. %(monthName)s %(day)s., %(weekDayName)s %(time)s",
|
||||
"%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s",
|
||||
"This server does not support authentication with a phone number.": "Ez a kiszolgáló nem támogatja a telefonszámmal történő hitelesítést.",
|
||||
"Connectivity to the server has been lost.": "A kapcsolat megszakadt a kiszolgálóval.",
|
||||
"Sent messages will be stored until your connection has returned.": "Az elküldött üzenetek addig lesznek tárolva amíg a kapcsolatod újra elérhető lesz.",
|
||||
"(~%(count)s results)": {
|
||||
|
@ -185,7 +182,6 @@
|
|||
"Failed to invite": "Meghívás sikertelen",
|
||||
"Confirm Removal": "Törlés megerősítése",
|
||||
"Unknown error": "Ismeretlen hiba",
|
||||
"Incorrect password": "Helytelen jelszó",
|
||||
"Unable to restore session": "A munkamenetet nem lehet helyreállítani",
|
||||
"Token incorrect": "Helytelen token",
|
||||
"Please enter the code it contains:": "Add meg a benne lévő kódot:",
|
||||
|
@ -203,14 +199,12 @@
|
|||
"Authentication check failed: incorrect password?": "Hitelesítési ellenőrzés sikertelen: hibás jelszó?",
|
||||
"Do you want to set an email address?": "Szeretne beállítani e-mail-címet?",
|
||||
"This will allow you to reset your password and receive notifications.": "Ez lehetővé teszi, hogy vissza tudja állítani a jelszavát, és értesítéseket fogadjon.",
|
||||
"Deops user with given id": "A megadott azonosítójú felhasználó lefokozása",
|
||||
"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.": "Ezzel a folyamattal kimentheted a titkosított szobák üzeneteihez tartozó kulcsokat egy helyi fájlba. Ez után be tudod tölteni ezt a fájlt egy másik Matrix kliensbe, így az a kliens is vissza tudja fejteni az üzeneteket.",
|
||||
"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.": "Ezzel a folyamattal lehetőséged van betölteni a titkosítási kulcsokat amiket egy másik Matrix kliensből mentettél ki. Ez után minden üzenetet vissza tudsz fejteni amit a másik kliens tudott.",
|
||||
"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.": "Ha egy újabb %(brand)s verziót használt, akkor valószínűleg ez a munkamenet nem lesz kompatibilis vele. Zárja be az ablakot és térjen vissza az újabb verzióhoz.",
|
||||
"You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Azonosítás céljából egy harmadik félhez leszel irányítva (%(integrationsUrl)s). Folytatod?",
|
||||
"Check for update": "Frissítések keresése",
|
||||
"Delete widget": "Kisalkalmazás törlése",
|
||||
"Define the power level of a user": "A felhasználó szintjének meghatározása",
|
||||
"AM": "de.",
|
||||
"PM": "du.",
|
||||
"Unable to create widget.": "Nem lehet kisalkalmazást létrehozni.",
|
||||
|
@ -245,8 +239,6 @@
|
|||
"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.",
|
||||
"Restricted": "Korlátozott",
|
||||
"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",
|
||||
"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 disabled by default for participants in this room.": "Az URL előnézet alapértelmezetten tiltva van a szobában jelenlévőknek.",
|
||||
"%(duration)ss": "%(duration)s mp",
|
||||
|
@ -374,7 +366,6 @@
|
|||
"Unable to restore backup": "A mentést nem lehet helyreállítani",
|
||||
"No backup found!": "Mentés nem található!",
|
||||
"Failed to decrypt %(failedCount)s sessions!": "%(failedCount)s kapcsolatot nem lehet visszafejteni!",
|
||||
"Failed to perform homeserver discovery": "A Matrix-kiszolgáló felderítése sikertelen",
|
||||
"Invalid homeserver discovery response": "A Matrix-kiszolgáló felderítésére kapott válasz érvénytelen",
|
||||
"Use a few words, avoid common phrases": "Néhány szót használjon, és kerülje a szokásos kifejezéseket",
|
||||
"No need for symbols, digits, or uppercase letters": "Nincs szükség szimbólumokra, számokra vagy nagybetűkre",
|
||||
|
@ -530,9 +521,6 @@
|
|||
"This homeserver would like to make sure you are not a robot.": "A Matrix-kiszolgáló ellenőrizné, hogy Ön nem egy robot.",
|
||||
"Couldn't load page": "Az oldal nem tölthető be",
|
||||
"Your password has been reset.": "A jelszavad újra beállításra került.",
|
||||
"This homeserver does not support login using email address.": "Ez a Matrix-kiszolgáló nem támogatja az e-mail-címmel történő bejelentkezést.",
|
||||
"Registration has been disabled on this homeserver.": "A regisztráció ki van kapcsolva ezen a Matrix-kiszolgálón.",
|
||||
"Unable to query for supported registration methods.": "A támogatott regisztrációs módokat nem lehet lekérdezni.",
|
||||
"Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "Biztos benne? Ha a kulcsai nincsenek megfelelően mentve, akkor elveszíti a titkosított üzeneteit.",
|
||||
"Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "A titkosított üzenetek végponttól végpontig titkosítással védettek. Csak neked és a címzetteknek lehet meg a kulcs az üzenet visszafejtéséhez.",
|
||||
"Restore from Backup": "Helyreállítás mentésből",
|
||||
|
@ -655,12 +643,6 @@
|
|||
"Your homeserver doesn't seem to support this feature.": "Úgy tűnik, hogy a Matrix-kiszolgálója nem támogatja ezt a szolgáltatást.",
|
||||
"Resend %(unsentCount)s reaction(s)": "%(unsentCount)s reakció újraküldése",
|
||||
"Failed to re-authenticate due to a homeserver problem": "Az újbóli hitelesítés a Matrix-kiszolgáló hibájából sikertelen",
|
||||
"Failed to re-authenticate": "Újra bejelentkezés sikertelen",
|
||||
"Enter your password to sign in and regain access to your account.": "Add meg a jelszavadat a belépéshez, hogy visszaszerezd a hozzáférésed a fiókodhoz.",
|
||||
"Forgotten your password?": "Elfelejtetted a jelszavad?",
|
||||
"Sign in and regain access to your account.": "Jelentkezz be és szerezd vissza a hozzáférésed a fiókodhoz.",
|
||||
"You cannot sign in to your account. Please contact your homeserver admin for more information.": "Nem tud bejelentkezni a fiókjába. További információkért vegye fel a kapcsolatot a Matrix-kiszolgáló rendszergazdájával.",
|
||||
"You're signed out": "Kijelentkeztél",
|
||||
"Clear personal data": "Személyes adatok törlése",
|
||||
"Please tell us what went wrong or, better, create a GitHub issue that describes the problem.": "Kérlek mond el nekünk mi az ami nem működött, vagy még jobb, ha egy GitHub jegyben leírod a problémát.",
|
||||
"Find others by phone or email": "Keressen meg másokat telefonszám vagy e-mail-cím alapján",
|
||||
|
@ -739,8 +721,6 @@
|
|||
"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)",
|
||||
"e.g. my-room": "pl.: szobam",
|
||||
"Please enter a name for the room": "Kérlek adj meg egy nevet a szobához",
|
||||
"Topic (optional)": "Téma (nem kötelező)",
|
||||
"Hide advanced": "Speciális beállítások elrejtése",
|
||||
"Show advanced": "Speciális beállítások megjelenítése",
|
||||
"Close dialog": "Ablak bezárása",
|
||||
|
@ -967,9 +947,6 @@
|
|||
"Homeserver feature support:": "A Matrix-kiszolgáló funkciótámogatása:",
|
||||
"exists": "létezik",
|
||||
"Accepting…": "Elfogadás…",
|
||||
"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.",
|
||||
"Create Account": "Fiók létrehozása",
|
||||
"To report a Matrix-related security issue, please read the Matrix.org <a>Security Disclosure Policy</a>.": "A Matrixszal kapcsolatos biztonsági hibák jelentésével kapcsolatban olvassa el a Matrix.org <a>biztonsági hibák közzétételi házirendjét</a>.",
|
||||
"Mark all as read": "Összes megjelölése olvasottként",
|
||||
"Not currently indexing messages for any room.": "Jelenleg egyik szoba indexelése sem történik.",
|
||||
|
@ -1022,7 +999,6 @@
|
|||
"Verification timed out.": "Az ellenőrzés időtúllépés miatt megszakadt.",
|
||||
"%(displayName)s cancelled verification.": "%(displayName)s megszakította az ellenőrzést.",
|
||||
"You cancelled verification.": "Megszakítottad az ellenőrzést.",
|
||||
"Enable end-to-end encryption": "Végpontok közötti titkosítás engedélyezése",
|
||||
"Confirm account deactivation": "Fiók felfüggesztésének megerősítése",
|
||||
"Server did not require any authentication": "A kiszolgáló nem követelt meg semmilyen hitelesítést",
|
||||
"Server did not return valid authentication information.": "A kiszolgáló nem küldött vissza érvényes hitelesítési információkat.",
|
||||
|
@ -1034,14 +1010,12 @@
|
|||
"Click the button below to confirm adding this phone number.": "A telefonszám hozzáadásának megerősítéséhez kattintson a lenti gombra.",
|
||||
"Confirm adding this email address by using Single Sign On to prove your identity.": "Erősítse meg az e-mail-cím hozzáadását azáltal, hogy az egyszeri bejelentkezéssel bizonyítja a személyazonosságát.",
|
||||
"Confirm adding this phone number by using Single Sign On to prove your identity.": "Erősítse meg a telefonszám hozzáadását azáltal, hogy az egyszeri bejelentkezéssel bizonyítja a személyazonosságát.",
|
||||
"Could not find user in room": "A felhasználó nem található a szobában",
|
||||
"Can't load this message": "Ezt az üzenetet nem sikerült betölteni",
|
||||
"Submit logs": "Napló elküldése",
|
||||
"Reminder: Your browser is unsupported, so your experience may be unpredictable.": "Emlékeztető: A böngésződ nem támogatott, így az élmény kiszámíthatatlan lehet.",
|
||||
"Confirm your account deactivation by using Single Sign On to prove your identity.": "Erősítsd meg egyszeri bejelentkezéssel, hogy felfüggeszted ezt a fiókot.",
|
||||
"Are you sure you want to deactivate your account? This is irreversible.": "Biztos, hogy felfüggeszted a fiókodat? Ezt nem lehet visszavonni.",
|
||||
"Unable to upload": "Nem lehet feltölteni",
|
||||
"If you've joined lots of rooms, this might take a while": "Ha sok szobához csatlakozott, ez eltarthat egy darabig",
|
||||
"Currently indexing: %(currentRoom)s": "Indexelés alatt: %(currentRoom)s",
|
||||
"Unable to query secret storage status": "A biztonsági tároló állapotát nem lehet lekérdezni",
|
||||
"New login. Was this you?": "Új bejelentkezés. Ön volt az?",
|
||||
|
@ -1057,7 +1031,6 @@
|
|||
"Click the button below to confirm your identity.": "A személyazonossága megerősítéséhez kattintson a lenti gombra.",
|
||||
"Confirm encryption setup": "Erősítsd meg a titkosítási beállításokat",
|
||||
"Click the button below to confirm setting up encryption.": "Az alábbi gomb megnyomásával erősítsd meg, hogy megadod a titkosítási beállításokat.",
|
||||
"Joins room with given address": "A megadott címmel csatlakozik a szobához",
|
||||
"IRC display name width": "IRC-n megjelenítendő név szélessége",
|
||||
"Size must be a number": "A méretnek számnak kell lennie",
|
||||
"Custom font size can only be between %(min)s pt and %(max)s pt": "Az egyéni betűméret csak %(min)s pont és %(max)s pont közötti lehet",
|
||||
|
@ -1088,7 +1061,6 @@
|
|||
"Switch to dark mode": "Sötét módra váltás",
|
||||
"Switch theme": "Kinézet váltása",
|
||||
"All settings": "Minden beállítás",
|
||||
"Feedback": "Visszajelzés",
|
||||
"Looks good!": "Jónak tűnik!",
|
||||
"Use custom size": "Egyéni méret használata",
|
||||
"Hey you. You're the best!": "Szia! Te vagy a legjobb!",
|
||||
|
@ -1138,9 +1110,6 @@
|
|||
"Information": "Információ",
|
||||
"Preparing to download logs": "Napló előkészítése feltöltéshez",
|
||||
"Set up Secure Backup": "Biztonsági mentés beállítása",
|
||||
"You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "Beállíthatod, ha a szobát csak egy belső csoport használja majd a matrix szervereden. Ezt később nem lehet megváltoztatni.",
|
||||
"You might disable this if the room will be used for collaborating with external teams who have their own homeserver. This cannot be changed later.": "Ne engedélyezd ezt, ha a szobát külső csapat is használja másik matrix szerverről. Később nem lehet megváltoztatni.",
|
||||
"Block anyone not part of %(serverName)s from ever joining this room.": "A szobába ne léphessenek be azok, akik nem ezen a szerveren vannak: %(serverName)s.",
|
||||
"Unknown App": "Ismeretlen alkalmazás",
|
||||
"Not encrypted": "Nem titkosított",
|
||||
"Room settings": "Szoba beállítások",
|
||||
|
@ -1157,7 +1126,6 @@
|
|||
"Start a conversation with someone using their name or username (like <userId/>).": "Indíts beszélgetést valakivel és használd hozzá a nevét vagy a felhasználói nevét (mint <userId/>).",
|
||||
"Invite someone using their name, username (like <userId/>) or <a>share this room</a>.": "Hívj meg valakit a nevét, vagy felhasználónevét (például <userId/>) megadva, vagy <a>oszd meg ezt a szobát</a>.",
|
||||
"Add widgets, bridges & bots": "Kisalkalmazások, hidak, és botok hozzáadása",
|
||||
"Your server requires encryption to be enabled in private rooms.": "A szervered megköveteli, hogy a titkosítás be legyen kapcsolva a privát szobákban.",
|
||||
"Unable to set up keys": "Nem sikerült a kulcsok beállítása",
|
||||
"Safeguard against losing access to encrypted messages & data": "Biztosíték a titkosított üzenetekhez és adatokhoz való hozzáférés elvesztése ellen",
|
||||
"not found in storage": "nem találhatók a tárolóban",
|
||||
|
@ -1188,7 +1156,6 @@
|
|||
"Hide Widgets": "Kisalkalmazások elrejtése",
|
||||
"The call was answered on another device.": "A hívás másik eszközön lett fogadva.",
|
||||
"Answered Elsewhere": "Máshol lett felvéve",
|
||||
"Feedback sent": "Visszajelzés elküldve",
|
||||
"New version of %(brand)s is available": "Új %(brand)s verzió érhető el",
|
||||
"Update %(brand)s": "A(z) %(brand)s frissítése",
|
||||
"Enable desktop notifications": "Asztali értesítések engedélyezése",
|
||||
|
@ -1196,10 +1163,6 @@
|
|||
"Invite someone using their name, email address, username (like <userId/>) or <a>share this room</a>.": "Hívj meg valakit a nevét, e-mail címét, vagy felhasználónevét (például <userId/>) megadva, vagy <a>oszd meg ezt a szobát</a>.",
|
||||
"Start a conversation with someone using their name, email address or username (like <userId/>).": "Indítson beszélgetést valakivel a nevének, e-mail-címének vagy a felhasználónevének használatával (mint <userId/>).",
|
||||
"Invite by email": "Meghívás e-maillel",
|
||||
"Send feedback": "Visszajelzés küldése",
|
||||
"PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "Tipp: Ha hibajegyet készítesz, légyszíves segíts a probléma feltárásában azzal, hogy elküldöd a <debugLogsLink>részletes naplót</debugLogsLink>.",
|
||||
"Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.": "Először nézd meg, hogy <existingIssuesLink>van-e már jegy róla a Github-on</existingIssuesLink>. Nincs? <newIssueLink>Adj fel egy új jegyet</newIssueLink>.",
|
||||
"Comment": "Megjegyzés",
|
||||
"Bermuda": "Bermuda",
|
||||
"Benin": "Benin",
|
||||
"Belize": "Belize",
|
||||
|
@ -1459,18 +1422,7 @@
|
|||
"You created this room.": "Te készítetted ezt a szobát.",
|
||||
"<a>Add a topic</a> to help people know what it is about.": "<a>Állítsd be a szoba témáját</a>, hogy az emberek tudják, hogy miről van itt szó.",
|
||||
"Topic: %(topic)s ": "Téma: %(topic)s ",
|
||||
"Send stickers to this room as you": "Matricák küldése ebbe a szobába saját néven",
|
||||
"Change the avatar of this room": "A szoba profilképének megváltoztatása",
|
||||
"Change the name of this room": "A szoba nevének megváltoztatása",
|
||||
"Change the topic of your active room": "Az aktív szobája témájának módosítása",
|
||||
"Change the topic of this room": "A szoba témájának megváltoztatása",
|
||||
"Change which room you're viewing": "Az Ön által nézett szoba megváltoztatása",
|
||||
"Send stickers into your active room": "Matricák küldése az aktív szobájába",
|
||||
"Send stickers into this room": "Matricák küldése ebbe a szobába",
|
||||
"New? <a>Create account</a>": "Új vagy? <a>Készíts egy fiókot</a>",
|
||||
"There was a problem communicating with the homeserver, please try again later.": "A kiszolgálóval való kommunikáció során probléma történt, próbálja újra.",
|
||||
"New here? <a>Create an account</a>": "Új vagy? <a>Készíts egy fiókot</a>",
|
||||
"Got an account? <a>Sign in</a>": "Van már fiókod? <a>Jelentkezz be</a>",
|
||||
"That phone number doesn't look quite right, please check and try again": "Ez a telefonszám nem tűnik teljesen helyesnek, kérlek ellenőrizd újra",
|
||||
"Enter phone number": "Telefonszám megadása",
|
||||
"Enter email address": "E-mail cím megadása",
|
||||
|
@ -1479,43 +1431,8 @@
|
|||
"Decline All": "Összes elutasítása",
|
||||
"This widget would like to:": "A kisalkalmazás ezeket szeretné:",
|
||||
"Approve widget permissions": "Kisalkalmazás-engedélyek elfogadása",
|
||||
"Sign into your homeserver": "Bejelentkezés a Matrix-kiszolgálójába",
|
||||
"Specify a homeserver": "Matrix-kiszolgáló megadása",
|
||||
"Invalid URL": "Érvénytelen webcím",
|
||||
"Unable to validate homeserver": "A Matrix-kiszolgálót nem lehet ellenőrizni",
|
||||
"Continuing without email": "Folytatás e-mail-cím nélkül",
|
||||
"Reason (optional)": "Ok (opcionális)",
|
||||
"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 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 this room": "Ebbe a szobába küldött fájlok megjelenítése",
|
||||
"See videos posted to your active room": "Az aktív szobádba küldött videók megjelenítése",
|
||||
"See videos posted to this room": "Ebbe a szobába küldött videók megjelenítése",
|
||||
"See images posted to your active room": "Az aktív szobádba küldött képek megjelenítése",
|
||||
"See images posted to this room": "Ebbe a szobába küldött képek megjelenítése",
|
||||
"See text messages posted to your active room": "Az aktív szobájába küldött szöveges üzenetek megjelenítése",
|
||||
"See text messages posted to this room": "Az ebbe a szobába küldött szöveges üzenetek megjelenítése",
|
||||
"See messages posted to your active room": "Az aktív szobájába küldött üzenetek megjelenítése",
|
||||
"See messages posted to this room": "Az ebbe a szobába küldött üzenetek megjelenítése",
|
||||
"The <b>%(capability)s</b> capability": "<b>%(capability)s</b> képesség",
|
||||
"See <b>%(eventType)s</b> events posted to your active room": "<b>%(eventType)s</b> események megjelenítése az aktív szobájában",
|
||||
"Send <b>%(eventType)s</b> events as you in your active room": "<b>%(eventType)s</b> események küldése a saját nevében az aktív szobájában",
|
||||
"See <b>%(eventType)s</b> events posted to this room": "<b>%(eventType)s</b> események megjelenítése ebben a szobában",
|
||||
"Send <b>%(eventType)s</b> events as you in this room": "<b>%(eventType)s</b> események küldése a saját nevében a szobába",
|
||||
"with state key %(stateKey)s": "ezzel az állapotkulccsal: %(stateKey)s",
|
||||
"with an empty state key": "üres állapotkulccsal",
|
||||
"See when anyone posts a sticker to your active room": "Bárki által az aktív szobájába küldött matrica megjelenítése",
|
||||
"See when a sticker is posted in this room": "Matricaküldések megjelenítése ebben a szobában",
|
||||
"See when the avatar changes in your active room": "Profilképváltozás megjelenítése az aktív szobában",
|
||||
"Change the avatar of your active room": "Az aktív szoba profilképének megváltoztatása",
|
||||
"See when the avatar changes in this room": "Profilképváltozás megjelenítése ebben a szobában",
|
||||
"See when the name changes in your active room": "Névváltozások megjelenítése az aktív szobában",
|
||||
"Change the name of your active room": "Az aktív szoba nevének megváltoztatása",
|
||||
"See when the name changes in this room": "Névváltozások megjelenítése ebben a szobában",
|
||||
"See when the topic changes in your active room": "Témaváltozások megjelenítése az aktív szobájában",
|
||||
"See when the topic changes in this room": "A szoba témaváltozásainak megjelenítése",
|
||||
"Remain on your screen while running": "Amíg fut, addig maradjon a képernyőn",
|
||||
"Remain on your screen when viewing another room, when running": "Amíg fut, akkor is maradjon a képernyőn, ha egy másik szobát néz",
|
||||
"You've reached the maximum number of simultaneous calls.": "Elérte az egyidejű hívások maximális számát.",
|
||||
"Too Many Calls": "Túl sok hívás",
|
||||
"Use email to optionally be discoverable by existing contacts.": "Az e-mail (nem kötelező) megadása segíthet abban, hogy az ismerőseid megtaláljanak Matrix-on.",
|
||||
|
@ -1523,30 +1440,10 @@
|
|||
"Add an email to be able to reset your password.": "Adj meg egy e-mail címet, hogy vissza tudd állítani a jelszavad.",
|
||||
"Just a heads up, if you don't add an email and forget your password, you could <b>permanently lose access to your account</b>.": "Csak egy figyelmeztetés, ha nem ad meg e-mail-címet, és elfelejti a jelszavát, akkor <b>véglegesen elveszíti a hozzáférést a fiókjához</b>.",
|
||||
"Server Options": "Szerver lehetőségek",
|
||||
"About homeservers": "A Matrix-kiszolgálókról",
|
||||
"Use your preferred Matrix homeserver if you have one, or host your own.": "Használja a választott Matrix-kiszolgálóját, ha van ilyenje, vagy üzemeltessen egy sajátot.",
|
||||
"Other homeserver": "Másik Matrix-kiszolgáló",
|
||||
"Send <b>%(msgtype)s</b> messages as you in your active room": "<b>%(msgtype)s</b> üzenetek küldése az aktív szobájába saját néven",
|
||||
"Send <b>%(msgtype)s</b> messages as you in this room": "<b>%(msgtype)s</b> üzenetek küldése ebbe a szobába saját néven",
|
||||
"Send general files as you in your active room": "Fájlok küldése az aktív szobájába saját néven",
|
||||
"Send general files as you in this room": "Fájlok küldése ebbe a szobába saját néven",
|
||||
"Send videos as you in your active room": "Videók küldése az aktív szobájába saját néven",
|
||||
"Send videos as you in this room": "Videók küldése ebbe a szobába saját néven",
|
||||
"Send images as you in your active room": "Képek küldése az aktív szobájába saját néven",
|
||||
"Send images as you in this room": "Képek küldése ebbe a szobába saját néven",
|
||||
"Send emotes as you in your active room": "Emodzsik küldése az aktív szobájába saját néven",
|
||||
"Send emotes as you in this room": "Emodzsik küldése ebbe a szobába saját néven",
|
||||
"Send text messages as you in your active room": "Szöveges üzenetek küldése az aktív szobájába saját néven",
|
||||
"Send text messages as you in this room": "Szöveges üzenetek küldése ebbe a szobába saját néven",
|
||||
"Send messages as you in your active room": "Üzenetek küldése az aktív szobájába saját néven",
|
||||
"Send messages as you in this room": "Üzenetek küldése ebbe a szobába saját néven",
|
||||
"Send stickers to your active room as you": "Matricák küldése az aktív szobájába saját néven",
|
||||
"Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": {
|
||||
"one": "A titkosított üzenetek biztonságos helyi gyorsítótárazása, hogy megjelenhessenek a keresési találatok között, ehhez %(size)s helyet használ %(rooms)s szoba üzeneteihez.",
|
||||
"other": "A titkosított üzenetek biztonságos helyi gyorsítótárazása, hogy megjelenhessenek a keresési találatok között, ehhez %(size)s helyet használ %(rooms)s szoba üzeneteihez."
|
||||
},
|
||||
"See emotes posted to your active room": "Az aktív szobájába küldött emodzsik megjelenítése",
|
||||
"See emotes posted to this room": "Ebbe a szobába küldött emodzsik megjelenítése",
|
||||
"You have no visible notifications.": "Nincsenek látható értesítések.",
|
||||
"Transfer": "Átadás",
|
||||
"Failed to transfer call": "A hívás átadása nem sikerült",
|
||||
|
@ -1556,7 +1453,6 @@
|
|||
"There was an error looking up the phone number": "Hiba történt a telefonszám megkeresése során",
|
||||
"Unable to look up phone number": "A telefonszámot nem sikerült megtalálni",
|
||||
"Workspace: <networkLink/>": "Munkaterület: <networkLink/>",
|
||||
"Change which room, message, or user you're viewing": "Az épp megtekintett szoba, üzenet vagy felhasználó megváltoztatása",
|
||||
"Channel: <channelLink/>": "Csatorna: <channelLink/>",
|
||||
"This session has detected that your Security Phrase and key for Secure Messages have been removed.": "A munkamenet észrevette, hogy a biztonságos üzenetek biztonsági jelmondata és kulcsa törölve lett.",
|
||||
"A new Security Phrase and key for Secure Messages have been detected.": "A biztonságos üzenetekhez új biztonsági jelmondat és kulcs lett észlelve.",
|
||||
|
@ -1725,15 +1621,12 @@
|
|||
"Please enter a name for the space": "Adjon meg egy nevet a térhez",
|
||||
"Connecting": "Kapcsolódás",
|
||||
"To leave the beta, visit your settings.": "A beállításokban tudja elhagyni a bétát.",
|
||||
"Your platform and username will be noted to help us use your feedback as much as we can.": "A platformja és a felhasználóneve fel lesz jegyezve, hogy segítsen nekünk a lehető legjobban felhasználni a visszajelzését.",
|
||||
"Add reaction": "Reakció hozzáadása",
|
||||
"Message search initialisation failed": "Az üzenetkeresés előkészítése sikertelen",
|
||||
"Space Autocomplete": "Tér automatikus kiegészítése",
|
||||
"Go to my space": "Irány a teréhez",
|
||||
"Search names and descriptions": "Nevek és leírások keresése",
|
||||
"You may contact me if you have any follow up questions": "Ha további kérdés merülne fel, kapcsolatba léphetnek velem",
|
||||
"See when people join, leave, or are invited to your active room": "Emberek belépésének, távozásának vagy meghívásának a megjelenítése az aktív szobájában",
|
||||
"See when people join, leave, or are invited to this room": "Emberek belépésének, távozásának vagy meghívásának a megjelenítése ebben a szobában",
|
||||
"Currently joining %(count)s rooms": {
|
||||
"one": "%(count)s szobába lép be",
|
||||
"other": "%(count)s szobába lép be"
|
||||
|
@ -1810,14 +1703,7 @@
|
|||
"Select spaces": "Terek kiválasztása",
|
||||
"You're removing all spaces. Access will default to invite only": "Az összes teret törli. A hozzáférés alapállapota „csak meghívóval” lesz.",
|
||||
"User Directory": "Felhasználójegyzék",
|
||||
"Room visibility": "Szoba láthatóság",
|
||||
"Visible to space members": "Tér tagság számára látható",
|
||||
"Public room": "Nyilvános szoba",
|
||||
"Private room (invite only)": "Privát szoba (csak meghívóval)",
|
||||
"Only people invited will be able to find and join this room.": "Csak a meghívott emberek fogják megtalálni és tudnak belépni a szobába.",
|
||||
"Anyone will be able to find and join this room, not just members of <SpaceName/>.": "Bárki megtalálhatja és beléphet a szobába, nem csak <SpaceName/> tér tagsága.",
|
||||
"You can change this at any time from room settings.": "A szoba beállításokban ezt bármikor megváltoztathatja.",
|
||||
"Everyone in <SpaceName/> will be able to find and join this room.": "<SpaceName/> téren bárki megtalálhatja és beléphet a szobába.",
|
||||
"Share content": "Tartalom megosztása",
|
||||
"Application window": "Alkalmazásablak",
|
||||
"Share entire screen": "A teljes képernyő megosztása",
|
||||
|
@ -1854,7 +1740,6 @@
|
|||
"Keyword": "Kulcsszó",
|
||||
"Transfer Failed": "Átadás sikertelen",
|
||||
"Unable to transfer call": "A hívás átadása nem lehetséges",
|
||||
"Anyone will be able to find and join this room.": "Bárki megtalálhatja és beléphet ebbe a szobába.",
|
||||
"Want to add an existing space instead?": "Inkább meglévő teret adna hozzá?",
|
||||
"Private space (invite only)": "Privát tér (csak meghívóval)",
|
||||
"Space visibility": "Tér láthatósága",
|
||||
|
@ -1898,8 +1783,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.",
|
||||
"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.",
|
||||
"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",
|
||||
"Some encryption parameters have been changed.": "Néhány titkosítási paraméter megváltozott.",
|
||||
"Role in <RoomName/>": "Szerep itt: <RoomName/>",
|
||||
"Unknown failure": "Ismeretlen hiba",
|
||||
|
@ -1957,7 +1840,6 @@
|
|||
"View in room": "Megjelenítés szobában",
|
||||
"Enter your Security Phrase or <button>use your Security Key</button> to continue.": "Adja meg a biztonsági jelmondatot vagy <button>használja a biztonsági kulcsot</button> a folytatáshoz.",
|
||||
"What projects are your team working on?": "Milyen projekteken dolgozik a csoportja?",
|
||||
"The email address doesn't appear to be valid.": "Az e-mail cím nem tűnik érvényesnek.",
|
||||
"See room timeline (devtools)": "Szoba idővonal megjelenítése (fejlesztői eszközök)",
|
||||
"Developer mode": "Fejlesztői mód",
|
||||
"Joined": "Csatlakozott",
|
||||
|
@ -1991,10 +1873,7 @@
|
|||
"Thread options": "Üzenetszál beállításai",
|
||||
"Shows all threads you've participated in": "Minden üzenetszál megjelenítése, amelyben részt vesz",
|
||||
"You're all caught up": "Minden elolvasva",
|
||||
"We call the places where you can host your account 'homeservers'.": "Matrix-kiszolgálóknak nevezzük azokat a helyeket, ahol fiókot lehet létrehozni.",
|
||||
"Matrix.org is the biggest public homeserver in the world, so it's a good place for many.": "A matrix.org a legnagyobb nyilvános Matrix-kiszolgáló a világon, és sok felhasználónak megfelelő választás.",
|
||||
"If you can't see who you're looking for, send them your invite link below.": "Ha nem található a keresett személy, küldje el az alábbi hivatkozást neki.",
|
||||
"You can't disable this later. Bridges & most bots won't work yet.": "Ezt később nem lehet kikapcsolni. A hidak és a legtöbb bot nem fog működni egyenlőre.",
|
||||
"Add option": "Lehetőség hozzáadása",
|
||||
"Write an option": "Adjon meg egy lehetőséget",
|
||||
"Option %(number)s": "%(number)s. lehetőség",
|
||||
|
@ -2006,7 +1885,6 @@
|
|||
"Yours, or the other users' session": "Az ön vagy a másik felhasználó munkamenete",
|
||||
"Yours, or the other users' internet connection": "Az ön vagy a másik felhasználó Internet kapcsolata",
|
||||
"The homeserver the user you're verifying is connected to": "Az ellenőrizendő felhasználó ehhez a Matrix-kiszolgálóhoz kapcsolódik:",
|
||||
"Someone already has that username, please try another.": "Ez a felhasználónév már foglalt, próbáljon ki másikat.",
|
||||
"Someone already has that username. Try another or if it is you, sign in below.": "Valaki már használja ezt a felhasználói nevet. Próbáljon ki másikat, illetve ha ön az, jelentkezzen be alább.",
|
||||
"Show tray icon and minimise window to it on close": "Tálcaikon megjelenítése és az ablak minimalizálása bezáráskor",
|
||||
"Reply in thread": "Válasz üzenetszálban",
|
||||
|
@ -2095,7 +1973,6 @@
|
|||
"Including you, %(commaSeparatedMembers)s": "Önt is beleértve, %(commaSeparatedMembers)s",
|
||||
"Copy room link": "Szoba hivatkozásának másolása",
|
||||
"Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Anonimizált adatok megosztása a problémák feltárásához. Semmi személyes. Nincs harmadik fél.",
|
||||
"You may contact me if you want to follow up or to let me test out upcoming ideas": "Keressenek ha további információkra lenne szükségük vagy szeretnék, ha készülő ötleteket tesztelnék",
|
||||
"This groups your chats with members of this space. Turning this off will hide those chats from your view of %(spaceName)s.": "Ez csoportosítja a tér tagjaival folytatott közvetlen beszélgetéseit. A kikapcsolása elrejti ezeket a beszélgetéseket a(z) %(spaceName)s nézetéből.",
|
||||
"Your new device is now verified. Other users will see it as trusted.": "Az új eszköze ellenőrizve van. Mások megbízhatónak fogják látni.",
|
||||
"Your new device is now verified. It has access to your encrypted messages, and other users will see it as trusted.": "Ez az eszköz hitelesítve van. A titkosított üzenetekhez hozzáférése van és más felhasználók megbízhatónak látják.",
|
||||
|
@ -2120,10 +1997,7 @@
|
|||
"Room members": "Szobatagok",
|
||||
"Back to chat": "Vissza a csevegéshez",
|
||||
"Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Ismeretlen (felhasználó, munkamenet) páros: (%(userId)s, %(deviceId)s)",
|
||||
"Command failed: Unable to find room (%(roomId)s": "Parancs hiba: A szoba nem található (%(roomId)s)",
|
||||
"Unrecognised room address: %(roomAlias)s": "Ismeretlen szoba cím: %(roomAlias)s",
|
||||
"Command error: Unable to find rendering type (%(renderingType)s)": "Parancs hiba: A megjelenítési típus nem található (%(renderingType)s)",
|
||||
"Command error: Unable to handle slash command.": "Parancs hiba: A / jellel kezdődő parancs támogatott.",
|
||||
"Space home": "Kezdő tér",
|
||||
"Unknown error fetching location. Please try again later.": "Ismeretlen hiba a földrajzi helyzetének lekérésekor. Próbálja újra később.",
|
||||
"Timed out trying to fetch your location. Please try again later.": "Időtúllépés történt a földrajzi helyzetének lekérésekor. Próbálja újra később.",
|
||||
|
@ -2140,12 +2014,6 @@
|
|||
"From a thread": "Az üzenetszálból",
|
||||
"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",
|
||||
"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",
|
||||
"You can't see earlier messages": "Nem tekintheted meg a régebbi üzeneteket",
|
||||
"Encrypted messages before this point are unavailable.": "A régebbi titkosított üzenetek elérhetetlenek.",
|
||||
"You don't have permission to view messages from before you joined.": "A belépés előtti üzenetek megtekintése nincs engedélyezve számodra.",
|
||||
"You don't have permission to view messages from before you were invited.": "A meghívás előtti üzenetek megtekintéséhez nincs engedélye.",
|
||||
"Internal room ID": "Belső szobaazonosító",
|
||||
"Group all your people in one place.": "Csoportosítsa az összes ismerősét egy helyre.",
|
||||
"Group all your favourite rooms and people in one place.": "Csoportosítsa az összes kedvenc szobáját és ismerősét egy helyre.",
|
||||
|
@ -2362,7 +2230,6 @@
|
|||
"Enable hardware acceleration": "Hardveres gyorsítás engedélyezése",
|
||||
"Explore public spaces in the new search dialog": "Nyilvános terek felderítése az új keresőben",
|
||||
"Stop and close": "Befejezés és kilépés",
|
||||
"You can't disable this later. The room will be encrypted but the embedded call will not.": "Ezt később nem lehet kikapcsolni. A szoba titkosítva lesz de a hívások nem.",
|
||||
"Online community members": "Online közösségek tagjai",
|
||||
"Coworkers and teams": "Munkatársak és csoportok",
|
||||
"Friends and family": "Barátok és család",
|
||||
|
@ -2543,14 +2410,7 @@
|
|||
"Go live": "Élő közvetítés indítása",
|
||||
"This means that you have all the keys needed to unlock your encrypted messages and confirm to other users that you trust this session.": "Ez azt jelenti, hogy a titkosított üzenetek visszafejtéséhez minden kulccsal rendelkezik valamint a többi felhasználó megbízhat ebben a munkamenetben.",
|
||||
"Verified sessions are anywhere you are using this account after entering your passphrase or confirming your identity with another verified session.": "Mindenhol ellenőrzött munkamenetek vannak ahol ezt a fiókot használja a jelmondattal vagy azonosította magát egy másik ellenőrzött munkamenetből.",
|
||||
"Verify your email to continue": "E-mail ellenőrzés a továbblépéshez",
|
||||
"<b>%(homeserver)s</b> will send you a verification link to let you reset your password.": "<b>%(homeserver)s</b> e-mailt küld a jelszó beállítási hivatkozással.",
|
||||
"Enter your email to reset password": "E-mail cím megadása a jelszó beállításhoz",
|
||||
"Send email": "E-mail küldés",
|
||||
"Verification link email resent!": "E-mail a ellenőrzési hivatkozással újra elküldve!",
|
||||
"Did not receive it?": "Nem érkezett meg?",
|
||||
"Follow the instructions sent to <b>%(email)s</b>": "Kövesse az utasításokat amit elküldtünk ide: <b>%(email)s</b>",
|
||||
"That e-mail address or phone number is already in use.": "Ez az e-mail cím vagy telefonszám már használatban van.",
|
||||
"Sign out of all devices": "Kijelentkezés minden eszközből",
|
||||
"Confirm new password": "Új jelszó megerősítése",
|
||||
"Too many attempts in a short time. Retry after %(timeout)s.": "Rövid idő alatt túl sok próbálkozás. Próbálkozzon ennyi idő múlva: %(timeout)s.",
|
||||
|
@ -2562,9 +2422,6 @@
|
|||
"For best security and privacy, it is recommended to use Matrix clients that support encryption.": "A biztonság és adatbiztonság érdekében javasolt olyan Matrix klienst használni ami támogatja a titkosítást.",
|
||||
"You won't be able to participate in rooms where encryption is enabled when using this session.": "Ezzel a munkamenettel olyan szobákban ahol a titkosítás be van kapcsolva nem tud részt venni.",
|
||||
"Feeling experimental? Try out our latest ideas in development. These features are not finalised; they may be unstable, may change, or may be dropped altogether. <a>Learn more</a>.": "Kísérletező kedvében van? Próbálja ki a legújabb fejlesztési ötleteinket. Ezek nincsenek befejezve; lehet, hogy instabilak, megváltozhatnak vagy el is tűnhetnek. <a>Tudjon meg többet</a>.",
|
||||
"Sign in instead": "Bejelentkezés inkább",
|
||||
"Re-enter email address": "E-mail cím megadása újból",
|
||||
"Wrong email address?": "Hibás e-mail cím?",
|
||||
"Thread root ID: %(threadRootId)s": "Üzenetszál gyökerének azonosítója: %(threadRootId)s",
|
||||
"<w>WARNING:</w> <description/>": "<w>FIGYELEM:</w> <description/>",
|
||||
"We were unable to start a chat with the other user.": "A beszélgetést a másik felhasználóval nem lehetett elindítani.",
|
||||
|
@ -2603,7 +2460,6 @@
|
|||
"Mark as read": "Megjelölés olvasottként",
|
||||
"Text": "Szöveg",
|
||||
"Create a link": "Hivatkozás készítése",
|
||||
"Force 15s voice broadcast chunk length": "Hangközvetítések 15 másodperces darabolásának kényszerítése",
|
||||
"Sign out of %(count)s sessions": {
|
||||
"one": "Kijelentkezés %(count)s munkamenetből",
|
||||
"other": "Kijelentkezés %(count)s munkamenetből"
|
||||
|
@ -2639,11 +2495,8 @@
|
|||
"Secure Backup successful": "Biztonsági mentés sikeres",
|
||||
"Your keys are now being backed up from this device.": "A kulcsai nem kerülnek elmentésre erről az eszközről.",
|
||||
"Enter a Security Phrase only you know, as it's used to safeguard your data. To be secure, you shouldn't re-use your account password.": "Olyan biztonsági jelmondatot adjon meg amit csak Ön ismer, mert ez fogja az adatait őrizni. Hogy biztonságos legyen ne használja a fiók jelszavát.",
|
||||
"We need to know it’s you before resetting your password. Click the link in the email we just sent to <b>%(email)s</b>": "Tudnunk kell, hogy Ön tényleg az akinek mondja magát mielőtt a jelszót beállíthatja. Kattintson a hivatkozásra az e-mailben amit éppen most küldtünk ide: <b>%(email)s</b>",
|
||||
"Warning: your personal data (including encryption keys) is still stored in this session. Clear it if you're finished using this session, or want to sign in to another account.": "Figyelmeztetés: A személyes adatai (beleértve a titkosító kulcsokat is) továbbra is az eszközön vannak tárolva. Ha az eszközt nem használja tovább vagy másik fiókba szeretne bejelentkezni, törölje őket.",
|
||||
"Please only proceed if you're sure you've lost all of your other devices and your Security Key.": "Csak akkor folytassa ha biztos benne, hogy elvesztett minden hozzáférést a többi eszközéhez és biztonsági kulcsához.",
|
||||
"Signing In…": "Bejelentkezés…",
|
||||
"Syncing…": "Szinkronizálás…",
|
||||
"Inviting…": "Meghívás…",
|
||||
"Creating rooms…": "Szobák létrehozása…",
|
||||
"Keep going…": "Így tovább…",
|
||||
|
@ -2710,7 +2563,6 @@
|
|||
"Log out and back in to disable": "A kikapcsoláshoz ki-, és bejelentkezés szükséges",
|
||||
"Can currently only be enabled via config.json": "Jelenleg csak a config.json fájlban lehet engedélyezni",
|
||||
"Requires your server to support the stable version of MSC3827": "A Matrix-kiszolgálónak támogatnia kell az MSC3827 stabil verzióját",
|
||||
"Use your account to continue.": "Használja a fiókját a továbblépéshez.",
|
||||
"Message from %(user)s": "Üzenet tőle: %(user)s",
|
||||
"Message in %(room)s": "Üzenet itt: %(room)s",
|
||||
"Show avatars in user, room and event mentions": "Profilképek megjelenítése a felhasználók, szobák és események megemlítésénél",
|
||||
|
@ -2837,7 +2689,8 @@
|
|||
"cross_signing": "Eszközök közti hitelesítés",
|
||||
"identity_server": "Azonosítási kiszolgáló",
|
||||
"integration_manager": "Integrációkezelő",
|
||||
"qr_code": "QR kód"
|
||||
"qr_code": "QR kód",
|
||||
"feedback": "Visszajelzés"
|
||||
},
|
||||
"action": {
|
||||
"continue": "Folytatás",
|
||||
|
@ -3004,7 +2857,8 @@
|
|||
"leave_beta_reload": "A béta kikapcsolása újratölti ezt: %(brand)s.",
|
||||
"join_beta_reload": "A béta funkció bekapcsolása újratölti ezt: %(brand)s.",
|
||||
"leave_beta": "Béta kikapcsolása",
|
||||
"join_beta": "Csatlakozás béta lehetőségekhez"
|
||||
"join_beta": "Csatlakozás béta lehetőségekhez",
|
||||
"voice_broadcast_force_small_chunks": "Hangközvetítések 15 másodperces darabolásának kényszerítése"
|
||||
},
|
||||
"keyboard": {
|
||||
"home": "Kezdőlap",
|
||||
|
@ -3290,7 +3144,9 @@
|
|||
"timeline_image_size": "Képméret az idővonalon",
|
||||
"timeline_image_size_default": "Alapértelmezett",
|
||||
"timeline_image_size_large": "Nagy"
|
||||
}
|
||||
},
|
||||
"inline_url_previews_room_account": "Webcím-előnézetek engedélyezése ebben a szobában (csak Önt érinti)",
|
||||
"inline_url_previews_room": "Webcím-előnézetek alapértelmezett engedélyezése a szobatagok számára"
|
||||
},
|
||||
"devtools": {
|
||||
"send_custom_account_data_event": "Egyedi fiókadat esemény küldése",
|
||||
|
@ -3441,7 +3297,24 @@
|
|||
"title_public_room": "Nyilvános szoba létrehozása",
|
||||
"title_private_room": "Privát szoba létrehozása",
|
||||
"action_create_video_room": "Videó szoba készítése",
|
||||
"action_create_room": "Szoba létrehozása"
|
||||
"action_create_room": "Szoba létrehozása",
|
||||
"name_validation_required": "Kérlek adj meg egy nevet a szobához",
|
||||
"join_rule_restricted_label": "<SpaceName/> téren bárki megtalálhatja és beléphet a szobába.",
|
||||
"join_rule_change_notice": "A szoba beállításokban ezt bármikor megváltoztathatja.",
|
||||
"join_rule_public_parent_space_label": "Bárki megtalálhatja és beléphet a szobába, nem csak <SpaceName/> tér tagsága.",
|
||||
"join_rule_public_label": "Bárki megtalálhatja és beléphet ebbe a szobába.",
|
||||
"join_rule_invite_label": "Csak a meghívott emberek fogják megtalálni és tudnak belépni a szobába.",
|
||||
"encrypted_video_room_warning": "Ezt később nem lehet kikapcsolni. A szoba titkosítva lesz de a hívások nem.",
|
||||
"encrypted_warning": "Ezt később nem lehet kikapcsolni. A hidak és a legtöbb bot nem fog működni egyenlőre.",
|
||||
"encryption_forced": "A szervered megköveteli, hogy a titkosítás be legyen kapcsolva a privát szobákban.",
|
||||
"encryption_label": "Végpontok közötti titkosítás engedélyezése",
|
||||
"unfederated_label_default_off": "Beállíthatod, ha a szobát csak egy belső csoport használja majd a matrix szervereden. Ezt később nem lehet megváltoztatni.",
|
||||
"unfederated_label_default_on": "Ne engedélyezd ezt, ha a szobát külső csapat is használja másik matrix szerverről. Később nem lehet megváltoztatni.",
|
||||
"topic_label": "Téma (nem kötelező)",
|
||||
"room_visibility_label": "Szoba láthatóság",
|
||||
"join_rule_invite": "Privát szoba (csak meghívóval)",
|
||||
"join_rule_restricted": "Tér tagság számára látható",
|
||||
"unfederated": "A szobába ne léphessenek be azok, akik nem ezen a szerveren vannak: %(serverName)s."
|
||||
},
|
||||
"timeline": {
|
||||
"m.call": {
|
||||
|
@ -3714,7 +3587,11 @@
|
|||
"changed_rule_rooms": "%(senderName)s megváltoztatta a szobákat kitiltó szabályt erről: %(oldGlob)s, erre: %(newGlob)s, ok: %(reason)s",
|
||||
"changed_rule_servers": "%(senderName)s megváltoztatta a kiszolgálókat kitiltó szabályt erről: %(oldGlob)s, erre: %(newGlob)s, ok: %(reason)s",
|
||||
"changed_rule_glob": "%(senderName)s megváltoztatta a kitiltó szabályt erről: %(oldGlob)s, erre: %(newGlob)s, ok: %(reason)s"
|
||||
}
|
||||
},
|
||||
"no_permission_messages_before_invite": "A meghívás előtti üzenetek megtekintéséhez nincs engedélye.",
|
||||
"no_permission_messages_before_join": "A belépés előtti üzenetek megtekintése nincs engedélyezve számodra.",
|
||||
"encrypted_historical_messages_unavailable": "A régebbi titkosított üzenetek elérhetetlenek.",
|
||||
"historical_messages_unavailable": "Nem tekintheted meg a régebbi üzeneteket"
|
||||
},
|
||||
"slash_command": {
|
||||
"spoiler": "A megadott üzenet elküldése kitakarva",
|
||||
|
@ -3772,7 +3649,14 @@
|
|||
"holdcall": "Tartásba teszi a jelenlegi szoba hívását",
|
||||
"no_active_call": "Nincs aktív hívás a szobában",
|
||||
"unholdcall": "Visszaveszi tartásból a jelenlegi szoba hívását",
|
||||
"me": "Megjeleníti a tevékenységet"
|
||||
"me": "Megjeleníti a tevékenységet",
|
||||
"error_invalid_runfn": "Parancs hiba: A / jellel kezdődő parancs támogatott.",
|
||||
"error_invalid_rendering_type": "Parancs hiba: A megjelenítési típus nem található (%(renderingType)s)",
|
||||
"join": "A megadott címmel csatlakozik a szobához",
|
||||
"failed_find_room": "Parancs hiba: A szoba nem található (%(roomId)s)",
|
||||
"failed_find_user": "A felhasználó nem található a szobában",
|
||||
"op": "A felhasználó szintjének meghatározása",
|
||||
"deop": "A megadott azonosítójú felhasználó lefokozása"
|
||||
},
|
||||
"presence": {
|
||||
"busy": "Foglalt",
|
||||
|
@ -3956,13 +3840,56 @@
|
|||
"reset_password_title": "Jelszó megváltoztatása",
|
||||
"continue_with_sso": "Folytatás ezzel: %(ssoButtons)s",
|
||||
"sso_or_username_password": "%(ssoButtons)s vagy %(usernamePassword)s",
|
||||
"sign_in_instead": "Van már fiókod? <a>Belépés</a>",
|
||||
"sign_in_instead": "Bejelentkezés inkább",
|
||||
"account_clash": "Az új (%(newAccountId)s) fiókod elkészült, de jelenleg egy másik fiókba (%(loggedInUserId)s) vagy bejelentkezve.",
|
||||
"account_clash_previous_account": "Folytatás az előző fiókkal",
|
||||
"log_in_new_account": "<a>Belépés</a> az új fiókodba.",
|
||||
"registration_successful": "Regisztráció sikeres",
|
||||
"server_picker_title": "Fiók létrehozása itt:",
|
||||
"server_picker_dialog_title": "Döntse el, hol szeretne fiókot létrehozni"
|
||||
"server_picker_title": "Bejelentkezés a Matrix-kiszolgálójába",
|
||||
"server_picker_dialog_title": "Döntse el, hol szeretne fiókot létrehozni",
|
||||
"footer_powered_by_matrix": "a gépházban: Matrix",
|
||||
"failed_homeserver_discovery": "A Matrix-kiszolgáló felderítése sikertelen",
|
||||
"sync_footer_subtitle": "Ha sok szobához csatlakozott, ez eltarthat egy darabig",
|
||||
"syncing": "Szinkronizálás…",
|
||||
"signing_in": "Bejelentkezés…",
|
||||
"unsupported_auth_msisdn": "Ez a kiszolgáló nem támogatja a telefonszámmal történő hitelesítést.",
|
||||
"unsupported_auth_email": "Ez a Matrix-kiszolgáló nem támogatja az e-mail-címmel történő bejelentkezést.",
|
||||
"registration_disabled": "A regisztráció ki van kapcsolva ezen a Matrix-kiszolgálón.",
|
||||
"failed_query_registration_methods": "A támogatott regisztrációs módokat nem lehet lekérdezni.",
|
||||
"username_in_use": "Ez a felhasználónév már foglalt, próbáljon ki másikat.",
|
||||
"3pid_in_use": "Ez az e-mail cím vagy telefonszám már használatban van.",
|
||||
"incorrect_password": "Helytelen jelszó",
|
||||
"failed_soft_logout_auth": "Újra bejelentkezés sikertelen",
|
||||
"soft_logout_heading": "Kijelentkeztél",
|
||||
"forgot_password_email_required": "A fiókodhoz kötött e-mail címet add meg.",
|
||||
"forgot_password_email_invalid": "Az e-mail cím nem tűnik érvényesnek.",
|
||||
"sign_in_prompt": "Van már fiókod? <a>Jelentkezz be</a>",
|
||||
"verify_email_heading": "E-mail ellenőrzés a továbblépéshez",
|
||||
"forgot_password_prompt": "Elfelejtetted a jelszavad?",
|
||||
"soft_logout_intro_password": "Add meg a jelszavadat a belépéshez, hogy visszaszerezd a hozzáférésed a fiókodhoz.",
|
||||
"soft_logout_intro_sso": "Jelentkezz be és szerezd vissza a hozzáférésed a fiókodhoz.",
|
||||
"soft_logout_intro_unsupported_auth": "Nem tud bejelentkezni a fiókjába. További információkért vegye fel a kapcsolatot a Matrix-kiszolgáló rendszergazdájával.",
|
||||
"check_email_explainer": "Kövesse az utasításokat amit elküldtünk ide: <b>%(email)s</b>",
|
||||
"check_email_wrong_email_prompt": "Hibás e-mail cím?",
|
||||
"check_email_wrong_email_button": "E-mail cím megadása újból",
|
||||
"check_email_resend_prompt": "Nem érkezett meg?",
|
||||
"check_email_resend_tooltip": "E-mail a ellenőrzési hivatkozással újra elküldve!",
|
||||
"enter_email_heading": "E-mail cím megadása a jelszó beállításhoz",
|
||||
"enter_email_explainer": "<b>%(homeserver)s</b> e-mailt küld a jelszó beállítási hivatkozással.",
|
||||
"verify_email_explainer": "Tudnunk kell, hogy Ön tényleg az akinek mondja magát mielőtt a jelszót beállíthatja. Kattintson a hivatkozásra az e-mailben amit éppen most küldtünk ide: <b>%(email)s</b>",
|
||||
"create_account_prompt": "Új vagy? <a>Készíts egy fiókot</a>",
|
||||
"sign_in_or_register": "Bejelentkezés vagy fiók létrehozása",
|
||||
"sign_in_or_register_description": "A folytatáshoz használja a fiókját, vagy hozzon létre egy újat.",
|
||||
"sign_in_description": "Használja a fiókját a továbblépéshez.",
|
||||
"register_action": "Fiók létrehozása",
|
||||
"server_picker_failed_validate_homeserver": "A Matrix-kiszolgálót nem lehet ellenőrizni",
|
||||
"server_picker_invalid_url": "Érvénytelen webcím",
|
||||
"server_picker_required": "Matrix-kiszolgáló megadása",
|
||||
"server_picker_matrix.org": "A matrix.org a legnagyobb nyilvános Matrix-kiszolgáló a világon, és sok felhasználónak megfelelő választás.",
|
||||
"server_picker_intro": "Matrix-kiszolgálóknak nevezzük azokat a helyeket, ahol fiókot lehet létrehozni.",
|
||||
"server_picker_custom": "Másik Matrix-kiszolgáló",
|
||||
"server_picker_explainer": "Használja a választott Matrix-kiszolgálóját, ha van ilyenje, vagy üzemeltessen egy sajátot.",
|
||||
"server_picker_learn_more": "A Matrix-kiszolgálókról"
|
||||
},
|
||||
"room_list": {
|
||||
"sort_unread_first": "Olvasatlan üzeneteket tartalmazó szobák megjelenítése elől",
|
||||
|
@ -4013,5 +3940,81 @@
|
|||
"access_token_detail": "A hozzáférési kulcs teljes elérést biztosít a fiókhoz. Soha ne ossza meg mással.",
|
||||
"clear_cache_reload": "Gyorsítótár ürítése és újratöltés"
|
||||
}
|
||||
},
|
||||
"widget": {
|
||||
"capability": {
|
||||
"send_stickers_this_room": "Matricák küldése ebbe a szobába",
|
||||
"send_stickers_active_room": "Matricák küldése az aktív szobájába",
|
||||
"send_stickers_this_room_as_you": "Matricák küldése ebbe a szobába saját néven",
|
||||
"send_stickers_active_room_as_you": "Matricák küldése az aktív szobájába saját néven",
|
||||
"see_sticker_posted_this_room": "Matricaküldések megjelenítése ebben a szobában",
|
||||
"see_sticker_posted_active_room": "Bárki által az aktív szobájába küldött matrica megjelenítése",
|
||||
"always_on_screen_viewing_another_room": "Amíg fut, akkor is maradjon a képernyőn, ha egy másik szobát néz",
|
||||
"always_on_screen_generic": "Amíg fut, addig maradjon a képernyőn",
|
||||
"switch_room": "Az Ön által nézett szoba megváltoztatása",
|
||||
"switch_room_message_user": "Az épp megtekintett szoba, üzenet vagy felhasználó megváltoztatása",
|
||||
"change_topic_this_room": "A szoba témájának megváltoztatása",
|
||||
"see_topic_change_this_room": "A szoba témaváltozásainak megjelenítése",
|
||||
"change_topic_active_room": "Az aktív szobája témájának módosítása",
|
||||
"see_topic_change_active_room": "Témaváltozások megjelenítése az aktív szobájában",
|
||||
"change_name_this_room": "A szoba nevének megváltoztatása",
|
||||
"see_name_change_this_room": "Névváltozások megjelenítése ebben a szobában",
|
||||
"change_name_active_room": "Az aktív szoba nevének megváltoztatása",
|
||||
"see_name_change_active_room": "Névváltozások megjelenítése az aktív szobában",
|
||||
"change_avatar_this_room": "A szoba profilképének megváltoztatása",
|
||||
"see_avatar_change_this_room": "Profilképváltozás megjelenítése ebben a szobában",
|
||||
"change_avatar_active_room": "Az aktív szoba profilképének megváltoztatása",
|
||||
"see_avatar_change_active_room": "Profilképváltozás megjelenítése az aktív szobában",
|
||||
"remove_ban_invite_leave_this_room": "Eltávolítani, kitiltani vagy meghívni embereket ebbe a szobába és, hogy ön elhagyja a szobát",
|
||||
"receive_membership_this_room": "Emberek belépésének, távozásának vagy meghívásának a megjelenítése ebben a szobában",
|
||||
"remove_ban_invite_leave_active_room": "Eltávolítani, kitiltani vagy meghívni embereket az aktív szobába és, hogy ön elhagyja a szobát",
|
||||
"receive_membership_active_room": "Emberek belépésének, távozásának vagy meghívásának a megjelenítése az aktív szobájában",
|
||||
"byline_empty_state_key": "üres állapotkulccsal",
|
||||
"byline_state_key": "ezzel az állapotkulccsal: %(stateKey)s",
|
||||
"any_room": "A fentiek, de minden szobában, amelybe belépett vagy meghívták",
|
||||
"specific_room": "A fentiek, de ebben a szobában is: <Room />",
|
||||
"send_event_type_this_room": "<b>%(eventType)s</b> események küldése a saját nevében a szobába",
|
||||
"see_event_type_sent_this_room": "<b>%(eventType)s</b> események megjelenítése ebben a szobában",
|
||||
"send_event_type_active_room": "<b>%(eventType)s</b> események küldése a saját nevében az aktív szobájában",
|
||||
"see_event_type_sent_active_room": "<b>%(eventType)s</b> események megjelenítése az aktív szobájában",
|
||||
"capability": "<b>%(capability)s</b> képesség",
|
||||
"send_messages_this_room": "Üzenetek küldése ebbe a szobába saját néven",
|
||||
"send_messages_active_room": "Üzenetek küldése az aktív szobájába saját néven",
|
||||
"see_messages_sent_this_room": "Az ebbe a szobába küldött üzenetek megjelenítése",
|
||||
"see_messages_sent_active_room": "Az aktív szobájába küldött üzenetek megjelenítése",
|
||||
"send_text_messages_this_room": "Szöveges üzenetek küldése ebbe a szobába saját néven",
|
||||
"send_text_messages_active_room": "Szöveges üzenetek küldése az aktív szobájába saját néven",
|
||||
"see_text_messages_sent_this_room": "Az ebbe a szobába küldött szöveges üzenetek megjelenítése",
|
||||
"see_text_messages_sent_active_room": "Az aktív szobájába küldött szöveges üzenetek megjelenítése",
|
||||
"send_emotes_this_room": "Emodzsik küldése ebbe a szobába saját néven",
|
||||
"send_emotes_active_room": "Emodzsik küldése az aktív szobájába saját néven",
|
||||
"see_sent_emotes_this_room": "Ebbe a szobába küldött emodzsik megjelenítése",
|
||||
"see_sent_emotes_active_room": "Az aktív szobájába küldött emodzsik megjelenítése",
|
||||
"send_images_this_room": "Képek küldése ebbe a szobába saját néven",
|
||||
"send_images_active_room": "Képek küldése az aktív szobájába saját néven",
|
||||
"see_images_sent_this_room": "Ebbe a szobába küldött képek megjelenítése",
|
||||
"see_images_sent_active_room": "Az aktív szobádba küldött képek megjelenítése",
|
||||
"send_videos_this_room": "Videók küldése ebbe a szobába saját néven",
|
||||
"send_videos_active_room": "Videók küldése az aktív szobájába saját néven",
|
||||
"see_videos_sent_this_room": "Ebbe a szobába küldött videók megjelenítése",
|
||||
"see_videos_sent_active_room": "Az aktív szobádba küldött videók megjelenítése",
|
||||
"send_files_this_room": "Fájlok küldése ebbe a szobába saját néven",
|
||||
"send_files_active_room": "Fájlok küldése az aktív szobájába saját néven",
|
||||
"see_sent_files_this_room": "Ebbe a szobába küldött fájlok megjelenítése",
|
||||
"see_sent_files_active_room": "Az aktív szobádba küldött fájlok megjelenítése",
|
||||
"send_msgtype_this_room": "<b>%(msgtype)s</b> üzenetek küldése ebbe a szobába saját néven",
|
||||
"send_msgtype_active_room": "<b>%(msgtype)s</b> üzenetek küldése az aktív szobájába saját néven",
|
||||
"see_msgtype_sent_this_room": "Az ebbe a szobába küldött <b>%(msgtype)s</b> üzenetek megjelenítése",
|
||||
"see_msgtype_sent_active_room": "Az aktív szobájába küldött <b>%(msgtype)s</b> üzenetek megjelenítése"
|
||||
}
|
||||
},
|
||||
"feedback": {
|
||||
"sent": "Visszajelzés elküldve",
|
||||
"comment_label": "Megjegyzés",
|
||||
"platform_username": "A platformja és a felhasználóneve fel lesz jegyezve, hogy segítsen nekünk a lehető legjobban felhasználni a visszajelzését.",
|
||||
"may_contact_label": "Keressenek ha további információkra lenne szükségük vagy szeretnék, ha készülő ötleteket tesztelnék",
|
||||
"pro_type": "Tipp: Ha hibajegyet készítesz, légyszíves segíts a probléma feltárásában azzal, hogy elküldöd a <debugLogsLink>részletes naplót</debugLogsLink>.",
|
||||
"existing_issue_link": "Először nézd meg, hogy <existingIssuesLink>van-e már jegy róla a Github-on</existingIssuesLink>. Nincs? <newIssueLink>Adj fel egy új jegyet</newIssueLink>.",
|
||||
"send_feedback_action": "Visszajelzés küldése"
|
||||
}
|
||||
}
|
||||
|
|
|
@ -84,7 +84,6 @@
|
|||
"This Room": "Ruangan ini",
|
||||
"Noisy": "Berisik",
|
||||
"Unavailable": "Tidak Tersedia",
|
||||
"powered by Matrix": "diberdayakan oleh Matrix",
|
||||
"All Rooms": "Semua Ruangan",
|
||||
"Source URL": "URL Sumber",
|
||||
"Failed to add tag %(tagName)s to room": "Gagal menambahkan tag %(tagName)s ke ruangan",
|
||||
|
@ -116,7 +115,6 @@
|
|||
"Permission Required": "Izin Dibutuhkan",
|
||||
"You do not have permission to start a conference call in this room": "Anda tidak memiliki permisi untuk memulai panggilan konferensi di ruang ini",
|
||||
"Explore rooms": "Jelajahi ruangan",
|
||||
"Create Account": "Buat Akun",
|
||||
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s",
|
||||
"The call was answered on another device.": "Panggilan dijawab di perangkat lainnya.",
|
||||
"The signing key you provided matches the signing key you received from %(userId)s's session %(deviceId)s. Session marked as verified.": "Kunci penandatanganan yang Anda sediakan cocok dengan kunci penandatanganan yang Anda terima dari sesi %(userId)s %(deviceId)s. Sesi ditandai sebagai terverifikasi.",
|
||||
|
@ -124,14 +122,10 @@
|
|||
"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!": "PERINGATAN: VERIFIKASI KUNCI GAGAL! Kunci penandatanganan untuk %(userId)s dan sesi %(deviceId)s adalah \"%(fprint)s\" yang tidak cocok dengan kunci \"%(fingerprint)s\" yang disediakan. Ini bisa saja berarti komunikasi Anda sedang disadap!",
|
||||
"Session already verified!": "Sesi telah diverifikasi!",
|
||||
"Verifies a user, session, and pubkey tuple": "Memverifikasi sebuah pengguna, sesi, dan tupel pubkey",
|
||||
"Deops user with given id": "De-op pengguna dengan ID yang dicantumkan",
|
||||
"Could not find user in room": "Tidak dapat menemukan pengguna di ruangan",
|
||||
"Define the power level of a user": "Tentukan tingkat daya pengguna",
|
||||
"You are no longer ignoring %(userId)s": "Anda sekarang berhenti mengabaikan %(userId)s",
|
||||
"Unignored user": "Pengguna yang berhenti diabaikan",
|
||||
"You are now ignoring %(userId)s": "Anda sekarang mengabaikan %(userId)s",
|
||||
"Ignored user": "Pengguna yang diabaikan",
|
||||
"Joins room with given address": "Bergabung dengan ruangan dengan alamat yang dicantumkan",
|
||||
"Use an identity server to invite by email. Manage in Settings.": "Gunakan server identitas untuk mengundang melalui email. Kelola di Pengaturan.",
|
||||
"Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Gunakan server identitas untuk mengundang melalui email. Klik lanjutkan untuk menggunakan server identitas bawaan (%(defaultIdentityServerName)s) atau kelola di Pengaturan.",
|
||||
"Use an identity server": "Gunakan sebuah server identitias",
|
||||
|
@ -155,8 +149,6 @@
|
|||
"Failed to invite": "Gagal untuk mengundang",
|
||||
"Moderator": "Moderator",
|
||||
"Restricted": "Dibatasi",
|
||||
"Sign In or Create Account": "Masuk atau Buat Akun",
|
||||
"Use your account or create a new one to continue.": "Gunakan akun Anda atau buat akun baru untuk lanjut.",
|
||||
"Zimbabwe": "Zimbabwe",
|
||||
"Zambia": "Zambia",
|
||||
"Yemen": "Yaman",
|
||||
|
@ -466,13 +458,11 @@
|
|||
"Removing…": "Menghilangkan…",
|
||||
"Suggested": "Disarankan",
|
||||
"Resume": "Lanjutkan",
|
||||
"Comment": "Komentar",
|
||||
"Information": "Informasi",
|
||||
"Widgets": "Widget",
|
||||
"Favourited": "Difavorit",
|
||||
"ready": "siap",
|
||||
"Algorithm:": "Algoritma:",
|
||||
"Feedback": "Masukan",
|
||||
"Unencrypted": "Tidak Dienkripsi",
|
||||
"Bridges": "Jembatan",
|
||||
"exists": "sudah ada",
|
||||
|
@ -651,7 +641,6 @@
|
|||
"Confirm passphrase": "Konfirmasi frasa sandi",
|
||||
"Enter passphrase": "Masukkan frasa sandi",
|
||||
"Unknown error": "Kesalahan tidak diketahui",
|
||||
"Incorrect password": "Kata sandi salah",
|
||||
"New Password": "Kata sandi baru",
|
||||
"Show:": "Tampilkan:",
|
||||
"Results": "Hasil",
|
||||
|
@ -676,28 +665,6 @@
|
|||
"Spaces": "Space",
|
||||
"Connecting": "Menghubungkan",
|
||||
"Hey you. You're the best!": "Hei kamu. Kamu adalah yang terbaik!",
|
||||
"See when a sticker is posted in this room": "Lihat saat sebuah stiker telah dikirim ke ruangan ini",
|
||||
"Send stickers to this room as you": "Kirim stiker ke ruangan ini sebagai Anda",
|
||||
"See when people join, leave, or are invited to your active room": "Lihat saat orang-orang bergabung, keluar, atau diundang dengan ruangan aktif Anda",
|
||||
"See when people join, leave, or are invited to this room": "Lihat saat orang-orang bergabung, keluar, atau diundang dengan ruangan ini",
|
||||
"See when the avatar changes in your active room": "Lihat saat avatarnya diubah di ruangan aktif Anda",
|
||||
"Change the avatar of your active room": "Ubah avatar ruangan aktif Anda",
|
||||
"See when the avatar changes in this room": "Lihat saat avatarnya diubah di ruangan ini",
|
||||
"Change the avatar of this room": "Ubah avatar ruangan ini",
|
||||
"See when the name changes in your active room": "Lihat saat namanya diubah di ruangan aktif Anda",
|
||||
"Change the name of your active room": "Ubah nama ruangan aktif Anda",
|
||||
"See when the name changes in this room": "Lihat saat namanya diubah di ruangan ini",
|
||||
"Change the name of this room": "Ubah nama ruangan ini",
|
||||
"See when the topic changes in your active room": "Lihat saat topiknya diubah di ruangan aktif Anda",
|
||||
"Change the topic of your active room": "Ubah topik ruangan aktif Anda",
|
||||
"See when the topic changes in this room": "Lihat saat topiknya diubah di ruangan ini",
|
||||
"Change the topic of this room": "Ubah topik ruangan ini",
|
||||
"Change which room, message, or user you're viewing": "Ubah ruangan, pesan, atau pengguna apa saja yang Anda lihat",
|
||||
"Change which room you're viewing": "Ubah ruangan apa yang Anda lihat",
|
||||
"Send stickers into your active room": "Kirim stiker ke ruangan aktif Anda",
|
||||
"Send stickers into this room": "Kirim stiker ke ruangan ini",
|
||||
"Remain on your screen while running": "Tetap di layar Anda saat berjalan",
|
||||
"Remain on your screen when viewing another room, when running": "Tetap di layar Anda saat melihat ruangan yang lain, saat berjalan",
|
||||
"Light high contrast": "Kontras tinggi terang",
|
||||
"Error upgrading room": "Gagal meningkatkan ruangan",
|
||||
"Short keyboard patterns are easy to guess": "Pola keyboard yang pendek mudah ditebak",
|
||||
|
@ -756,45 +723,6 @@
|
|||
"Your %(brand)s is misconfigured": "%(brand)s Anda telah diatur dengan salah",
|
||||
"Ensure you have a stable internet connection, or get in touch with the server admin": "Pastikan Anda punya koneksi internet yang stabil, atau hubungi admin servernya",
|
||||
"Cannot reach homeserver": "Tidak dapat mencapai homeserver",
|
||||
"See <b>%(msgtype)s</b> messages posted to your active room": "Lihat pesan <b>%(msgtype)s</b> yang terkirim ke ruangan aktif Anda",
|
||||
"See <b>%(msgtype)s</b> messages posted to this room": "Lihat pesan <b>%(msgtype)s</b> yang terkirim ke ruangan ini",
|
||||
"Send <b>%(msgtype)s</b> messages as you in your active room": "Kirim pesan <b>%(msgtype)s</b> sebagai Anda di ruangan aktif Anda",
|
||||
"Send <b>%(msgtype)s</b> messages as you in this room": "Kirim pesan <b>%(msgtype)s</b> sebagai Anda di ruangan ini",
|
||||
"See general files posted to your active room": "Lihat file umum yang terkirim ke ruangan aktif Anda",
|
||||
"See general files posted to this room": "Lihat file umum yang terkirim ke ruangan ini",
|
||||
"Send general files as you in your active room": "Kirim file umum sebagai Anda di ruangan aktif Anda",
|
||||
"Send general files as you in this room": "Kirim file umum sebagai Anda di ruangan ini",
|
||||
"See videos posted to your active room": "Lihat video yang terkirim ke ruangan aktif Anda",
|
||||
"See videos posted to this room": "Lihat video yang terkirim ke ruangan ini",
|
||||
"Send videos as you in your active room": "Kirim video sebagai Anda di ruangan aktif Anda",
|
||||
"Send videos as you in this room": "Kirim video sebagai Anda di ruangan ini",
|
||||
"See images posted to your active room": "Lihat gambar terkirim ke ruangan aktif Anda",
|
||||
"See images posted to this room": "Lihat gambar yang terkirim ke ruangan ini",
|
||||
"Send images as you in your active room": "Kirim gambar sebagai Anda di ruangan aktif Anda",
|
||||
"Send images as you in this room": "Kirim gambar sebagai Anda di ruangan ini",
|
||||
"See emotes posted to your active room": "Lihat emot terkirim ke ruangan aktif Anda",
|
||||
"See emotes posted to this room": "Lihat emot yang terkirim ke ruangan ini",
|
||||
"Send emotes as you in your active room": "Kirim emot sebagai Anda di ruangan aktif Anda",
|
||||
"Send emotes as you in this room": "Kirim emot sebagai Anda di ruangan ini",
|
||||
"See text messages posted to your active room": "Lihat pesan teks yang terkirim ke ruangan aktif Anda",
|
||||
"See text messages posted to this room": "Lihat pesan teks yang terkirim ke ruangan ini",
|
||||
"Send text messages as you in your active room": "Kirim pesan teks sebagai Anda di ruangan aktif Anda",
|
||||
"Send text messages as you in this room": "Kirim pesan teks sebagai Anda di ruangan ini",
|
||||
"See messages posted to your active room": "Lihat pesan yang terkirim ke ruangan aktif Anda",
|
||||
"See messages posted to this room": "Lihat pesan yang terkirim ke ruangan ini",
|
||||
"with state key %(stateKey)s": "dengan kunci status %(stateKey)s",
|
||||
"with an empty state key": "dengan kunci status kosong",
|
||||
"The <b>%(capability)s</b> capability": "Kemampuan <b>%(capability)s</b>",
|
||||
"Send <b>%(eventType)s</b> events as you in your active room": "Kirim peristiwa <b>%(eventType)s</b> sebagai Anda di ruangan aktif Anda",
|
||||
"Send <b>%(eventType)s</b> events as you in this room": "Kirim peristiwa <b>%(eventType)s</b> sebagai Anda di ruangan ini",
|
||||
"Send messages as you in your active room": "Kirim pesan sebagai Anda di ruangan aktif Anda",
|
||||
"Send messages as you in this room": "Kirim pesan sebagai Anda di ruangan ini",
|
||||
"See <b>%(eventType)s</b> events posted to your active room": "Lihat peristiwa <b>%(eventType)s</b> yang terkirim ke ruangan aktif Anda",
|
||||
"See <b>%(eventType)s</b> events posted to this room": "Lihat peristiwa <b>%(eventType)s</b> yang terkirim ke ruangan ini",
|
||||
"The above, but in <Room /> as well": "Yang di atas, tetapi di <Room /> juga",
|
||||
"The above, but in any room you are joined or invited to as well": "Yang di atas, tetapi di ruangan apa saja dan Anda bergabung atau diundang juga",
|
||||
"See when anyone posts a sticker to your active room": "Lihat saat seseorang mengirimkan sebuah stiker ke ruangan aktif Anda",
|
||||
"Send stickers to your active room as you": "Kirim stiker ke ruangan aktif Anda sebagai Anda",
|
||||
"Disconnect from the identity server <idserver />?": "Putuskan hubungan dari server identitas <idserver />?",
|
||||
"Disconnect identity server": "Putuskan hubungan server identitas",
|
||||
"The identity server you have chosen does not have any terms of service.": "Server identitas yang Anda pilih tidak memiliki persyaratan layanan.",
|
||||
|
@ -974,8 +902,6 @@
|
|||
"Enable message search in encrypted rooms": "Aktifkan pencarian pesan di ruangan terenkripsi",
|
||||
"Show hidden events in timeline": "Tampilkan peristiwa tersembunyi di lini masa",
|
||||
"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 for this room (only affects you)": "Aktifkan tampilan URL secara bawaan (hanya memengaruhi Anda)",
|
||||
"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",
|
||||
"Send analytics data": "Kirim data analitik",
|
||||
|
@ -1432,23 +1358,7 @@
|
|||
"Public space": "Space publik",
|
||||
"Private space (invite only)": "Space pribadi (undangan saja)",
|
||||
"Space visibility": "Visibilitas space",
|
||||
"Block anyone not part of %(serverName)s from ever joining this room.": "Blokir siapa saja yang bukan bagian dari %(serverName)s untuk bergabung dengan ruangan ini.",
|
||||
"Visible to space members": "Dapat dilihat oleh anggota space",
|
||||
"Public room": "Ruangan publik",
|
||||
"Private room (invite only)": "Ruangan privat (undangan saja)",
|
||||
"Room visibility": "Visibilitas ruangan",
|
||||
"Topic (optional)": "Topik (opsional)",
|
||||
"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.": "Anda mungkin menonaktifkannya jika ruangan ini akan digunakan untuk berkolabroasi dengan tim eksternal yang mempunyai homeserver sendiri. Ini tidak dapat diubah nanti.",
|
||||
"You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "Anda mungkin aktifkan jika ruangan ini hanya digunakan untuk berkolabroasi dengan tim internal di homeserver Anda. Ini tidak dapat diubah nanti.",
|
||||
"Enable end-to-end encryption": "Aktifkan enkripsi ujung ke ujung",
|
||||
"Your server requires encryption to be enabled in private rooms.": "Server Anda memerlukan mengaktifkan enkripsi di ruangan privat.",
|
||||
"You can't disable this later. Bridges & most bots won't work yet.": "Anda tidak dapat menonaktifkannya nanti. Jembatan & kebanyakan bot belum dapat digunakan.",
|
||||
"Anyone will be able to find and join this room.": "Siapa saja dapat menemukan dan bergabung dengan ruangan ini.",
|
||||
"Only people invited will be able to find and join this room.": "Hanya orang-orang yang diundang dapat menemukan dan bergabung dengan ruangan ini.",
|
||||
"Anyone will be able to find and join this room, not just members of <SpaceName/>.": "Siapa saja dapat menemukan dan bergabung dengan ruangan ini, tidak hanya anggota dari <SpaceName/>.",
|
||||
"You can change this at any time from room settings.": "Anda dapat mengubahnya kapan saja dari pengaturan ruangan.",
|
||||
"Everyone in <SpaceName/> will be able to find and join this room.": "Semuanya di <SpaceName/> dapat menemukan dan bergabung ruangan ini.",
|
||||
"Please enter a name for the room": "Mohon masukkan sebuah nama untuk ruangan",
|
||||
"Clear all data": "Hapus semua data",
|
||||
"Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "Menghapus semua data dari sesi ini itu permanen. Pesan-pesan terenkripsi akan hilang kecuali jika kunci-kuncinya telah dicadangkan.",
|
||||
"Clear all data in this session?": "Hapus semua data di sesi ini?",
|
||||
|
@ -1545,15 +1455,7 @@
|
|||
"Your display name": "Nama tampilan Anda",
|
||||
"Any of the following data may be shared:": "Data berikut ini mungkin dibagikan:",
|
||||
"Cancel search": "Batalkan pencarian",
|
||||
"Other homeserver": "Homeserver lainnya",
|
||||
"You'll upgrade this room from <oldVersion /> to <newVersion />.": "Anda akan meningkatkan ruangan ini dari <oldVersion /> ke <newVersion />.",
|
||||
"Use your preferred Matrix homeserver if you have one, or host your own.": "Gunakan homeserver Matrix yang Anda inginkan jika Anda punya satu, atau host sendiri.",
|
||||
"We call the places where you can host your account 'homeservers'.": "Kami memanggil tempat-tempat yang Anda dapat menghost akun Anda sebagai 'homeserver'.",
|
||||
"Sign into your homeserver": "Masuk ke homeserver Anda",
|
||||
"Matrix.org is the biggest public homeserver in the world, so it's a good place for many.": "Matrix.org adalah homeserver publik terbesar di dunia, jadi itu adalah tempat yang bagus untuk banyak orang.",
|
||||
"Specify a homeserver": "Tentukan sebuah homeserver",
|
||||
"Invalid URL": "URL tidak absah",
|
||||
"Unable to validate homeserver": "Tidak dapat memvalidasi homeserver",
|
||||
"Recent changes that have not yet been received": "Perubahan terbaru yang belum diterima",
|
||||
"The server is not configured to indicate what the problem is (CORS).": "Server tidak diatur untuk menandakan apa masalahnya (CORS).",
|
||||
"A connection error occurred while trying to contact the server.": "Sebuah kesalahan koneksi terjadi ketika mencoba untuk menghubungi server.",
|
||||
|
@ -1586,28 +1488,15 @@
|
|||
"Just a heads up, if you don't add an email and forget your password, you could <b>permanently lose access to your account</b>.": "Sekadar mengingatkan saja, jika Anda belum menambahkan sebuah email dan Anda lupa kata sandi, Anda mungkin <b>dapat kehilangan akses ke akun Anda</b>.",
|
||||
"Terms of Service": "Persyaratan Layanan",
|
||||
"You may contact me if you have any follow up questions": "Anda mungkin menghubungi saya jika Anda mempunyai pertanyaan lanjutan",
|
||||
"Your platform and username will be noted to help us use your feedback as much as we can.": "Platform dan nama pengguna Anda akan dicatat untuk membantu kami menggunakan masukan Anda sebanyak yang kita bisa.",
|
||||
"Search for rooms or people": "Cari ruangan atau orang",
|
||||
"Message preview": "Tampilan pesan",
|
||||
"You don't have permission to do this": "Anda tidak memiliki izin untuk melakukannya",
|
||||
"Send feedback": "Kirimkan masukan",
|
||||
"Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.": "Mohon lihat <existingIssuesLink>bug yang sudah ada di GitHub</existingIssuesLink> dahulu. Tidak ada? <newIssueLink>Buat yang baru</newIssueLink>.",
|
||||
"PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "Jika Anda membuat issue, silakan kirimkan <debugLogsLink>log pengawakutu</debugLogsLink> untuk membantu kami menemukan masalahnya.",
|
||||
"Feedback sent": "Masukan terkirim",
|
||||
"Unable to query secret storage status": "Tidak dapat menanyakan status penyimpanan rahasia",
|
||||
"Someone already has that username, please try another.": "Seseorang sudah memiliki nama pengguna itu, mohon coba yang lain.",
|
||||
"This server does not support authentication with a phone number.": "Server ini tidak mendukung autentikasi dengan sebuah nomor telepon.",
|
||||
"Registration has been disabled on this homeserver.": "Pendaftaran telah dinonaktifkan di homeserver ini.",
|
||||
"Unable to query for supported registration methods.": "Tidak dapat menanyakan metode pendaftaran yang didukung.",
|
||||
"New? <a>Create account</a>": "Baru? <a>Buat akun</a>",
|
||||
"If you've joined lots of rooms, this might take a while": "Jika Anda bergabung dengan banyak ruangan, ini mungkin membutuhkan beberapa waktu",
|
||||
"There was a problem communicating with the homeserver, please try again later.": "Terjadi sebuah masalah berkomunikasi dengan homeservernya, coba lagi nanti.",
|
||||
"Failed to perform homeserver discovery": "Gagal untuk melakukan penemuan homeserver",
|
||||
"Please note you are logging into the %(hs)s server, not matrix.org.": "Mohon dicatat Anda akan masuk ke server %(hs)s, bukan matrix.org.",
|
||||
"Incorrect username and/or password.": "Username dan/atau kata sandi salah.",
|
||||
"This account has been deactivated.": "Akun ini telah dinonaktifkan.",
|
||||
"Please <a>contact your service administrator</a> to continue using this service.": "Mohon <a>hubungi administrator layanan Anda</a> untuk melanjutkan menggunakan layanannya.",
|
||||
"This homeserver does not support login using email address.": "Homeserver ini tidak mendukung login menggunakan alamat email.",
|
||||
"Identity server URL does not appear to be a valid identity server": "URL server identitas terlihat bukan sebagai server identitas yang absah",
|
||||
"Invalid base_url for m.identity_server": "base_url tidak absah untuk m.identity_server",
|
||||
"Invalid identity server discovery response": "Respons penemuan server identitas tidak absah",
|
||||
|
@ -1617,8 +1506,6 @@
|
|||
"Invalid homeserver discovery response": "Respons penemuan homeserver tidak absah",
|
||||
"Your password has been reset.": "Kata sandi Anda telah diatur ulang.",
|
||||
"New passwords must match each other.": "Kata sandi baru harus cocok.",
|
||||
"The email address doesn't appear to be valid.": "Alamat email ini tidak terlihat absah.",
|
||||
"The email address linked to your account must be entered.": "Alamat email yang tertaut ke akun Anda harus dimasukkan.",
|
||||
"Skip verification for now": "Lewatkan verifikasi untuk sementara",
|
||||
"Really reset verification keys?": "Benar-benar ingin mengatur ulang kunci-kunci verifikasi?",
|
||||
"Original event source": "Sumber peristiwa asli",
|
||||
|
@ -1632,8 +1519,6 @@
|
|||
"Switch to dark mode": "Ubah ke mode gelap",
|
||||
"Switch to light mode": "Ubah ke mode terang",
|
||||
"All settings": "Semua pengaturan",
|
||||
"New here? <a>Create an account</a>": "Baru di sini? <a>Buat sebuah akun</a>",
|
||||
"Got an account? <a>Sign in</a>": "Punya sebuah akun? <a>Masuk</a>",
|
||||
"Uploading %(filename)s and %(count)s others": {
|
||||
"one": "Mengunggah %(filename)s dan %(count)s lainnya",
|
||||
"other": "Mengunggah %(filename)s dan %(count)s lainnya"
|
||||
|
@ -1848,13 +1733,7 @@
|
|||
"Notify the whole room": "Beri tahu seluruh ruangan",
|
||||
"Command Autocomplete": "Penyelesaian Perintah Otomatis",
|
||||
"Clear personal data": "Hapus data personal",
|
||||
"You're signed out": "Anda dikeluarkan",
|
||||
"You cannot sign in to your account. Please contact your homeserver admin for more information.": "Anda tidak dapat masuk ke akun Anda. Mohon hubungi admin homeserver untuk informasi lanjut.",
|
||||
"Enter your password to sign in and regain access to your account.": "Masukkan kata sandi Anda untuk masuk dan mendapatkan kembali akses ke akun Anda.",
|
||||
"Sign in and regain access to your account.": "Masuk dan dapatkan kembali akses ke akun Anda.",
|
||||
"Forgotten your password?": "Lupa kata sandi Anda?",
|
||||
"Regain access to your account and recover encryption keys stored in this session. Without them, you won't be able to read all of your secure messages in any session.": "Dapatkan kembali akses ke akun Anda dan pulihkan kunci enkripsi yang disimpan dalam sesi ini. Tanpa mereka, Anda tidak akan dapat membaca semua pesan aman Anda di sesi mana saja.",
|
||||
"Failed to re-authenticate": "Gagal untuk mengautentikasi ulang",
|
||||
"Failed to re-authenticate due to a homeserver problem": "Gagal untuk mengautentikasi ulang karena masalah homeserver",
|
||||
"Resetting your verification keys cannot be undone. After resetting, you won't have access to old encrypted messages, and any friends who have previously verified you will see security warnings until you re-verify with them.": "Mengatur ulang kunci verifikasi Anda tidak dapat dibatalkan. Setelah mengatur ulang, Anda tidak akan memiliki akses ke pesan terenkripsi lama, dan semua orang yang sebelumnya telah memverifikasi Anda akan melihat peringatan keamanan sampai Anda memverifikasi ulang dengan mereka.",
|
||||
"I'll verify later": "Saya verifikasi nanti",
|
||||
|
@ -1902,7 +1781,6 @@
|
|||
"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": "Jika Anda ingin, dicatat bahwa pesan-pesan Anda tidak dihapus, tetapi pengalaman pencarian mungkin terdegradasi untuk beberapa saat indeksnya sedang dibuat ulang",
|
||||
"You most likely do not want to reset your event index store": "Kemungkinan besar Anda tidak ingin mengatur ulang penyimpanan indeks peristiwa Anda",
|
||||
"Reset event store?": "Atur ulang penyimanan peristiwa?",
|
||||
"About homeservers": "Tentang homeserver",
|
||||
"Continuing without email": "Melanjutkan tanpa email",
|
||||
"Data on this screen is shared with %(widgetDomain)s": "Data di layar ini dibagikan dengan %(widgetDomain)s",
|
||||
"Modal Widget": "Widget Modal",
|
||||
|
@ -2054,7 +1932,6 @@
|
|||
"Quick settings": "Pengaturan cepat",
|
||||
"Spaces you know that contain this space": "Space yang Anda tahu yang berisi space ini",
|
||||
"Chat": "Obrolan",
|
||||
"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",
|
||||
"%(spaceName)s menu": "Menu %(spaceName)s",
|
||||
"Join public room": "Bergabung dengan ruangan publik",
|
||||
|
@ -2120,10 +1997,7 @@
|
|||
"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:",
|
||||
"Expand map": "Buka peta",
|
||||
"Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Pasangan tidak diketahui (pengguna, sesi): (%(userId)s, %(deviceId)s)",
|
||||
"Command failed: Unable to find room (%(roomId)s": "Perintah gagal: Tidak dapat menemukan ruangan (%(roomId)s)",
|
||||
"Unrecognised room address: %(roomAlias)s": "Alamat ruangan tidak dikenal: %(roomAlias)s",
|
||||
"Command error: Unable to find rendering type (%(renderingType)s)": "Kesalahan perintah: Tidak dapat menemukan tipe render (%(renderingType)s)",
|
||||
"Command error: Unable to handle slash command.": "Kesalahan perintah: Tidak dapat menangani perintah slash.",
|
||||
"Unknown error fetching location. Please try again later.": "Kesalahan yang tidak ketahui terjadi saat mendapatkan lokasi. Silakan coba lagi nanti.",
|
||||
"Timed out trying to fetch your location. Please try again later.": "Waktu habis dalam mendapatkan lokasi Anda. Silakan coba lagi nanti.",
|
||||
"Failed to fetch your location. Please try again later.": "Gagal untuk mendapatkan lokasi Anda. Silakan coba lagi nanti.",
|
||||
|
@ -2136,16 +2010,10 @@
|
|||
"Failed to remove user": "Gagal untuk mengeluarkan pengguna",
|
||||
"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, 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",
|
||||
"Message pending moderation: %(reason)s": "Pesan akan dimoderasikan: %(reason)s",
|
||||
"Message pending moderation": "Pesan akan dimoderasikan",
|
||||
"Keyboard": "Keyboard",
|
||||
"Space home": "Beranda space",
|
||||
"You can't see earlier messages": "Anda tidak dapat melihat pesan-pesan awal",
|
||||
"Encrypted messages before this point are unavailable.": "Pesan-pesan terenkripsi sebelum titik ini tidak tersedia.",
|
||||
"You don't have permission to view messages from before you joined.": "Anda tidak memiliki izin untuk melihat pesan-pesan sebelum Anda bergabung.",
|
||||
"You don't have permission to view messages from before you were invited.": "Anda tidak memiliki izin untuk melihat pesan-pesan sebelum Anda diundang.",
|
||||
"Internal room ID": "ID ruangan internal",
|
||||
"Group all your people in one place.": "Kelompokkan semua orang di satu tempat.",
|
||||
"Group all your rooms that aren't part of a space in one place.": "Kelompokkan semua ruangan yang tidak ada di sebuah space di satu tempat.",
|
||||
|
@ -2361,7 +2229,6 @@
|
|||
"Show spaces": "Tampilkan space",
|
||||
"Show rooms": "Tampilkan ruangan",
|
||||
"Explore public spaces in the new search dialog": "Jelajahi space publik di dialog pencarian baru",
|
||||
"You can't disable this later. The room will be encrypted but the embedded call will not.": "Anda tidak menonaktifkan ini nanti. Ruangannya akan terenkripsi tetapi panggilan yang tersemat tidak.",
|
||||
"Join the room to participate": "Bergabung dengan ruangan ini untuk berpartisipasi",
|
||||
"Reset bearing to north": "Atur ulang bantalan ke utara",
|
||||
"Mapbox logo": "Logo Mapbox",
|
||||
|
@ -2540,7 +2407,6 @@
|
|||
"Automatic gain control": "Kendali suara otomatis",
|
||||
"When enabled, the other party might be able to see your IP address": "Ketika diaktifkan, pihak lain mungkin dapat melihat alamat IP Anda",
|
||||
"Go live": "Mulai siaran langsung",
|
||||
"That e-mail address or phone number is already in use.": "Alamat e-mail atau nomor telepon itu sudah digunakan.",
|
||||
"Allow Peer-to-Peer for 1:1 calls": "Perbolehkan Peer-to-Peer untuk panggilan 1:1",
|
||||
"This means that you have all the keys needed to unlock your encrypted messages and confirm to other users that you trust this session.": "Ini berarti bahwa Anda memiliki semua kunci yang dibutuhkan untuk membuka pesan terenkripsi Anda dan mengonfirmasi ke pengguna lain bahwa Anda mempercayai sesi ini.",
|
||||
"Verified sessions are anywhere you are using this account after entering your passphrase or confirming your identity with another verified session.": "Sesi terverifikasi bisa dari menggunakan akun ini setelah memasukkan frasa sandi atau mengonfirmasi identitas Anda dengan sesi terverifikasi lain.",
|
||||
|
@ -2548,13 +2414,7 @@
|
|||
"Hide details": "Sembunyikan detail",
|
||||
"30s forward": "30d selanjutnya",
|
||||
"30s backward": "30d sebelumnya",
|
||||
"Verify your email to continue": "Verifikasi email Anda untuk melanjutkan",
|
||||
"<b>%(homeserver)s</b> will send you a verification link to let you reset your password.": "<b>%(homeserver)s</b> akan mengirim Anda sebuah tautan verifikasi untuk memperbolehkan Anda untuk mengatur ulang kata sandi Anda.",
|
||||
"Enter your email to reset password": "Masukkan email Anda untuk mengatur ulang kata sandi",
|
||||
"Verification link email resent!": "Email tautan verifikasi dikirim ulang!",
|
||||
"Send email": "Kirim email",
|
||||
"Did not receive it?": "Tidak menerimanya?",
|
||||
"Follow the instructions sent to <b>%(email)s</b>": "Ikuti petunjuk yang dikirim ke <b>%(email)s</b>",
|
||||
"Sign out of all devices": "Keluarkan semua perangkat",
|
||||
"Confirm new password": "Konfirmasi kata sandi baru",
|
||||
"Too many attempts in a short time. Retry after %(timeout)s.": "Terlalu banyak upaya dalam waktu yang singkat. Coba lagi setelah %(timeout)s.",
|
||||
|
@ -2573,9 +2433,6 @@
|
|||
"Low bandwidth mode": "Mode bandwidth rendah",
|
||||
"You have unverified sessions": "Anda memiliki sesi yang belum diverifikasi",
|
||||
"Change layout": "Ubah tata letak",
|
||||
"Sign in instead": "Masuk saja",
|
||||
"Re-enter email address": "Masukkan ulang alamat email",
|
||||
"Wrong email address?": "Alamat email salah?",
|
||||
"This session doesn't support encryption and thus can't be verified.": "Sesi ini tidak mendukung enkripsi dan tidak dapat diverifikasi.",
|
||||
"For best security and privacy, it is recommended to use Matrix clients that support encryption.": "Untuk keamanan dan privasi yang terbaik, kami merekomendasikan menggunakan klien Matrix yang mendukung enkripsi.",
|
||||
"You won't be able to participate in rooms where encryption is enabled when using this session.": "Anda tidak akan dapat berpartisipasi dalam ruangan di mana enkripsi diaktifkan ketika menggunakan sesi ini.",
|
||||
|
@ -2603,7 +2460,6 @@
|
|||
"Your current session is ready for secure messaging.": "Sesi Anda saat ini siap untuk perpesanan aman.",
|
||||
"Text": "Teks",
|
||||
"Create a link": "Buat sebuah tautan",
|
||||
"Force 15s voice broadcast chunk length": "Paksakan panjang bagian siaran suara 15d",
|
||||
"Sign out of %(count)s sessions": {
|
||||
"one": "Keluar dari %(count)s sesi",
|
||||
"other": "Keluar dari %(count)s sesi"
|
||||
|
@ -2638,7 +2494,6 @@
|
|||
"Declining…": "Menolak…",
|
||||
"There are no past polls in this room": "Tidak ada pemungutan suara sebelumnya di ruangan ini",
|
||||
"There are no active polls in this room": "Tidak ada pemungutan suara yang aktif di ruangan ini",
|
||||
"We need to know it’s you before resetting your password. Click the link in the email we just sent to <b>%(email)s</b>": "Kami harus tahu bahwa itu Anda sebelum mengatur ulang kata sandi Anda. Klik tautan dalam email yang kami sudah kirim ke <b>%(email)s</b>",
|
||||
"Warning: your personal data (including encryption keys) is still stored in this session. Clear it if you're finished using this session, or want to sign in to another account.": "Peringatan: Data personal Anda (termasuk kunci enkripsi) masih disimpan di sesi ini. Hapus jika Anda selesai menggunakan sesi ini, atau jika ingin masuk ke akun yang lain.",
|
||||
"Scan QR code": "Pindai kode QR",
|
||||
"Select '%(scanQRCode)s'": "Pilih '%(scanQRCode)s'",
|
||||
|
@ -2649,8 +2504,6 @@
|
|||
"Unable to connect to Homeserver. Retrying…": "Tidak dapat menghubungkan ke Homeserver. Mencoba ulang…",
|
||||
"Starting backup…": "Memulai pencadangan…",
|
||||
"Please only proceed if you're sure you've lost all of your other devices and your Security Key.": "Hanya lanjutkan jika Anda yakin Anda telah kehilangan semua perangkat lainnya dan kunci keamanan Anda.",
|
||||
"Signing In…": "Memasuki…",
|
||||
"Syncing…": "Menyinkronkan…",
|
||||
"Inviting…": "Mengundang…",
|
||||
"Creating rooms…": "Membuat ruangan…",
|
||||
"Keep going…": "Lanjutkan…",
|
||||
|
@ -2706,7 +2559,6 @@
|
|||
"Once everyone has joined, you’ll be able to chat": "Setelah semuanya bergabung, Anda akan dapat mengobrol",
|
||||
"Invites by email can only be sent one at a time": "Undangan lewat surel hanya dapat dikirim satu-satu",
|
||||
"An error occurred when updating your notification preferences. Please try to toggle your option again.": "Sebuah kesalahan terjadi saat memperbarui preferensi notifikasi Anda. Silakan coba mengubah opsi Anda lagi.",
|
||||
"Use your account to continue.": "Gunakan akun Anda untuk melanjutkan.",
|
||||
"Desktop app logo": "Logo aplikasi desktop",
|
||||
"Log out and back in to disable": "Keluar dan masuk kembali ke akun untuk menonaktifkan",
|
||||
"Can currently only be enabled via config.json": "Saat ini hanya dapat diaktifkan melalui config.json",
|
||||
|
@ -2757,7 +2609,6 @@
|
|||
"Are you sure you wish to remove (delete) this event?": "Apakah Anda yakin ingin menghilangkan (menghapus) peristiwa ini?",
|
||||
"Note that removing room changes like this could undo the change.": "Diingat bahwa menghilangkan perubahan ruangan dapat mengurungkan perubahannya.",
|
||||
"User is not logged in": "Pengguna belum masuk",
|
||||
"Enable new native OIDC flows (Under active development)": "Aktifkan alur OIDC native baru (Dalam pengembangan aktif)",
|
||||
"Alternatively, you can try to use the public server at <server/>, but this will not be as reliable, and it will share your IP address with that server. You can also manage this in Settings.": "Secara alternatif, Anda dapat menggunakan server publik di <server/>, tetapi ini tidak akan selalu tersedia, dan akan membagikan alamat IP Anda dengan server itu. Anda juga dapat mengelola ini di Pengaturan.",
|
||||
"Ask to join": "Bertanya untuk bergabung",
|
||||
"People cannot join unless access is granted.": "Orang-orang tidak dapat bergabung kecuali diberikan akses.",
|
||||
|
@ -2793,13 +2644,9 @@
|
|||
"Notify when someone mentions using @displayname or %(mxid)s": "Beri tahu ketika seseorang memberi tahu menggunakan @namatampilan atau %(mxid)s",
|
||||
"Unable to find user by email": "Tidak dapat mencari pengguna dengan surel",
|
||||
"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.": "Pesan-pesan di ruangan ini dienkripsi secara ujung ke ujung. Ketika orang-orang bergabung, Anda dapat memverifikasi mereka di profil mereka dengan mengetuk pada foto profil mereka.",
|
||||
"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",
|
||||
"Something went wrong.": "Ada sesuatu yang salah.",
|
||||
"User cannot be invited until they are unbanned": "Pengguna tidak dapat diundang sampai dibatalkan cekalannya",
|
||||
"Views room with given address": "Menampilkan ruangan dengan alamat yang ditentukan",
|
||||
"Notification Settings": "Pengaturan Notifikasi",
|
||||
"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.",
|
||||
"Great! This passphrase looks strong enough": "Hebat! Frasa keamanan ini kelihatannya kuat",
|
||||
"Other spaces you know": "Space lainnya yang Anda tahu",
|
||||
|
@ -2910,7 +2757,8 @@
|
|||
"cross_signing": "Penandatanganan silang",
|
||||
"identity_server": "Server identitas",
|
||||
"integration_manager": "Manajer integrasi",
|
||||
"qr_code": "Kode QR"
|
||||
"qr_code": "Kode QR",
|
||||
"feedback": "Masukan"
|
||||
},
|
||||
"action": {
|
||||
"continue": "Lanjut",
|
||||
|
@ -3084,7 +2932,10 @@
|
|||
"leave_beta_reload": "Meninggalkan beta akan memuat ulang %(brand)s.",
|
||||
"join_beta_reload": "Bergabung dengan beta akan memuat ulang %(brand)s.",
|
||||
"leave_beta": "Tinggalkan beta",
|
||||
"join_beta": "Bergabung dengan beta"
|
||||
"join_beta": "Bergabung dengan beta",
|
||||
"notification_settings_beta_title": "Pengaturan Notifikasi",
|
||||
"voice_broadcast_force_small_chunks": "Paksakan panjang bagian siaran suara 15d",
|
||||
"oidc_native_flow": "Aktifkan alur OIDC native baru (Dalam pengembangan aktif)"
|
||||
},
|
||||
"keyboard": {
|
||||
"home": "Beranda",
|
||||
|
@ -3372,7 +3223,9 @@
|
|||
"timeline_image_size": "Ukuran gambar di lini masa",
|
||||
"timeline_image_size_default": "Bawaan",
|
||||
"timeline_image_size_large": "Besar"
|
||||
}
|
||||
},
|
||||
"inline_url_previews_room_account": "Aktifkan tampilan URL secara bawaan (hanya memengaruhi Anda)",
|
||||
"inline_url_previews_room": "Aktifkan tampilan URL secara bawaan untuk anggota di ruangan ini"
|
||||
},
|
||||
"devtools": {
|
||||
"send_custom_account_data_event": "Kirim peristiwa data akun kustom",
|
||||
|
@ -3531,7 +3384,25 @@
|
|||
"title_public_room": "Buat sebuah ruangan publik",
|
||||
"title_private_room": "Buat sebuah ruangan privat",
|
||||
"action_create_video_room": "Buat ruangan video",
|
||||
"action_create_room": "Buat ruangan"
|
||||
"action_create_room": "Buat ruangan",
|
||||
"name_validation_required": "Mohon masukkan sebuah nama untuk ruangan",
|
||||
"join_rule_restricted_label": "Semuanya di <SpaceName/> dapat menemukan dan bergabung ruangan ini.",
|
||||
"join_rule_change_notice": "Anda dapat mengubahnya kapan saja dari pengaturan ruangan.",
|
||||
"join_rule_public_parent_space_label": "Siapa saja dapat menemukan dan bergabung dengan ruangan ini, tidak hanya anggota dari <SpaceName/>.",
|
||||
"join_rule_public_label": "Siapa saja dapat menemukan dan bergabung dengan ruangan ini.",
|
||||
"join_rule_invite_label": "Hanya orang-orang yang diundang dapat menemukan dan bergabung dengan ruangan ini.",
|
||||
"join_rule_knock_label": "Siapa pun dapat meminta untuk bergabung, tetapi admin atau administrator perlu memberikan akses. Anda dapat mengubah ini nanti.",
|
||||
"encrypted_video_room_warning": "Anda tidak menonaktifkan ini nanti. Ruangannya akan terenkripsi tetapi panggilan yang tersemat tidak.",
|
||||
"encrypted_warning": "Anda tidak dapat menonaktifkannya nanti. Jembatan & kebanyakan bot belum dapat digunakan.",
|
||||
"encryption_forced": "Server Anda memerlukan mengaktifkan enkripsi di ruangan privat.",
|
||||
"encryption_label": "Aktifkan enkripsi ujung ke ujung",
|
||||
"unfederated_label_default_off": "Anda mungkin aktifkan jika ruangan ini hanya digunakan untuk berkolabroasi dengan tim internal di homeserver Anda. Ini tidak dapat diubah nanti.",
|
||||
"unfederated_label_default_on": "Anda mungkin menonaktifkannya jika ruangan ini akan digunakan untuk berkolabroasi dengan tim eksternal yang mempunyai homeserver sendiri. Ini tidak dapat diubah nanti.",
|
||||
"topic_label": "Topik (opsional)",
|
||||
"room_visibility_label": "Visibilitas ruangan",
|
||||
"join_rule_invite": "Ruangan privat (undangan saja)",
|
||||
"join_rule_restricted": "Dapat dilihat oleh anggota space",
|
||||
"unfederated": "Blokir siapa saja yang bukan bagian dari %(serverName)s untuk bergabung dengan ruangan ini."
|
||||
},
|
||||
"timeline": {
|
||||
"m.call": {
|
||||
|
@ -3813,7 +3684,11 @@
|
|||
"changed_rule_rooms": "%(senderName)s mengubah sebuah peraturan pencekalan ruangan yang sebelumnya berisi %(oldGlob)s ke %(newGlob)s untuk %(reason)s",
|
||||
"changed_rule_servers": "%(senderName)s mengubah sebuah peraturan pencekalan server yang sebelumnya berisi %(oldGlob)s ke %(newGlob)s untuk %(reason)s",
|
||||
"changed_rule_glob": "%(senderName)s memperbarui sebuah peraturan pencekalan yang sebelumnya berisi %(oldGlob)s ke %(newGlob)s untuk %(reason)s"
|
||||
}
|
||||
},
|
||||
"no_permission_messages_before_invite": "Anda tidak memiliki izin untuk melihat pesan-pesan sebelum Anda diundang.",
|
||||
"no_permission_messages_before_join": "Anda tidak memiliki izin untuk melihat pesan-pesan sebelum Anda bergabung.",
|
||||
"encrypted_historical_messages_unavailable": "Pesan-pesan terenkripsi sebelum titik ini tidak tersedia.",
|
||||
"historical_messages_unavailable": "Anda tidak dapat melihat pesan-pesan awal"
|
||||
},
|
||||
"slash_command": {
|
||||
"spoiler": "Mengirim pesan sebagai spoiler",
|
||||
|
@ -3873,7 +3748,15 @@
|
|||
"holdcall": "Menunda panggilan di ruangan saat ini",
|
||||
"no_active_call": "Tidak ada panggilan aktif di ruangan ini",
|
||||
"unholdcall": "Melanjutkan panggilan di ruang saat ini",
|
||||
"me": "Menampilkan aksi"
|
||||
"me": "Menampilkan aksi",
|
||||
"error_invalid_runfn": "Kesalahan perintah: Tidak dapat menangani perintah slash.",
|
||||
"error_invalid_rendering_type": "Kesalahan perintah: Tidak dapat menemukan tipe render (%(renderingType)s)",
|
||||
"join": "Bergabung dengan ruangan dengan alamat yang dicantumkan",
|
||||
"view": "Menampilkan ruangan dengan alamat yang ditentukan",
|
||||
"failed_find_room": "Perintah gagal: Tidak dapat menemukan ruangan (%(roomId)s)",
|
||||
"failed_find_user": "Tidak dapat menemukan pengguna di ruangan",
|
||||
"op": "Tentukan tingkat daya pengguna",
|
||||
"deop": "De-op pengguna dengan ID yang dicantumkan"
|
||||
},
|
||||
"presence": {
|
||||
"busy": "Sibuk",
|
||||
|
@ -4057,13 +3940,57 @@
|
|||
"reset_password_title": "Atur ulang kata sandi Anda",
|
||||
"continue_with_sso": "Lanjutkan dengan %(ssoButtons)s",
|
||||
"sso_or_username_password": "%(ssoButtons)s Atau %(usernamePassword)s",
|
||||
"sign_in_instead": "Sudah memiliki sebuah akun? <a>Masuk di sini</a>",
|
||||
"sign_in_instead": "Masuk saja",
|
||||
"account_clash": "Akun Anda yang baru (%(newAccountId)s) telah didaftarkan, tetapi Anda telah masuk ke akun yang lain (%(loggedInUserId)s).",
|
||||
"account_clash_previous_account": "Lanjutkan dengan akun sebelumnya",
|
||||
"log_in_new_account": "<a>Masuk</a> ke akun yang baru.",
|
||||
"registration_successful": "Pendaftaran Berhasil",
|
||||
"server_picker_title": "Host akun di",
|
||||
"server_picker_dialog_title": "Putuskan di mana untuk menghost akun Anda"
|
||||
"server_picker_title": "Masuk ke homeserver Anda",
|
||||
"server_picker_dialog_title": "Putuskan di mana untuk menghost akun Anda",
|
||||
"footer_powered_by_matrix": "diberdayakan oleh Matrix",
|
||||
"failed_homeserver_discovery": "Gagal untuk melakukan penemuan homeserver",
|
||||
"sync_footer_subtitle": "Jika Anda bergabung dengan banyak ruangan, ini mungkin membutuhkan beberapa waktu",
|
||||
"syncing": "Menyinkronkan…",
|
||||
"signing_in": "Memasuki…",
|
||||
"unsupported_auth_msisdn": "Server ini tidak mendukung autentikasi dengan sebuah nomor telepon.",
|
||||
"unsupported_auth_email": "Homeserver ini tidak mendukung login menggunakan alamat email.",
|
||||
"unsupported_auth": "Homeserver ini tidak menawarkan alur masuk yang tidak didukung oleh klien ini.",
|
||||
"registration_disabled": "Pendaftaran telah dinonaktifkan di homeserver ini.",
|
||||
"failed_query_registration_methods": "Tidak dapat menanyakan metode pendaftaran yang didukung.",
|
||||
"username_in_use": "Seseorang sudah memiliki nama pengguna itu, mohon coba yang lain.",
|
||||
"3pid_in_use": "Alamat e-mail atau nomor telepon itu sudah digunakan.",
|
||||
"incorrect_password": "Kata sandi salah",
|
||||
"failed_soft_logout_auth": "Gagal untuk mengautentikasi ulang",
|
||||
"soft_logout_heading": "Anda dikeluarkan",
|
||||
"forgot_password_email_required": "Alamat email yang tertaut ke akun Anda harus dimasukkan.",
|
||||
"forgot_password_email_invalid": "Alamat email ini tidak terlihat absah.",
|
||||
"sign_in_prompt": "Punya sebuah akun? <a>Masuk</a>",
|
||||
"verify_email_heading": "Verifikasi email Anda untuk melanjutkan",
|
||||
"forgot_password_prompt": "Lupa kata sandi Anda?",
|
||||
"soft_logout_intro_password": "Masukkan kata sandi Anda untuk masuk dan mendapatkan kembali akses ke akun Anda.",
|
||||
"soft_logout_intro_sso": "Masuk dan dapatkan kembali akses ke akun Anda.",
|
||||
"soft_logout_intro_unsupported_auth": "Anda tidak dapat masuk ke akun Anda. Mohon hubungi admin homeserver untuk informasi lanjut.",
|
||||
"check_email_explainer": "Ikuti petunjuk yang dikirim ke <b>%(email)s</b>",
|
||||
"check_email_wrong_email_prompt": "Alamat email salah?",
|
||||
"check_email_wrong_email_button": "Masukkan ulang alamat email",
|
||||
"check_email_resend_prompt": "Tidak menerimanya?",
|
||||
"check_email_resend_tooltip": "Email tautan verifikasi dikirim ulang!",
|
||||
"enter_email_heading": "Masukkan email Anda untuk mengatur ulang kata sandi",
|
||||
"enter_email_explainer": "<b>%(homeserver)s</b> akan mengirim Anda sebuah tautan verifikasi untuk memperbolehkan Anda untuk mengatur ulang kata sandi Anda.",
|
||||
"verify_email_explainer": "Kami harus tahu bahwa itu Anda sebelum mengatur ulang kata sandi Anda. Klik tautan dalam email yang kami sudah kirim ke <b>%(email)s</b>",
|
||||
"create_account_prompt": "Baru di sini? <a>Buat sebuah akun</a>",
|
||||
"sign_in_or_register": "Masuk atau Buat Akun",
|
||||
"sign_in_or_register_description": "Gunakan akun Anda atau buat akun baru untuk lanjut.",
|
||||
"sign_in_description": "Gunakan akun Anda untuk melanjutkan.",
|
||||
"register_action": "Buat Akun",
|
||||
"server_picker_failed_validate_homeserver": "Tidak dapat memvalidasi homeserver",
|
||||
"server_picker_invalid_url": "URL tidak absah",
|
||||
"server_picker_required": "Tentukan sebuah homeserver",
|
||||
"server_picker_matrix.org": "Matrix.org adalah homeserver publik terbesar di dunia, jadi itu adalah tempat yang bagus untuk banyak orang.",
|
||||
"server_picker_intro": "Kami memanggil tempat-tempat yang Anda dapat menghost akun Anda sebagai 'homeserver'.",
|
||||
"server_picker_custom": "Homeserver lainnya",
|
||||
"server_picker_explainer": "Gunakan homeserver Matrix yang Anda inginkan jika Anda punya satu, atau host sendiri.",
|
||||
"server_picker_learn_more": "Tentang homeserver"
|
||||
},
|
||||
"room_list": {
|
||||
"sort_unread_first": "Tampilkan ruangan dengan pesan yang belum dibaca dahulu",
|
||||
|
@ -4114,5 +4041,81 @@
|
|||
"access_token_detail": "Token akses Anda memberikan akses penuh ke akun Anda. Jangan bagikan dengan siapa pun.",
|
||||
"clear_cache_reload": "Hapus cache dan muat ulang"
|
||||
}
|
||||
},
|
||||
"widget": {
|
||||
"capability": {
|
||||
"send_stickers_this_room": "Kirim stiker ke ruangan ini",
|
||||
"send_stickers_active_room": "Kirim stiker ke ruangan aktif Anda",
|
||||
"send_stickers_this_room_as_you": "Kirim stiker ke ruangan ini sebagai Anda",
|
||||
"send_stickers_active_room_as_you": "Kirim stiker ke ruangan aktif Anda sebagai Anda",
|
||||
"see_sticker_posted_this_room": "Lihat saat sebuah stiker telah dikirim ke ruangan ini",
|
||||
"see_sticker_posted_active_room": "Lihat saat seseorang mengirimkan sebuah stiker ke ruangan aktif Anda",
|
||||
"always_on_screen_viewing_another_room": "Tetap di layar Anda saat melihat ruangan yang lain, saat berjalan",
|
||||
"always_on_screen_generic": "Tetap di layar Anda saat berjalan",
|
||||
"switch_room": "Ubah ruangan apa yang Anda lihat",
|
||||
"switch_room_message_user": "Ubah ruangan, pesan, atau pengguna apa saja yang Anda lihat",
|
||||
"change_topic_this_room": "Ubah topik ruangan ini",
|
||||
"see_topic_change_this_room": "Lihat saat topiknya diubah di ruangan ini",
|
||||
"change_topic_active_room": "Ubah topik ruangan aktif Anda",
|
||||
"see_topic_change_active_room": "Lihat saat topiknya diubah di ruangan aktif Anda",
|
||||
"change_name_this_room": "Ubah nama ruangan ini",
|
||||
"see_name_change_this_room": "Lihat saat namanya diubah di ruangan ini",
|
||||
"change_name_active_room": "Ubah nama ruangan aktif Anda",
|
||||
"see_name_change_active_room": "Lihat saat namanya diubah di ruangan aktif Anda",
|
||||
"change_avatar_this_room": "Ubah avatar ruangan ini",
|
||||
"see_avatar_change_this_room": "Lihat saat avatarnya diubah di ruangan ini",
|
||||
"change_avatar_active_room": "Ubah avatar ruangan aktif Anda",
|
||||
"see_avatar_change_active_room": "Lihat saat avatarnya diubah di ruangan aktif Anda",
|
||||
"remove_ban_invite_leave_this_room": "Keluarkan, cekal, atau undang orang-orang ke ruangan ini, dan keluarkan Anda sendiri",
|
||||
"receive_membership_this_room": "Lihat saat orang-orang bergabung, keluar, atau diundang dengan ruangan ini",
|
||||
"remove_ban_invite_leave_active_room": "Keluarkan, cekal, atau undang orang-orang ke ruangan aktif Anda, dan keluarkan Anda sendiri",
|
||||
"receive_membership_active_room": "Lihat saat orang-orang bergabung, keluar, atau diundang dengan ruangan aktif Anda",
|
||||
"byline_empty_state_key": "dengan kunci status kosong",
|
||||
"byline_state_key": "dengan kunci status %(stateKey)s",
|
||||
"any_room": "Yang di atas, tetapi di ruangan apa saja dan Anda bergabung atau diundang juga",
|
||||
"specific_room": "Yang di atas, tetapi di <Room /> juga",
|
||||
"send_event_type_this_room": "Kirim peristiwa <b>%(eventType)s</b> sebagai Anda di ruangan ini",
|
||||
"see_event_type_sent_this_room": "Lihat peristiwa <b>%(eventType)s</b> yang terkirim ke ruangan ini",
|
||||
"send_event_type_active_room": "Kirim peristiwa <b>%(eventType)s</b> sebagai Anda di ruangan aktif Anda",
|
||||
"see_event_type_sent_active_room": "Lihat peristiwa <b>%(eventType)s</b> yang terkirim ke ruangan aktif Anda",
|
||||
"capability": "Kemampuan <b>%(capability)s</b>",
|
||||
"send_messages_this_room": "Kirim pesan sebagai Anda di ruangan ini",
|
||||
"send_messages_active_room": "Kirim pesan sebagai Anda di ruangan aktif Anda",
|
||||
"see_messages_sent_this_room": "Lihat pesan yang terkirim ke ruangan ini",
|
||||
"see_messages_sent_active_room": "Lihat pesan yang terkirim ke ruangan aktif Anda",
|
||||
"send_text_messages_this_room": "Kirim pesan teks sebagai Anda di ruangan ini",
|
||||
"send_text_messages_active_room": "Kirim pesan teks sebagai Anda di ruangan aktif Anda",
|
||||
"see_text_messages_sent_this_room": "Lihat pesan teks yang terkirim ke ruangan ini",
|
||||
"see_text_messages_sent_active_room": "Lihat pesan teks yang terkirim ke ruangan aktif Anda",
|
||||
"send_emotes_this_room": "Kirim emot sebagai Anda di ruangan ini",
|
||||
"send_emotes_active_room": "Kirim emot sebagai Anda di ruangan aktif Anda",
|
||||
"see_sent_emotes_this_room": "Lihat emot yang terkirim ke ruangan ini",
|
||||
"see_sent_emotes_active_room": "Lihat emot terkirim ke ruangan aktif Anda",
|
||||
"send_images_this_room": "Kirim gambar sebagai Anda di ruangan ini",
|
||||
"send_images_active_room": "Kirim gambar sebagai Anda di ruangan aktif Anda",
|
||||
"see_images_sent_this_room": "Lihat gambar yang terkirim ke ruangan ini",
|
||||
"see_images_sent_active_room": "Lihat gambar terkirim ke ruangan aktif Anda",
|
||||
"send_videos_this_room": "Kirim video sebagai Anda di ruangan ini",
|
||||
"send_videos_active_room": "Kirim video sebagai Anda di ruangan aktif Anda",
|
||||
"see_videos_sent_this_room": "Lihat video yang terkirim ke ruangan ini",
|
||||
"see_videos_sent_active_room": "Lihat video yang terkirim ke ruangan aktif Anda",
|
||||
"send_files_this_room": "Kirim file umum sebagai Anda di ruangan ini",
|
||||
"send_files_active_room": "Kirim file umum sebagai Anda di ruangan aktif Anda",
|
||||
"see_sent_files_this_room": "Lihat file umum yang terkirim ke ruangan ini",
|
||||
"see_sent_files_active_room": "Lihat file umum yang terkirim ke ruangan aktif Anda",
|
||||
"send_msgtype_this_room": "Kirim pesan <b>%(msgtype)s</b> sebagai Anda di ruangan ini",
|
||||
"send_msgtype_active_room": "Kirim pesan <b>%(msgtype)s</b> sebagai Anda di ruangan aktif Anda",
|
||||
"see_msgtype_sent_this_room": "Lihat pesan <b>%(msgtype)s</b> yang terkirim ke ruangan ini",
|
||||
"see_msgtype_sent_active_room": "Lihat pesan <b>%(msgtype)s</b> yang terkirim ke ruangan aktif Anda"
|
||||
}
|
||||
},
|
||||
"feedback": {
|
||||
"sent": "Masukan terkirim",
|
||||
"comment_label": "Komentar",
|
||||
"platform_username": "Platform dan nama pengguna Anda akan dicatat untuk membantu kami menggunakan masukan Anda sebanyak yang kita bisa.",
|
||||
"may_contact_label": "Anda mungkin hubungi saya jika Anda ingin menindaklanjuti atau memberi tahu saya untuk menguji ide baru",
|
||||
"pro_type": "Jika Anda membuat issue, silakan kirimkan <debugLogsLink>log pengawakutu</debugLogsLink> untuk membantu kami menemukan masalahnya.",
|
||||
"existing_issue_link": "Mohon lihat <existingIssuesLink>bug yang sudah ada di GitHub</existingIssuesLink> dahulu. Tidak ada? <newIssueLink>Buat yang baru</newIssueLink>.",
|
||||
"send_feedback_action": "Kirimkan masukan"
|
||||
}
|
||||
}
|
||||
|
|
|
@ -99,7 +99,6 @@
|
|||
"Yesterday": "Í gær",
|
||||
"Error decrypting attachment": "Villa við afkóðun viðhengis",
|
||||
"Copied!": "Afritað!",
|
||||
"powered by Matrix": "keyrt með Matrix",
|
||||
"Email address": "Tölvupóstfang",
|
||||
"Something went wrong!": "Eitthvað fór úrskeiðis!",
|
||||
"What's New": "Nýtt á döfinni",
|
||||
|
@ -118,7 +117,6 @@
|
|||
"Changelog": "Breytingaskrá",
|
||||
"Confirm Removal": "Staðfesta fjarlægingu",
|
||||
"Unknown error": "Óþekkt villa",
|
||||
"Incorrect password": "Rangt lykilorð",
|
||||
"Deactivate Account": "Gera notandaaðgang óvirkann",
|
||||
"Filter results": "Sía niðurstöður",
|
||||
"An error has occurred.": "Villa kom upp.",
|
||||
|
@ -144,7 +142,6 @@
|
|||
"Email": "Tölvupóstfang",
|
||||
"Profile": "Notandasnið",
|
||||
"Account": "Notandaaðgangur",
|
||||
"The email address linked to your account must be entered.": "Það þarf að setja inn tölvupóstfangið sem tengt er notandaaðgangnum þínum.",
|
||||
"A new password must be entered.": "Það verður að setja inn nýtt lykilorð.",
|
||||
"New passwords must match each other.": "Nýju lykilorðin verða að vera þau sömu.",
|
||||
"Return to login screen": "Fara aftur í innskráningargluggann",
|
||||
|
@ -193,7 +190,6 @@
|
|||
"Room Notification": "Tilkynning á spjallrás",
|
||||
"Passphrases must match": "Lykilfrasar verða að stemma",
|
||||
"Passphrase must not be empty": "Lykilfrasi má ekki vera auður",
|
||||
"Create Account": "Búa til notandaaðgang",
|
||||
"Explore rooms": "Kanna spjallrásir",
|
||||
"The user's homeserver does not support the version of the room.": "Heimaþjónn notandans styður ekki útgáfu spjallrásarinnar.",
|
||||
"The user must be unbanned before they can be invited.": "Notandinn þarf að vera afbannaður áður en að hægt er að bjóða þeim.",
|
||||
|
@ -214,9 +210,6 @@
|
|||
"Roles & Permissions": "Hlutverk og heimildir",
|
||||
"Reject & Ignore user": "Hafna og hunsa notanda",
|
||||
"Security & Privacy": "Öryggi og gagnaleynd",
|
||||
"Feedback sent": "Umsögn send",
|
||||
"Send feedback": "Senda umsögn",
|
||||
"Feedback": "Umsagnir",
|
||||
"All settings": "Allar stillingar",
|
||||
"Change notification settings": "Breytta tilkynningastillingum",
|
||||
"You can't send any messages until you review and agree to <consentLink>our terms and conditions</consentLink>.": "Þú getur ekki sent nein skilaboð fyrr en þú hefur farið yfir og samþykkir <consentLink>skilmála okkar</consentLink>.",
|
||||
|
@ -224,12 +217,6 @@
|
|||
"You can use <code>/help</code> to list available commands. Did you mean to send this as a message?": "Þú getur notað <code>/help</code> til að lista tilteknar skipanir. Ætlaðir þú að senda þetta sem skilaboð?",
|
||||
"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",
|
||||
"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 text messages as you in your active room": "Senda textaskilaboð sem þú á virku spjallrásina þína",
|
||||
"Send text messages as you in this room": "Senda textaskilaboð sem þú á þessa spjallrás",
|
||||
"Send messages as you in your active room": "Senda skilaboð sem þú á virku spjallrásina þína",
|
||||
"Send messages as you in this room": "Senda skilaboð sem þú í þessari spjallrás",
|
||||
"No need for symbols, digits, or uppercase letters": "Engin þörf á táknum, tölustöfum, eða hástöfum",
|
||||
"Use a few words, avoid common phrases": "Notaðu nokkur orð. Forðastu algengar setningar",
|
||||
"Unknown server error": "Óþekkt villa á þjóni",
|
||||
|
@ -267,8 +254,6 @@
|
|||
"URL previews are enabled by default for participants in this room.": "Forskoðun vefslóða er sjálfgefið virk fyrir þátttakendur í þessari spjallrás.",
|
||||
"You have <a>disabled</a> URL previews by default.": "Þú hefur <a>óvirkt</a> forskoðun vefslóða sjálfgefið.",
|
||||
"You have <a>enabled</a> URL previews by default.": "Þú hefur <a>virkt</a> forskoðun vefslóða sjálfgefið.",
|
||||
"Enable URL previews by default for participants in this room": "Virkja forskoðun vefslóða sjálfgefið fyrir þátttakendur í þessari spjallrás",
|
||||
"Enable URL previews for this room (only affects you)": "Virkja forskoðun vefslóða fyrir þessa spjallrás (einungis fyrir þig)",
|
||||
"Room settings": "Stillingar spjallrásar",
|
||||
"Room Settings - %(roomName)s": "Stillingar spjallrásar - %(roomName)s",
|
||||
"This is the beginning of your direct message history with <displayName/>.": "Þetta er upphaf ferils beinna skilaboða með <displayName/>.",
|
||||
|
@ -622,7 +607,6 @@
|
|||
"one": "%(spaceName)s og %(count)s til viðbótar"
|
||||
},
|
||||
"%(space1Name)s and %(space2Name)s": "%(space1Name)s og %(space2Name)s",
|
||||
"Sign In or Create Account": "Skráðu þig inn eða búðu til aðgang",
|
||||
"Failure to create room": "Mistókst að búa til spjallrás",
|
||||
"Failed to transfer call": "Mistókst að áframsenda símtal",
|
||||
"Transfer Failed": "Flutningur mistókst",
|
||||
|
@ -631,7 +615,6 @@
|
|||
"The user you called is busy.": "Notandinn sem þú hringdir í er upptekinn.",
|
||||
"User Busy": "Notandi upptekinn",
|
||||
"Use Single Sign On to continue": "Notaðu einfalda innskráningu (single-sign-on) til að halda áfram",
|
||||
"Someone already has that username, please try another.": "Einhver annar er að nota þetta notandanafn, prófaðu eitthvað annað.",
|
||||
"Invite by username": "Bjóða með notandanafni",
|
||||
"Couldn't load page": "Gat ekki hlaðið inn síðu",
|
||||
"Room avatar": "Auðkennismynd spjallrásar",
|
||||
|
@ -688,9 +671,6 @@
|
|||
"Link to room": "Tengill á spjallrás",
|
||||
"Share Room Message": "Deila skilaboðum spjallrásar",
|
||||
"Share Room": "Deila spjallrás",
|
||||
"About homeservers": "Um heimaþjóna",
|
||||
"Specify a homeserver": "Tilgreindu heimaþjón",
|
||||
"Invalid URL": "Ógild slóð",
|
||||
"Email (optional)": "Tölvupóstfang (valfrjálst)",
|
||||
"Session name": "Nafn á setu",
|
||||
"%(count)s rooms": {
|
||||
|
@ -707,13 +687,10 @@
|
|||
"Message preview": "Forskoðun skilaboða",
|
||||
"Sent": "Sent",
|
||||
"Sending": "Sendi",
|
||||
"Comment": "Athugasemd",
|
||||
"MB": "MB",
|
||||
"Public space": "Opinbert svæði",
|
||||
"Private space (invite only)": "Einkasvæði (einungis gegn boði)",
|
||||
"Public room": "Almenningsspjallrás",
|
||||
"Private room (invite only)": "Einkaspjallrás (einungis gegn boði)",
|
||||
"Room visibility": "Sýnileiki spjallrásar",
|
||||
"Notes": "Minnispunktar",
|
||||
"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",
|
||||
|
@ -867,9 +844,6 @@
|
|||
"Avoid recent years": "Forðastu nýleg ártöl",
|
||||
"Avoid sequences": "Forðastu runur",
|
||||
"Avoid repeated words and characters": "Forðastu endurtekin orð og stafi",
|
||||
"Send stickers to this room as you": "Senda límmerki sem þú á þessa spjallrás",
|
||||
"Send stickers into your active room": "Senda límmerki á virku spjallrásina þína",
|
||||
"Send stickers into this room": "Senda límmerki á þessa spjallrás",
|
||||
"Are you sure you want to cancel entering passphrase?": "Viltu örugglega hætta við að setja inn lykilfrasa?",
|
||||
"Cancel entering passphrase?": "Hætta við að setja inn lykilfrasa?",
|
||||
"Connectivity to the server has been lost": "Tenging við vefþjón hefur rofnað",
|
||||
|
@ -889,14 +863,10 @@
|
|||
"Show hidden events in timeline": "Birta falda atburði í tímalínu",
|
||||
"You are now ignoring %(userId)s": "Þú ert núna að hunsa %(userId)s",
|
||||
"Unrecognised room address: %(roomAlias)s": "Óþekkjanlegt vistfang spjallrásar: %(roomAlias)s",
|
||||
"Joins room with given address": "Gengur til liðs við spjallrás með uppgefnu vistfangi",
|
||||
"Command error: Unable to find rendering type (%(renderingType)s)": "Villa í skipun: Get ekki fundið myndgerðartegundina (%(renderingType)s)",
|
||||
"Command error: Unable to handle slash command.": "Villa í skipun: Get ekki meðhöndlað skástriks-skipun.",
|
||||
"Room %(roomId)s not visible": "Spjallrásin %(roomId)s er ekki sýnileg",
|
||||
"You need to be able to invite users to do that.": "Þú þarft að hafa heimild til að bjóða notendum til að gera þetta.",
|
||||
"Some invites couldn't be sent": "Sumar boðsbeiðnir var ekki hægt að senda",
|
||||
"We sent the others, but the below people couldn't be invited to <RoomName/>": "Við sendum hin boðin, en fólkinu hér fyrir neðan var ekki hægt að bjóða í <RoomName/>",
|
||||
"Use your account or create a new one to continue.": "Notaðu aðganginn þinn eða búðu til nýjan til að halda áfram.",
|
||||
"We couldn't log you in": "Við gátum ekki skráð þig inn",
|
||||
"Only continue if you trust the owner of the server.": "Ekki halda áfram nema þú treystir eiganda netþjónsins.",
|
||||
"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.": "Þessi aðgerð krefst þess að til að fá aðgang að sjálfgefna auðkennisþjóninum <server /> þurfi að sannreyna tölvupóstfang eða símanúmer, en netþjónninn er hins vegar ekki með neina þjónustuskilmála.",
|
||||
|
@ -919,13 +889,11 @@
|
|||
"Unable to look up phone number": "Ekki er hægt að fletta upp símanúmeri",
|
||||
"Unable to load! Check your network connectivity and try again.": "Mistókst að hlaða inn. Athugaðu nettenginguna þína og reyndu aftur.",
|
||||
"Upgrade your encryption": "Uppfærðu dulritunina þína",
|
||||
"The email address doesn't appear to be valid.": "Tölvupóstfangið lítur ekki út fyrir að vera í lagi.",
|
||||
"Approve widget permissions": "Samþykkja heimildir viðmótshluta",
|
||||
"Clear cache and resync": "Hreinsa skyndiminni og endursamstilla",
|
||||
"Incompatible local cache": "Ósamhæft staðvært skyndiminni",
|
||||
"Feedback sent! Thanks, we appreciate it!": "Umsögn send! Takk, við kunnum að meta þetta!",
|
||||
"Continue With Encryption Disabled": "Halda áfram með dulritun óvirka",
|
||||
"Enable end-to-end encryption": "Virkja enda-í-enda dulritun",
|
||||
"Encryption not enabled": "Dulritun ekki virk",
|
||||
"Ignored attempt to disable encryption": "Hunsaði tilraun til að gera dulritun óvirka",
|
||||
"This client does not support end-to-end encryption.": "Þetta forrit styður ekki enda-í-enda dulritun.",
|
||||
|
@ -1034,7 +1002,6 @@
|
|||
"%(deviceId)s from %(ip)s": "%(deviceId)s frá %(ip)s",
|
||||
"New login. Was this you?": "Ný innskráning. Varst þetta þú?",
|
||||
"Other users may not trust it": "Aðrir notendur gætu ekki treyst því",
|
||||
"Define the power level of a user": "Skilgreindu völd notanda",
|
||||
"Failed to set display name": "Mistókst að stilla birtingarnafn",
|
||||
"Sign out devices": {
|
||||
"one": "Skrá út tæki",
|
||||
|
@ -1117,7 +1084,6 @@
|
|||
"This homeserver has exceeded one of its resource limits.": "Þessi heimaþjónn er kominn fram yfir takmörk á tilföngum sínum.",
|
||||
"This homeserver has hit its Monthly Active User limit.": "Þessi heimaþjónn er kominn fram yfir takmörk á mánaðarlega virkum notendum.",
|
||||
"Cannot reach homeserver": "Næ ekki að tengjast heimaþjóni",
|
||||
"Could not find user in room": "Gat ekki fundið notanda á spjallrás",
|
||||
"Favourited": "Í eftirlætum",
|
||||
"Spaces are a new way to group rooms and people. What kind of Space do you want to create? You can change this later.": "Svæði eru ný leið til að hópa fólk og spjallrásir. Hverskyns svæði langar þig til að útbúa? Þessu má breyta síðar.",
|
||||
"Spanner": "Skrúflykill",
|
||||
|
@ -1127,9 +1093,6 @@
|
|||
"Enter phone number (required on this homeserver)": "Settu inn símanúmer (nauðsynlegt á þessum heimaþjóni)",
|
||||
"Enter email address (required on this homeserver)": "Settu inn tölvupóstfang (nauðsynlegt á þessum heimaþjóni)",
|
||||
"This homeserver would like to make sure you are not a robot.": "Þessi heimaþjónn vill ganga úr skugga um að þú sért ekki vélmenni.",
|
||||
"Other homeserver": "Annar heimaþjónn",
|
||||
"Sign into your homeserver": "Skráðu þig inn á heimaþjóninn þinn",
|
||||
"Unable to validate homeserver": "Ekki tókst að sannreyna heimaþjón",
|
||||
"Your homeserver": "Heimaþjónninn þinn",
|
||||
"Set addresses for this room so users can find this room through your homeserver (%(localDomain)s)": "Stilltu vistföng fyrir þessa spjallrás svo notendur geti fundið hana í gegnum heimaþjóninn þinn (%(localDomain)s)",
|
||||
"Set addresses for this space so users can find this space through your homeserver (%(localDomain)s)": "Stilltu vistföng fyrir þetta svæði svo notendur geti fundið það í gegnum heimaþjóninn þinn (%(localDomain)s)",
|
||||
|
@ -1219,7 +1182,6 @@
|
|||
"in secret storage": "í leynigeymslu",
|
||||
"Manually verify all remote sessions": "Sannreyna handvirkt allar fjartengdar setur",
|
||||
"Switch theme": "Skipta um þema",
|
||||
"Got an account? <a>Sign in</a>": "Ertu með aðgang? <a>Skráðu þig inn</a>",
|
||||
"Shows all threads you've participated in": "Birtir alla spjallþræði sem þú hefur tekið þátt í",
|
||||
"My threads": "Spjallþræðirnir mínir",
|
||||
"All threads": "Allir spjallþræðir",
|
||||
|
@ -1238,9 +1200,6 @@
|
|||
"Not currently indexing messages for any room.": "Ekki að setja nein skilaboð í efnisyfirlit neinnar spjallrásar.",
|
||||
"Unable to create key backup": "Tókst ekki að gera öryggisafrit af dulritunarlykli",
|
||||
"Create key backup": "Gera öryggisafrit af dulritunarlykli",
|
||||
"New? <a>Create account</a>": "Nýr hérna? <a>Stofnaðu aðgang</a>",
|
||||
"If you've joined lots of rooms, this might take a while": "Þetta getur tekið dálítinn tíma ef þú tekur þátt í mörgum spjallrásum",
|
||||
"New here? <a>Create an account</a>": "Nýr hérna? <a>Stofnaðu aðgang</a>",
|
||||
"Show all threads": "Birta alla spjallþræði",
|
||||
"Go to my first room": "Fara í fyrstu spjallrásIna mína",
|
||||
"Rooms and spaces": "Spjallrásir og svæði",
|
||||
|
@ -1260,13 +1219,6 @@
|
|||
"Anyone will be able to find and join this space, not just members of <SpaceName/>.": "Hver sem er getur fundið og tekið þátt í þessu svæði, ekki bara meðlimir í <SpaceName/>.",
|
||||
"Anyone in <SpaceName/> will be able to find and join.": "Hver sem er í <SpaceName/> getur fundið og tekið þátt.",
|
||||
"Space visibility": "Sýnileiki svæðis",
|
||||
"Visible to space members": "Sýnilegt meðlimum svæðis",
|
||||
"Topic (optional)": "Umfjöllunarefni (valkvætt)",
|
||||
"Only people invited will be able to find and join this room.": "Aðeins fólk sem hefur verið boðið getur fundið og tekið þátt í þessari spjallrás.",
|
||||
"Anyone will be able to find and join this room.": "Hver sem er getur fundið og tekið þátt í þessari spjallrás.",
|
||||
"Anyone will be able to find and join this room, not just members of <SpaceName/>.": "Hver sem er getur fundið og tekið þátt í þessari spjallrás, ekki bara meðlimir í <SpaceName/>.",
|
||||
"Everyone in <SpaceName/> will be able to find and join this room.": "Hver sem er í <SpaceName/> getur fundið og tekið þátt í þessari spjallrás.",
|
||||
"Please enter a name for the room": "Settu inn eitthvað nafn fyrir spjallrásina",
|
||||
"Clear all data": "Hreinsa öll gögn",
|
||||
"Reason (optional)": "Ástæða (valkvætt)",
|
||||
"Close dialog": "Loka glugga",
|
||||
|
@ -1472,7 +1424,6 @@
|
|||
},
|
||||
"%(senderDisplayName)s changed the room avatar to <img/>": "%(senderDisplayName)s breytti auðkennismynd spjallrásarinnar í <img/>",
|
||||
"%(senderDisplayName)s changed the avatar for %(roomName)s": "%(senderDisplayName)s breytti auðkennismyndinni fyrir %(roomName)s",
|
||||
"You don't have permission to view messages from before you joined.": "Þú hefur ekki heimildir til að skoða skilaboð frá því áður en þú fórst að taka þátt.",
|
||||
"Identity server URL must be HTTPS": "Slóð á auðkennisþjón verður að vera HTTPS",
|
||||
"The operation could not be completed": "Ekki tókst að ljúka aðgerðinni",
|
||||
"Failed to save your profile": "Mistókst að vista sniðið þitt",
|
||||
|
@ -1504,7 +1455,6 @@
|
|||
"Only the two of you are in this conversation, unless either of you invites anyone to join.": "Aðeins þið tveir/tvö eruð í þessu samtali, nema annar hvor bjóði einhverjum að taka þátt.",
|
||||
"The conversation continues here.": "Samtalið heldur áfram hér.",
|
||||
"%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (með völd sem %(powerLevelNumber)s)",
|
||||
"You can't see earlier messages": "Þú getur ekki séð eldri skilaboð",
|
||||
"Message Actions": "Aðgerðir skilaboða",
|
||||
"From a thread": "Úr spjallþræði",
|
||||
"Someone is using an unknown session": "Einhver er að nota óþekkta setu",
|
||||
|
@ -1523,7 +1473,6 @@
|
|||
"Unexpected error resolving identity server configuration": "Óvænt villa kom upp við að lesa uppsetningu auðkenningarþjóns",
|
||||
"Unexpected error resolving homeserver configuration": "Óvænt villa kom upp við að lesa uppsetningu heimaþjóns",
|
||||
"Your %(brand)s is misconfigured": "%(brand)s-uppsetningin þín er rangt stillt",
|
||||
"The <b>%(capability)s</b> capability": "Geta <b>%(capability)s</b>-þjónsins",
|
||||
"Message didn't send. Click for info.": "Mistókst að senda skilaboð. Smelltu til að fá nánari upplýsingar.",
|
||||
"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.": "Einkaskilaboðin þín eru venjulega dulrituð, en þessi spjallrás er það hinsvegar ekki. Venjulega kemur þetta til vegna tækis sem ekki sé stutt, eða aðferðarinnar sem sé notuð, eins og t.d. boðum í tölvupósti.",
|
||||
"This is the start of <roomName/>.": "Þetta er upphafið á <roomName/>.",
|
||||
|
@ -1534,7 +1483,6 @@
|
|||
"That doesn't match.": "Þetta stemmir ekki.",
|
||||
"That matches!": "Þetta passar!",
|
||||
"Clear personal data": "Hreinsa persónuleg gögn",
|
||||
"You're signed out": "Þú ert skráð/ur út",
|
||||
"General failure": "Almenn bilun",
|
||||
"Share %(name)s": "Deila %(name)s",
|
||||
"You don't have permission": "Þú hefur ekki heimild",
|
||||
|
@ -1543,8 +1491,6 @@
|
|||
"You cancelled": "Þú hættir við",
|
||||
"You accepted": "Þú samþykktir",
|
||||
"Session already verified!": "Seta er þegar sannreynd!",
|
||||
"Deops user with given id": "Tekur stjórnunarréttindi af notanda með uppgefið auðkenni",
|
||||
"Command failed: Unable to find room (%(roomId)s": "Skipun mistókst: Gat ekki fundið spjallrásina (%(roomId)s",
|
||||
"Use an identity server to invite by email. Manage in Settings.": "Notaðu auðkennisþjón til að geta boðið með tölvupósti. Sýslaðu með þetta í stillingunum.",
|
||||
"Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Notaðu auðkennisþjón til að geta boðið með tölvupósti. Smelltu á að halda áfram til að nota sjálfgefinn auðkennisþjón (%(defaultIdentityServerName)s) eða sýslaðu með þetta í stillingunum.",
|
||||
"%(brand)s was not given permission to send notifications - please try again": "%(brand)s voru ekki gefnar heimildir til að senda þér tilkynningar - reyndu aftur",
|
||||
|
@ -1599,14 +1545,6 @@
|
|||
},
|
||||
"Do you want to set an email address?": "Viltu skrá tölvupóstfang?",
|
||||
"Decide who can view and join %(spaceName)s.": "Veldu hverjir geta skoðað og tekið þátt í %(spaceName)s.",
|
||||
"Change the avatar of your active room": "Breyta auðkennismynd virku spjallrásarinnar þinnar",
|
||||
"Change the avatar of this room": "Breyta auðkennismynd þessarar spjallrásar",
|
||||
"Change the name of your active room": "Breyta heiti virku spjallrásarinnar þinnar",
|
||||
"Change the name of this room": "Breyta heiti þessarar spjallrásar",
|
||||
"Change the topic of your active room": "Breyta umfjöllunarefni virku spjallrásarinnar þinnar",
|
||||
"Change the topic of this room": "Breyta heiti þessarar spjallrásar",
|
||||
"Change which room, message, or user you're viewing": "Breyttu hvaða spjallrás, skilaboð eða notanda þú ert að skoða",
|
||||
"Change which room you're viewing": "Breyttu hvaða spjallrás þú ert að skoða",
|
||||
"Verification Request": "Beiðni um sannvottun",
|
||||
"Save your Security Key": "Vista öryggislykilinn þinn",
|
||||
"Set a Security Phrase": "Setja öryggisfrasa",
|
||||
|
@ -1620,8 +1558,6 @@
|
|||
"Change identity server": "Skipta um auðkennisþjón",
|
||||
"Enter your account password to confirm the upgrade:": "Sláðu inn lykilorðið þitt til að staðfesta uppfærsluna:",
|
||||
"Enter your Security Phrase a second time to confirm it.": "Settu aftur inn öryggisfrasann þinn til að staðfesta hann.",
|
||||
"Forgotten your password?": "Gleymdirðu lykilorðinu þínu?",
|
||||
"Failed to re-authenticate": "Tókst ekki að endurauðkenna",
|
||||
"Failed to remove some rooms. Try again later": "Mistókst að fjarlægja sumar spjallrásir. Reyndu aftur síðar",
|
||||
"Error downloading audio": "Villa við að sækja hljóð",
|
||||
"Failed to start livestream": "Tókst ekki að ræsa beint streymi",
|
||||
|
@ -1711,7 +1647,6 @@
|
|||
"Other searches": "Aðrar leitir",
|
||||
"Link to selected message": "Tengill í valin skilaboð",
|
||||
"Link to most recent message": "Tengill í nýjustu skilaboðin",
|
||||
"Matrix.org is the biggest public homeserver in the world, so it's a good place for many.": "Matrix.org is er heimsins stærsti opinberi heimaþjónninn, þannig að þar er góður staður fyrir marga.",
|
||||
"Invited people will be able to read old messages.": "Fólk sem er boðið mun geta lesið eldri skilaboð.",
|
||||
"Invite someone using their name, username (like <userId/>) or <a>share this room</a>.": "Bjóddu einhverjum með því að nota nafn, notandanafn (eins og <userId/>) eða <a>deildu þessari spjallrás</a>.",
|
||||
"Invite someone using their name, email address, username (like <userId/>) or <a>share this room</a>.": "Bjóddu einhverjum með því að nota nafn, tölvupóstfang, notandanafn (eins og <userId/>) eða <a>deildu þessari spjallrás</a>.",
|
||||
|
@ -1797,12 +1732,9 @@
|
|||
"Verify with Security Key": "Sannreyna með öryggislykli",
|
||||
"Verify with Security Key or Phrase": "Sannreyna með öryggisfrasa",
|
||||
"Proceed with reset": "Halda áfram með endurstillingu",
|
||||
"This server does not support authentication with a phone number.": "Þessi netþjónn styður ekki auðkenningu með símanúmeri.",
|
||||
"Registration has been disabled on this homeserver.": "Nýskráning hefur verið gerð óvirk á þessum heimaþjóni.",
|
||||
"There was a problem communicating with the homeserver, please try again later.": "Vandamál kom upp í samskiptunum við heimaþjóninn, reyndu aftur síðar.",
|
||||
"Please note you are logging into the %(hs)s server, not matrix.org.": "Athugaðu að þú ert að skrá þig inn á %(hs)s þjóninn, ekki inn á matrix.org.",
|
||||
"This account has been deactivated.": "Þessi notandaaðgangur hefur verið gerður óvirkur.",
|
||||
"This homeserver does not support login using email address.": "Þessi heimaþjónn styður ekki innskráningu með tölvupóstfangi.",
|
||||
"Homeserver URL does not appear to be a valid Matrix homeserver": "Slóð heimaþjóns virðist ekki beina á gildan heimaþjón",
|
||||
"Really reset verification keys?": "Viltu í alvörunni endurstilla sannvottunarlyklana?",
|
||||
"Use email to optionally be discoverable by existing contacts.": "Notaðu tölvupóstfang til að geta verið finnanleg/ur fyrir tengiliðina þína.",
|
||||
|
@ -1896,12 +1828,6 @@
|
|||
"Create a new room with the same name, description and avatar": "Búa til nýja spjallrás með sama heiti, lýsingu og auðkennismynd",
|
||||
"Just a heads up, if you don't add an email and forget your password, you could <b>permanently lose access to your account</b>.": "Bara til að minna á; ef þú gleymir lykilorðinu þínu, <b>þá er engin leið til að endurheimta aðganginn þinn</b>.",
|
||||
"Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Óþekkt pörun (notandi, seta): (%(userId)s, %(deviceId)s)",
|
||||
"See when the avatar changes in your active room": "Sjá þegar auðkennismynd virku spjallrásarinnar þinnar breytist",
|
||||
"See when the avatar changes in this room": "Sjá þegar auðkennismynd þessarar spjallrásar breytist",
|
||||
"See when the name changes in your active room": "Sjá þegar heiti virku spjallrásarinnar þinnar breytist",
|
||||
"See when the name changes in this room": "Sjá þegar heiti þessarar spjallrásar breytist",
|
||||
"See when the topic changes in your active room": "Sjá þegar umfjöllunarefni virku spjallrásarinnar þinnar breytist",
|
||||
"See when the topic changes in this room": "Sjá þegar umfjöllunarefni þessarar spjallrásar breytist",
|
||||
"Failed to join": "Mistókst að taka þátt",
|
||||
"The person who invited you has already left, or their server is offline.": "Aðilinn sem bauð þér er þegar farinn eða að netþjónninn hans/hennar er ekki tengdur.",
|
||||
"The person who invited you has already left.": "Aðilinn sem bauð þér er þegar farinn.",
|
||||
|
@ -1917,32 +1843,6 @@
|
|||
"You do not have permission to invite people to this space.": "Þú hefur ekki heimild til að bjóða fólk á þetta svæði.",
|
||||
"Ask your %(brand)s admin to check <a>your config</a> for incorrect or duplicate entries.": "Biddu kerfisstjórann á %(brand)s að athuga hvort <a>uppsetningin þín</a> innihaldi rangar eða tvíteknar færslur.",
|
||||
"Ensure you have a stable internet connection, or get in touch with the server admin": "Gakktu úr skugga um að þú hafir stöðuga nettengingu, eða hafðu samband við kerfisstjóra netþjónsins þíns",
|
||||
"See <b>%(msgtype)s</b> messages posted to your active room": "Sjá <b>%(msgtype)s</b> skilaboð sem birtast í virku spjallrásina þinni",
|
||||
"See <b>%(msgtype)s</b> messages posted to this room": "Sjá <b>%(msgtype)s</b> skilaboð sem birtast í þessari spjallrás",
|
||||
"See general files posted to your active room": "Sjá almennar skrár sem birtast í virku spjallrásina þinni",
|
||||
"See general files posted to this room": "Sjá almennar skrár sem birtast í þessari spjallrás",
|
||||
"Send general files as you in your active room": "Senda almennar skrár sem þú á virku spjallrásina þína",
|
||||
"Send general files as you in this room": "Senda almennar skrár sem þú í þessari spjallrás",
|
||||
"See videos posted to your active room": "Sjá myndskeið sem birtast í virku spjallrásina þinni",
|
||||
"See videos posted to this room": "Sjá myndskeið sem birtast í þessari spjallrás",
|
||||
"Send videos as you in your active room": "Senda myndskeið sem þú á virku spjallrásina þína",
|
||||
"Send videos as you in this room": "Senda myndskeið sem þú í þessari spjallrás",
|
||||
"See images posted to your active room": "Sjá myndir sem birtast í virku spjallrásina þinni",
|
||||
"See images posted to this room": "Sjá myndir sem birtast í þessari spjallrás",
|
||||
"Send images as you in your active room": "Senda myndir sem þú á virku spjallrásina þína",
|
||||
"Send images as you in this room": "Senda myndir sem þú í þessari spjallrás",
|
||||
"See emotes posted to your active room": "Sjá tjáningar sem birtast í virku spjallrásina þinni",
|
||||
"See emotes posted to this room": "Sjá tjáningar sem birtast í þessari spjallrás",
|
||||
"Send emotes as you in your active room": "Senda tjáningu sem þú á virku spjallrásina þína",
|
||||
"Send emotes as you in this room": "Senda tjáningu sem þú í þessari spjallrás",
|
||||
"See text messages posted to your active room": "Sjá textaskilaboð sem birtast í virku spjallrásina þinni",
|
||||
"See text messages posted to this room": "Sjá textaskilaboð sem birtast í þessari spjallrás",
|
||||
"See messages posted to your active room": "Sjá skilaboð sem birtast í virku spjallrásina þinni",
|
||||
"See messages posted to this room": "Sjá skilaboð sem birtast í þessari spjallrás",
|
||||
"See when anyone posts a sticker to your active room": "Sjá þegar límmerki er birt í virku spjallrásinni þinni",
|
||||
"See when a sticker is posted in this room": "Sjá þegar límmerki er birt í þessari spjallrás",
|
||||
"See when people join, leave, or are invited to your active room": "Sjá þegar fólk tekur þátt, yfirgefur eða er boðið á virku spjallrásina þína",
|
||||
"See when people join, leave, or are invited to this room": "Sjá þegar fólk tekur þátt, yfirgefur eða er boðið á þessa spjallrás",
|
||||
"View older version of %(spaceName)s.": "Skoða eldri útgáfu af %(spaceName)s.",
|
||||
"Upgrade this room to the recommended room version": "Uppfæra þessa spjallrás í þá útgáfu spjallrásar sem mælt er með",
|
||||
"Upgrade this space to the recommended room version": "Uppfæra þetta svæði í þá útgáfu spjallrásar sem mælt er með",
|
||||
|
@ -1984,18 +1884,7 @@
|
|||
"You were removed by %(memberName)s": "Þú hefur verið fjarlægð/ur af %(memberName)s",
|
||||
"Loading preview": "Hleð inn forskoðun",
|
||||
"To link to this room, please add an address.": "Til að tengja við þessa spjallrás skaltu bæta við vistfangi.",
|
||||
"Send stickers to your active room as you": "Senda límmerki sem þú á virku spjallrásina þína",
|
||||
"Failed to invite users to %(roomName)s": "Mistókst að bjóða notendum í %(roomName)s",
|
||||
"See <b>%(eventType)s</b> events posted to your active room": "Sjá <b>%(eventType)s</b> atburði sem birtast í virku spjallrásina þinni",
|
||||
"Send <b>%(eventType)s</b> events as you in your active room": "Senda <b>%(eventType)s</b> atburði sem þú á virku spjallrásina þína",
|
||||
"See <b>%(eventType)s</b> events posted to this room": "Sjá <b>%(eventType)s</b> atburði sem birtast í þessari spjallrás",
|
||||
"Send <b>%(eventType)s</b> events as you in this room": "Senda <b>%(eventType)s</b> atburði sem þú á þessa spjallrás",
|
||||
"The above, but in <Room /> as well": "Ofangreint, en einnig í <Room />",
|
||||
"The above, but in any room you are joined or invited to as well": "Ofangreint, en einnig í hverri þeirri spjallrás sem þú tekur þátt í eða hefur verið boðið að taka þátt í",
|
||||
"with state key %(stateKey)s": "með stöðulykli %(stateKey)s",
|
||||
"with an empty state key": "með tómum stöðulykli",
|
||||
"Remove, ban, or invite people to your active room, and make you leave": "Fjarlægðu, bannaðu eða bjóddu fólki í virku spjallrásina þína auk þess að þú getur yfirgefið hana",
|
||||
"Remove, ban, or invite people to this room, and make you leave": "Fjarlægðu, bannaðu eða bjóddu fólki í þessa spjallrás auk þess að þú getur yfirgefið hana",
|
||||
"Consult first": "Ráðfæra fyrst",
|
||||
"You are still <b>sharing your personal data</b> on the identity server <idserver />.": "Þú ert áfram að <b>deila persónulegum gögnum</b> á auðkenningarþjóninum <idserver />.",
|
||||
"contact the administrators of identity server <idserver />": "að hafa samband við stjórnendur auðkennisþjónsins <idserver />",
|
||||
|
@ -2009,9 +1898,6 @@
|
|||
"This homeserver is not configured to display maps.": "Heimaþjónninn er ekki stilltur til að birta landakort.",
|
||||
"This room is used for important messages from the Homeserver, so you cannot leave it.": "Þessi spjallrás er notuð fyrir mikilvæg skilaboð frá heimaþjóninum, þannig að þú getur ekki yfirgefið hana.",
|
||||
"Can't leave Server Notices room": "Getur ekki yfirgefið spjallrásina fyrir tilkynningar frá netþjóni",
|
||||
"You cannot sign in to your account. Please contact your homeserver admin for more information.": "Þú getur ekki skráð þig inn á notandaaðganginn þinn. Hafðu samband við stjórnanda heimaþjónsins þíns til að fá frekari upplýsingar.",
|
||||
"Sign in and regain access to your account.": "Skráðu þig inn og fáðu aftur aðgang að notandaaðgangnum þínum.",
|
||||
"Enter your password to sign in and regain access to your account.": "Settu inn lykilorðið þitt til að skrá þig inn og fáðu aftur aðgang að notandaaðgangnum þínum.",
|
||||
"Verifies a user, session, and pubkey tuple": "Sannreynir auðkenni notanda, setu og dreifilykils",
|
||||
"We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "Við báðum vafrann þinn að muna hvaða heimaþjón þú notar til að skrá þig inn, en því miður virðist það hafa gleymst. Farðu á innskráningarsíðuna og reyndu aftur.",
|
||||
"We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "Við mælum með því að þú fjarlægir tölvupóstföngin þín og símanúmer af auðkennisþjóninum áður en þú aftengist.",
|
||||
|
@ -2217,16 +2103,7 @@
|
|||
"You ended a <a>voice broadcast</a>": "Þú endaðir <a>talútsendingu</a>",
|
||||
"Unfortunately we're unable to start a recording right now. Please try again later.": "Því miður tókst ekki að setja aðra upptöku í gang. Reyndu aftur síðar.",
|
||||
"Can't start a new voice broadcast": "Get ekki byrjað nýja talútsendingu",
|
||||
"Remain on your screen while running": "Vertu áfram á skjánum á meðan þú keyrir",
|
||||
"Remain on your screen when viewing another room, when running": "Vertu áfram á skjánum þegar önnur spjallrás er skoðuð, á meðan þú keyrir",
|
||||
"Verify your email to continue": "Skoðaðu tölvupóstinn þinn til að halda áfram",
|
||||
"Sign in instead": "Skrá inn í staðinn",
|
||||
"Enter your email to reset password": "Settu inn tölvupóstfangið þitt til að endurstilla lykilorðið þitt",
|
||||
"Send email": "Senda tölvupóst",
|
||||
"Verification link email resent!": "Endursendi póst með staðfestingartengli!",
|
||||
"Did not receive it?": "Fékkstu ekki póstinn?",
|
||||
"Re-enter email address": "Settu aftur inn tölvupóstfangið þitt",
|
||||
"Wrong email address?": "Rangt tölvupóstfang?",
|
||||
"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.": "Þú hefur verið skráður út úr öllum tækjum og munt ekki lengur fá ýti-tilkynningar. Til að endurvirkja tilkynningar, þarf að skrá sig aftur inn á hverju tæki fyrir sig.",
|
||||
"Sign out of all devices": "Skrá út af öllum tækjum",
|
||||
"Confirm new password": "Staðfestu nýja lykilorðið",
|
||||
|
@ -2291,7 +2168,6 @@
|
|||
"Video call (%(brand)s)": "Myndsímtal (%(brand)s)",
|
||||
"Show formatting": "Sýna sniðmótun",
|
||||
"Hide formatting": "Fela sniðmótun",
|
||||
"You don't have permission to view messages from before you were invited.": "Þú hefur ekki heimildir til að skoða skilaboð frá því áður en þér var boðið.",
|
||||
"This message could not be decrypted": "Þessi skilaboð er ekki hægt að afkóða",
|
||||
" in <strong>%(room)s</strong>": " í <strong>%(room)s</strong>",
|
||||
"Sign out of %(count)s sessions": {
|
||||
|
@ -2414,7 +2290,8 @@
|
|||
"cross_signing": "Kross-undirritun",
|
||||
"identity_server": "Auðkennisþjónn",
|
||||
"integration_manager": "Samþættingarstýring",
|
||||
"qr_code": "QR-kóði"
|
||||
"qr_code": "QR-kóði",
|
||||
"feedback": "Umsagnir"
|
||||
},
|
||||
"action": {
|
||||
"continue": "Halda áfram",
|
||||
|
@ -2839,7 +2716,9 @@
|
|||
"timeline_image_size": "Stærð myndar í tímalínunni",
|
||||
"timeline_image_size_default": "Sjálfgefið",
|
||||
"timeline_image_size_large": "Stórt"
|
||||
}
|
||||
},
|
||||
"inline_url_previews_room_account": "Virkja forskoðun vefslóða fyrir þessa spjallrás (einungis fyrir þig)",
|
||||
"inline_url_previews_room": "Virkja forskoðun vefslóða sjálfgefið fyrir þátttakendur í þessari spjallrás"
|
||||
},
|
||||
"devtools": {
|
||||
"event_type": "Tegund atburðar",
|
||||
|
@ -2957,7 +2836,17 @@
|
|||
"title_public_room": "Búa til opinbera almenningsspjallrás",
|
||||
"title_private_room": "Búa til einkaspjallrás",
|
||||
"action_create_video_room": "Búa til myndspjallrás",
|
||||
"action_create_room": "Búa til spjallrás"
|
||||
"action_create_room": "Búa til spjallrás",
|
||||
"name_validation_required": "Settu inn eitthvað nafn fyrir spjallrásina",
|
||||
"join_rule_restricted_label": "Hver sem er í <SpaceName/> getur fundið og tekið þátt í þessari spjallrás.",
|
||||
"join_rule_public_parent_space_label": "Hver sem er getur fundið og tekið þátt í þessari spjallrás, ekki bara meðlimir í <SpaceName/>.",
|
||||
"join_rule_public_label": "Hver sem er getur fundið og tekið þátt í þessari spjallrás.",
|
||||
"join_rule_invite_label": "Aðeins fólk sem hefur verið boðið getur fundið og tekið þátt í þessari spjallrás.",
|
||||
"encryption_label": "Virkja enda-í-enda dulritun",
|
||||
"topic_label": "Umfjöllunarefni (valkvætt)",
|
||||
"room_visibility_label": "Sýnileiki spjallrásar",
|
||||
"join_rule_invite": "Einkaspjallrás (einungis gegn boði)",
|
||||
"join_rule_restricted": "Sýnilegt meðlimum svæðis"
|
||||
},
|
||||
"timeline": {
|
||||
"m.call": {
|
||||
|
@ -3212,7 +3101,10 @@
|
|||
"changed_rule_rooms": "%(senderName)s breytti reglu sem bannar spjallrásir sem samsvara %(oldGlob)s yfir í að samsvara %(glob)s, vegna %(reason)s",
|
||||
"changed_rule_servers": "%(senderName)s breytti reglu sem bannar netþjóna sem samsvara %(oldGlob)s yfir í að samsvara %(glob)s, vegna %(reason)s",
|
||||
"changed_rule_glob": "%(senderName)s uppfærði bannreglu sem samsvarar %(oldGlob)s yfir í að samsvara %(glob)s, vegna %(reason)s"
|
||||
}
|
||||
},
|
||||
"no_permission_messages_before_invite": "Þú hefur ekki heimildir til að skoða skilaboð frá því áður en þér var boðið.",
|
||||
"no_permission_messages_before_join": "Þú hefur ekki heimildir til að skoða skilaboð frá því áður en þú fórst að taka þátt.",
|
||||
"historical_messages_unavailable": "Þú getur ekki séð eldri skilaboð"
|
||||
},
|
||||
"slash_command": {
|
||||
"spoiler": "Sendir skilaboðin sem stríðni",
|
||||
|
@ -3266,7 +3158,14 @@
|
|||
"holdcall": "Setur símtalið í fyrirliggjandi spjallrás í bið",
|
||||
"no_active_call": "Ekkert virkt símtal á þessari spjallrás",
|
||||
"unholdcall": "Tekur símtalið í fyrirliggjandi spjallrás úr bið",
|
||||
"me": "Birtir aðgerð"
|
||||
"me": "Birtir aðgerð",
|
||||
"error_invalid_runfn": "Villa í skipun: Get ekki meðhöndlað skástriks-skipun.",
|
||||
"error_invalid_rendering_type": "Villa í skipun: Get ekki fundið myndgerðartegundina (%(renderingType)s)",
|
||||
"join": "Gengur til liðs við spjallrás með uppgefnu vistfangi",
|
||||
"failed_find_room": "Skipun mistókst: Gat ekki fundið spjallrásina (%(roomId)s",
|
||||
"failed_find_user": "Gat ekki fundið notanda á spjallrás",
|
||||
"op": "Skilgreindu völd notanda",
|
||||
"deop": "Tekur stjórnunarréttindi af notanda með uppgefið auðkenni"
|
||||
},
|
||||
"presence": {
|
||||
"busy": "Upptekinn",
|
||||
|
@ -3445,13 +3344,45 @@
|
|||
"reset_password_title": "Endurstilltu lykilorðið þitt",
|
||||
"continue_with_sso": "Halda áfram með %(ssoButtons)s",
|
||||
"sso_or_username_password": "%(ssoButtons)s eða %(usernamePassword)s",
|
||||
"sign_in_instead": "Ert þú með aðgang? <a>Skráðu þig inn hér</a>",
|
||||
"sign_in_instead": "Skrá inn í staðinn",
|
||||
"account_clash": "Nýi aðgangurinn þinn (%(newAccountId)s) er skráður, eð þú ert þegar skráð/ur inn á öðrum notandaaðgangi (%(loggedInUserId)s).",
|
||||
"account_clash_previous_account": "Halda áfram með fyrri aðgangi",
|
||||
"log_in_new_account": "<a>Skráðu þig inn</a> í nýja notandaaðganginn þinn.",
|
||||
"registration_successful": "Nýskráning tókst",
|
||||
"server_picker_title": "Hýsa notandaaðgang á",
|
||||
"server_picker_dialog_title": "Ákveddu hvar aðgangurinn þinn er hýstur"
|
||||
"server_picker_title": "Skráðu þig inn á heimaþjóninn þinn",
|
||||
"server_picker_dialog_title": "Ákveddu hvar aðgangurinn þinn er hýstur",
|
||||
"footer_powered_by_matrix": "keyrt með Matrix",
|
||||
"sync_footer_subtitle": "Þetta getur tekið dálítinn tíma ef þú tekur þátt í mörgum spjallrásum",
|
||||
"unsupported_auth_msisdn": "Þessi netþjónn styður ekki auðkenningu með símanúmeri.",
|
||||
"unsupported_auth_email": "Þessi heimaþjónn styður ekki innskráningu með tölvupóstfangi.",
|
||||
"registration_disabled": "Nýskráning hefur verið gerð óvirk á þessum heimaþjóni.",
|
||||
"username_in_use": "Einhver annar er að nota þetta notandanafn, prófaðu eitthvað annað.",
|
||||
"incorrect_password": "Rangt lykilorð",
|
||||
"failed_soft_logout_auth": "Tókst ekki að endurauðkenna",
|
||||
"soft_logout_heading": "Þú ert skráð/ur út",
|
||||
"forgot_password_email_required": "Það þarf að setja inn tölvupóstfangið sem tengt er notandaaðgangnum þínum.",
|
||||
"forgot_password_email_invalid": "Tölvupóstfangið lítur ekki út fyrir að vera í lagi.",
|
||||
"sign_in_prompt": "Ertu með aðgang? <a>Skráðu þig inn</a>",
|
||||
"verify_email_heading": "Skoðaðu tölvupóstinn þinn til að halda áfram",
|
||||
"forgot_password_prompt": "Gleymdirðu lykilorðinu þínu?",
|
||||
"soft_logout_intro_password": "Settu inn lykilorðið þitt til að skrá þig inn og fáðu aftur aðgang að notandaaðgangnum þínum.",
|
||||
"soft_logout_intro_sso": "Skráðu þig inn og fáðu aftur aðgang að notandaaðgangnum þínum.",
|
||||
"soft_logout_intro_unsupported_auth": "Þú getur ekki skráð þig inn á notandaaðganginn þinn. Hafðu samband við stjórnanda heimaþjónsins þíns til að fá frekari upplýsingar.",
|
||||
"check_email_wrong_email_prompt": "Rangt tölvupóstfang?",
|
||||
"check_email_wrong_email_button": "Settu aftur inn tölvupóstfangið þitt",
|
||||
"check_email_resend_prompt": "Fékkstu ekki póstinn?",
|
||||
"check_email_resend_tooltip": "Endursendi póst með staðfestingartengli!",
|
||||
"enter_email_heading": "Settu inn tölvupóstfangið þitt til að endurstilla lykilorðið þitt",
|
||||
"create_account_prompt": "Nýr hérna? <a>Stofnaðu aðgang</a>",
|
||||
"sign_in_or_register": "Skráðu þig inn eða búðu til aðgang",
|
||||
"sign_in_or_register_description": "Notaðu aðganginn þinn eða búðu til nýjan til að halda áfram.",
|
||||
"register_action": "Búa til notandaaðgang",
|
||||
"server_picker_failed_validate_homeserver": "Ekki tókst að sannreyna heimaþjón",
|
||||
"server_picker_invalid_url": "Ógild slóð",
|
||||
"server_picker_required": "Tilgreindu heimaþjón",
|
||||
"server_picker_matrix.org": "Matrix.org is er heimsins stærsti opinberi heimaþjónninn, þannig að þar er góður staður fyrir marga.",
|
||||
"server_picker_custom": "Annar heimaþjónn",
|
||||
"server_picker_learn_more": "Um heimaþjóna"
|
||||
},
|
||||
"room_list": {
|
||||
"sort_unread_first": "Birta spjallrásir með ólesnum skilaboðum fyrst",
|
||||
|
@ -3496,5 +3427,77 @@
|
|||
"access_token_detail": "Aðgangsteiknið þitt gefur fullan aðgang að notandaaðgangnum þínum. Ekki deila því með neinum.",
|
||||
"clear_cache_reload": "Hreinsa skyndiminni og endurhlaða"
|
||||
}
|
||||
},
|
||||
"widget": {
|
||||
"capability": {
|
||||
"send_stickers_this_room": "Senda límmerki á þessa spjallrás",
|
||||
"send_stickers_active_room": "Senda límmerki á virku spjallrásina þína",
|
||||
"send_stickers_this_room_as_you": "Senda límmerki sem þú á þessa spjallrás",
|
||||
"send_stickers_active_room_as_you": "Senda límmerki sem þú á virku spjallrásina þína",
|
||||
"see_sticker_posted_this_room": "Sjá þegar límmerki er birt í þessari spjallrás",
|
||||
"see_sticker_posted_active_room": "Sjá þegar límmerki er birt í virku spjallrásinni þinni",
|
||||
"always_on_screen_viewing_another_room": "Vertu áfram á skjánum þegar önnur spjallrás er skoðuð, á meðan þú keyrir",
|
||||
"always_on_screen_generic": "Vertu áfram á skjánum á meðan þú keyrir",
|
||||
"switch_room": "Breyttu hvaða spjallrás þú ert að skoða",
|
||||
"switch_room_message_user": "Breyttu hvaða spjallrás, skilaboð eða notanda þú ert að skoða",
|
||||
"change_topic_this_room": "Breyta heiti þessarar spjallrásar",
|
||||
"see_topic_change_this_room": "Sjá þegar umfjöllunarefni þessarar spjallrásar breytist",
|
||||
"change_topic_active_room": "Breyta umfjöllunarefni virku spjallrásarinnar þinnar",
|
||||
"see_topic_change_active_room": "Sjá þegar umfjöllunarefni virku spjallrásarinnar þinnar breytist",
|
||||
"change_name_this_room": "Breyta heiti þessarar spjallrásar",
|
||||
"see_name_change_this_room": "Sjá þegar heiti þessarar spjallrásar breytist",
|
||||
"change_name_active_room": "Breyta heiti virku spjallrásarinnar þinnar",
|
||||
"see_name_change_active_room": "Sjá þegar heiti virku spjallrásarinnar þinnar breytist",
|
||||
"change_avatar_this_room": "Breyta auðkennismynd þessarar spjallrásar",
|
||||
"see_avatar_change_this_room": "Sjá þegar auðkennismynd þessarar spjallrásar breytist",
|
||||
"change_avatar_active_room": "Breyta auðkennismynd virku spjallrásarinnar þinnar",
|
||||
"see_avatar_change_active_room": "Sjá þegar auðkennismynd virku spjallrásarinnar þinnar breytist",
|
||||
"remove_ban_invite_leave_this_room": "Fjarlægðu, bannaðu eða bjóddu fólki í þessa spjallrás auk þess að þú getur yfirgefið hana",
|
||||
"receive_membership_this_room": "Sjá þegar fólk tekur þátt, yfirgefur eða er boðið á þessa spjallrás",
|
||||
"remove_ban_invite_leave_active_room": "Fjarlægðu, bannaðu eða bjóddu fólki í virku spjallrásina þína auk þess að þú getur yfirgefið hana",
|
||||
"receive_membership_active_room": "Sjá þegar fólk tekur þátt, yfirgefur eða er boðið á virku spjallrásina þína",
|
||||
"byline_empty_state_key": "með tómum stöðulykli",
|
||||
"byline_state_key": "með stöðulykli %(stateKey)s",
|
||||
"any_room": "Ofangreint, en einnig í hverri þeirri spjallrás sem þú tekur þátt í eða hefur verið boðið að taka þátt í",
|
||||
"specific_room": "Ofangreint, en einnig í <Room />",
|
||||
"send_event_type_this_room": "Senda <b>%(eventType)s</b> atburði sem þú á þessa spjallrás",
|
||||
"see_event_type_sent_this_room": "Sjá <b>%(eventType)s</b> atburði sem birtast í þessari spjallrás",
|
||||
"send_event_type_active_room": "Senda <b>%(eventType)s</b> atburði sem þú á virku spjallrásina þína",
|
||||
"see_event_type_sent_active_room": "Sjá <b>%(eventType)s</b> atburði sem birtast í virku spjallrásina þinni",
|
||||
"capability": "Geta <b>%(capability)s</b>-þjónsins",
|
||||
"send_messages_this_room": "Senda skilaboð sem þú í þessari spjallrás",
|
||||
"send_messages_active_room": "Senda skilaboð sem þú á virku spjallrásina þína",
|
||||
"see_messages_sent_this_room": "Sjá skilaboð sem birtast í þessari spjallrás",
|
||||
"see_messages_sent_active_room": "Sjá skilaboð sem birtast í virku spjallrásina þinni",
|
||||
"send_text_messages_this_room": "Senda textaskilaboð sem þú á þessa spjallrás",
|
||||
"send_text_messages_active_room": "Senda textaskilaboð sem þú á virku spjallrásina þína",
|
||||
"see_text_messages_sent_this_room": "Sjá textaskilaboð sem birtast í þessari spjallrás",
|
||||
"see_text_messages_sent_active_room": "Sjá textaskilaboð sem birtast í virku spjallrásina þinni",
|
||||
"send_emotes_this_room": "Senda tjáningu sem þú í þessari spjallrás",
|
||||
"send_emotes_active_room": "Senda tjáningu sem þú á virku spjallrásina þína",
|
||||
"see_sent_emotes_this_room": "Sjá tjáningar sem birtast í þessari spjallrás",
|
||||
"see_sent_emotes_active_room": "Sjá tjáningar sem birtast í virku spjallrásina þinni",
|
||||
"send_images_this_room": "Senda myndir sem þú í þessari spjallrás",
|
||||
"send_images_active_room": "Senda myndir sem þú á virku spjallrásina þína",
|
||||
"see_images_sent_this_room": "Sjá myndir sem birtast í þessari spjallrás",
|
||||
"see_images_sent_active_room": "Sjá myndir sem birtast í virku spjallrásina þinni",
|
||||
"send_videos_this_room": "Senda myndskeið sem þú í þessari spjallrás",
|
||||
"send_videos_active_room": "Senda myndskeið sem þú á virku spjallrásina þína",
|
||||
"see_videos_sent_this_room": "Sjá myndskeið sem birtast í þessari spjallrás",
|
||||
"see_videos_sent_active_room": "Sjá myndskeið sem birtast í virku spjallrásina þinni",
|
||||
"send_files_this_room": "Senda almennar skrár sem þú í þessari spjallrás",
|
||||
"send_files_active_room": "Senda almennar skrár sem þú á virku spjallrásina þína",
|
||||
"see_sent_files_this_room": "Sjá almennar skrár sem birtast í þessari spjallrás",
|
||||
"see_sent_files_active_room": "Sjá almennar skrár sem birtast í virku spjallrásina þinni",
|
||||
"send_msgtype_this_room": "Senda <b>%(msgtype)s</b>-skilaboð sem þú á þessa spjallrás",
|
||||
"send_msgtype_active_room": "Senda <b>%(msgtype)s</b>-skilaboð sem þú á virku spjallrásina þína",
|
||||
"see_msgtype_sent_this_room": "Sjá <b>%(msgtype)s</b> skilaboð sem birtast í þessari spjallrás",
|
||||
"see_msgtype_sent_active_room": "Sjá <b>%(msgtype)s</b> skilaboð sem birtast í virku spjallrásina þinni"
|
||||
}
|
||||
},
|
||||
"feedback": {
|
||||
"sent": "Umsögn send",
|
||||
"comment_label": "Athugasemd",
|
||||
"send_feedback_action": "Senda umsögn"
|
||||
}
|
||||
}
|
||||
|
|
|
@ -2,7 +2,6 @@
|
|||
"Failed to forget room %(errCode)s": "Impossibile dimenticare la stanza %(errCode)s",
|
||||
"Notifications": "Notifiche",
|
||||
"Operation failed": "Operazione fallita",
|
||||
"powered by Matrix": "offerto da Matrix",
|
||||
"unknown error code": "codice errore sconosciuto",
|
||||
"Create new room": "Crea una nuova stanza",
|
||||
"Favourite": "Preferito",
|
||||
|
@ -77,8 +76,6 @@
|
|||
"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",
|
||||
"Authentication check failed: incorrect password?": "Controllo di autenticazione fallito: password sbagliata?",
|
||||
"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",
|
||||
"Incorrect verification code": "Codice di verifica sbagliato",
|
||||
"Phone": "Telefono",
|
||||
"No display name": "Nessun nome visibile",
|
||||
|
@ -187,7 +184,6 @@
|
|||
},
|
||||
"Confirm Removal": "Conferma la rimozione",
|
||||
"Unknown error": "Errore sconosciuto",
|
||||
"Incorrect password": "Password sbagliata",
|
||||
"Deactivate Account": "Disattiva l'account",
|
||||
"An error has occurred.": "Si è verificato un errore.",
|
||||
"Unable to restore session": "Impossibile ripristinare la sessione",
|
||||
|
@ -235,7 +231,6 @@
|
|||
"No media permissions": "Nessuna autorizzazione per i media",
|
||||
"Email": "Email",
|
||||
"Profile": "Profilo",
|
||||
"The email address linked to your account must be entered.": "Deve essere inserito l'indirizzo email collegato al tuo account.",
|
||||
"A new password must be entered.": "Deve essere inserita una nuova password.",
|
||||
"New passwords must match each other.": "Le nuove password devono coincidere.",
|
||||
"Return to login screen": "Torna alla schermata di accesso",
|
||||
|
@ -243,9 +238,6 @@
|
|||
"Please note you are logging into the %(hs)s server, not matrix.org.": "Nota che stai accedendo nel server %(hs)s , non matrix.org.",
|
||||
"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>.": "Impossibile connettersi all'homeserver via HTTP quando c'è un URL HTTPS nella barra del tuo browser. Usa HTTPS o <a>attiva gli script non sicuri</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.": "Impossibile connettersi all'homeserver - controlla la tua connessione, assicurati che il <a>certificato SSL dell'homeserver</a> sia fidato e che un'estensione del browser non stia bloccando le richieste.",
|
||||
"This server does not support authentication with a phone number.": "Questo server non supporta l'autenticazione tramite numero di telefono.",
|
||||
"Define the power level of a user": "Definisce il livello di poteri di un utente",
|
||||
"Deops user with given id": "Toglie privilegi all'utente per ID",
|
||||
"Commands": "Comandi",
|
||||
"Notify the whole room": "Notifica l'intera stanza",
|
||||
"Room Notification": "Notifica della stanza",
|
||||
|
@ -397,7 +389,6 @@
|
|||
"Unable to restore backup": "Impossibile ripristinare il backup",
|
||||
"No backup found!": "Nessun backup trovato!",
|
||||
"Failed to decrypt %(failedCount)s sessions!": "Decifrazione di %(failedCount)s sessioni fallita!",
|
||||
"Failed to perform homeserver discovery": "Ricerca dell'homeserver fallita",
|
||||
"Invalid homeserver discovery response": "Risposta della ricerca homeserver non valida",
|
||||
"That matches!": "Corrisponde!",
|
||||
"That doesn't match.": "Non corrisponde.",
|
||||
|
@ -549,10 +540,7 @@
|
|||
"Couldn't load page": "Caricamento pagina fallito",
|
||||
"Could not load user profile": "Impossibile caricare il profilo utente",
|
||||
"Your password has been reset.": "La tua password è stata reimpostata.",
|
||||
"This homeserver does not support login using email address.": "Questo homeserver non supporta l'accesso tramite indirizzo email.",
|
||||
"Create account": "Crea account",
|
||||
"Registration has been disabled on this homeserver.": "La registrazione è stata disattivata su questo homeserver.",
|
||||
"Unable to query for supported registration methods.": "Impossibile richiedere i metodi di registrazione supportati.",
|
||||
"Your keys are being backed up (the first backup could take a few minutes).": "Il backup delle chiavi è in corso (il primo backup potrebbe richiedere qualche minuto).",
|
||||
"Success!": "Completato!",
|
||||
"Recovery Method Removed": "Metodo di ripristino rimosso",
|
||||
|
@ -652,16 +640,10 @@
|
|||
"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:": "Per aggiornare questa stanza devi chiudere l'istanza attuale e creare una nuova stanza al suo posto. Per offrire la migliore esperienza possibile ai membri della stanza:",
|
||||
"Resend %(unsentCount)s reaction(s)": "Reinvia %(unsentCount)s reazione/i",
|
||||
"Your homeserver doesn't seem to support this feature.": "Il tuo homeserver non sembra supportare questa funzione.",
|
||||
"You're signed out": "Sei disconnesso",
|
||||
"Clear all data": "Elimina tutti i dati",
|
||||
"Please tell us what went wrong or, better, create a GitHub issue that describes the problem.": "Per favore dicci cos'è andato storto, o meglio, crea una segnalazione su GitHub che descriva il problema.",
|
||||
"Removing…": "Rimozione…",
|
||||
"Failed to re-authenticate due to a homeserver problem": "Riautenticazione fallita per un problema dell'homeserver",
|
||||
"Failed to re-authenticate": "Riautenticazione fallita",
|
||||
"Enter your password to sign in and regain access to your account.": "Inserisci la tua password per accedere ed ottenere l'accesso al tuo account.",
|
||||
"Forgotten your password?": "Hai dimenticato la password?",
|
||||
"Sign in and regain access to your account.": "Accedi ed ottieni l'accesso al tuo account.",
|
||||
"You cannot sign in to your account. Please contact your homeserver admin for more information.": "Non puoi accedere al tuo account. Contatta l'admin del tuo homeserver per maggiori informazioni.",
|
||||
"Clear personal data": "Elimina dati personali",
|
||||
"Find others by phone or email": "Trova altri per telefono o email",
|
||||
"Be found by phone or email": "Trovato per telefono o email",
|
||||
|
@ -737,8 +719,6 @@
|
|||
"Verify the link in your inbox": "Verifica il link nella tua posta in arrivo",
|
||||
"e.g. my-room": "es. mia-stanza",
|
||||
"Close dialog": "Chiudi finestra",
|
||||
"Please enter a name for the room": "Inserisci un nome per la stanza",
|
||||
"Topic (optional)": "Argomento (facoltativo)",
|
||||
"Hide advanced": "Nascondi avanzate",
|
||||
"Show advanced": "Mostra avanzate",
|
||||
"Explore rooms": "Esplora stanze",
|
||||
|
@ -966,9 +946,6 @@
|
|||
"Your homeserver does not support cross-signing.": "Il tuo homeserver non supporta la firma incrociata.",
|
||||
"Homeserver feature support:": "Funzioni supportate dall'homeserver:",
|
||||
"exists": "esiste",
|
||||
"Sign In or Create Account": "Accedi o crea account",
|
||||
"Use your account or create a new one to continue.": "Usa il tuo account o creane uno nuovo per continuare.",
|
||||
"Create Account": "Crea account",
|
||||
"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 .",
|
||||
"Mark all as read": "Segna tutto come letto",
|
||||
|
@ -1030,15 +1007,12 @@
|
|||
"%(name)s is requesting verification": "%(name)s sta richiedendo la verifica",
|
||||
"well formed": "formattata bene",
|
||||
"unexpected type": "tipo inatteso",
|
||||
"Enable end-to-end encryption": "Attiva crittografia end-to-end",
|
||||
"Confirm your account deactivation by using Single Sign On to prove your identity.": "Conferma la disattivazione del tuo account usando Single Sign On per dare prova della tua identità.",
|
||||
"Are you sure you want to deactivate your account? This is irreversible.": "Sei sicuro di volere disattivare il tuo account? È irreversibile.",
|
||||
"Confirm account deactivation": "Conferma disattivazione account",
|
||||
"Server did not require any authentication": "Il server non ha richiesto alcuna autenticazione",
|
||||
"Server did not return valid authentication information.": "Il server non ha restituito informazioni di autenticazione valide.",
|
||||
"There was a problem communicating with the server. Please try again.": "C'è stato un problema nella comunicazione con il server. Riprova.",
|
||||
"Could not find user in room": "Utente non trovato nella stanza",
|
||||
"If you've joined lots of rooms, this might take a while": "Se sei dentro a molte stanze, potrebbe impiegarci un po'",
|
||||
"Can't load this message": "Impossibile caricare questo messaggio",
|
||||
"Submit logs": "Invia registri",
|
||||
"Reminder: Your browser is unsupported, so your experience may be unpredictable.": "Promemoria: il tuo browser non è supportato, perciò la tua esperienza può essere imprevedibile.",
|
||||
|
@ -1062,7 +1036,6 @@
|
|||
"Size must be a number": "La dimensione deve essere un numero",
|
||||
"Custom font size can only be between %(min)s pt and %(max)s pt": "La dimensione del carattere personalizzata può solo essere tra %(min)s pt e %(max)s pt",
|
||||
"Use between %(min)s pt and %(max)s pt": "Usa tra %(min)s pt e %(max)s pt",
|
||||
"Joins room with given address": "Accede alla stanza con l'indirizzo dato",
|
||||
"Please verify the room ID or address and try again.": "Verifica l'ID o l'indirizzo della stanza e riprova.",
|
||||
"Room ID or address of ban list": "ID o indirizzo stanza della lista ban",
|
||||
"To link to this room, please add an address.": "Per collegare a questa stanza, aggiungi un indirizzo.",
|
||||
|
@ -1086,7 +1059,6 @@
|
|||
"Switch to dark mode": "Passa alla modalità scura",
|
||||
"Switch theme": "Cambia tema",
|
||||
"All settings": "Tutte le impostazioni",
|
||||
"Feedback": "Feedback",
|
||||
"No recently visited rooms": "Nessuna stanza visitata di recente",
|
||||
"Message preview": "Anteprima messaggio",
|
||||
"Room options": "Opzioni stanza",
|
||||
|
@ -1138,9 +1110,6 @@
|
|||
"Error leaving room": "Errore uscendo dalla stanza",
|
||||
"Information": "Informazione",
|
||||
"Set up Secure Backup": "Imposta il Backup Sicuro",
|
||||
"You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "Dovresti attivarlo se questa stanza verrà usata solo per collaborazioni tra squadre interne nel tuo homeserver. Non può essere cambiato in seguito.",
|
||||
"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.": "Dovresti disattivarlo se questa stanza verrà usata per collaborazioni con squadre esterne che hanno il loro homeserver. Non può essere cambiato in seguito.",
|
||||
"Block anyone not part of %(serverName)s from ever joining this room.": "Blocca l'accesso alla stanza per chiunque non faccia parte di %(serverName)s.",
|
||||
"Unknown App": "App sconosciuta",
|
||||
"Cross-signing is ready for use.": "La firma incrociata è pronta all'uso.",
|
||||
"Cross-signing is not set up.": "La firma incrociata non è impostata.",
|
||||
|
@ -1159,7 +1128,6 @@
|
|||
"Widgets": "Widget",
|
||||
"Edit widgets, bridges & bots": "Modifica widget, bridge e bot",
|
||||
"Add widgets, bridges & bots": "Aggiungi widget, bridge e bot",
|
||||
"Your server requires encryption to be enabled in private rooms.": "Il tuo server richiede la crittografia attiva nelle stanze private.",
|
||||
"Start a conversation with someone using their name or username (like <userId/>).": "Inizia una conversazione con qualcuno usando il suo nome o il nome utente (come <userId/>).",
|
||||
"Invite someone using their name, username (like <userId/>) or <a>share this room</a>.": "Invita qualcuno usando il suo nome, nome utente (come <userId/>) o <a>condividi questa stanza</a>.",
|
||||
"Unable to set up keys": "Impossibile impostare le chiavi",
|
||||
|
@ -1187,11 +1155,6 @@
|
|||
"The call was answered on another device.": "La chiamata è stata accettata su un altro dispositivo.",
|
||||
"Answered Elsewhere": "Risposto altrove",
|
||||
"Data on this screen is shared with %(widgetDomain)s": "I dati in questa schermata vengono condivisi con %(widgetDomain)s",
|
||||
"Send feedback": "Invia feedback",
|
||||
"PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "CONSIGLIO: se segnali un errore, invia <debugLogsLink>i log di debug</debugLogsLink> per aiutarci ad individuare il problema.",
|
||||
"Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.": "Prima controlla <existingIssuesLink>gli errori esistenti su Github</existingIssuesLink>. Non l'hai trovato? <newIssueLink>Apri una segnalazione</newIssueLink>.",
|
||||
"Comment": "Commento",
|
||||
"Feedback sent": "Feedback inviato",
|
||||
"Invite someone using their name, email address, username (like <userId/>) or <a>share this room</a>.": "Invita qualcuno usando il suo nome, indirizzo email, nome utente (come <userId/>) o <a>condividi questa stanza</a>.",
|
||||
"Start a conversation with someone using their name, email address or username (like <userId/>).": "Inizia una conversazione con qualcuno usando il suo nome, indirizzo email o nome utente (come <userId/>).",
|
||||
"Invite by email": "Invita per email",
|
||||
|
@ -1463,46 +1426,7 @@
|
|||
"one": "Salva in cache i messaggi cifrati localmente in modo che appaiano nei risultati di ricerca, usando %(size)s per salvarli da %(rooms)s stanza.",
|
||||
"other": "Salva in cache i messaggi cifrati localmente in modo che appaiano nei risultati di ricerca, usando %(size)s per salvarli da %(rooms)s stanze."
|
||||
},
|
||||
"See text messages posted to your active room": "Vedi messaggi di testo inviati alla tua stanza attiva",
|
||||
"See text messages posted to this room": "Vedi messaggi di testo inviati a questa stanza",
|
||||
"Send text messages as you in your active room": "Invia messaggi di testo a tuo nome nella tua stanza attiva",
|
||||
"Send text messages as you in this room": "Invia messaggi di testo a tuo nome in questa stanza",
|
||||
"See messages posted to your active room": "Vedi messaggi inviati alla tua stanza attiva",
|
||||
"See messages posted to this room": "Vedi messaggi inviati a questa stanza",
|
||||
"Send messages as you in your active room": "Invia messaggi a tuo nome nella tua stanza attiva",
|
||||
"Send messages as you in this room": "Invia messaggi a tuo nome in questa stanza",
|
||||
"The <b>%(capability)s</b> capability": "La capacità <b>%(capability)s</b>",
|
||||
"See <b>%(eventType)s</b> events posted to your active room": "Vedi eventi <b>%(eventType)s</b> inviati alla tua stanza attiva",
|
||||
"Send <b>%(eventType)s</b> events as you in your active room": "Invia eventi <b>%(eventType)s</b> a tuo nome nella tua stanza attiva",
|
||||
"See <b>%(eventType)s</b> events posted to this room": "Vedi eventi <b>%(eventType)s</b> inviati a questa stanza",
|
||||
"Send <b>%(eventType)s</b> events as you in this room": "Invia eventi <b>%(eventType)s</b> a tuo nome in questa stanza",
|
||||
"with state key %(stateKey)s": "con la chiave di stato %(stateKey)s",
|
||||
"with an empty state key": "con una chiave di stato vuota",
|
||||
"See when anyone posts a sticker to your active room": "Vedi quando qualcuno invia un adesivo alla tua stanza attiva",
|
||||
"Send stickers to this room as you": "Invia adesivi a questa stanza a tuo nome",
|
||||
"Send stickers to your active room as you": "Invia adesivi alla tua stanza attiva a tuo nome",
|
||||
"See when a sticker is posted in this room": "Vedi quando viene inviato un adesivo in questa stanza",
|
||||
"See when the avatar changes in your active room": "Vedi quando l'avatar cambia nella tua stanza attiva",
|
||||
"Change the avatar of your active room": "Cambia l'avatar della tua stanza attiva",
|
||||
"See when the avatar changes in this room": "Vedi quando l'avatar cambia in questa stanza",
|
||||
"Change the avatar of this room": "Cambia l'avatar di questa stanza",
|
||||
"See when the name changes in your active room": "Vedi quando il nome cambia nella tua stanza attiva",
|
||||
"Change the name of your active room": "Cambia il nome della tua stanza attiva",
|
||||
"See when the name changes in this room": "Vedi quando il nome cambia in questa stanza",
|
||||
"Change the name of this room": "Cambia il nome di questa stanza",
|
||||
"See when the topic changes in your active room": "Vedi quando l'argomento cambia nella tua stanza attiva",
|
||||
"Change the topic of your active room": "Cambia l'argomento della tua stanza attiva",
|
||||
"See when the topic changes in this room": "Vedi quando l'argomento cambia in questa stanza",
|
||||
"Change the topic of this room": "Cambia l'argomento di questa stanza",
|
||||
"Change which room you're viewing": "Cambia quale stanza stai vedendo",
|
||||
"Send stickers into your active room": "Invia adesivi nella tua stanza attiva",
|
||||
"Send stickers into this room": "Invia adesivi in questa stanza",
|
||||
"Remain on your screen while running": "Resta sul tuo schermo mentre in esecuzione",
|
||||
"Remain on your screen when viewing another room, when running": "Resta sul tuo schermo quando vedi un'altra stanza, quando in esecuzione",
|
||||
"New? <a>Create account</a>": "Prima volta? <a>Crea un account</a>",
|
||||
"There was a problem communicating with the homeserver, please try again later.": "C'è stato un problema nella comunicazione con l'homeserver, riprova più tardi.",
|
||||
"New here? <a>Create an account</a>": "Prima volta qui? <a>Crea un account</a>",
|
||||
"Got an account? <a>Sign in</a>": "Hai un account? <a>Accedi</a>",
|
||||
"Use email to optionally be discoverable by existing contacts.": "Usa l'email per essere facoltativamente trovabile dai contatti esistenti.",
|
||||
"Use email or phone to optionally be discoverable by existing contacts.": "Usa l'email o il telefono per essere facoltativamente trovabile dai contatti esistenti.",
|
||||
"Add an email to be able to reset your password.": "Aggiungi un'email per poter reimpostare la password.",
|
||||
|
@ -1512,37 +1436,10 @@
|
|||
"Decline All": "Rifiuta tutti",
|
||||
"Approve widget permissions": "Approva permessi del widget",
|
||||
"This widget would like to:": "Il widget vorrebbe:",
|
||||
"About homeservers": "Riguardo gli homeserver",
|
||||
"Use your preferred Matrix homeserver if you have one, or host your own.": "Usa il tuo homeserver Matrix preferito se ne hai uno, o ospitane uno tuo.",
|
||||
"Other homeserver": "Altro homeserver",
|
||||
"Sign into your homeserver": "Accedi al tuo homeserver",
|
||||
"Specify a homeserver": "Specifica un homeserver",
|
||||
"Invalid URL": "URL non valido",
|
||||
"Unable to validate homeserver": "Impossibile validare l'homeserver",
|
||||
"Just a heads up, if you don't add an email and forget your password, you could <b>permanently lose access to your account</b>.": "Solo un avviso, se non aggiungi un'email e dimentichi la password, potresti <b>perdere permanentemente l'accesso al tuo account</b>.",
|
||||
"Continuing without email": "Continuando senza email",
|
||||
"Reason (optional)": "Motivo (facoltativo)",
|
||||
"Server Options": "Opzioni server",
|
||||
"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",
|
||||
"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 this room": "Invia messaggi <b>%(msgtype)s</b> a tuo nome in questa stanza",
|
||||
"See general files posted to your active room": "Vedi file generici inviati alla tua stanza attiva",
|
||||
"See general files posted to this room": "Vedi file generici inviati a questa stanza",
|
||||
"Send general files as you in your active room": "Invia file generici a tuo nome nella tua stanza attiva",
|
||||
"Send general files as you in this room": "Invia file generici a tuo nome in questa stanza",
|
||||
"See videos posted to your active room": "Vedi video inviati alla tua stanza attiva",
|
||||
"See videos posted to this room": "Vedi video inviati a questa stanza",
|
||||
"Send videos as you in your active room": "Invia video a tuo nome nella tua stanza attiva",
|
||||
"Send videos as you in this room": "Invia video a tuo nome in questa stanza",
|
||||
"See images posted to your active room": "Vedi immagini inviate alla tua stanza attiva",
|
||||
"See images posted to this room": "Vedi immagini inviate a questa stanza",
|
||||
"Send images as you in your active room": "Invia immagini a tuo nome nella tua stanza attiva",
|
||||
"Send images as you in this room": "Invia immagini a tuo nome in questa stanza",
|
||||
"See emotes posted to your active room": "Vedi emoticon inviate alla tua stanza attiva",
|
||||
"See emotes posted to this room": "Vedi emoticon inviate a questa stanza",
|
||||
"Send emotes as you in your active room": "Invia emoticon a tuo nome nella tua stanza attiva",
|
||||
"Send emotes as you in this room": "Invia emoticon a tuo nome in questa stanza",
|
||||
"Hold": "Sospendi",
|
||||
"Resume": "Riprendi",
|
||||
"You've reached the maximum number of simultaneous calls.": "Hai raggiungo il numero massimo di chiamate simultanee.",
|
||||
|
@ -1578,7 +1475,6 @@
|
|||
"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.": "Fai il backup delle tue chiavi di crittografia con i dati del tuo account in caso perdessi l'accesso alle sessioni. Le tue chiavi saranno protette con una chiave di recupero univoca.",
|
||||
"Channel: <channelLink/>": "Canale: <channelLink/>",
|
||||
"Workspace: <networkLink/>": "Spazio di lavoro: <networkLink/>",
|
||||
"Change which room, message, or user you're viewing": "Cambia quale stanza, messaggio o utente stai vedendo",
|
||||
"Use app for a better experience": "Usa l'app per un'esperienza migliore",
|
||||
"Use app": "Usa l'app",
|
||||
"Allow this widget to verify your identity": "Permetti a questo widget di verificare la tua identità",
|
||||
|
@ -1727,13 +1623,10 @@
|
|||
"Search names and descriptions": "Cerca nomi e descrizioni",
|
||||
"You may contact me if you have any follow up questions": "Potete contattarmi se avete altre domande",
|
||||
"To leave the beta, visit your settings.": "Per abbandonare la beta, vai nelle impostazioni.",
|
||||
"Your platform and username will be noted to help us use your feedback as much as we can.": "Verranno annotate la tua piattaforma e il nome utente per aiutarci ad usare la tua opinione al meglio.",
|
||||
"Add reaction": "Aggiungi reazione",
|
||||
"Message search initialisation failed": "Inizializzazione ricerca messaggi fallita",
|
||||
"Space Autocomplete": "Autocompletamento spazio",
|
||||
"Go to my space": "Vai nel mio spazio",
|
||||
"See when people join, leave, or are invited to this room": "Vedere quando le persone entrano, escono o sono invitate in questa stanza",
|
||||
"See when people join, leave, or are invited to your active room": "Vedere quando le persone entrano, escono o sono invitate nella tua stanza attiva",
|
||||
"Currently joining %(count)s rooms": {
|
||||
"one": "Stai entrando in %(count)s stanza",
|
||||
"other": "Stai entrando in %(count)s stanze"
|
||||
|
@ -1817,14 +1710,7 @@
|
|||
"Select spaces": "Seleziona spazi",
|
||||
"You're removing all spaces. Access will default to invite only": "Stai rimuovendo tutti gli spazi. L'accesso tornerà solo su invito",
|
||||
"User Directory": "Elenco utenti",
|
||||
"Room visibility": "Visibilità stanza",
|
||||
"Visible to space members": "Visibile ai membri dello spazio",
|
||||
"Public room": "Stanza pubblica",
|
||||
"Private room (invite only)": "Stanza privata (solo a invito)",
|
||||
"Only people invited will be able to find and join this room.": "Solo le persone invitate potranno trovare ed entrare in questa stanza.",
|
||||
"Anyone will be able to find and join this room, not just members of <SpaceName/>.": "Chiunque potrà trovare ed entrare in questa stanza, non solo i membri di <SpaceName/>.",
|
||||
"You can change this at any time from room settings.": "Puoi cambiarlo in qualsiasi momento dalle impostazioni della stanza.",
|
||||
"Everyone in <SpaceName/> will be able to find and join this room.": "Chiunque in <SpaceName/> potrà trovare ed entrare in questa stanza.",
|
||||
"The call is in an unknown state!": "La chiamata è in uno stato sconosciuto!",
|
||||
"Call back": "Richiama",
|
||||
"No answer": "Nessuna risposta",
|
||||
|
@ -1865,7 +1751,6 @@
|
|||
"Only people invited will be able to find and join this space.": "Solo le persone invitate potranno trovare ed entrare in questo spazio.",
|
||||
"Anyone in <SpaceName/> will be able to find and join.": "Chiunque in <SpaceName/> potrà trovare ed entrare.",
|
||||
"Anyone will be able to find and join this space, not just members of <SpaceName/>.": "Chiunque potrà trovare ed entrare in questo spazio, non solo i membri di <SpaceName/>.",
|
||||
"Anyone will be able to find and join this room.": "Chiunque potrà trovare ed entrare in questa stanza.",
|
||||
"Adding spaces has moved.": "L'aggiunta di spazi è stata spostata.",
|
||||
"Search for rooms": "Cerca stanze",
|
||||
"Search for spaces": "Cerca spazi",
|
||||
|
@ -1897,8 +1782,6 @@
|
|||
"Are you sure you want to make this encrypted room public?": "Vuoi veramente rendere pubblica questa stanza cifrata?",
|
||||
"To avoid these issues, create a <a>new encrypted room</a> for the conversation you plan to have.": "Per evitare questi problemi, crea una <a>nuova stanza cifrata</a> per la conversazione che vuoi avere.",
|
||||
"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 <Room /> as well": "Quanto sopra, ma anche in <Room />",
|
||||
"Some encryption parameters have been changed.": "Alcuni parametri di crittografia sono stati modificati.",
|
||||
"Role in <RoomName/>": "Ruolo in <RoomName/>",
|
||||
"Unknown failure": "Errore sconosciuto",
|
||||
|
@ -1956,7 +1839,6 @@
|
|||
"They won't be able to access whatever you're not an admin of.": "Non potrà più accedere anche dove non sei amministratore.",
|
||||
"Ban them from specific things I'm able to": "Bandiscilo da cose specifiche dove posso farlo",
|
||||
"Unban them from specific things I'm able to": "Riammettilo in cose specifiche dove posso farlo",
|
||||
"The email address doesn't appear to be valid.": "L'indirizzo email non sembra essere valido.",
|
||||
"What projects are your team working on?": "Su quali progetti sta lavorando la tua squadra?",
|
||||
"See room timeline (devtools)": "Mostra linea temporale della stanza (strumenti per sviluppatori)",
|
||||
"Developer mode": "Modalità sviluppatore",
|
||||
|
@ -1971,10 +1853,7 @@
|
|||
"Without verifying, you won't have access to all your messages and may appear as untrusted to others.": "Senza la verifica, non avrai accesso a tutti i tuoi messaggi e potresti apparire agli altri come non fidato.",
|
||||
"Shows all threads you've participated in": "Mostra tutte le conversazioni a cui hai partecipato",
|
||||
"You're all caught up": "Non hai nulla di nuovo da vedere",
|
||||
"We call the places where you can host your account 'homeservers'.": "Chiamiamo \"homeserver\" i posti dove puoi ospitare il tuo account.",
|
||||
"Matrix.org is the biggest public homeserver in the world, so it's a good place for many.": "Matrix.org è il più grande homeserver pubblico del mondo, quindi è un buon posto per molti.",
|
||||
"If you can't see who you're looking for, send them your invite link below.": "Se non vedi chi stai cercando, mandagli il collegamento di invito sottostante.",
|
||||
"You can't disable this later. Bridges & most bots won't work yet.": "Non potrai più disattivarla. I bridge e molti bot non funzioneranno.",
|
||||
"In encrypted rooms, verify all users to ensure it's secure.": "Nelle stanze cifrate, verifica tutti gli utenti per confermare che siano sicure.",
|
||||
"Yours, or the other users' session": "La tua sessione o quella degli altri utenti",
|
||||
"Yours, or the other users' internet connection": "La tua connessione internet o quella degli altri utenti",
|
||||
|
@ -2006,7 +1885,6 @@
|
|||
"You do not have permission to start polls in this room.": "Non hai i permessi per creare sondaggi in questa stanza.",
|
||||
"Copy link to thread": "Copia link nella conversazione",
|
||||
"Thread options": "Opzioni conversazione",
|
||||
"Someone already has that username, please try another.": "Qualcuno ha già quel nome utente, provane un altro.",
|
||||
"Someone already has that username. Try another or if it is you, sign in below.": "Qualcuno ha già quel nome utente. Provane un altro o se sei tu, accedi qui sotto.",
|
||||
"Rooms outside of a space": "Stanze fuori da uno spazio",
|
||||
"Show all your rooms in Home, even if they're in a space.": "Mostra tutte le tue stanze nella pagina principale, anche se sono in uno spazio.",
|
||||
|
@ -2053,7 +1931,6 @@
|
|||
"Spaces you know that contain this space": "Spazi di cui sai che contengono questo spazio",
|
||||
"Pin to sidebar": "Fissa nella barra laterale",
|
||||
"Quick settings": "Impostazioni rapide",
|
||||
"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",
|
||||
"Home options": "Opzioni pagina iniziale",
|
||||
"%(spaceName)s menu": "Menu di %(spaceName)s",
|
||||
|
@ -2120,10 +1997,7 @@
|
|||
"Room members": "Membri stanza",
|
||||
"Back to chat": "Torna alla chat",
|
||||
"Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Coppia (utente, sessione) sconosciuta: (%(userId)s, %(deviceId)s)",
|
||||
"Command failed: Unable to find room (%(roomId)s": "Comando fallito: impossibile trovare la stanza (%(roomId)s",
|
||||
"Unrecognised room address: %(roomAlias)s": "Indirizzo stanza non riconosciuto: %(roomAlias)s",
|
||||
"Command error: Unable to find rendering type (%(renderingType)s)": "Errore comando: impossibile trovare il tipo di rendering (%(renderingType)s)",
|
||||
"Command error: Unable to handle slash command.": "Errore comando: impossibile gestire il comando slash.",
|
||||
"Unknown error fetching location. Please try again later.": "Errore sconosciuto rilevando la posizione. Riprova più tardi.",
|
||||
"Timed out trying to fetch your location. Please try again later.": "Tentativo di rilevare la tua posizione scaduto. Riprova più tardi.",
|
||||
"Failed to fetch your location. Please try again later.": "Impossibile rilevare la tua posizione. Riprova più tardi.",
|
||||
|
@ -2137,15 +2011,9 @@
|
|||
"Remove from %(roomName)s": "Rimuovi da %(roomName)s",
|
||||
"You were removed from %(roomName)s by %(memberName)s": "Sei stato rimosso da %(roomName)s da %(memberName)s",
|
||||
"Keyboard": "Tastiera",
|
||||
"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",
|
||||
"Message pending moderation": "Messaggio in attesa di moderazione",
|
||||
"Message pending moderation: %(reason)s": "Messaggio in attesa di moderazione: %(reason)s",
|
||||
"Space home": "Pagina iniziale dello spazio",
|
||||
"You can't see earlier messages": "Non puoi vedere i messaggi precedenti",
|
||||
"Encrypted messages before this point are unavailable.": "I messaggi cifrati prima di questo punto non sono disponibili.",
|
||||
"You don't have permission to view messages from before you joined.": "Non hai l'autorizzazione per vedere i messaggi precedenti alla tua entrata.",
|
||||
"You don't have permission to view messages from before you were invited.": "Non hai l'autorizzazione per vedere i messaggi precedenti al tuo invito.",
|
||||
"Internal room ID": "ID interno stanza",
|
||||
"Group all your rooms that aren't part of a space in one place.": "Raggruppa tutte le tue stanze che non fanno parte di uno spazio in un unico posto.",
|
||||
"Group all your people in one place.": "Raggruppa tutte le tue persone in un unico posto.",
|
||||
|
@ -2362,7 +2230,6 @@
|
|||
"Show rooms": "Mostra stanze",
|
||||
"Explore public spaces in the new search dialog": "Esplora gli spazi pubblici nella nuova finestra di ricerca",
|
||||
"Stop and close": "Ferma e chiudi",
|
||||
"You can't disable this later. The room will be encrypted but the embedded call will not.": "Non puoi disattivarlo in seguito. La stanza sarà crittografata ma la chiamata integrata no.",
|
||||
"Join the room to participate": "Entra nella stanza per partecipare",
|
||||
"Reset bearing to north": "Reimposta direzione a nord",
|
||||
"Mapbox logo": "Logo di Mapbox",
|
||||
|
@ -2541,16 +2408,9 @@
|
|||
"When enabled, the other party might be able to see your IP address": "Quando attivo, l'altra parte potrebbe riuscire a vedere il tuo indirizzo IP",
|
||||
"Allow Peer-to-Peer for 1:1 calls": "Permetti Peer-to-Peer per chiamate 1:1",
|
||||
"Go live": "Vai in diretta",
|
||||
"That e-mail address or phone number is already in use.": "Quell'indirizzo email o numero di telefono è già in uso.",
|
||||
"This means that you have all the keys needed to unlock your encrypted messages and confirm to other users that you trust this session.": "Ciò significa che hai tutte le chiavi necessarie per sbloccare i tuoi messaggi cifrati e che confermi agli altri utenti di fidarti di questa sessione.",
|
||||
"Verified sessions are anywhere you are using this account after entering your passphrase or confirming your identity with another verified session.": "Le sessioni verificate sono ovunque tu usi questo account dopo l'inserimento della frase di sicurezza o la conferma della tua identità con un'altra sessione verificata.",
|
||||
"Verify your email to continue": "Verifica l'email per continuare",
|
||||
"<b>%(homeserver)s</b> will send you a verification link to let you reset your password.": "<b>%(homeserver)s</b> ti invierà un link di verifica per farti reimpostare la password.",
|
||||
"Enter your email to reset password": "Inserisci la tua email per reimpostare la password",
|
||||
"Send email": "Invia email",
|
||||
"Verification link email resent!": "Email con link di verifica reinviata!",
|
||||
"Did not receive it?": "Non l'hai ricevuta?",
|
||||
"Follow the instructions sent to <b>%(email)s</b>": "Segui le istruzioni inviate a <b>%(email)s</b>",
|
||||
"Sign out of all devices": "Disconnetti tutti i dispositivi",
|
||||
"Confirm new password": "Conferma nuova password",
|
||||
"Too many attempts in a short time. Retry after %(timeout)s.": "Troppi tentativi in poco tempo. Riprova dopo %(timeout)s.",
|
||||
|
@ -2573,9 +2433,6 @@
|
|||
"Buffering…": "Buffer…",
|
||||
"Change layout": "Cambia disposizione",
|
||||
"You have unverified sessions": "Hai sessioni non verificate",
|
||||
"Sign in instead": "Oppure accedi",
|
||||
"Re-enter email address": "Re-inserisci l'indirizzo email",
|
||||
"Wrong email address?": "Indirizzo email sbagliato?",
|
||||
"This session doesn't support encryption and thus can't be verified.": "Questa sessione non supporta la crittografia, perciò non può essere verificata.",
|
||||
"For best security and privacy, it is recommended to use Matrix clients that support encryption.": "Per maggiore sicurezza e privacy, è consigliabile usare i client di Matrix che supportano la crittografia.",
|
||||
"You won't be able to participate in rooms where encryption is enabled when using this session.": "Non potrai partecipare in stanze dove la crittografia è attiva mentre usi questa sessione.",
|
||||
|
@ -2603,7 +2460,6 @@
|
|||
" in <strong>%(room)s</strong>": " in <strong>%(room)s</strong>",
|
||||
"Verify your current session for enhanced secure messaging.": "Verifica la tua sessione attuale per messaggi più sicuri.",
|
||||
"Your current session is ready for secure messaging.": "La tua sessione attuale è pronta per i messaggi sicuri.",
|
||||
"Force 15s voice broadcast chunk length": "Forza lunghezza pezzo trasmissione vocale a 15s",
|
||||
"Sign out of %(count)s sessions": {
|
||||
"one": "Disconnetti %(count)s sessione",
|
||||
"other": "Disconnetti %(count)s sessioni"
|
||||
|
@ -2634,7 +2490,6 @@
|
|||
"Grey": "Grigio",
|
||||
"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.": "Vuoi davvero fermare la tua trasmissione in diretta? Verrà terminata la trasmissione e la registrazione completa sarà disponibile nella stanza.",
|
||||
"Your email address does not appear to be associated with a Matrix ID on this homeserver.": "Il tuo indirizzo email non sembra associato a nessun ID utente registrato su questo homeserver.",
|
||||
"We need to know it’s you before resetting your password. Click the link in the email we just sent to <b>%(email)s</b>": "Dobbiamo sapere che sei tu prima di reimpostare la password. Clicca il link nell'email che abbiamo inviato a <b>%(email)s</b>",
|
||||
"Warning: your personal data (including encryption keys) is still stored in this session. Clear it if you're finished using this session, or want to sign in to another account.": "Attenzione: i tuoi dati personali (incluse le chiavi di crittografia) sono ancora memorizzati in questa sessione. Cancellali se hai finito di usare questa sessione o se vuoi accedere ad un altro account.",
|
||||
"There are no past polls in this room": "In questa stanza non ci sono sondaggi passati",
|
||||
"There are no active polls in this room": "In questa stanza non ci sono sondaggi attivi",
|
||||
|
@ -2645,8 +2500,6 @@
|
|||
"Enter a Security Phrase only you know, as it's used to safeguard your data. To be secure, you shouldn't re-use your account password.": "Inserisci una frase di sicurezza che conosci solo tu, dato che è usata per proteggere i tuoi dati. Per sicurezza, non dovresti riutilizzare la password dell'account.",
|
||||
"Starting backup…": "Avvio del backup…",
|
||||
"Please only proceed if you're sure you've lost all of your other devices and your Security Key.": "Procedi solo se sei sicuro di avere perso tutti gli altri tuoi dispositivi e la chiave di sicurezza.",
|
||||
"Signing In…": "Accesso…",
|
||||
"Syncing…": "Sincronizzazione…",
|
||||
"Inviting…": "Invito in corso…",
|
||||
"Creating rooms…": "Creazione stanze…",
|
||||
"Keep going…": "Continua…",
|
||||
|
@ -2710,7 +2563,6 @@
|
|||
"Log out and back in to disable": "Disconnettiti e riconnettiti per disattivare",
|
||||
"Can currently only be enabled via config.json": "Attualmente può essere attivato solo via config.json",
|
||||
"Requires your server to support the stable version of MSC3827": "Richiede che il tuo server supporti la versione stabile di MSC3827",
|
||||
"Use your account to continue.": "Usa il tuo account per continuare.",
|
||||
"Show avatars in user, room and event mentions": "Mostra gli avatar nelle citazioni di utenti, stanze ed eventi",
|
||||
"Message from %(user)s": "Messaggio da %(user)s",
|
||||
"Message in %(room)s": "Messaggio in %(room)s",
|
||||
|
@ -2757,7 +2609,6 @@
|
|||
"User is not logged in": "Utente non connesso",
|
||||
"Alternatively, you can try to use the public server at <server/>, but this will not be as reliable, and it will share your IP address with that server. You can also manage this in Settings.": "In alternativa puoi provare ad usare il server pubblico <server/>, ma non è molto affidabile e il tuo indirizzo IP verrà condiviso con tale server. Puoi gestire questa cosa nelle impostazioni.",
|
||||
"Allow fallback call assist server (%(server)s)": "Permetti server di chiamata di ripiego (%(server)s)",
|
||||
"Enable new native OIDC flows (Under active development)": "Attiva i nuovi flussi OIDC nativi (in sviluppo attivo)",
|
||||
"Your server requires encryption to be disabled.": "Il tuo server richiede di disattivare la crittografia.",
|
||||
"Are you sure you wish to remove (delete) this event?": "Vuoi davvero rimuovere (eliminare) questo evento?",
|
||||
"Note that removing room changes like this could undo the change.": "Nota che la rimozione delle modifiche della stanza come questa può annullare la modifica.",
|
||||
|
@ -2773,11 +2624,8 @@
|
|||
"Reset to default settings": "Ripristina alle impostazioni predefinite",
|
||||
"Unable to find user by email": "Impossibile trovare l'utente per email",
|
||||
"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.",
|
||||
"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.",
|
||||
"User cannot be invited until they are unbanned": "L'utente non può essere invitato finché è bandito",
|
||||
"Notification Settings": "Impostazioni di notifica",
|
||||
"Email Notifications": "Notifiche email",
|
||||
"Email summary": "Riepilogo email",
|
||||
"I want to be notified for (Default Setting)": "Voglio ricevere una notifica per (impostazione predefinita)",
|
||||
|
@ -2792,7 +2640,6 @@
|
|||
"Enter keywords here, or use for spelling variations or nicknames": "Inserisci le parole chiave qui, o usa per variazioni ortografiche o nomi utente",
|
||||
"Quick Actions": "Azioni rapide",
|
||||
"Your profile picture URL": "L'URL della tua immagine del profilo",
|
||||
"Views room with given address": "Visualizza la stanza con l'indirizzo dato",
|
||||
"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>.",
|
||||
"Show message preview in desktop notification": "Mostra l'anteprima dei messaggi nelle notifiche desktop",
|
||||
|
@ -2910,7 +2757,8 @@
|
|||
"cross_signing": "Firma incrociata",
|
||||
"identity_server": "Server di identità",
|
||||
"integration_manager": "Gestore di integrazioni",
|
||||
"qr_code": "Codice QR"
|
||||
"qr_code": "Codice QR",
|
||||
"feedback": "Feedback"
|
||||
},
|
||||
"action": {
|
||||
"continue": "Continua",
|
||||
|
@ -3084,7 +2932,10 @@
|
|||
"leave_beta_reload": "Lasciare la beta ricaricherà %(brand)s.",
|
||||
"join_beta_reload": "Unirsi alla beta ricaricherà %(brand)s.",
|
||||
"leave_beta": "Abbandona la beta",
|
||||
"join_beta": "Unisciti alla beta"
|
||||
"join_beta": "Unisciti alla beta",
|
||||
"notification_settings_beta_title": "Impostazioni di notifica",
|
||||
"voice_broadcast_force_small_chunks": "Forza lunghezza pezzo trasmissione vocale a 15s",
|
||||
"oidc_native_flow": "Attiva i nuovi flussi OIDC nativi (in sviluppo attivo)"
|
||||
},
|
||||
"keyboard": {
|
||||
"home": "Pagina iniziale",
|
||||
|
@ -3372,7 +3223,9 @@
|
|||
"timeline_image_size": "Dimensione immagine nella linea temporale",
|
||||
"timeline_image_size_default": "Predefinito",
|
||||
"timeline_image_size_large": "Grande"
|
||||
}
|
||||
},
|
||||
"inline_url_previews_room_account": "Attiva le anteprime URL in questa stanza (riguarda solo te)",
|
||||
"inline_url_previews_room": "Attiva le anteprime URL in modo predefinito per i partecipanti in questa stanza"
|
||||
},
|
||||
"devtools": {
|
||||
"send_custom_account_data_event": "Invia evento dati di account personalizzato",
|
||||
|
@ -3531,7 +3384,25 @@
|
|||
"title_public_room": "Crea una stanza pubblica",
|
||||
"title_private_room": "Crea una stanza privata",
|
||||
"action_create_video_room": "Crea stanza video",
|
||||
"action_create_room": "Crea stanza"
|
||||
"action_create_room": "Crea stanza",
|
||||
"name_validation_required": "Inserisci un nome per la stanza",
|
||||
"join_rule_restricted_label": "Chiunque in <SpaceName/> potrà trovare ed entrare in questa stanza.",
|
||||
"join_rule_change_notice": "Puoi cambiarlo in qualsiasi momento dalle impostazioni della stanza.",
|
||||
"join_rule_public_parent_space_label": "Chiunque potrà trovare ed entrare in questa stanza, non solo i membri di <SpaceName/>.",
|
||||
"join_rule_public_label": "Chiunque potrà trovare ed entrare in questa stanza.",
|
||||
"join_rule_invite_label": "Solo le persone invitate potranno trovare ed entrare in questa stanza.",
|
||||
"join_rule_knock_label": "Chiunque può chiedere di entrare, ma gli admin o i moderatori devono concedere l'accesso. Puoi cambiarlo in seguito.",
|
||||
"encrypted_video_room_warning": "Non puoi disattivarlo in seguito. La stanza sarà crittografata ma la chiamata integrata no.",
|
||||
"encrypted_warning": "Non potrai più disattivarla. I bridge e molti bot non funzioneranno.",
|
||||
"encryption_forced": "Il tuo server richiede la crittografia attiva nelle stanze private.",
|
||||
"encryption_label": "Attiva crittografia end-to-end",
|
||||
"unfederated_label_default_off": "Dovresti attivarlo se questa stanza verrà usata solo per collaborazioni tra squadre interne nel tuo homeserver. Non può essere cambiato in seguito.",
|
||||
"unfederated_label_default_on": "Dovresti disattivarlo se questa stanza verrà usata per collaborazioni con squadre esterne che hanno il loro homeserver. Non può essere cambiato in seguito.",
|
||||
"topic_label": "Argomento (facoltativo)",
|
||||
"room_visibility_label": "Visibilità stanza",
|
||||
"join_rule_invite": "Stanza privata (solo a invito)",
|
||||
"join_rule_restricted": "Visibile ai membri dello spazio",
|
||||
"unfederated": "Blocca l'accesso alla stanza per chiunque non faccia parte di %(serverName)s."
|
||||
},
|
||||
"timeline": {
|
||||
"m.call": {
|
||||
|
@ -3813,7 +3684,11 @@
|
|||
"changed_rule_rooms": "%(senderName)s ha modificato una regola che bandiva stanze corrispondenti a %(oldGlob)s per corrispondere a %(newGlob)s perchè %(reason)s",
|
||||
"changed_rule_servers": "%(senderName)s ha modificato una regola che bandiva server corrispondenti a %(oldGlob)s per corrispondere a %(newGlob)s perchè %(reason)s",
|
||||
"changed_rule_glob": "%(senderName)s ha modificato una regola di ban che corrispondeva a %(oldGlob)s per corrispondere a %(newGlob)s perchè %(reason)s"
|
||||
}
|
||||
},
|
||||
"no_permission_messages_before_invite": "Non hai l'autorizzazione per vedere i messaggi precedenti al tuo invito.",
|
||||
"no_permission_messages_before_join": "Non hai l'autorizzazione per vedere i messaggi precedenti alla tua entrata.",
|
||||
"encrypted_historical_messages_unavailable": "I messaggi cifrati prima di questo punto non sono disponibili.",
|
||||
"historical_messages_unavailable": "Non puoi vedere i messaggi precedenti"
|
||||
},
|
||||
"slash_command": {
|
||||
"spoiler": "Invia il messaggio come spoiler",
|
||||
|
@ -3873,7 +3748,15 @@
|
|||
"holdcall": "Mette in pausa la chiamata nella stanza attuale",
|
||||
"no_active_call": "Nessuna chiamata attiva in questa stanza",
|
||||
"unholdcall": "Riprende la chiamata nella stanza attuale",
|
||||
"me": "Mostra l'azione"
|
||||
"me": "Mostra l'azione",
|
||||
"error_invalid_runfn": "Errore comando: impossibile gestire il comando slash.",
|
||||
"error_invalid_rendering_type": "Errore comando: impossibile trovare il tipo di rendering (%(renderingType)s)",
|
||||
"join": "Accede alla stanza con l'indirizzo dato",
|
||||
"view": "Visualizza la stanza con l'indirizzo dato",
|
||||
"failed_find_room": "Comando fallito: impossibile trovare la stanza (%(roomId)s",
|
||||
"failed_find_user": "Utente non trovato nella stanza",
|
||||
"op": "Definisce il livello di poteri di un utente",
|
||||
"deop": "Toglie privilegi all'utente per ID"
|
||||
},
|
||||
"presence": {
|
||||
"busy": "Occupato",
|
||||
|
@ -4057,13 +3940,57 @@
|
|||
"reset_password_title": "Reimposta la tua password",
|
||||
"continue_with_sso": "Continua con %(ssoButtons)s",
|
||||
"sso_or_username_password": "%(ssoButtons)s o %(usernamePassword)s",
|
||||
"sign_in_instead": "Hai già un account? <a>Accedi qui</a>",
|
||||
"sign_in_instead": "Oppure accedi",
|
||||
"account_clash": "Il tuo nuovo account (%(newAccountId)s) è registrato, ma hai già fatto l'accesso in un account diverso (%(loggedInUserId)s).",
|
||||
"account_clash_previous_account": "Continua con l'account precedente",
|
||||
"log_in_new_account": "<a>Accedi</a> al tuo nuovo account.",
|
||||
"registration_successful": "Registrazione riuscita",
|
||||
"server_picker_title": "Ospita account su",
|
||||
"server_picker_dialog_title": "Decidi dove ospitare il tuo account"
|
||||
"server_picker_title": "Accedi al tuo homeserver",
|
||||
"server_picker_dialog_title": "Decidi dove ospitare il tuo account",
|
||||
"footer_powered_by_matrix": "offerto da Matrix",
|
||||
"failed_homeserver_discovery": "Ricerca dell'homeserver fallita",
|
||||
"sync_footer_subtitle": "Se sei dentro a molte stanze, potrebbe impiegarci un po'",
|
||||
"syncing": "Sincronizzazione…",
|
||||
"signing_in": "Accesso…",
|
||||
"unsupported_auth_msisdn": "Questo server non supporta l'autenticazione tramite numero di telefono.",
|
||||
"unsupported_auth_email": "Questo homeserver non supporta l'accesso tramite indirizzo email.",
|
||||
"unsupported_auth": "Questo homeserver non offre alcuna procedura di accesso supportata da questo client.",
|
||||
"registration_disabled": "La registrazione è stata disattivata su questo homeserver.",
|
||||
"failed_query_registration_methods": "Impossibile richiedere i metodi di registrazione supportati.",
|
||||
"username_in_use": "Qualcuno ha già quel nome utente, provane un altro.",
|
||||
"3pid_in_use": "Quell'indirizzo email o numero di telefono è già in uso.",
|
||||
"incorrect_password": "Password sbagliata",
|
||||
"failed_soft_logout_auth": "Riautenticazione fallita",
|
||||
"soft_logout_heading": "Sei disconnesso",
|
||||
"forgot_password_email_required": "Deve essere inserito l'indirizzo email collegato al tuo account.",
|
||||
"forgot_password_email_invalid": "L'indirizzo email non sembra essere valido.",
|
||||
"sign_in_prompt": "Hai un account? <a>Accedi</a>",
|
||||
"verify_email_heading": "Verifica l'email per continuare",
|
||||
"forgot_password_prompt": "Hai dimenticato la password?",
|
||||
"soft_logout_intro_password": "Inserisci la tua password per accedere ed ottenere l'accesso al tuo account.",
|
||||
"soft_logout_intro_sso": "Accedi ed ottieni l'accesso al tuo account.",
|
||||
"soft_logout_intro_unsupported_auth": "Non puoi accedere al tuo account. Contatta l'admin del tuo homeserver per maggiori informazioni.",
|
||||
"check_email_explainer": "Segui le istruzioni inviate a <b>%(email)s</b>",
|
||||
"check_email_wrong_email_prompt": "Indirizzo email sbagliato?",
|
||||
"check_email_wrong_email_button": "Re-inserisci l'indirizzo email",
|
||||
"check_email_resend_prompt": "Non l'hai ricevuta?",
|
||||
"check_email_resend_tooltip": "Email con link di verifica reinviata!",
|
||||
"enter_email_heading": "Inserisci la tua email per reimpostare la password",
|
||||
"enter_email_explainer": "<b>%(homeserver)s</b> ti invierà un link di verifica per farti reimpostare la password.",
|
||||
"verify_email_explainer": "Dobbiamo sapere che sei tu prima di reimpostare la password. Clicca il link nell'email che abbiamo inviato a <b>%(email)s</b>",
|
||||
"create_account_prompt": "Prima volta qui? <a>Crea un account</a>",
|
||||
"sign_in_or_register": "Accedi o crea account",
|
||||
"sign_in_or_register_description": "Usa il tuo account o creane uno nuovo per continuare.",
|
||||
"sign_in_description": "Usa il tuo account per continuare.",
|
||||
"register_action": "Crea account",
|
||||
"server_picker_failed_validate_homeserver": "Impossibile validare l'homeserver",
|
||||
"server_picker_invalid_url": "URL non valido",
|
||||
"server_picker_required": "Specifica un homeserver",
|
||||
"server_picker_matrix.org": "Matrix.org è il più grande homeserver pubblico del mondo, quindi è un buon posto per molti.",
|
||||
"server_picker_intro": "Chiamiamo \"homeserver\" i posti dove puoi ospitare il tuo account.",
|
||||
"server_picker_custom": "Altro homeserver",
|
||||
"server_picker_explainer": "Usa il tuo homeserver Matrix preferito se ne hai uno, o ospitane uno tuo.",
|
||||
"server_picker_learn_more": "Riguardo gli homeserver"
|
||||
},
|
||||
"room_list": {
|
||||
"sort_unread_first": "Mostra prima le stanze con messaggi non letti",
|
||||
|
@ -4114,5 +4041,81 @@
|
|||
"access_token_detail": "Il tuo token di accesso ti dà l'accesso al tuo account. Non condividerlo con nessuno.",
|
||||
"clear_cache_reload": "Svuota la cache e ricarica"
|
||||
}
|
||||
},
|
||||
"widget": {
|
||||
"capability": {
|
||||
"send_stickers_this_room": "Invia adesivi in questa stanza",
|
||||
"send_stickers_active_room": "Invia adesivi nella tua stanza attiva",
|
||||
"send_stickers_this_room_as_you": "Invia adesivi a questa stanza a tuo nome",
|
||||
"send_stickers_active_room_as_you": "Invia adesivi alla tua stanza attiva a tuo nome",
|
||||
"see_sticker_posted_this_room": "Vedi quando viene inviato un adesivo in questa stanza",
|
||||
"see_sticker_posted_active_room": "Vedi quando qualcuno invia un adesivo alla tua stanza attiva",
|
||||
"always_on_screen_viewing_another_room": "Resta sul tuo schermo quando vedi un'altra stanza, quando in esecuzione",
|
||||
"always_on_screen_generic": "Resta sul tuo schermo mentre in esecuzione",
|
||||
"switch_room": "Cambia quale stanza stai vedendo",
|
||||
"switch_room_message_user": "Cambia quale stanza, messaggio o utente stai vedendo",
|
||||
"change_topic_this_room": "Cambia l'argomento di questa stanza",
|
||||
"see_topic_change_this_room": "Vedi quando l'argomento cambia in questa stanza",
|
||||
"change_topic_active_room": "Cambia l'argomento della tua stanza attiva",
|
||||
"see_topic_change_active_room": "Vedi quando l'argomento cambia nella tua stanza attiva",
|
||||
"change_name_this_room": "Cambia il nome di questa stanza",
|
||||
"see_name_change_this_room": "Vedi quando il nome cambia in questa stanza",
|
||||
"change_name_active_room": "Cambia il nome della tua stanza attiva",
|
||||
"see_name_change_active_room": "Vedi quando il nome cambia nella tua stanza attiva",
|
||||
"change_avatar_this_room": "Cambia l'avatar di questa stanza",
|
||||
"see_avatar_change_this_room": "Vedi quando l'avatar cambia in questa stanza",
|
||||
"change_avatar_active_room": "Cambia l'avatar della tua stanza attiva",
|
||||
"see_avatar_change_active_room": "Vedi quando l'avatar cambia nella tua stanza attiva",
|
||||
"remove_ban_invite_leave_this_room": "Buttare fuori, bandire o invitare persone in questa stanza e farti uscire",
|
||||
"receive_membership_this_room": "Vedere quando le persone entrano, escono o sono invitate in questa stanza",
|
||||
"remove_ban_invite_leave_active_room": "Buttare fuori, bandire o invitare persone nella tua stanza attiva e farti uscire",
|
||||
"receive_membership_active_room": "Vedere quando le persone entrano, escono o sono invitate nella tua stanza attiva",
|
||||
"byline_empty_state_key": "con una chiave di stato vuota",
|
||||
"byline_state_key": "con la chiave di stato %(stateKey)s",
|
||||
"any_room": "Quanto sopra, ma anche in qualsiasi stanza tu sia entrato/a o invitato/a",
|
||||
"specific_room": "Quanto sopra, ma anche in <Room />",
|
||||
"send_event_type_this_room": "Invia eventi <b>%(eventType)s</b> a tuo nome in questa stanza",
|
||||
"see_event_type_sent_this_room": "Vedi eventi <b>%(eventType)s</b> inviati a questa stanza",
|
||||
"send_event_type_active_room": "Invia eventi <b>%(eventType)s</b> a tuo nome nella tua stanza attiva",
|
||||
"see_event_type_sent_active_room": "Vedi eventi <b>%(eventType)s</b> inviati alla tua stanza attiva",
|
||||
"capability": "La capacità <b>%(capability)s</b>",
|
||||
"send_messages_this_room": "Invia messaggi a tuo nome in questa stanza",
|
||||
"send_messages_active_room": "Invia messaggi a tuo nome nella tua stanza attiva",
|
||||
"see_messages_sent_this_room": "Vedi messaggi inviati a questa stanza",
|
||||
"see_messages_sent_active_room": "Vedi messaggi inviati alla tua stanza attiva",
|
||||
"send_text_messages_this_room": "Invia messaggi di testo a tuo nome in questa stanza",
|
||||
"send_text_messages_active_room": "Invia messaggi di testo a tuo nome nella tua stanza attiva",
|
||||
"see_text_messages_sent_this_room": "Vedi messaggi di testo inviati a questa stanza",
|
||||
"see_text_messages_sent_active_room": "Vedi messaggi di testo inviati alla tua stanza attiva",
|
||||
"send_emotes_this_room": "Invia emoticon a tuo nome in questa stanza",
|
||||
"send_emotes_active_room": "Invia emoticon a tuo nome nella tua stanza attiva",
|
||||
"see_sent_emotes_this_room": "Vedi emoticon inviate a questa stanza",
|
||||
"see_sent_emotes_active_room": "Vedi emoticon inviate alla tua stanza attiva",
|
||||
"send_images_this_room": "Invia immagini a tuo nome in questa stanza",
|
||||
"send_images_active_room": "Invia immagini a tuo nome nella tua stanza attiva",
|
||||
"see_images_sent_this_room": "Vedi immagini inviate a questa stanza",
|
||||
"see_images_sent_active_room": "Vedi immagini inviate alla tua stanza attiva",
|
||||
"send_videos_this_room": "Invia video a tuo nome in questa stanza",
|
||||
"send_videos_active_room": "Invia video a tuo nome nella tua stanza attiva",
|
||||
"see_videos_sent_this_room": "Vedi video inviati a questa stanza",
|
||||
"see_videos_sent_active_room": "Vedi video inviati alla tua stanza attiva",
|
||||
"send_files_this_room": "Invia file generici a tuo nome in questa stanza",
|
||||
"send_files_active_room": "Invia file generici a tuo nome nella tua stanza attiva",
|
||||
"see_sent_files_this_room": "Vedi file generici inviati a questa stanza",
|
||||
"see_sent_files_active_room": "Vedi file generici inviati alla tua stanza attiva",
|
||||
"send_msgtype_this_room": "Invia messaggi <b>%(msgtype)s</b> a tuo nome in questa stanza",
|
||||
"send_msgtype_active_room": "Invia messaggi <b>%(msgtype)s</b> a tuo nome nella tua stanza attiva",
|
||||
"see_msgtype_sent_this_room": "Vedi messaggi <b>%(msgtype)s</b> inviati a questa stanza",
|
||||
"see_msgtype_sent_active_room": "Vedi messaggi <b>%(msgtype)s</b> inviati alla tua stanza attiva"
|
||||
}
|
||||
},
|
||||
"feedback": {
|
||||
"sent": "Feedback inviato",
|
||||
"comment_label": "Commento",
|
||||
"platform_username": "Verranno annotate la tua piattaforma e il nome utente per aiutarci ad usare la tua opinione al meglio.",
|
||||
"may_contact_label": "Potete contattarmi se volete rispondermi o per farmi provare nuove idee in arrivo",
|
||||
"pro_type": "CONSIGLIO: se segnali un errore, invia <debugLogsLink>i log di debug</debugLogsLink> per aiutarci ad individuare il problema.",
|
||||
"existing_issue_link": "Prima controlla <existingIssuesLink>gli errori esistenti su Github</existingIssuesLink>. Non l'hai trovato? <newIssueLink>Apri una segnalazione</newIssueLink>.",
|
||||
"send_feedback_action": "Invia feedback"
|
||||
}
|
||||
}
|
||||
|
|
|
@ -15,7 +15,6 @@
|
|||
"No Webcams detected": "Webカメラが検出されません",
|
||||
"Are you sure?": "よろしいですか?",
|
||||
"Operation failed": "操作に失敗しました",
|
||||
"powered by Matrix": "powered by Matrix",
|
||||
"unknown error code": "不明なエラーコード",
|
||||
"Failed to forget room %(errCode)s": "ルームの履歴を消去するのに失敗しました %(errCode)s",
|
||||
"Rooms": "ルーム",
|
||||
|
@ -108,8 +107,6 @@
|
|||
"You are now ignoring %(userId)s": "%(userId)sを無視しています",
|
||||
"Unignored user": "無視していないユーザー",
|
||||
"You are no longer ignoring %(userId)s": "あなたは%(userId)sを無視していません",
|
||||
"Define the power level of a user": "ユーザーの権限レベルを規定",
|
||||
"Deops user with given id": "指定したIDのユーザーの権限をリセット",
|
||||
"Verified key": "認証済の鍵",
|
||||
"Reason": "理由",
|
||||
"Failure to create room": "ルームの作成に失敗",
|
||||
|
@ -122,8 +119,6 @@
|
|||
"Please contact your homeserver administrator.": "ホームサーバー管理者に連絡してください。",
|
||||
"Mirror local video feed": "ビデオ映像のミラー効果(反転)を有効にする",
|
||||
"Send analytics data": "分析データを送信",
|
||||
"Enable URL previews for this room (only affects you)": "このルームのURLプレビューを有効にする(あなたにのみ適用)",
|
||||
"Enable URL previews by default for participants in this room": "このルームの参加者のために既定でURLプレビューを有効にする",
|
||||
"Enable widget screenshots on supported widgets": "サポートされているウィジェットで、ウィジェットのスクリーンショットを有効にする",
|
||||
"Incorrect verification code": "認証コードが誤っています",
|
||||
"Phone": "電話",
|
||||
|
@ -247,7 +242,6 @@
|
|||
"Before submitting logs, you must <a>create a GitHub issue</a> to describe your problem.": "ログを送信する前に、問題を説明する<a>GitHub issueを作成</a>してください。",
|
||||
"Confirm Removal": "削除の確認",
|
||||
"Unknown error": "不明なエラー",
|
||||
"Incorrect password": "誤ったパスワード",
|
||||
"Deactivate Account": "アカウントの無効化",
|
||||
"An error has occurred.": "エラーが発生しました。",
|
||||
"You've previously used %(brand)s on %(host)s with lazy loading of members enabled. In this version lazy loading is disabled. As the local cache is not compatible between these two settings, %(brand)s needs to resync your account.": "以前%(host)sにて、メンバーの遅延ロードを有効にした%(brand)sが使用されていました。このバージョンでは、遅延ロードは無効です。ローカルのキャッシュにはこれらの2つの設定の間での互換性がないため、%(brand)sはアカウントを再同期する必要があります。",
|
||||
|
@ -331,7 +325,6 @@
|
|||
"Email": "電子メール",
|
||||
"Profile": "プロフィール",
|
||||
"Account": "アカウント",
|
||||
"The email address linked to your account must be entered.": "あなたのアカウントに登録されたメールアドレスの入力が必要です。",
|
||||
"A new password must be entered.": "新しいパスワードを入力する必要があります。",
|
||||
"New passwords must match each other.": "新しいパスワードは互いに一致する必要があります。",
|
||||
"Return to login screen": "ログイン画面に戻る",
|
||||
|
@ -340,7 +333,6 @@
|
|||
"Please note you are logging into the %(hs)s server, not matrix.org.": "matrix.orgではなく、%(hs)sのサーバーにログインしていることに注意してください。",
|
||||
"Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or <a>enable unsafe scripts</a>.": "HTTPSのURLがブラウザーのバーにある場合、HTTP経由でホームサーバーに接続することはできません。HTTPSを使用するか<a>安全でないスクリプトを有効にしてください</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>が信頼できるものであり、ブラウザーの拡張機能が要求をブロックしていないことを確認してください。",
|
||||
"This server does not support authentication with a phone number.": "このサーバーは、電話番号による認証をサポートしていません。",
|
||||
"Commands": "コマンド",
|
||||
"Notify the whole room": "ルーム全体に通知",
|
||||
"Room Notification": "ルームの通知",
|
||||
|
@ -419,7 +411,6 @@
|
|||
"Once enabled, encryption cannot be disabled.": "いったん有効にすると、暗号化を無効にすることはできません。",
|
||||
"Email Address": "メールアドレス",
|
||||
"Main address": "メインアドレス",
|
||||
"Topic (optional)": "トピック(任意)",
|
||||
"Hide advanced": "高度な設定を非表示にする",
|
||||
"Show advanced": "高度な設定を表示",
|
||||
"Room Settings - %(roomName)s": "ルームの設定 - %(roomName)s",
|
||||
|
@ -542,7 +533,6 @@
|
|||
"Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "クロス署名された端末を信頼せず、ユーザーが使用する各セッションを個別に認証し、信頼済に設定。",
|
||||
"Show more": "さらに表示",
|
||||
"This backup is trusted because it has been restored on this session": "このバックアップは、このセッションで復元されたため信頼されています",
|
||||
"Enable end-to-end encryption": "エンドツーエンド暗号化を有効にする",
|
||||
"Use bots, bridges, widgets and sticker packs": "ボット、ブリッジ、ウィジェット、ステッカーパックを使用",
|
||||
"Service": "サービス",
|
||||
"Summary": "概要",
|
||||
|
@ -558,7 +548,6 @@
|
|||
"Join the discussion": "ルームに参加",
|
||||
"%(roomName)s can't be previewed. Do you want to join it?": "%(roomName)sはプレビューできません。ルームに参加しますか?",
|
||||
"Set addresses for this room so users can find this room through your homeserver (%(localDomain)s)": "アドレスを設定すると、他のユーザーがあなたのホームサーバー(%(localDomain)s)を通じてこのルームを見つけられるようになります。",
|
||||
"If you've joined lots of rooms, this might take a while": "多くのルームに参加している場合は、時間がかかる可能性があります",
|
||||
"Use custom size": "ユーザー定義のサイズを使用",
|
||||
"Hey you. You're the best!": "こんにちは、よろしくね!",
|
||||
"Verify User": "ユーザーの認証",
|
||||
|
@ -569,7 +558,6 @@
|
|||
"Switch to dark mode": "ダークテーマに切り替える",
|
||||
"Switch theme": "テーマを切り替える",
|
||||
"All settings": "全ての設定",
|
||||
"Feedback": "フィードバック",
|
||||
"Cannot connect to integration manager": "インテグレーションマネージャーに接続できません",
|
||||
"Failed to connect to integration manager": "インテグレーションマネージャーへの接続に失敗しました",
|
||||
"Start verification again from their profile.": "プロフィールから再度認証を開始してください。",
|
||||
|
@ -668,12 +656,9 @@
|
|||
"Enter phone number": "電話番号を入力",
|
||||
"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.": "セッションにアクセスできなくなる場合に備えて、アカウントデータと暗号鍵をバックアップしましょう。鍵は一意のセキュリティーキーで保護されます。",
|
||||
"New version available. <a>Update now.</a>": "新しいバージョンが利用可能です。<a>今すぐ更新</a>",
|
||||
"Create Account": "アカウントを作成",
|
||||
"Explore rooms": "ルームを探す",
|
||||
"Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.": "まず、<existingIssuesLink>Githubで既知の不具合</existingIssuesLink>を確認してください。また掲載されていない新しい不具合を発見した場合は<newIssueLink>報告してください</newIssueLink>。",
|
||||
"Update %(brand)s": "%(brand)sの更新",
|
||||
"New version of %(brand)s is available": "%(brand)sの新しいバージョンが利用可能です",
|
||||
"Block anyone not part of %(serverName)s from ever joining this room.": "%(serverName)s以外からの参加をブロック。",
|
||||
"To report a Matrix-related security issue, please read the Matrix.org <a>Security Disclosure Policy</a>.": "Matrix関連のセキュリティー問題を報告するには、Matrix.orgの<a>Security Disclosure Policy</a>をご覧ください。",
|
||||
"Confirm adding email": "メールアドレスの追加を承認",
|
||||
"Confirm adding this email address by using Single Sign On to prove your identity.": "シングルサインオンを使用して本人確認を行い、メールアドレスの追加を承認してください。",
|
||||
|
@ -882,76 +867,15 @@
|
|||
"You can register, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "登録できますが、IDサーバーがオンラインになるまで一部の機能は使用できません。この警告が引き続き表示される場合は、設定を確認するか、サーバー管理者にお問い合わせください。",
|
||||
"Ask your %(brand)s admin to check <a>your config</a> for incorrect or duplicate entries.": "<a>設定</a>が間違っているか重複しているか確認するよう、%(brand)sの管理者に問い合わせてください。",
|
||||
"Ensure you have a stable internet connection, or get in touch with the server admin": "安定したインターネット接続があることを確認するか、サーバー管理者に連絡してください",
|
||||
"See <b>%(msgtype)s</b> messages posted to your active room": "アクティブなルームに投稿された<b>%(msgtype)s</b>メッセージを表示",
|
||||
"See <b>%(msgtype)s</b> messages posted to this room": "このルームに投稿された<b>%(msgtype)s</b>メッセージを表示",
|
||||
"Send <b>%(msgtype)s</b> messages as you in your active room": "あなたとしてアクティブなルームに<b>%(msgtype)s</b>メッセージを送信",
|
||||
"Send <b>%(msgtype)s</b> messages as you in this room": "あなたとしてこのルームに<b>%(msgtype)s</b>メッセージを送信",
|
||||
"See general files posted to your active room": "アクティブなルームに投稿されたファイルを表示",
|
||||
"See general files posted to this room": "このルームに投稿されたファイルを表示",
|
||||
"Send general files as you in your active room": "あなたとしてアクティブなルームにファイルを送信",
|
||||
"Send general files as you in this room": "あなたとしてファイルをこのルームに送信",
|
||||
"See videos posted to this room": "このルームに投稿された動画を表示",
|
||||
"See videos posted to your active room": "アクティブなルームに投稿された動画を表示",
|
||||
"Send videos as you in your active room": "あなたとしてアクティブなルームに動画を送信",
|
||||
"Send videos as you in this room": "あなたとしてこのルームに動画を送信",
|
||||
"See images posted to your active room": "アクティブなルームに投稿された画像を表示",
|
||||
"See images posted to this room": "このルームに投稿された画像を表示",
|
||||
"Send images as you in your active room": "あなたとしてアクティブなルームに画像を送信",
|
||||
"Send images as you in this room": "あなたとしてこのルームに画像を送信",
|
||||
"See emotes posted to your active room": "アクティブなルームに投稿されたエモートを表示",
|
||||
"See emotes posted to this room": "このルームに投稿されたエモートを表示",
|
||||
"Send emotes as you in your active room": "あなたとしてアクティブなルームにエモートを送信",
|
||||
"Send emotes as you in this room": "あなたとしてこのルームにエモートを送信",
|
||||
"See text messages posted to your active room": "アクティブなルームに投稿されたテキストメッセージを表示",
|
||||
"See text messages posted to this room": "このルームに投稿されたテキストメッセージを表示",
|
||||
"Send text messages as you in your active room": "あなたとしてアクティブなルームにメッセージを送信",
|
||||
"Send text messages as you in this room": "あなたとしてテキストメッセージをこのルームに送信",
|
||||
"See messages posted to your active room": "アクティブなルームに投稿されたメッセージを表示",
|
||||
"See messages posted to this room": "このルームに投稿されたメッセージを表示",
|
||||
"Send messages as you in your active room": "あなたとしてメッセージをアクティブなルームに送信",
|
||||
"Send messages as you in this room": "あなたとしてメッセージをこのルームに送信",
|
||||
"The <b>%(capability)s</b> capability": "<b>%(capability)s</b> 機能",
|
||||
"See <b>%(eventType)s</b> events posted to your active room": "アクティブなルームに投稿されたイベント(<b>%(eventType)s</b>)を表示",
|
||||
"Send <b>%(eventType)s</b> events as you in your active room": "あなたとしてイベント(<b>%(eventType)s</b>)をアクティブなルームに送信",
|
||||
"See <b>%(eventType)s</b> events posted to this room": "このルームに投稿されたイベント(<b>%(eventType)s</b>)を表示",
|
||||
"Send <b>%(eventType)s</b> events as you in this room": "あなたとしてイベント(<b>%(eventType)s</b>)をこのルームに送信",
|
||||
"with state key %(stateKey)s": "ステートキー %(stateKey)s と一緒に",
|
||||
"with an empty state key": "空のステートキーと一緒に",
|
||||
"See when anyone posts a sticker to your active room": "アクティブなルームにステッカーが投稿された時刻を表示",
|
||||
"Send stickers to your active room as you": "あなたとしてアクティブなルームにステッカーを送信",
|
||||
"See when a sticker is posted in this room": "ルームにステッカーが投稿された時刻を表示",
|
||||
"Send stickers to this room as you": "あなたとしてルームにステッカーを送信",
|
||||
"See when the avatar changes in your active room": "アクティブなルームでアバターが変更された時刻を表示",
|
||||
"Change the avatar of your active room": "アクティブなルームのアバター画像を変更",
|
||||
"See when the avatar changes in this room": "ルームのアバター画像が変更された時刻を表示",
|
||||
"Change the avatar of this room": "ルームのアバター画像を変更",
|
||||
"See when the name changes in your active room": "アクティブなルームで名前が変更された時刻を表示",
|
||||
"Change the name of your active room": "アクティブなルームの名前を変更",
|
||||
"See when the name changes in this room": "ルームの名前が変更された時刻を表示",
|
||||
"Change the name of this room": "ルームの名前を変更",
|
||||
"See when the topic changes in your active room": "アクティブなルームでトピックが変更された時刻を表示",
|
||||
"Change the topic of your active room": "アクティブなルームのトピックを変更",
|
||||
"See when the topic changes in this room": "ルームのトピックが変更された時刻を表示",
|
||||
"Change the topic of this room": "ルームのトピックを変更",
|
||||
"Change which room, message, or user you're viewing": "表示しているルーム、メッセージ、またはユーザーを変更",
|
||||
"Change which room you're viewing": "表示しているルームを変更",
|
||||
"Send stickers into your active room": "アクティブなルームにステッカーを送信",
|
||||
"Send stickers into this room": "このルームにステッカーを送信",
|
||||
"Remain on your screen while running": "実行中は画面に留まる",
|
||||
"Remain on your screen when viewing another room, when running": "他のルームを表示している間も実行中は画面に留まる",
|
||||
"Ask this user to verify their session, or manually verify it below.": "このユーザーにセッションを認証するよう依頼するか、以下から手動で認証してください。",
|
||||
"Verify your other session using one of the options below.": "以下のどれか一つを使って他のセッションを認証します。",
|
||||
"The signing key you provided matches the signing key you received from %(userId)s's session %(deviceId)s. Session marked as verified.": "指定された署名鍵は%(userId)sのセッション %(deviceId)s から受け取った鍵と一致します。セッションは認証済です。",
|
||||
"Verifies a user, session, and pubkey tuple": "ユーザー、セッション、およびpubkeyタプルを認証",
|
||||
"Could not find user in room": "ルームにユーザーが見つかりません",
|
||||
"Joins room with given address": "指定したアドレスのルームに参加",
|
||||
"Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "メールでの招待にIDサーバーを使用します。デフォルトのIDサーバー(%(defaultIdentityServerName)s)を使用する場合は「続行」をクリックしてください。または設定画面を開いて変更してください。",
|
||||
"Double check that your server supports the room version chosen and try again.": "選択したルームのバージョンをあなたのサーバーがサポートしているか改めて確認し、もう一度試してください。",
|
||||
"Setting up keys": "鍵のセットアップ",
|
||||
"Are you sure you want to cancel entering passphrase?": "パスフレーズの入力をキャンセルしてよろしいですか?",
|
||||
"Cancel entering passphrase?": "パスフレーズの入力をキャンセルしますか?",
|
||||
"Use your account or create a new one to continue.": "続行するには、作成済のアカウントを使用するか、新しいアカウントを作成してください。",
|
||||
"Sign In or Create Account": "サインインするか、アカウントを作成してください",
|
||||
"Zimbabwe": "ジンバブエ",
|
||||
"Zambia": "ザンビア",
|
||||
"Yemen": "イエメン",
|
||||
|
@ -1341,7 +1265,6 @@
|
|||
"Make sure the right people have access to %(name)s": "正しい参加者が%(name)sにアクセスできるようにしましょう。",
|
||||
"Who are you working with?": "誰と使いますか?",
|
||||
"Invite to %(roomName)s": "%(roomName)sに招待",
|
||||
"Send feedback": "フィードバックを送信",
|
||||
"Manage & explore rooms": "ルームの管理および探索",
|
||||
"Select a room below first": "以下からルームを選択してください",
|
||||
"A private space to organise your rooms": "ルームを整理するための非公開のスペース",
|
||||
|
@ -1384,7 +1307,6 @@
|
|||
"Private (invite only)": "非公開(招待者のみ参加可能)",
|
||||
"Decide who can join %(roomName)s.": "%(roomName)sに参加できる人を設定してください。",
|
||||
"Verify your identity to access encrypted messages and prove your identity to others.": "暗号化されたメッセージにアクセスするには、本人確認が必要です。",
|
||||
"New? <a>Create account</a>": "初めてですか?<a>アカウントを作成しましょう</a>",
|
||||
"Are you sure you want to sign out?": "サインアウトしてよろしいですか?",
|
||||
"Rooms and spaces": "ルームとスペース",
|
||||
"Add a space to a space you manage.": "新しいスペースを、あなたが管理するスペースに追加。",
|
||||
|
@ -1412,8 +1334,6 @@
|
|||
"Export chat": "チャットをエクスポート",
|
||||
"View source": "ソースコードを表示",
|
||||
"Failed to send": "送信に失敗しました",
|
||||
"You can't see earlier messages": "以前のメッセージは表示できません",
|
||||
"Encrypted messages before this point are unavailable.": "これ以前の暗号化されたメッセージは利用できません。",
|
||||
"Take a picture": "画像を撮影",
|
||||
"Copy room link": "ルームのリンクをコピー",
|
||||
"Close dialog": "ダイアログを閉じる",
|
||||
|
@ -1448,7 +1368,6 @@
|
|||
"Share anonymous data to help us identify issues. Nothing personal. No third parties.": "匿名のデータを共有すると、問題の特定に役立ちます。個人データの収集や、第三者とのデータ共有はありません。",
|
||||
"Hide sidebar": "サイドバーを表示しない",
|
||||
"Failed to transfer call": "通話の転送に失敗しました",
|
||||
"Command error: Unable to handle slash command.": "コマンドエラー:スラッシュコマンドは使えません。",
|
||||
"%(spaceName)s and %(count)s others": {
|
||||
"one": "%(spaceName)sと他%(count)s個",
|
||||
"other": "%(spaceName)sと他%(count)s個"
|
||||
|
@ -1518,8 +1437,6 @@
|
|||
"Show:": "表示:",
|
||||
"Shows all threads you've participated in": "参加している全スレッドを表示",
|
||||
"My threads": "自分のスレッド",
|
||||
"You might disable this if the room will be used for collaborating with external teams who have their own homeserver. This cannot be changed later.": "このルームを、自身のホームサーバーをもつ組織外のチームとのコラボレーションに使用するなら、この設定を無効にするといいかもしれません。これは後から変更できません。",
|
||||
"You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "このルームを、あなたのホームサーバーで、組織内のチームとのコラボレーションにのみ使用するなら、この設定を有効にするといいかもしれません。これは後から変更できません。",
|
||||
"Notes": "メモ",
|
||||
"Search for rooms": "ルームを検索",
|
||||
"Create a new room": "新しいルームを作成",
|
||||
|
@ -1545,10 +1462,6 @@
|
|||
"Only people invited will be able to find and join this space.": "招待された人のみがこのスペースを検索し、参加できます。",
|
||||
"Anyone will be able to find and join this space, not just members of <SpaceName/>.": "<SpaceName/>のメンバーだけでなく、誰でもこのスペースを検索し、参加できます。",
|
||||
"Anyone in <SpaceName/> will be able to find and join.": "<SpaceName/>の誰でも検索し、参加できます。",
|
||||
"Only people invited will be able to find and join this room.": "招待された人のみがこのルームを検索し、参加できます。",
|
||||
"Anyone will be able to find and join this room.": "誰でもこのルームを検索し、参加できます。",
|
||||
"Anyone will be able to find and join this room, not just members of <SpaceName/>.": "<SpaceName/>のメンバーだけでなく、誰でもこのルームを検索し、参加できます。",
|
||||
"Everyone in <SpaceName/> will be able to find and join this room.": "<SpaceName/>の誰でもこのルームを検索し、参加できます。",
|
||||
"Anyone in <spaceName/> can find and join. You can select other spaces too.": "<spaceName/>の誰でも検索し、参加できます。他のスペースも選択できます。",
|
||||
"Anyone in a space can find and join. <a>Edit which spaces can access here.</a>": "スペースの誰でも検索し、参加できます。<a>ここをクリックすると、どのスペースにアクセスできるかを編集できます。</a>",
|
||||
"Spaces with access": "アクセスできるスペース",
|
||||
|
@ -1572,14 +1485,7 @@
|
|||
"Use email or phone to optionally be discoverable by existing contacts.": "後ほど、このメールアドレスまたは電話番号で連絡先に見つけてもらうことができるようになります。",
|
||||
"Use email to optionally be discoverable by existing contacts.": "後ほど、このメールアドレスで連絡先に見つけてもらうことができるようになります。",
|
||||
"Add an email to be able to reset your password.": "アカウント復旧用のメールアドレスを追加。",
|
||||
"About homeservers": "ホームサーバーについて(英語)",
|
||||
"Use your preferred Matrix homeserver if you have one, or host your own.": "好みのホームサーバーがあるか、自分でホームサーバーを運営している場合は、そちらをお使いください。",
|
||||
"Other homeserver": "他のホームサーバー",
|
||||
"Matrix.org is the biggest public homeserver in the world, so it's a good place for many.": "Matrix.orgは、公開されているホームサーバーで世界最大のものなので、多くの人に適しています。",
|
||||
"We call the places where you can host your account 'homeservers'.": "Matrixでは、あなたが自分のアカウントを管理する場所を「ホームサーバー」と呼んでいます。",
|
||||
"Join millions for free on the largest public server": "最大の公開サーバーで、数百万人に無料で参加",
|
||||
"Someone already has that username, please try another.": "そのユーザー名は既に使用されています。他のユーザー名を試してください。",
|
||||
"Registration has been disabled on this homeserver.": "このサーバーはアカウントの新規登録を受け入れていません。",
|
||||
"This homeserver would like to make sure you are not a robot.": "このホームサーバーは、あなたがロボットではないことの確認を求めています。",
|
||||
"Doesn't look like a valid email address": "メールアドレスの形式が正しくありません",
|
||||
"Enter email address (required on this homeserver)": "メールアドレスを入力してください(このホームサーバーでは必須)",
|
||||
|
@ -1603,11 +1509,8 @@
|
|||
"Upgrade public room": "公開ルームをアップグレード",
|
||||
"Public room": "公開ルーム",
|
||||
"Upgrade private room": "非公開のルームをアップグレード",
|
||||
"Private room (invite only)": "非公開ルーム(招待者のみ参加可能)",
|
||||
"Can't find this server or its room list": "このサーバーまたはそのルーム一覧が見つかりません",
|
||||
"Join public room": "公開ルームに参加",
|
||||
"You can change this at any time from room settings.": "これはルームの設定で後からいつでも変更できます。",
|
||||
"You can't disable this later. Bridges & most bots won't work yet.": "後から無効にすることはできません。ブリッジおよびほとんどのボットはまだ動作しません。",
|
||||
"Be found by phone or email": "自分を電話番号か電子メールで見つけられるようにする",
|
||||
"Find others by phone or email": "知人を電話番号か電子メールで探す",
|
||||
"You were removed from %(roomName)s by %(memberName)s": "%(memberName)sにより%(roomName)sから追放されました",
|
||||
|
@ -1634,7 +1537,6 @@
|
|||
"Remove from room": "ルームから追放",
|
||||
"Failed to remove user": "ユーザーの追放に失敗しました",
|
||||
"Success!": "成功しました!",
|
||||
"Comment": "コメント",
|
||||
"Information": "情報",
|
||||
"Search for spaces": "スペースを検索",
|
||||
"Share location": "位置情報を共有",
|
||||
|
@ -1673,11 +1575,9 @@
|
|||
"Cancelled signature upload": "署名のアップロードをキャンセルしました",
|
||||
"This address does not point at this room": "このアドレスはこのルームを指していません",
|
||||
"Open in OpenStreetMap": "OpenStreetMapで開く",
|
||||
"Please enter a name for the room": "ルームの名前を入力してください",
|
||||
"The following users may not exist": "次のユーザーは存在しない可能性があります",
|
||||
"To leave the beta, visit your settings.": "ベータ版の使用を終了するには、設定を開いてください。",
|
||||
"Option %(number)s": "選択肢%(number)s",
|
||||
"Unable to validate homeserver": "ホームサーバーを認証できません",
|
||||
"Message preview": "メッセージのプレビュー",
|
||||
"Sent": "送信済",
|
||||
"You don't have permission to do this": "これを行う権限がありません",
|
||||
|
@ -1685,14 +1585,9 @@
|
|||
"Share %(name)s": "%(name)sを共有",
|
||||
"Application window": "アプリケーションのウィンドウ",
|
||||
"Verification Request": "認証の要求",
|
||||
"Feedback sent": "フィードバックを送信しました",
|
||||
"You may contact me if you want to follow up or to let me test out upcoming ideas": "追加で確認が必要な事項や、テストすべき新しいアイデアがある場合は、連絡可",
|
||||
"Verification requested": "認証が必要です",
|
||||
"Unable to copy a link to the room to the clipboard.": "ルームのリンクをクリップボードにコピーできませんでした。",
|
||||
"Unable to copy room link": "ルームのリンクをコピーできません",
|
||||
"Sign into your homeserver": "あなたのホームサーバーにサインイン",
|
||||
"Specify a homeserver": "ホームサーバーを指定してください",
|
||||
"Invalid URL": "不正なURL",
|
||||
"The server is offline.": "サーバーはオフラインです。",
|
||||
"New Recovery Method": "新しい復元方法",
|
||||
"No answer": "応答がありません",
|
||||
|
@ -1737,7 +1632,6 @@
|
|||
"Private space (invite only)": "非公開スペース(招待者のみ参加可能)",
|
||||
"Public space": "公開スペース",
|
||||
"Sending": "送信しています",
|
||||
"PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "ヒント:バグレポートを報告する場合は、問題の分析のために<debugLogsLink>デバッグログ</debugLogsLink>を送信してください。",
|
||||
"MB": "MB",
|
||||
"Failed to end poll": "アンケートの終了に失敗しました",
|
||||
"End Poll": "アンケートを終了",
|
||||
|
@ -1754,7 +1648,6 @@
|
|||
"Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "以下のMatrix IDのプロフィールを発見できません。招待しますか?",
|
||||
"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.": "新しい復元方法を設定しなかった場合、攻撃者がアカウントへアクセスしようとしている可能性があります。設定画面ですぐにアカウントのパスワードを変更し、新しい復元方法を設定してください。",
|
||||
"General failure": "一般エラー",
|
||||
"Failed to perform homeserver discovery": "ホームサーバーを発見できませんでした",
|
||||
"Failed to decrypt %(failedCount)s sessions!": "%(failedCount)s個のセッションの復号化に失敗しました!",
|
||||
"No backup found!": "バックアップがありません!",
|
||||
"Unable to restore backup": "バックアップを復元できません",
|
||||
|
@ -1810,10 +1703,7 @@
|
|||
"Show preview": "プレビューを表示",
|
||||
"Thread options": "スレッドの設定",
|
||||
"Invited people will be able to read old messages.": "招待したユーザーは、以前のメッセージを閲覧できるようになります。",
|
||||
"You're signed out": "サインアウトしました",
|
||||
"Forgotten your password?": "パスワードを忘れてしまいましたか?",
|
||||
"Clear personal data": "個人データを消去",
|
||||
"This homeserver does not support login using email address.": "このホームサーバーではメールアドレスによるログインをサポートしていません。",
|
||||
"Your password has been reset.": "パスワードを再設定しました。",
|
||||
"Couldn't load page": "ページを読み込めませんでした",
|
||||
"Confirm the emoji below are displayed on both devices, in the same order:": "以下の絵文字が、両方の端末で、同じ順番で表示されているかどうか確認してください:",
|
||||
|
@ -1825,7 +1715,6 @@
|
|||
"Are you sure you want to deactivate your account? This is irreversible.": "アカウントを無効化してよろしいですか?この操作は元に戻すことができません。",
|
||||
"Want to add an existing space instead?": "代わりに既存のスペースを追加しますか?",
|
||||
"Space visibility": "スペースの見え方",
|
||||
"Room visibility": "ルームの見え方",
|
||||
"That phone number doesn't look quite right, please check and try again": "電話番号が正しくありません。確認してもう一度やり直してください",
|
||||
"Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "ホームサーバーの設定にcaptchaの公開鍵が入力されていません。ホームサーバーの管理者に報告してください。",
|
||||
"This room is public": "このルームは公開されています",
|
||||
|
@ -1860,10 +1749,7 @@
|
|||
"Only do this if you have no other device to complete verification with.": "認証を行える端末がない場合のみ行ってください。",
|
||||
"You may contact me if you have any follow up questions": "追加で確認が必要な事項がある場合は、連絡可",
|
||||
"There was a problem communicating with the homeserver, please try again later.": "ホームサーバーとの通信時に問題が発生しました。後でもう一度やり直してください。",
|
||||
"The email address doesn't appear to be valid.": "メールアドレスが正しくありません。",
|
||||
"From a thread": "スレッドから",
|
||||
"Got an account? <a>Sign in</a>": "アカウントがありますか?<a>サインインしてください</a>",
|
||||
"New here? <a>Create an account</a>": "初めてですか?<a>アカウントを作成しましょう</a>",
|
||||
"Identity server URL does not appear to be a valid identity server": "これは正しいIDサーバーのURLではありません",
|
||||
"Create key backup": "鍵のバックアップを作成",
|
||||
"My current location": "自分の現在の位置情報",
|
||||
|
@ -1931,8 +1817,6 @@
|
|||
"Remove from %(roomName)s": "%(roomName)sから追放",
|
||||
"Wait!": "お待ちください!",
|
||||
"If someone told you to copy/paste something here, there is a high likelihood you're being scammed!": "ここでコピーペーストを行うように伝えられた場合は、あなたが詐欺の対象となっている可能性が非常に高いです!",
|
||||
"You don't have permission to view messages from before you joined.": "参加する前のメッセージを表示する権限がありません。",
|
||||
"You don't have permission to view messages from before you were invited.": "招待される前のメッセージを表示する権限がありません。",
|
||||
"Error processing audio message": "音声メッセージを処理する際にエラーが発生しました",
|
||||
"The beginning of the room": "ルームの先頭",
|
||||
"Jump to date": "日付に移動",
|
||||
|
@ -1972,8 +1856,6 @@
|
|||
"There was an error loading your notification settings.": "通知設定を読み込む際にエラーが発生しました。",
|
||||
"Message search initialisation failed": "メッセージの検索機能の初期化に失敗しました",
|
||||
"Failed to update the visibility of this space": "このスペースの見え方の更新に失敗しました",
|
||||
"Your server requires encryption to be enabled in private rooms.": "このサーバーでは、非公開のルームでは暗号化を有効にする必要があります。",
|
||||
"Command failed: Unable to find room (%(roomId)s": "コマンドエラー:ルーム(%(roomId)s)が見つかりません",
|
||||
"Go to my space": "自分のスペースに移動",
|
||||
"Failed to load list of rooms.": "ルームの一覧を読み込むのに失敗しました。",
|
||||
"Unable to set up secret storage": "機密ストレージを設定できません",
|
||||
|
@ -1984,8 +1866,6 @@
|
|||
"User Autocomplete": "ユーザーの自動補完",
|
||||
"Command Autocomplete": "コマンドの自動補完",
|
||||
"Room Autocomplete": "ルームの自動補完",
|
||||
"You cannot sign in to your account. Please contact your homeserver admin for more information.": "アカウントにサインインできません。ホームサーバーの管理者に連絡して詳細を確認してください。",
|
||||
"Command error: Unable to find rendering type (%(renderingType)s)": "コマンドエラー:レンダリングの種類(%(renderingType)s)が見つかりません",
|
||||
"Error processing voice message": "音声メッセージを処理する際にエラーが発生しました",
|
||||
"Error loading Widget": "ウィジェットを読み込む際にエラーが発生しました",
|
||||
"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.": "セキュリティーキーもしくは認証可能な端末が設定されていません。この端末では、以前暗号化されたメッセージにアクセスすることができません。この端末で本人確認を行うには、認証用の鍵を再設定する必要があります。",
|
||||
|
@ -1993,7 +1873,6 @@
|
|||
"Decrypted event source": "復号化したイベントのソースコード",
|
||||
"Signature upload failed": "署名のアップロードに失敗しました",
|
||||
"Remove for everyone": "全員から削除",
|
||||
"Failed to re-authenticate": "再認証に失敗しました",
|
||||
"toggle event": "イベントを切り替える",
|
||||
"%(spaceName)s menu": "%(spaceName)sのメニュー",
|
||||
"Delete avatar": "アバターを削除",
|
||||
|
@ -2008,10 +1887,7 @@
|
|||
"Reply to an ongoing thread or use “%(replyInThread)s” when hovering over a message to start a new one.": "既存のスレッドに返信するか、メッセージの「%(replyInThread)s」機能を使用すると新しいスレッドを開始できます。",
|
||||
"Other searches": "その他の検索",
|
||||
"To search messages, look for this icon at the top of a room <icon/>": "メッセージを検索する場合は、ルームの上に表示されるアイコン<icon/>をクリックしてください。",
|
||||
"See when people join, leave, or are invited to this room": "このルームに参加、退出、招待された日時を表示",
|
||||
"Regain access to your account and recover encryption keys stored in this session. Without them, you won't be able to read all of your secure messages in any session.": "アカウントにアクセスし、このセッションに保存されている暗号鍵を復元してください。暗号鍵がなければ、どのセッションの暗号化されたメッセージも読めなくなります。",
|
||||
"Enter your password to sign in and regain access to your account.": "アカウントへのアクセスを回復するには、パスワードを入力してサインインしてください。",
|
||||
"Sign in and regain access to your account.": "サインインして、アカウントへのアクセスを回復しましょう。",
|
||||
"Failed to re-authenticate due to a homeserver problem": "ホームサーバーの問題のため再認証に失敗しました",
|
||||
"Invalid base_url for m.identity_server": "m.identity_serverの不正なbase_url",
|
||||
"Homeserver URL does not appear to be a valid Matrix homeserver": "これは正しいMatrixのホームサーバーのURLではありません",
|
||||
|
@ -2027,13 +1903,11 @@
|
|||
"You're removing all spaces. Access will default to invite only": "全てのスペースを削除しようとしています。招待者しかアクセスできなくなります",
|
||||
"To continue, use Single Sign On to prove your identity.": "続行するには、シングルサインオンを使用して、本人確認を行ってください。",
|
||||
"Verifying this user will mark their session as trusted, and also mark your session as trusted to them.": "このユーザーを認証すると、相手のセッションと自分のセッションを信頼済として表示します。",
|
||||
"Remove, ban, or invite people to this room, and make you leave": "ルームから追放、ブロック、ルームに招待、また、退出を要求",
|
||||
"Verify this device by confirming the following number appears on its screen.": "この端末を認証するには、画面に以下の数字が表示されていることを確認してください。",
|
||||
"Some files are <b>too large</b> to be uploaded. The file size limit is %(limit)s.": "アップロードしようとしているいくつかのファイルのサイズが<b>大きすぎます</b>。最大のサイズは%(limit)sです。",
|
||||
"These files are <b>too large</b> to upload. The file size limit is %(limit)s.": "アップロードしようとしているファイルのサイズが<b>大きすぎます</b>。最大のサイズは%(limit)sです。",
|
||||
"a new master key signature": "新しいマスターキーの署名",
|
||||
"This widget may use cookies.": "このウィジェットはクッキーを使用する可能性があります。",
|
||||
"Visible to space members": "スペースの参加者に表示",
|
||||
"Search names and descriptions": "名前と説明文を検索",
|
||||
"Currently joining %(count)s rooms": {
|
||||
"one": "現在%(count)s個のルームに参加しています",
|
||||
|
@ -2085,8 +1959,6 @@
|
|||
"Missing room name or separator e.g. (my-room:domain.org)": "ルーム名あるいはセパレーターが入力されていません。例はmy-room:domain.orgとなります",
|
||||
"This address had invalid server or is already in use": "このアドレスは不正なサーバーを含んでいるか、既に使用されています",
|
||||
"Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "端末 %(deviceName)s(%(deviceId)s)での認証を待機しています…",
|
||||
"See when people join, leave, or are invited to your active room": "アクティブなルームに参加、退出、招待された日時を表示",
|
||||
"Remove, ban, or invite people to your active room, and make you leave": "アクティブなルームから追放、ブロック、ルームに招待、また、退出を要求",
|
||||
"What are some things you want to discuss in %(spaceName)s?": "%(spaceName)sのテーマは何でしょうか?",
|
||||
"You can add more later too, including already existing ones.": "ルームは後からも追加できます。",
|
||||
"Let's create a room for each of them.": "テーマごとにルームを作りましょう。",
|
||||
|
@ -2096,7 +1968,6 @@
|
|||
"Yours, or the other users' session": "あなた、もしくは他のユーザーのセッション",
|
||||
"Yours, or the other users' internet connection": "あなた、もしくは他のユーザーのインターネット接続",
|
||||
"The homeserver the user you're verifying is connected to": "認証しようとしているユーザーが接続しているホームサーバー",
|
||||
"Your platform and username will be noted to help us use your feedback as much as we can.": "フィードバックを最大限に活用するため、使用中のプラットフォームとユーザー名が送信されます。",
|
||||
"There was a problem communicating with the server. Please try again.": "サーバーとの通信時に問題が発生しました。もう一度やり直してください。",
|
||||
"%(deviceId)s from %(ip)s": "%(ip)sの%(deviceId)s",
|
||||
"Just a heads up, if you don't add an email and forget your password, you could <b>permanently lose access to your account</b>.": "注意:メールアドレスを追加せずパスワードを忘れた場合、<b>永久にアカウントにアクセスできなくなる</b>可能性があります。",
|
||||
|
@ -2298,7 +2169,6 @@
|
|||
"Check that the code below matches with your other device:": "以下のコードが他の端末と一致していることを確認してください:",
|
||||
"Use lowercase letters, numbers, dashes and underscores only": "小文字、数字、ダッシュ、アンダースコアのみを使ってください",
|
||||
"Your server does not support showing space hierarchies.": "あなたのサーバーはスペースの階層表示をサポートしていません。",
|
||||
"That e-mail address or phone number is already in use.": "そのメールアドレスまたは電話番号は既に使われています。",
|
||||
"Great! This Security Phrase looks strong enough.": "すばらしい! このセキュリティーフレーズは十分に強力なようです。",
|
||||
"%(downloadButton)s or %(copyButton)s": "%(downloadButton)sまたは%(copyButton)s",
|
||||
"Voice broadcast": "音声配信",
|
||||
|
@ -2503,11 +2373,6 @@
|
|||
"Verify your sessions for enhanced secure messaging or sign out from those you don't recognize or use anymore.": "セッションを認証すると、より安全なメッセージのやりとりが可能になります。見覚えのない、または使用していないセッションがあれば、サインアウトしましょう。",
|
||||
"Improve your account security by following these recommendations.": "以下の勧告に従い、アカウントのセキュリティーを改善しましょう。",
|
||||
"Deactivating your account is a permanent action — be careful!": "アカウントを無効化すると取り消せません。ご注意ください!",
|
||||
"Verify your email to continue": "続行するには電子メールを認証してください",
|
||||
"Did not receive it?": "届きませんでしたか?",
|
||||
"Verification link email resent!": "認証リンクの電子メールを再送信しました!",
|
||||
"Wrong email address?": "メールアドレスが正しくありませんか?",
|
||||
"Re-enter email address": "メールアドレスを再入力",
|
||||
"For best security and privacy, it is recommended to use Matrix clients that support encryption.": "セキュリティーとプライバシー保護の観点から、暗号化をサポートしているMatrixのクライアントの使用を推奨します。",
|
||||
"Sign out of %(count)s sessions": {
|
||||
"other": "%(count)s件のセッションからサインアウト",
|
||||
|
@ -2545,9 +2410,6 @@
|
|||
"By approving access for this device, it will have full access to your account.": "この端末へのアクセスを許可すると、あなたのアカウントに完全にアクセスできるようになります。",
|
||||
"The other device isn't signed in.": "もう一方の端末はサインインしていません。",
|
||||
"The other device is already signed in.": "もう一方のデバイスは既にサインインしています。",
|
||||
"<b>%(homeserver)s</b> will send you a verification link to let you reset your password.": "<b>%(homeserver)s</b>が、パスワードの再設定用の認証リンクを送信します。",
|
||||
"Follow the instructions sent to <b>%(email)s</b>": "<b>%(email)s</b>に送信される指示に従ってください",
|
||||
"Enter your email to reset password": "パスワードを再設定するには、あなたの電子メールを入力してください",
|
||||
"Your old messages will still be visible to people who received them, just like emails you sent in the past. Would you like to hide your sent messages from people who join rooms in the future?": "あなたの古いメッセージは、それを受信した人には表示され続けます。これは電子メールの場合と同様です。あなたが送信したメッセージを今後のルームの参加者に表示しないようにしますか?",
|
||||
"Please note: this is a labs feature using a temporary implementation. This means you will not be able to delete your location history, and advanced users will be able to see your location history even after you stop sharing your live location with this room.": "注意:これは一時的な実装による試験機能です。位置情報の履歴を削除することはできません。高度なユーザーは、あなたがこのルームで位置情報(ライブ)の共有を停止した後でも、あなたの位置情報の履歴を閲覧することができます。",
|
||||
"Upgrading this room requires closing down the current instance of the room and creating a new room in its place. To give room members the best possible experience, we will:": "このルームをアップグレードするには、現在のルームを閉鎖し、新しくルームを作成する必要があります。ルームの参加者のため、アップグレードの際に以下を行います。",
|
||||
|
@ -2558,7 +2420,6 @@
|
|||
"Signing out your devices will delete the message encryption keys stored on them, making encrypted chat history unreadable.": "端末からサインアウトすると、暗号化の鍵が削除され、暗号化された会話の履歴を読むことができなくなります。",
|
||||
"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.": "暗号化されたルームの会話を今後も読み込めるようにしたい場合は、続行する前に、鍵のバックアップを設定するか、他の端末からメッセージの鍵をエクスポートしてください。",
|
||||
"Verifying this device will mark it as trusted, and users who have verified with you will trust this device.": "この端末を認証すると、信頼済として表示します。あなたを認証したユーザーはこの端末を信頼することができるようになります。",
|
||||
"You can't disable this later. The room will be encrypted but the embedded call will not.": "これは後で無効にできません。ルームは暗号化されますが、埋め込まれる通話は暗号化されません。",
|
||||
"Message pending moderation: %(reason)s": "メッセージはモデレートの保留中です:%(reason)s",
|
||||
"An error (%(errcode)s) was returned while trying to validate your invite. You could try to pass this information on to the person who invited you.": "招待の検証を試みる際にエラー(%(errcode)s)が発生しました。あなたを招待した人にこの情報を渡してみてください。",
|
||||
"Uncheck if you also want to remove system messages on this user (e.g. membership change, profile change…)": "このユーザーに関するシステムメッセージ(メンバーシップの変更、プロフィールの変更など)も削除したい場合は、チェックを外してください",
|
||||
|
@ -2573,8 +2434,6 @@
|
|||
"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.": "すべての端末からログアウトしているため、プッシュ通知を受け取れません。通知を再び有効にするには、各端末でサインインしてください。",
|
||||
"Invalid homeserver discovery response": "ホームサーバーのディスカバリー(発見)に関する不正な応答です",
|
||||
"Failed to get autodiscovery configuration from server": "自動発見の設定をサーバーから取得できませんでした",
|
||||
"Unable to query for supported registration methods.": "サポートしている登録方法を照会できません。",
|
||||
"Sign in instead": "サインイン",
|
||||
"Ignore %(user)s": "%(user)sを無視",
|
||||
"Join the room to participate": "ルームに参加",
|
||||
"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.": "ライブ配信を終了してよろしいですか?配信を終了し、録音をこのルームで利用できるよう設定します。",
|
||||
|
@ -2616,15 +2475,12 @@
|
|||
"The widget will verify your user ID, but won't be able to perform actions for you:": "ウィジェットはあなたのユーザーIDを認証しますが、操作を行うことはできません:",
|
||||
"In %(spaceName)s.": "スペース %(spaceName)s内。",
|
||||
"In spaces %(space1Name)s and %(space2Name)s.": "スペース %(space1Name)sと%(space2Name)s内。",
|
||||
"The above, but in <Room /> as well": "上記、ただし<Room />でも同様",
|
||||
"The above, but in any room you are joined or invited to as well": "上記、ただし参加または招待されたルームでも同様",
|
||||
"Please tell us what went wrong or, better, create a GitHub issue that describes the problem.": "発生した問題を教えてください。または、問題を説明するGitHub issueを作成してください。",
|
||||
"You're in": "始めましょう",
|
||||
"To disable you will need to log out and back in, use with caution!": "無効にするにはログアウトして、再度ログインする必要があります。注意して使用してください!",
|
||||
"Reset event store": "イベントストアをリセット",
|
||||
"You most likely do not want to reset your event index store": "必要がなければ、イベントインデックスストアをリセットするべきではありません",
|
||||
"Upgrading a room is an advanced action and is usually recommended when a room is unstable due to bugs, missing features or security vulnerabilities.": "ルームのアップグレードは高度な操作です。バグや欠けている機能、セキュリティーの脆弱性などによってルームが不安定な場合に、アップデートを推奨します。",
|
||||
"Force 15s voice broadcast chunk length": "音声配信のチャンク長を15秒に強制",
|
||||
"Your email address does not appear to be associated with a Matrix ID on this homeserver.": "あなたのメールアドレスは、このホームサーバーのMatrix IDに関連付けられていないようです。",
|
||||
"Your server lacks native support, you must specify a proxy": "あなたのサーバーはネイティブでサポートしていません。プロクシーを指定してください",
|
||||
"Your server lacks native support": "あなたのサーバーはネイティブでサポートしていません",
|
||||
|
@ -2635,7 +2491,6 @@
|
|||
"There are no past 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> 古いバージョンのルームに、新しいルームへのリンクを投稿します。ルームのメンバーは、そのリンクをクリックして新しいルームに参加する必要があります。",
|
||||
"We need to know it’s you before resetting your password. Click the link in the email we just sent to <b>%(email)s</b>": "パスワードを再設定する前に本人確認を行います。<b>%(email)s</b>に送信した電子メールにあるリンクをクリックしてください。",
|
||||
"Warning: your personal data (including encryption keys) is still stored in this session. Clear it if you're finished using this session, or want to sign in to another account.": "警告:あなたの個人データ(暗号化の鍵を含む)が、このセッションに保存されています。このセッションの使用を終了するか、他のアカウントにログインしたい場合は、そのデータを消去してください。",
|
||||
"WARNING: session already verified, but keys do NOT MATCH!": "警告:このセッションは認証済ですが、鍵が一致しません!",
|
||||
"Scan QR code": "QRコードをスキャン",
|
||||
|
@ -2645,8 +2500,6 @@
|
|||
"Enter a Security Phrase only you know, as it's used to safeguard your data. To be secure, you shouldn't re-use your account password.": "あなただけが知っているセキュリティーフレーズを入力してください。あなたのデータを保護するために使用されます。セキュリティーの観点から、アカウントのパスワードと異なるものを設定してください。",
|
||||
"Starting backup…": "バックアップを開始しています…",
|
||||
"Please only proceed if you're sure you've lost all of your other devices and your Security Key.": "全ての端末とセキュリティーキーを紛失してしまったことが確かである場合にのみ、続行してください。",
|
||||
"Signing In…": "サインインしています…",
|
||||
"Syncing…": "同期しています…",
|
||||
"Inviting…": "招待しています…",
|
||||
"Creating rooms…": "ルームを作成しています…",
|
||||
"Keep going…": "続行…",
|
||||
|
@ -2762,7 +2615,8 @@
|
|||
"cross_signing": "クロス署名",
|
||||
"identity_server": "IDサーバー",
|
||||
"integration_manager": "インテグレーションマネージャー",
|
||||
"qr_code": "QRコード"
|
||||
"qr_code": "QRコード",
|
||||
"feedback": "フィードバック"
|
||||
},
|
||||
"action": {
|
||||
"continue": "続行",
|
||||
|
@ -2925,7 +2779,8 @@
|
|||
"leave_beta_reload": "ベータ版を終了すると%(brand)sをリロードします。",
|
||||
"join_beta_reload": "ベータ版に参加すると%(brand)sをリロードします。",
|
||||
"leave_beta": "ベータ版を終了",
|
||||
"join_beta": "ベータ版に参加"
|
||||
"join_beta": "ベータ版に参加",
|
||||
"voice_broadcast_force_small_chunks": "音声配信のチャンク長を15秒に強制"
|
||||
},
|
||||
"keyboard": {
|
||||
"home": "ホーム",
|
||||
|
@ -3204,7 +3059,9 @@
|
|||
"timeline_image_size": "タイムライン上での画像のサイズ",
|
||||
"timeline_image_size_default": "既定値",
|
||||
"timeline_image_size_large": "大"
|
||||
}
|
||||
},
|
||||
"inline_url_previews_room_account": "このルームのURLプレビューを有効にする(あなたにのみ適用)",
|
||||
"inline_url_previews_room": "このルームの参加者のために既定でURLプレビューを有効にする"
|
||||
},
|
||||
"devtools": {
|
||||
"send_custom_account_data_event": "アカウントのユーザー定義のデータイベントを送信",
|
||||
|
@ -3348,7 +3205,24 @@
|
|||
"title_public_room": "公開ルームを作成",
|
||||
"title_private_room": "非公開ルームを作成",
|
||||
"action_create_video_room": "ビデオ通話ルームを作成",
|
||||
"action_create_room": "ルームを作成"
|
||||
"action_create_room": "ルームを作成",
|
||||
"name_validation_required": "ルームの名前を入力してください",
|
||||
"join_rule_restricted_label": "<SpaceName/>の誰でもこのルームを検索し、参加できます。",
|
||||
"join_rule_change_notice": "これはルームの設定で後からいつでも変更できます。",
|
||||
"join_rule_public_parent_space_label": "<SpaceName/>のメンバーだけでなく、誰でもこのルームを検索し、参加できます。",
|
||||
"join_rule_public_label": "誰でもこのルームを検索し、参加できます。",
|
||||
"join_rule_invite_label": "招待された人のみがこのルームを検索し、参加できます。",
|
||||
"encrypted_video_room_warning": "これは後で無効にできません。ルームは暗号化されますが、埋め込まれる通話は暗号化されません。",
|
||||
"encrypted_warning": "後から無効にすることはできません。ブリッジおよびほとんどのボットはまだ動作しません。",
|
||||
"encryption_forced": "このサーバーでは、非公開のルームでは暗号化を有効にする必要があります。",
|
||||
"encryption_label": "エンドツーエンド暗号化を有効にする",
|
||||
"unfederated_label_default_off": "このルームを、あなたのホームサーバーで、組織内のチームとのコラボレーションにのみ使用するなら、この設定を有効にするといいかもしれません。これは後から変更できません。",
|
||||
"unfederated_label_default_on": "このルームを、自身のホームサーバーをもつ組織外のチームとのコラボレーションに使用するなら、この設定を無効にするといいかもしれません。これは後から変更できません。",
|
||||
"topic_label": "トピック(任意)",
|
||||
"room_visibility_label": "ルームの見え方",
|
||||
"join_rule_invite": "非公開ルーム(招待者のみ参加可能)",
|
||||
"join_rule_restricted": "スペースの参加者に表示",
|
||||
"unfederated": "%(serverName)s以外からの参加をブロック。"
|
||||
},
|
||||
"timeline": {
|
||||
"m.call": {
|
||||
|
@ -3620,7 +3494,11 @@
|
|||
"changed_rule_rooms": "%(senderName)sが、%(oldGlob)sにマッチするルームをブロックするルールを、%(newGlob)sにマッチするルームをブロックするルールに変更しました(理由:%(reason)s)",
|
||||
"changed_rule_servers": "%(senderName)sが、%(oldGlob)sにマッチするサーバーをブロックするルールを、%(newGlob)sにマッチするサーバーをブロックするルールに変更しました(理由:%(reason)s)",
|
||||
"changed_rule_glob": "%(senderName)sが、%(oldGlob)sにマッチするブロック用ルールを、%(newGlob)sにマッチするブロック用ルールに更新しました(理由:%(reason)s)"
|
||||
}
|
||||
},
|
||||
"no_permission_messages_before_invite": "招待される前のメッセージを表示する権限がありません。",
|
||||
"no_permission_messages_before_join": "参加する前のメッセージを表示する権限がありません。",
|
||||
"encrypted_historical_messages_unavailable": "これ以前の暗号化されたメッセージは利用できません。",
|
||||
"historical_messages_unavailable": "以前のメッセージは表示できません"
|
||||
},
|
||||
"slash_command": {
|
||||
"spoiler": "選択したメッセージをネタバレとして送信",
|
||||
|
@ -3676,7 +3554,14 @@
|
|||
"holdcall": "現在のルームの通話を保留",
|
||||
"no_active_call": "このルームにアクティブな通話はありません",
|
||||
"unholdcall": "現在のルームの通話を保留から外す",
|
||||
"me": "アクションを表示"
|
||||
"me": "アクションを表示",
|
||||
"error_invalid_runfn": "コマンドエラー:スラッシュコマンドは使えません。",
|
||||
"error_invalid_rendering_type": "コマンドエラー:レンダリングの種類(%(renderingType)s)が見つかりません",
|
||||
"join": "指定したアドレスのルームに参加",
|
||||
"failed_find_room": "コマンドエラー:ルーム(%(roomId)s)が見つかりません",
|
||||
"failed_find_user": "ルームにユーザーが見つかりません",
|
||||
"op": "ユーザーの権限レベルを規定",
|
||||
"deop": "指定したIDのユーザーの権限をリセット"
|
||||
},
|
||||
"presence": {
|
||||
"busy": "取り込み中",
|
||||
|
@ -3856,13 +3741,55 @@
|
|||
"reset_password_title": "パスワードを再設定",
|
||||
"continue_with_sso": "以下のサービスにより続行%(ssoButtons)s",
|
||||
"sso_or_username_password": "%(ssoButtons)sあるいは、以下に入力して登録%(usernamePassword)s",
|
||||
"sign_in_instead": "既にアカウントがありますか?<a>ここからサインインしてください</a>",
|
||||
"sign_in_instead": "サインイン",
|
||||
"account_clash": "新しいアカウント(%(newAccountId)s)が登録されましたが、あなたは別のアカウント(%(loggedInUserId)s)でログインしています。",
|
||||
"account_clash_previous_account": "以前のアカウントで続行",
|
||||
"log_in_new_account": "新しいアカウントに<a>ログイン</a>しましょう。",
|
||||
"registration_successful": "登録しました",
|
||||
"server_picker_title": "アカウントを以下のホームサーバーでホスト",
|
||||
"server_picker_dialog_title": "アカウントを管理する場所を決めましょう"
|
||||
"server_picker_title": "あなたのホームサーバーにサインイン",
|
||||
"server_picker_dialog_title": "アカウントを管理する場所を決めましょう",
|
||||
"footer_powered_by_matrix": "powered by Matrix",
|
||||
"failed_homeserver_discovery": "ホームサーバーを発見できませんでした",
|
||||
"sync_footer_subtitle": "多くのルームに参加している場合は、時間がかかる可能性があります",
|
||||
"syncing": "同期しています…",
|
||||
"signing_in": "サインインしています…",
|
||||
"unsupported_auth_msisdn": "このサーバーは、電話番号による認証をサポートしていません。",
|
||||
"unsupported_auth_email": "このホームサーバーではメールアドレスによるログインをサポートしていません。",
|
||||
"registration_disabled": "このサーバーはアカウントの新規登録を受け入れていません。",
|
||||
"failed_query_registration_methods": "サポートしている登録方法を照会できません。",
|
||||
"username_in_use": "そのユーザー名は既に使用されています。他のユーザー名を試してください。",
|
||||
"3pid_in_use": "そのメールアドレスまたは電話番号は既に使われています。",
|
||||
"incorrect_password": "誤ったパスワード",
|
||||
"failed_soft_logout_auth": "再認証に失敗しました",
|
||||
"soft_logout_heading": "サインアウトしました",
|
||||
"forgot_password_email_required": "あなたのアカウントに登録されたメールアドレスの入力が必要です。",
|
||||
"forgot_password_email_invalid": "メールアドレスが正しくありません。",
|
||||
"sign_in_prompt": "アカウントがありますか?<a>サインインしてください</a>",
|
||||
"verify_email_heading": "続行するには電子メールを認証してください",
|
||||
"forgot_password_prompt": "パスワードを忘れてしまいましたか?",
|
||||
"soft_logout_intro_password": "アカウントへのアクセスを回復するには、パスワードを入力してサインインしてください。",
|
||||
"soft_logout_intro_sso": "サインインして、アカウントへのアクセスを回復しましょう。",
|
||||
"soft_logout_intro_unsupported_auth": "アカウントにサインインできません。ホームサーバーの管理者に連絡して詳細を確認してください。",
|
||||
"check_email_explainer": "<b>%(email)s</b>に送信される指示に従ってください",
|
||||
"check_email_wrong_email_prompt": "メールアドレスが正しくありませんか?",
|
||||
"check_email_wrong_email_button": "メールアドレスを再入力",
|
||||
"check_email_resend_prompt": "届きませんでしたか?",
|
||||
"check_email_resend_tooltip": "認証リンクの電子メールを再送信しました!",
|
||||
"enter_email_heading": "パスワードを再設定するには、あなたの電子メールを入力してください",
|
||||
"enter_email_explainer": "<b>%(homeserver)s</b>が、パスワードの再設定用の認証リンクを送信します。",
|
||||
"verify_email_explainer": "パスワードを再設定する前に本人確認を行います。<b>%(email)s</b>に送信した電子メールにあるリンクをクリックしてください。",
|
||||
"create_account_prompt": "初めてですか?<a>アカウントを作成しましょう</a>",
|
||||
"sign_in_or_register": "サインインするか、アカウントを作成してください",
|
||||
"sign_in_or_register_description": "続行するには、作成済のアカウントを使用するか、新しいアカウントを作成してください。",
|
||||
"register_action": "アカウントを作成",
|
||||
"server_picker_failed_validate_homeserver": "ホームサーバーを認証できません",
|
||||
"server_picker_invalid_url": "不正なURL",
|
||||
"server_picker_required": "ホームサーバーを指定してください",
|
||||
"server_picker_matrix.org": "Matrix.orgは、公開されているホームサーバーで世界最大のものなので、多くの人に適しています。",
|
||||
"server_picker_intro": "Matrixでは、あなたが自分のアカウントを管理する場所を「ホームサーバー」と呼んでいます。",
|
||||
"server_picker_custom": "他のホームサーバー",
|
||||
"server_picker_explainer": "好みのホームサーバーがあるか、自分でホームサーバーを運営している場合は、そちらをお使いください。",
|
||||
"server_picker_learn_more": "ホームサーバーについて(英語)"
|
||||
},
|
||||
"room_list": {
|
||||
"sort_unread_first": "未読メッセージのあるルームを最初に表示",
|
||||
|
@ -3907,5 +3834,81 @@
|
|||
"access_token_detail": "アクセストークンを用いると、あなたのアカウントの全ての情報にアクセスできます。外部に公開したり、誰かと共有したりしないでください。",
|
||||
"clear_cache_reload": "キャッシュを削除して再読み込み"
|
||||
}
|
||||
},
|
||||
"widget": {
|
||||
"capability": {
|
||||
"send_stickers_this_room": "このルームにステッカーを送信",
|
||||
"send_stickers_active_room": "アクティブなルームにステッカーを送信",
|
||||
"send_stickers_this_room_as_you": "あなたとしてルームにステッカーを送信",
|
||||
"send_stickers_active_room_as_you": "あなたとしてアクティブなルームにステッカーを送信",
|
||||
"see_sticker_posted_this_room": "ルームにステッカーが投稿された時刻を表示",
|
||||
"see_sticker_posted_active_room": "アクティブなルームにステッカーが投稿された時刻を表示",
|
||||
"always_on_screen_viewing_another_room": "他のルームを表示している間も実行中は画面に留まる",
|
||||
"always_on_screen_generic": "実行中は画面に留まる",
|
||||
"switch_room": "表示しているルームを変更",
|
||||
"switch_room_message_user": "表示しているルーム、メッセージ、またはユーザーを変更",
|
||||
"change_topic_this_room": "ルームのトピックを変更",
|
||||
"see_topic_change_this_room": "ルームのトピックが変更された時刻を表示",
|
||||
"change_topic_active_room": "アクティブなルームのトピックを変更",
|
||||
"see_topic_change_active_room": "アクティブなルームでトピックが変更された時刻を表示",
|
||||
"change_name_this_room": "ルームの名前を変更",
|
||||
"see_name_change_this_room": "ルームの名前が変更された時刻を表示",
|
||||
"change_name_active_room": "アクティブなルームの名前を変更",
|
||||
"see_name_change_active_room": "アクティブなルームで名前が変更された時刻を表示",
|
||||
"change_avatar_this_room": "ルームのアバター画像を変更",
|
||||
"see_avatar_change_this_room": "ルームのアバター画像が変更された時刻を表示",
|
||||
"change_avatar_active_room": "アクティブなルームのアバター画像を変更",
|
||||
"see_avatar_change_active_room": "アクティブなルームでアバターが変更された時刻を表示",
|
||||
"remove_ban_invite_leave_this_room": "ルームから追放、ブロック、ルームに招待、また、退出を要求",
|
||||
"receive_membership_this_room": "このルームに参加、退出、招待された日時を表示",
|
||||
"remove_ban_invite_leave_active_room": "アクティブなルームから追放、ブロック、ルームに招待、また、退出を要求",
|
||||
"receive_membership_active_room": "アクティブなルームに参加、退出、招待された日時を表示",
|
||||
"byline_empty_state_key": "空のステートキーと一緒に",
|
||||
"byline_state_key": "ステートキー %(stateKey)s と一緒に",
|
||||
"any_room": "上記、ただし参加または招待されたルームでも同様",
|
||||
"specific_room": "上記、ただし<Room />でも同様",
|
||||
"send_event_type_this_room": "あなたとしてイベント(<b>%(eventType)s</b>)をこのルームに送信",
|
||||
"see_event_type_sent_this_room": "このルームに投稿されたイベント(<b>%(eventType)s</b>)を表示",
|
||||
"send_event_type_active_room": "あなたとしてイベント(<b>%(eventType)s</b>)をアクティブなルームに送信",
|
||||
"see_event_type_sent_active_room": "アクティブなルームに投稿されたイベント(<b>%(eventType)s</b>)を表示",
|
||||
"capability": "<b>%(capability)s</b> 機能",
|
||||
"send_messages_this_room": "あなたとしてメッセージをこのルームに送信",
|
||||
"send_messages_active_room": "あなたとしてメッセージをアクティブなルームに送信",
|
||||
"see_messages_sent_this_room": "このルームに投稿されたメッセージを表示",
|
||||
"see_messages_sent_active_room": "アクティブなルームに投稿されたメッセージを表示",
|
||||
"send_text_messages_this_room": "あなたとしてテキストメッセージをこのルームに送信",
|
||||
"send_text_messages_active_room": "あなたとしてアクティブなルームにメッセージを送信",
|
||||
"see_text_messages_sent_this_room": "このルームに投稿されたテキストメッセージを表示",
|
||||
"see_text_messages_sent_active_room": "アクティブなルームに投稿されたテキストメッセージを表示",
|
||||
"send_emotes_this_room": "あなたとしてこのルームにエモートを送信",
|
||||
"send_emotes_active_room": "あなたとしてアクティブなルームにエモートを送信",
|
||||
"see_sent_emotes_this_room": "このルームに投稿されたエモートを表示",
|
||||
"see_sent_emotes_active_room": "アクティブなルームに投稿されたエモートを表示",
|
||||
"send_images_this_room": "あなたとしてこのルームに画像を送信",
|
||||
"send_images_active_room": "あなたとしてアクティブなルームに画像を送信",
|
||||
"see_images_sent_this_room": "このルームに投稿された画像を表示",
|
||||
"see_images_sent_active_room": "アクティブなルームに投稿された画像を表示",
|
||||
"send_videos_this_room": "あなたとしてこのルームに動画を送信",
|
||||
"send_videos_active_room": "あなたとしてアクティブなルームに動画を送信",
|
||||
"see_videos_sent_this_room": "このルームに投稿された動画を表示",
|
||||
"see_videos_sent_active_room": "アクティブなルームに投稿された動画を表示",
|
||||
"send_files_this_room": "あなたとしてファイルをこのルームに送信",
|
||||
"send_files_active_room": "あなたとしてアクティブなルームにファイルを送信",
|
||||
"see_sent_files_this_room": "このルームに投稿されたファイルを表示",
|
||||
"see_sent_files_active_room": "アクティブなルームに投稿されたファイルを表示",
|
||||
"send_msgtype_this_room": "あなたとしてこのルームに<b>%(msgtype)s</b>メッセージを送信",
|
||||
"send_msgtype_active_room": "あなたとしてアクティブなルームに<b>%(msgtype)s</b>メッセージを送信",
|
||||
"see_msgtype_sent_this_room": "このルームに投稿された<b>%(msgtype)s</b>メッセージを表示",
|
||||
"see_msgtype_sent_active_room": "アクティブなルームに投稿された<b>%(msgtype)s</b>メッセージを表示"
|
||||
}
|
||||
},
|
||||
"feedback": {
|
||||
"sent": "フィードバックを送信しました",
|
||||
"comment_label": "コメント",
|
||||
"platform_username": "フィードバックを最大限に活用するため、使用中のプラットフォームとユーザー名が送信されます。",
|
||||
"may_contact_label": "追加で確認が必要な事項や、テストすべき新しいアイデアがある場合は、連絡可",
|
||||
"pro_type": "ヒント:バグレポートを報告する場合は、問題の分析のために<debugLogsLink>デバッグログ</debugLogsLink>を送信してください。",
|
||||
"existing_issue_link": "まず、<existingIssuesLink>Githubで既知の不具合</existingIssuesLink>を確認してください。また掲載されていない新しい不具合を発見した場合は<newIssueLink>報告してください</newIssueLink>。",
|
||||
"send_feedback_action": "フィードバックを送信"
|
||||
}
|
||||
}
|
||||
|
|
|
@ -59,8 +59,6 @@
|
|||
"You are now ignoring %(userId)s": ".i ca na jundi tu'a la'o zoi. %(userId)s .zoi",
|
||||
"Unignored user": ".i mo'u co'a jundi tu'a le pilno",
|
||||
"You are no longer ignoring %(userId)s": ".i ca jundi tu'a la'o zoi. %(userId)s .zoi",
|
||||
"Define the power level of a user": ".i ninga'igau lo ni lo pilno cu vlipa",
|
||||
"Deops user with given id": ".i xruti lo ni lo pilno poi se judri ti cu vlipa",
|
||||
"Verified key": "ckiku vau je se lacri",
|
||||
"Reason": "krinu",
|
||||
"This homeserver has hit its Monthly Active User limit.": ".i le samtcise'u cu bancu lo masti jimte be ri bei lo ni ca'o pilno",
|
||||
|
@ -70,8 +68,6 @@
|
|||
"Please contact your homeserver administrator.": ".i .e'o ko tavla lo admine be le samtcise'u",
|
||||
"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",
|
||||
"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 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",
|
||||
"Waiting for response from server": ".i ca'o denpa lo nu le samtcise'u cu spuda",
|
||||
"Incorrect verification code": ".i na'e drani ke lacri lerpoi",
|
||||
|
@ -89,7 +85,6 @@
|
|||
"Authentication": "lo nu facki lo du'u do du ma kau",
|
||||
"Failed to set display name": ".i pu fliba lo nu galfi lo cmene",
|
||||
"Command error": ".i da nabmi fi lo nu minde",
|
||||
"Could not find user in room": ".i le pilno na pagbu le se zilbe'i",
|
||||
"Session already verified!": ".i xa'o lacri le se samtcise'u",
|
||||
"You signed in to a new session without verifying it:": ".i fe le di'e se samtcise'u pu co'a jaspu vau je za'o na lacri",
|
||||
"Dog": "gerku",
|
||||
|
@ -164,8 +159,6 @@
|
|||
"Switch to light mode": "nu le jvinu cu binxo le ka carmi",
|
||||
"Switch to dark mode": "nu le jvinu cu binxo le ka manku",
|
||||
"Switch theme": "nu basti fi le ka jvinu",
|
||||
"If you've joined lots of rooms, this might take a while": ".i gi na ja do pagbu so'i se zilbe'i gi la'a ze'u gunka",
|
||||
"Incorrect password": ".i le lerpoijaspu na drani",
|
||||
"Users": "pilno",
|
||||
"That matches!": ".i du",
|
||||
"Success!": ".i snada",
|
||||
|
@ -230,7 +223,6 @@
|
|||
"Decrypt %(text)s": "nu facki le du'u mifra la'o zoi. %(text)s .zoi",
|
||||
"Download %(text)s": "nu kibycpa la'o zoi. %(text)s .zoi",
|
||||
"Explore rooms": "nu facki le du'u ve zilbe'i",
|
||||
"Create Account": "nu pa re'u co'a jaspu",
|
||||
"common": {
|
||||
"analytics": "lanli datni",
|
||||
"error": "nabmi",
|
||||
|
@ -311,7 +303,9 @@
|
|||
"custom_font": "nu da pe le vanbi cu ci'artai",
|
||||
"custom_font_name": "cmene le ci'artai pe le vanbi",
|
||||
"timeline_image_size_default": "zmiselcu'a"
|
||||
}
|
||||
},
|
||||
"inline_url_previews_room_account": "lo du'u xu kau do zmiku purzga lo se urli ne'i le kumfa pe'a",
|
||||
"inline_url_previews_room": "lo zmiselcu'a pe lo du'u xu kau lo cmima be le kumfa pe'a cu zmiku purzga lo se urli"
|
||||
},
|
||||
"create_room": {
|
||||
"title_public_room": "nu cupra pa ve zilbe'i poi gubni",
|
||||
|
@ -406,7 +400,10 @@
|
|||
"category_advanced": "macnu",
|
||||
"category_other": "drata",
|
||||
"discardsession": ".i macnu vimcu lo ca barkla termifckiku gunma lo kumfa pe'a poi mifra",
|
||||
"me": ".i mrilu lo nu do gasnu"
|
||||
"me": ".i mrilu lo nu do gasnu",
|
||||
"failed_find_user": ".i le pilno na pagbu le se zilbe'i",
|
||||
"op": ".i ninga'igau lo ni lo pilno cu vlipa",
|
||||
"deop": ".i xruti lo ni lo pilno poi se judri ti cu vlipa"
|
||||
},
|
||||
"event_preview": {
|
||||
"m.call.answer": {
|
||||
|
@ -481,5 +478,10 @@
|
|||
"help_about": {
|
||||
"help_link_chat_bot": ".i gi je lo nu samcu'a <a>le dei cei'i</a> gi lo nu co'a tavla le sampre cu tadji lo nu facki le du'u tadji lo nu pilno la'o zoi. %(brand)s .zoi"
|
||||
}
|
||||
},
|
||||
"auth": {
|
||||
"sync_footer_subtitle": ".i gi na ja do pagbu so'i se zilbe'i gi la'a ze'u gunka",
|
||||
"incorrect_password": ".i le lerpoijaspu na drani",
|
||||
"register_action": "nu pa re'u co'a jaspu"
|
||||
}
|
||||
}
|
||||
|
|
|
@ -1,6 +1,5 @@
|
|||
{
|
||||
"Explore rooms": "ოთახების დათავლიერება",
|
||||
"Create Account": "ანგარიშის შექმნა",
|
||||
"The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "ფაილი '%(fileName)s' აჭარბებს ამ ჰომსერვერის ზომის ლიმიტს ატვირთვისთვის",
|
||||
"The file '%(fileName)s' failed to upload.": "ფაილი '%(fileName)s' ვერ აიტვირთა.",
|
||||
"This email address is already in use": "ელ. ფოსტის ეს მისამართი დაკავებულია",
|
||||
|
@ -60,7 +59,8 @@
|
|||
"seconds_left": "%(seconds)sწმ დარჩა"
|
||||
},
|
||||
"auth": {
|
||||
"sso": "ერთჯერადი ავტორიზაცია"
|
||||
"sso": "ერთჯერადი ავტორიზაცია",
|
||||
"register_action": "ანგარიშის შექმნა"
|
||||
},
|
||||
"keyboard": {
|
||||
"dismiss_read_marker_and_jump_bottom": "გააუქმეთ წაკითხული მარკერი და გადადით ქვემოთ"
|
||||
|
|
|
@ -21,7 +21,6 @@
|
|||
"Dec": "Duj",
|
||||
"PM": "MD",
|
||||
"AM": "FT",
|
||||
"Create Account": "Rnu amiḍan",
|
||||
"Default": "Amezwer",
|
||||
"Moderator": "Aseɣyad",
|
||||
"You need to be logged in.": "Tesriḍ ad teqqneḍ.",
|
||||
|
@ -105,14 +104,12 @@
|
|||
"Upload files": "Sali-d ifuyla",
|
||||
"Source URL": "URL aɣbalu",
|
||||
"Home": "Agejdan",
|
||||
"powered by Matrix": "s lmendad n Matrix",
|
||||
"Email": "Imayl",
|
||||
"Phone": "Tiliɣri",
|
||||
"Passwords don't match": "Awalen uffiren ur mṣadan ara",
|
||||
"Email (optional)": "Imayl (Afrayan)",
|
||||
"Explore rooms": "Snirem tixxamin",
|
||||
"Unknown error": "Tuccḍa tarussint",
|
||||
"Feedback": "Takti",
|
||||
"Your password has been reset.": "Awal uffir-inek/inem yettuwennez.",
|
||||
"Create account": "Rnu amiḍan",
|
||||
"Commands": "Tiludna",
|
||||
|
@ -155,8 +152,6 @@
|
|||
"%(brand)s was not given permission to send notifications - please try again": "%(brand)s ur d-yefk ara tisirag i tuzna n yilɣa - ttxil-k/m εreḍ tikkelt-nniḍen",
|
||||
"Unable to enable Notifications": "Sens irmad n yilɣa",
|
||||
"This email address was not found": "Tansa-a n yimayl ulac-it",
|
||||
"Sign In or Create Account": "Kcem ɣer neɣ rnu amiḍan",
|
||||
"Use your account or create a new one to continue.": "Seqdec amiḍan-ik/im neɣ snulfu-d yiwen akken ad tkemmleḍ.",
|
||||
"Failed to invite": "Ulamek i d-tnecdeḍ",
|
||||
"You need to be able to invite users to do that.": "Tesriḍ ad tizmireḍ ad d-tnecdeḍ iseqdacen ad gen ayagi.",
|
||||
"Failed to send request.": "Tuzna n usuter ur teddi ara.",
|
||||
|
@ -169,10 +164,8 @@
|
|||
"Command error": "Tuccḍa n tladna",
|
||||
"Error upgrading room": "Tuccḍa deg uleqqem n texxamt",
|
||||
"Use an identity server": "Seqdec timagit n uqeddac",
|
||||
"Joins room with given address": "Kcem ɣer texxamt s tansa i d-yettunefken",
|
||||
"Ignored user": "Aseqdac yettunfen",
|
||||
"You are now ignoring %(userId)s": "Aql-ak tura tunfeḍ i %(userId)s",
|
||||
"Could not find user in room": "Ur yettwaf ara useqdac deg texxamt",
|
||||
"New login. Was this you?": "Anekcam amaynut. D kečč/kemm?",
|
||||
"What's new?": "D acu-t umaynut?",
|
||||
"Please contact your homeserver administrator.": "Ttxil-k/m nermes anedbal-ik/im n usebter agejdan.",
|
||||
|
@ -206,7 +199,6 @@
|
|||
"Unable to create widget.": "Timerna n uwiǧit ulamek.",
|
||||
"Missing roomId.": "Ixuṣ usulay n texxamt.",
|
||||
"Use an identity server to invite by email. Manage in Settings.": "Seqdec aqeddac n timagit i uncad s yimayl. Asefrek deg yiɣewwaren.",
|
||||
"Define the power level of a user": "Sbadu aswir iǧehden n useqdac",
|
||||
"Session already verified!": "Tiɣimit tettwasenqed yakan!",
|
||||
"Verified key": "Tasarut tettwasenqed",
|
||||
"Logs sent": "Iɣmisen ttewaznen",
|
||||
|
@ -236,10 +228,6 @@
|
|||
"Enter phone number (required on this homeserver)": "Sekcem uṭṭun n tiliɣri (yettusra deg uqeddac-a agejdan)",
|
||||
"Enter username": "Sekcem isem n useqdac",
|
||||
"Phone (optional)": "Tiliɣri (d afrayan)",
|
||||
"Forgotten your password?": "Tettuḍ awal-ik·im uffir?",
|
||||
"Sign in and regain access to your account.": "Qqen syen εreḍ anekcum ɣer umiḍan-inek·inem tikkelt-nniḍen.",
|
||||
"You cannot sign in to your account. Please contact your homeserver admin for more information.": "Ur tessawḍeḍ ara ad teqqneḍ ɣer umiḍan-inek:inem. Ttxil-k·m nermes anedbal n uqeddac-ik·im agejdan i wugar n talɣut.",
|
||||
"You're signed out": "Teffɣeḍ-d seg tuqqna",
|
||||
"Clear personal data": "Sfeḍ isefka udmawanen",
|
||||
"Notify the whole room": "Selɣu akk taxxamt",
|
||||
"Room Notification": "Ilɣa n texxamt",
|
||||
|
@ -308,7 +296,6 @@
|
|||
"Unignored user": "Aseqdac ur yettuzeglen ara",
|
||||
"You are no longer ignoring %(userId)s": "Dayen ur tettazgaleḍ ara akk %(userId)s",
|
||||
"Verifies a user, session, and pubkey tuple": "Yessenqad tagrumma-a: aseqdac, tiɣimit d tsarut tazayezt",
|
||||
"Deops user with given id": "Aseqdac Deops s usulay i d-yettunefken",
|
||||
"Cannot reach homeserver": "Anekcum ɣer uqeddac agejdan d awezɣi",
|
||||
"Cannot reach identity server": "Anekcum ɣer uqeddac n tmagit d awezɣi",
|
||||
"No homeserver URL provided": "Ulac URL n uqeddac agejdan i d-yettunefken",
|
||||
|
@ -474,9 +461,6 @@
|
|||
"Preparing to send logs": "Aheyyi n tuzna n yiɣmisen",
|
||||
"Failed to send logs: ": "Tuzna n yiɣmisen ur teddi ara: ",
|
||||
"Clear all data": "Sfeḍ meṛṛa isefka",
|
||||
"Please enter a name for the room": "Ttxil-k·m sekcem isem i texxamt",
|
||||
"Enable end-to-end encryption": "Awgelhen seg yixef ɣer yixef ur yeddi ara",
|
||||
"Topic (optional)": "Asentel (afrayan)",
|
||||
"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 account deactivation": "Sentem asensi n umiḍan",
|
||||
|
@ -524,8 +508,6 @@
|
|||
"A new password must be entered.": "Awal uffir amaynut ilaq ad yettusekcem.",
|
||||
"General failure": "Tuccḍa tamatut",
|
||||
"This account has been deactivated.": "Amiḍan-a yettuḥbes.",
|
||||
"Incorrect password": "Awal uffir d arameɣtu",
|
||||
"Failed to re-authenticate": "Aɛiwed n usesteb ur yeddi ara",
|
||||
"Command Autocomplete": "Asmad awurman n tiludna",
|
||||
"Emoji Autocomplete": "Asmad awurman n yimujit",
|
||||
"Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Seqdec aqeddac n timagit i uncad s yimayl. Sit, tkemmleḍ aseqdec n uqeddac n timagit amezwer (%(defaultIdentityServerName)s) neɣ sefrek deg yiɣewwaren.",
|
||||
|
@ -670,7 +652,6 @@
|
|||
"Error decrypting image": "Tuccḍa deg uwgelhen n tugna",
|
||||
"Show image": "Sken tugna",
|
||||
"Invalid base_url for m.identity_server": "D arameɣtu base_url i m.identity_server",
|
||||
"If you've joined lots of rooms, this might take a while": "Ma yella tettekkaḍ deg waṭas n texxamin, ayagi yezmer ad yeṭṭef kra n wakud",
|
||||
"Your keys are being backed up (the first backup could take a few minutes).": "Tisura-ik·im la ttwaḥrazent (aḥraz amezwaru yezmer ad yeṭṭef kra n tesdidin).",
|
||||
"Unexpected error resolving homeserver configuration": "Tuccḍa ur nettwaṛǧa ara lawan n uṣeggem n twila n uqeddac agejdan",
|
||||
"Unexpected error resolving identity server configuration": "Tuccḍa ur nettwaṛǧa ara lawan n uṣeggem n uqeddac n timagit",
|
||||
|
@ -830,8 +811,6 @@
|
|||
"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.",
|
||||
"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 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",
|
||||
"Enter a new identity server": "Sekcem aqeddac n timagit amaynut",
|
||||
"No update available.": "Ulac lqem i yellan.",
|
||||
|
@ -952,13 +931,8 @@
|
|||
"Homeserver URL does not appear to be a valid Matrix homeserver": "URL n uqeddac agejdan ur yettban ara d aqeddac agejdan n Matrix ameɣtu",
|
||||
"Invalid identity server discovery response": "Tiririt n usnirem n uqeddac n timagitn d tarameɣtut",
|
||||
"Identity server URL does not appear to be a valid identity server": "URL n uqeddac n timagit ur yettban ara d aqeddac n timagit ameɣtu",
|
||||
"This homeserver does not support login using email address.": "Aqeddac-a agejdan ur yessefrak ara inekcum s useqdec n tansa n yimayl.",
|
||||
"Please <a>contact your service administrator</a> to continue using this service.": "Ttxil-k·m <a>nermes anedbal-ik·im n uqeddac</a> i wakken ad tkemmleḍ aseqdec n yibenk-a.",
|
||||
"Unable to query for supported registration methods.": "Anadi n tarrayin n usekles yettusefraken d awezi.",
|
||||
"Registration has been disabled on this homeserver.": "Aklas yensa deg uqeddac-a agejdan.",
|
||||
"This server does not support authentication with a phone number.": "Aqeddac-a ur yessefrak ara asesteb s wuṭṭun n tilifun.",
|
||||
"Failed to re-authenticate due to a homeserver problem": "Allus n usesteb ur yeddi ara ssebbba n wugur deg uqeddac agejdan",
|
||||
"Enter your password to sign in and regain access to your account.": "Sekcem awal-ik·im uffir i wakken ad teqqneḍ syen ad tkecmeḍ i tikkelt tayeḍ ɣer umiḍan-ik·im.",
|
||||
"Use a secret phrase only you know, and optionally save a Security Key to use for backup.": "Seqdec tafyirt tuffirt i tessneḍ kan kečč·kemm, syen sekles ma tebɣiḍ tasarut n tɣellist i useqdec-ines i uḥraz.",
|
||||
"Restore your key backup to upgrade your encryption": "Err-d aḥraz n tsarut-ik·im akken ad tleqqmeḍ awgelhen-ik·im",
|
||||
"You'll need to authenticate with the server to confirm the upgrade.": "Ad teḥqiǧeḍ asesteb s uqeddac i wakken ad tesnetmeḍ lqem.",
|
||||
|
@ -1009,9 +983,7 @@
|
|||
"other": "Ɣur-k·m %(count)s ilɣa ur nettwaɣra ara deg lqem yezrin n texxamt-a.",
|
||||
"one": "Ɣur-k·m %(count)s ilɣa ur nettwaɣra ara deg lqem yezrin n texxamt-a."
|
||||
},
|
||||
"The email address linked to your account must be entered.": "Tansa n yimayl i icudden ɣer umiḍan-ik·im ilaq ad tettwasekcem.",
|
||||
"Please note you are logging into the %(hs)s server, not matrix.org.": "Ttxil-k·m gar tamawt aql-ak·akem tkecmeḍ ɣer uqeddac %(hs)s, neɣ matrix.org.",
|
||||
"Failed to perform homeserver discovery": "Tifin n uqeddac agejdan tegguma ad teddu",
|
||||
"Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Senqed yal tiɣimit yettwasqedcen sɣur aseqdac weḥd-s i ucraḍ fell-as d tuttkilt, war attkal ɣef yibenkan yettuzemlen s uzmel anmidag.",
|
||||
"%(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 xuṣṣent kra n yisegran yettusran i tuffra s wudem aɣelsan n yiznan iwgelhanen idiganen. Ma yella tebɣiḍ ad tgeḍ tarmit s tmahilt-a, snulfu-d tanarit %(brand)s tudmawant s <nativeLink>unadi n yisegran yettwarnan</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 ur yezmir ara ad iffer s wudem aɣelsan iznan iwgelhanen idiganen mi ara iteddu ɣef yiminig web. Seqdec <desktopLink>tanarit</desktopLink> i yiznan iwgelhanen i wakken ad d-banen deg yigmaḍ n unadi.",
|
||||
|
@ -1128,9 +1100,6 @@
|
|||
"Your browser likely removed this data when running low on disk space.": "Yezmer iminig-ik·im yekkes isefka-a mi t-txuṣṣ tallunt ɣef uḍebsi.",
|
||||
"Tried to load a specific point in this room's timeline, but was unable to find it.": "Ɛerḍeɣ ad d-saliɣ tazmilt tufrint tesnakudt n texxamt-a, maca ur ssawḍeɣ ara ad t-naf.",
|
||||
"Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "Txuṣṣ tsarut tazayezt n captcha deg umtawi n uqeddac agejdan. Ttxil-k·m azen aneqqis ɣef waya i unedbal n uqeddac-ik·im agejdan.",
|
||||
"You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "Ilaq ad tesremdeḍ aya ma yella taxxamt ad tettwaseqdec kan i uttekki d trebbaɛ tigensanin ɣef uqeddac-ik·im agejdan. Ayagi ur yettubeddal ara ɣer sdat.",
|
||||
"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.": "Ilaq ad tsenseḍ aya ma yella taxxamt ad tettuseqdac i uttekki d trebbaɛ tuffiɣin i yesɛan aqeddac-nsent agejdan. Aya ur yettwabeddal ara ɣer sdat.",
|
||||
"Block anyone not part of %(serverName)s from ever joining this room.": "Asewḥel n yal amdan ur nettekki ara deg %(serverName)s ur d-irennu ara akk ɣer texamt-a.",
|
||||
"To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "I wakken ad tkemmleḍ aseqdec n uqeddac agejdan n %(homeserverDomain)s ilaq ad talseḍ asenqed syen ad tqebleḍ tiwtilin-nneɣ s umata.",
|
||||
"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.": "Isefka n lqem aqbur n %(brand)s ttwafen. Ayagi ad d-yeglu s yir tamahalt n uwgelhen seg yixef ɣer yixef deg lqem aqbur. Iznan yettwawgelhen seg yixef ɣer yixef yettumbeddalen yakan mi akken yettuseqdac lqem aqbur yezmer ur asen-ittekkes ara uwgelhen deg lqem-a. Aya yezmer daɣen ad d-yeglu asefsex n yiznan yettumbeddalen s lqem-a. Ma yella temlaleḍ-d uguren, ffeɣ syen tuɣaleḍ-d tikkelt-nniḍen. I wakken ad tḥerzeḍ amazray n yiznan, sifeḍ rnu ales kter tisura-ik·im.",
|
||||
"You can't send any messages until you review and agree to <consentLink>our terms and conditions</consentLink>.": "Ur tezmireḍ ara ad tazneḍ iznan alamma tesneqdeḍ syen ad tqebleḍ <consentLink>tiwtilin-nneɣ</consentLink>.",
|
||||
|
@ -1214,7 +1183,6 @@
|
|||
"Uzbekistan": "Uzbikistan",
|
||||
"Guyana": "Guyane",
|
||||
"Kuwait": "Koweït",
|
||||
"Invalid URL": "Yir URL",
|
||||
"Venezuela": "Vinizwila",
|
||||
"Greenland": "Griland",
|
||||
"Jamaica": "Jamaïque",
|
||||
|
@ -1283,7 +1251,6 @@
|
|||
"São Tomé & Príncipe": "Saw Ṭumi & Prinsip",
|
||||
"Chile": "Cili",
|
||||
"Palestine": "Falasṭin",
|
||||
"Send feedback": "Azen takti-inek·inem",
|
||||
"Australia": "Australie",
|
||||
"Belarus": "Bilarus",
|
||||
"Bhutan": "Buṭan",
|
||||
|
@ -1400,7 +1367,6 @@
|
|||
"Bouvet Island": "Tigzirin Buvet",
|
||||
"French Guiana": "Giyan n Fṛansa",
|
||||
"Ethiopia": "Ityupya",
|
||||
"Comment": "Awennit",
|
||||
"Turks & Caicos Islands": "Ṭurk & Tegzirin n Kaykus",
|
||||
"Åland Islands": "Tigzirin n Aland",
|
||||
"Tuvalu": "Tuvalu",
|
||||
|
@ -1419,8 +1385,6 @@
|
|||
"The call was answered on another device.": "Tiririt ɣef usiwel tella-d ɣef yibenk-nniḍen.",
|
||||
"Answered Elsewhere": "Yerra-d seg wadeg-nniḍen",
|
||||
"The call could not be established": "Asiwel ur yeqεid ara",
|
||||
"Send videos as you in this room": "Azen tividyutin deg texxamt-a am wakken d kečč",
|
||||
"See images posted to your active room": "Wali tignatin i d-yeffɣen deg texxamt-a iremden",
|
||||
"Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "%(brand)s-ik·im ur ak·am yefki ara tisirag i useqdec n umsefrak n umsidef i wakken ad tgeḍ aya. Ttxil-k·m nermes anedbal.",
|
||||
"Using this widget may share data <helpIcon /> with %(widgetDomain)s & your integration manager.": "Aseqdec n uwiǧit-a yezmer ad yebḍu isefka <helpIcon/> d %(widgetDomain)s & amsefrak-inek·inem n umsidef.",
|
||||
"Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "Imsefrak n yimsidaf remmsen-d isefka n uswel, syen ad uɣalen zemren ad beddlen iwiǧiten, ad aznen tinubgiwin ɣer texxamin, ad yesbadu daɣen tazmert n yiswiren s yiswiren deg ubdil-ik·im.",
|
||||
|
@ -1486,7 +1450,8 @@
|
|||
"cross_signing": "Azmul anmidag",
|
||||
"identity_server": "Aqeddac n timagit",
|
||||
"integration_manager": "Amsefrak n umsidef",
|
||||
"qr_code": "Tangalt QR"
|
||||
"qr_code": "Tangalt QR",
|
||||
"feedback": "Takti"
|
||||
},
|
||||
"action": {
|
||||
"continue": "Kemmel",
|
||||
|
@ -1723,7 +1688,9 @@
|
|||
"font_size": "Tuɣzi n tsefsit",
|
||||
"custom_font_description": "Sbadu isem n tsefsit yettwasbedden ɣef unagraw-ik·im & %(brand)s ad yeɛreḍ ad t-isseqdec.",
|
||||
"timeline_image_size_default": "Amezwer"
|
||||
}
|
||||
},
|
||||
"inline_url_previews_room_account": "Rmed tiskanin n URL i texxamt-a (i ak·akem-yeɛnan kan)",
|
||||
"inline_url_previews_room": "Rmed tiskanin n URL s wudem amezwer i yimttekkiyen deg texxamt-a"
|
||||
},
|
||||
"devtools": {
|
||||
"event_type": "Anaw n tedyant",
|
||||
|
@ -1737,7 +1704,13 @@
|
|||
},
|
||||
"create_room": {
|
||||
"title_public_room": "Rnu taxxamt tazayezt",
|
||||
"title_private_room": "Rnu taxxamt tusligt"
|
||||
"title_private_room": "Rnu taxxamt tusligt",
|
||||
"name_validation_required": "Ttxil-k·m sekcem isem i texxamt",
|
||||
"encryption_label": "Awgelhen seg yixef ɣer yixef ur yeddi ara",
|
||||
"unfederated_label_default_off": "Ilaq ad tesremdeḍ aya ma yella taxxamt ad tettwaseqdec kan i uttekki d trebbaɛ tigensanin ɣef uqeddac-ik·im agejdan. Ayagi ur yettubeddal ara ɣer sdat.",
|
||||
"unfederated_label_default_on": "Ilaq ad tsenseḍ aya ma yella taxxamt ad tettuseqdac i uttekki d trebbaɛ tuffiɣin i yesɛan aqeddac-nsent agejdan. Aya ur yettwabeddal ara ɣer sdat.",
|
||||
"topic_label": "Asentel (afrayan)",
|
||||
"unfederated": "Asewḥel n yal amdan ur nettekki ara deg %(serverName)s ur d-irennu ara akk ɣer texamt-a."
|
||||
},
|
||||
"timeline": {
|
||||
"m.call.invite": {
|
||||
|
@ -1976,7 +1949,11 @@
|
|||
"query": "Yeldi adiwenni d useqdac i d-yettunefken",
|
||||
"holdcall": "Seḥbes asiwel deg texxamt-a i kra n wakud",
|
||||
"unholdcall": "Uɣal ɣer usiwel ara iteddun deg -texxamt-a",
|
||||
"me": "Yeskan tigawt"
|
||||
"me": "Yeskan tigawt",
|
||||
"join": "Kcem ɣer texxamt s tansa i d-yettunefken",
|
||||
"failed_find_user": "Ur yettwaf ara useqdac deg texxamt",
|
||||
"op": "Sbadu aswir iǧehden n useqdac",
|
||||
"deop": "Aseqdac Deops s usulay i d-yettunefken"
|
||||
},
|
||||
"presence": {
|
||||
"online_for": "Srid azal n %(duration)s",
|
||||
|
@ -2081,7 +2058,26 @@
|
|||
"log_in_new_account": "<a>Kcem ɣer</a> umiḍan-ik·im amaynut.",
|
||||
"registration_successful": "Asekles yemmed akken iwata",
|
||||
"server_picker_title": "Sezdeɣ amiḍan deg",
|
||||
"server_picker_dialog_title": "Wali anida ara yezdeɣ umiḍan-ik·im"
|
||||
"server_picker_dialog_title": "Wali anida ara yezdeɣ umiḍan-ik·im",
|
||||
"footer_powered_by_matrix": "s lmendad n Matrix",
|
||||
"failed_homeserver_discovery": "Tifin n uqeddac agejdan tegguma ad teddu",
|
||||
"sync_footer_subtitle": "Ma yella tettekkaḍ deg waṭas n texxamin, ayagi yezmer ad yeṭṭef kra n wakud",
|
||||
"unsupported_auth_msisdn": "Aqeddac-a ur yessefrak ara asesteb s wuṭṭun n tilifun.",
|
||||
"unsupported_auth_email": "Aqeddac-a agejdan ur yessefrak ara inekcum s useqdec n tansa n yimayl.",
|
||||
"registration_disabled": "Aklas yensa deg uqeddac-a agejdan.",
|
||||
"failed_query_registration_methods": "Anadi n tarrayin n usekles yettusefraken d awezi.",
|
||||
"incorrect_password": "Awal uffir d arameɣtu",
|
||||
"failed_soft_logout_auth": "Aɛiwed n usesteb ur yeddi ara",
|
||||
"soft_logout_heading": "Teffɣeḍ-d seg tuqqna",
|
||||
"forgot_password_email_required": "Tansa n yimayl i icudden ɣer umiḍan-ik·im ilaq ad tettwasekcem.",
|
||||
"forgot_password_prompt": "Tettuḍ awal-ik·im uffir?",
|
||||
"soft_logout_intro_password": "Sekcem awal-ik·im uffir i wakken ad teqqneḍ syen ad tkecmeḍ i tikkelt tayeḍ ɣer umiḍan-ik·im.",
|
||||
"soft_logout_intro_sso": "Qqen syen εreḍ anekcum ɣer umiḍan-inek·inem tikkelt-nniḍen.",
|
||||
"soft_logout_intro_unsupported_auth": "Ur tessawḍeḍ ara ad teqqneḍ ɣer umiḍan-inek:inem. Ttxil-k·m nermes anedbal n uqeddac-ik·im agejdan i wugar n talɣut.",
|
||||
"sign_in_or_register": "Kcem ɣer neɣ rnu amiḍan",
|
||||
"sign_in_or_register_description": "Seqdec amiḍan-ik/im neɣ snulfu-d yiwen akken ad tkemmleḍ.",
|
||||
"register_action": "Rnu amiḍan",
|
||||
"server_picker_invalid_url": "Yir URL"
|
||||
},
|
||||
"export_chat": {
|
||||
"messages": "Iznan"
|
||||
|
@ -2121,5 +2117,15 @@
|
|||
"versions": "Ileqman",
|
||||
"clear_cache_reload": "Sfeḍ takatut tuffirt syen sali-d"
|
||||
}
|
||||
},
|
||||
"widget": {
|
||||
"capability": {
|
||||
"see_images_sent_active_room": "Wali tignatin i d-yeffɣen deg texxamt-a iremden",
|
||||
"send_videos_this_room": "Azen tividyutin deg texxamt-a am wakken d kečč"
|
||||
}
|
||||
},
|
||||
"feedback": {
|
||||
"comment_label": "Awennit",
|
||||
"send_feedback_action": "Azen takti-inek·inem"
|
||||
}
|
||||
}
|
||||
|
|
|
@ -1,7 +1,6 @@
|
|||
{
|
||||
"Create new room": "새 방 만들기",
|
||||
"Notifications": "알림",
|
||||
"powered by Matrix": "Matrix의 지원을 받음",
|
||||
"unknown error code": "알 수 없는 오류 코드",
|
||||
"Account": "계정",
|
||||
"Admin Tools": "관리자 도구",
|
||||
|
@ -41,7 +40,6 @@
|
|||
"Custom level": "맞춤 등급",
|
||||
"Deactivate Account": "계정 비활성화",
|
||||
"Decrypt %(text)s": "%(text)s 복호화",
|
||||
"Deops user with given id": "받은 ID로 사용자의 등급을 낮추기",
|
||||
"Download %(text)s": "%(text)s 다운로드",
|
||||
"Enter passphrase": "암호 입력",
|
||||
"Error decrypting attachment": "첨부 파일 복호화 중 오류",
|
||||
|
@ -111,7 +109,6 @@
|
|||
"Start authentication": "인증 시작",
|
||||
"This email address is already in use": "이 이메일 주소는 이미 사용 중입니다",
|
||||
"This email address was not found": "이 이메일 주소를 찾을 수 없음",
|
||||
"The email address linked to your account must be entered.": "계정에 연결한 이메일 주소를 입력해야 합니다.",
|
||||
"This room has no local addresses": "이 방은 로컬 주소가 없음",
|
||||
"This room is not recognised.": "이 방은 드러나지 않습니다.",
|
||||
"This doesn't appear to be a valid email address": "올바르지 않은 이메일 주소로 보입니다",
|
||||
|
@ -167,7 +164,6 @@
|
|||
"%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(monthName)s %(day)s일 %(weekDayName)s요일 %(time)s",
|
||||
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(fullYear)s년 %(monthName)s %(day)s일 %(weekDayName)s요일 %(time)s",
|
||||
"%(weekDayName)s %(time)s": "%(weekDayName)s요일, %(time)s",
|
||||
"This server does not support authentication with a phone number.": "이 서버는 전화번호 인증을 지원하지 않습니다.",
|
||||
"Connectivity to the server has been lost.": "서버 연결이 끊어졌습니다.",
|
||||
"Sent messages will be stored until your connection has returned.": "보낸 메시지는 연결이 돌아올 때까지 저장됩니다.",
|
||||
"(~%(count)s results)": {
|
||||
|
@ -185,7 +181,6 @@
|
|||
"Failed to invite": "초대 실패",
|
||||
"Confirm Removal": "삭제 확인",
|
||||
"Unknown error": "알 수 없는 오류",
|
||||
"Incorrect password": "맞지 않는 비밀번호",
|
||||
"This process allows you to export the keys for messages you have received in encrypted rooms to a local file. You will then be able to import the file into another Matrix client in the future, so that client will also be able to decrypt these messages.": "이 과정으로 암호화한 방에서 받은 메시지의 키를 로컬 파일로 내보낼 수 있습니다. 그런 다음 나중에 다른 Matrix 클라이언트에서 파일을 가져와서, 해당 클라이언트에서도 이 메시지를 복호화할 수 있도록 할 수 있습니다.",
|
||||
"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.": "내보낸 파일이 암호로 보호되어 있습니다. 파일을 복호화하려면, 여기에 암호를 입력해야 합니다.",
|
||||
|
@ -257,7 +252,6 @@
|
|||
"You are now ignoring %(userId)s": "%(userId)s님을 이제 무시합니다",
|
||||
"Unignored user": "무시하지 않게 된 사용자",
|
||||
"You are no longer ignoring %(userId)s": "%(userId)s님을 더 이상 무시하고 있지 않습니다",
|
||||
"Define the power level of a user": "사용자의 권한 등급 정의하기",
|
||||
"Send analytics data": "정보 분석 데이터 보내기",
|
||||
"Mirror local video feed": "보고 있는 비디오 전송 상태 비추기",
|
||||
"URL previews are enabled by default for participants in this room.": "기본으로 URL 미리 보기가 이 방에 참여한 사람들 모두에게 켜졌습니다.",
|
||||
|
@ -272,8 +266,6 @@
|
|||
"Demote": "강등",
|
||||
"Demote yourself?": "자신을 강등하시겠습니까?",
|
||||
"This room is not public. You will not be able to rejoin without an invite.": "이 방은 공개되지 않았습니다. 초대 없이는 다시 들어올 수 없습니다.",
|
||||
"Enable URL previews for this room (only affects you)": "이 방에서 URL 미리보기 사용하기 (오직 나만 영향을 받음)",
|
||||
"Enable URL previews by default for participants in this room": "이 방에 참여한 모두에게 기본으로 URL 미리보기 사용하기",
|
||||
"Enable widget screenshots on supported widgets": "지원되는 위젯에 대해 위젯 스크린샷 사용하기",
|
||||
"When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "누군가 메시지에 URL을 넣으면, URL 미리 보기로 웹사이트에서 온 제목, 설명, 그리고 이미지 등 그 링크에 대한 정보가 표시됩니다.",
|
||||
"In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "지금 이 방처럼, 암호화된 방에서는 홈서버 (미리 보기가 만들어지는 곳)에서 이 방에서 보여지는 링크에 대해 알 수 없도록 기본으로 URL 미리 보기가 꺼집니다.",
|
||||
|
@ -674,20 +666,10 @@
|
|||
"Invalid base_url for m.identity_server": "잘못된 m.identity_server 용 base_url",
|
||||
"Identity server URL does not appear to be a valid identity server": "ID 서버 URL이 올바른 ID 서버가 아님",
|
||||
"General failure": "일반적인 실패",
|
||||
"This homeserver does not support login using email address.": "이 홈서버는 이메일 주소로 로그인을 지원하지 않습니다.",
|
||||
"This account has been deactivated.": "이 계정은 비활성화되었습니다.",
|
||||
"Please note you are logging into the %(hs)s server, not matrix.org.": "지금 %(hs)s 서버로 로그인하고 있는데, matrix.org로 로그인해야 합니다.",
|
||||
"Failed to perform homeserver discovery": "홈서버 검색 수행에 실패함",
|
||||
"Create account": "계정 만들기",
|
||||
"Registration has been disabled on this homeserver.": "이 홈서버는 등록이 비활성화되어 있습니다.",
|
||||
"Unable to query for supported registration methods.": "지원하는 등록 방식을 쿼리할 수 없습니다.",
|
||||
"Failed to re-authenticate due to a homeserver problem": "홈서버 문제로 다시 인증에 실패함",
|
||||
"Failed to re-authenticate": "다시 인증에 실패함",
|
||||
"Enter your password to sign in and regain access to your account.": "로그인하고 계정에 다시 접근하려면 비밀번호를 입력하세요.",
|
||||
"Forgotten your password?": "비밀번호를 잊었습니까?",
|
||||
"Sign in and regain access to your account.": "로그인하고 계정에 다시 접근하기.",
|
||||
"You cannot sign in to your account. Please contact your homeserver admin for more information.": "계정에 로그인할 수 없습니다. 자세한 정보는 홈서버 관리자에게 연락하세요.",
|
||||
"You're signed out": "로그아웃됬습니다",
|
||||
"Clear personal data": "개인 정보 지우기",
|
||||
"That matches!": "맞습니다!",
|
||||
"That doesn't match.": "맞지 않습니다.",
|
||||
|
@ -738,8 +720,6 @@
|
|||
"Read Marker lifetime (ms)": "이전 대화 경계선 표시 시간 (ms)",
|
||||
"Read Marker off-screen lifetime (ms)": "이전 대화 경계선 사라지는 시간 (ms)",
|
||||
"e.g. my-room": "예: my-room",
|
||||
"Please enter a name for the room": "방 이름을 입력해주세요",
|
||||
"Topic (optional)": "주제 (선택)",
|
||||
"Hide advanced": "고급 숨기기",
|
||||
"Show advanced": "고급 보이기",
|
||||
"Close dialog": "대화 상자 닫기",
|
||||
|
@ -833,7 +813,6 @@
|
|||
"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\"와 일치하지 않습니다. 이는 통신이 탈취되고 있는 중일 수도 있다는 뜻입니다!",
|
||||
"The signing key you provided matches the signing key you received from %(userId)s's session %(deviceId)s. Session marked as verified.": "사용자 %(userId)s의 세션 %(deviceId)s에서 받은 서명 키와 당신이 제공한 서명 키가 일치합니다. 세션이 검증되었습니다.",
|
||||
"Show more": "더 보기",
|
||||
"Create Account": "계정 만들기",
|
||||
"Using this widget may share data <helpIcon /> with %(widgetDomain)s & your integration manager.": "이 위젯을 사용하면 <helpcon /> %(widgetDomain)s & 통합 관리자와 데이터를 공유합니다.",
|
||||
"Identity server (%(server)s)": "ID 서버 (%(server)s)",
|
||||
"Could not connect to identity server": "ID 서버에 연결할 수 없음",
|
||||
|
@ -855,7 +834,6 @@
|
|||
"Get notified for every message": "모든 메세지 알림을 받습니다",
|
||||
"You won't get any notifications": "어떤 알람도 받지 않습니다",
|
||||
"Space members": "스페이스 멤버 목록",
|
||||
"Private room (invite only)": "비공개 방 (초대 필요)",
|
||||
"Private (invite only)": "비공개 (초대 필요)",
|
||||
"Never send encrypted messages to unverified sessions in this room from this session": "이 채팅방의 현재 세션에서 확인되지 않은 세션으로 암호화된 메시지를 보내지 않음",
|
||||
"Decide who can view and join %(spaceName)s.": "누가 %(spaceName)s를 보거나 참여할 수 있는지 설정합니다.",
|
||||
|
@ -891,9 +869,6 @@
|
|||
"Rooms and spaces": "방 및 스페이스 목록",
|
||||
"Sidebar": "사이드바",
|
||||
"Keyboard": "키보드 (단축키)",
|
||||
"Send feedback": "피드백 보내기",
|
||||
"Feedback sent": "피드백 보내기",
|
||||
"Feedback": "피드백",
|
||||
"Leave all rooms": "모든 방에서 떠나기",
|
||||
"Show all rooms": "모든 방 목록 보기",
|
||||
"All rooms": "모든 방 목록",
|
||||
|
@ -1023,7 +998,8 @@
|
|||
"stickerpack": "스티커 팩",
|
||||
"system_alerts": "시스템 알림",
|
||||
"identity_server": "ID 서버",
|
||||
"integration_manager": "통합 관리자"
|
||||
"integration_manager": "통합 관리자",
|
||||
"feedback": "피드백"
|
||||
},
|
||||
"action": {
|
||||
"continue": "계속하기",
|
||||
|
@ -1174,7 +1150,9 @@
|
|||
"subheading": "모습 설정은 이 %(brand)s 세션에만 영향을 끼칩니다.",
|
||||
"match_system_theme": "시스템 테마 사용",
|
||||
"timeline_image_size_default": "기본"
|
||||
}
|
||||
},
|
||||
"inline_url_previews_room_account": "이 방에서 URL 미리보기 사용하기 (오직 나만 영향을 받음)",
|
||||
"inline_url_previews_room": "이 방에 참여한 모두에게 기본으로 URL 미리보기 사용하기"
|
||||
},
|
||||
"devtools": {
|
||||
"event_type": "이벤트 종류",
|
||||
|
@ -1189,7 +1167,10 @@
|
|||
},
|
||||
"create_room": {
|
||||
"title_public_room": "공개 방 만들기",
|
||||
"title_private_room": "개인 방 만들기"
|
||||
"title_private_room": "개인 방 만들기",
|
||||
"name_validation_required": "방 이름을 입력해주세요",
|
||||
"topic_label": "주제 (선택)",
|
||||
"join_rule_invite": "비공개 방 (초대 필요)"
|
||||
},
|
||||
"timeline": {
|
||||
"m.room.member": {
|
||||
|
@ -1386,7 +1367,9 @@
|
|||
"converttoroom": "DM을 방으로 변환",
|
||||
"discardsession": "암호화된 방에서 현재 방 외부의 그룹 세션을 강제로 삭제합니다",
|
||||
"no_active_call": "이 방에 진행중인 통화 없음",
|
||||
"me": "활동 표시하기"
|
||||
"me": "활동 표시하기",
|
||||
"op": "사용자의 권한 등급 정의하기",
|
||||
"deop": "받은 ID로 사용자의 등급을 낮추기"
|
||||
},
|
||||
"presence": {
|
||||
"online_for": "%(duration)s 동안 온라인",
|
||||
|
@ -1453,7 +1436,22 @@
|
|||
"account_clash": "당신의 새 계정 (%(newAccountId)s)을 등록했습니다, 하지만 다른 계정 (%(loggedInUserId)s)으로 로그인하고 있습니다.",
|
||||
"account_clash_previous_account": "이 계정으로 계속",
|
||||
"log_in_new_account": "새 계정으로 <a>로그인</a>하기.",
|
||||
"registration_successful": "등록 성공"
|
||||
"registration_successful": "등록 성공",
|
||||
"footer_powered_by_matrix": "Matrix의 지원을 받음",
|
||||
"failed_homeserver_discovery": "홈서버 검색 수행에 실패함",
|
||||
"unsupported_auth_msisdn": "이 서버는 전화번호 인증을 지원하지 않습니다.",
|
||||
"unsupported_auth_email": "이 홈서버는 이메일 주소로 로그인을 지원하지 않습니다.",
|
||||
"registration_disabled": "이 홈서버는 등록이 비활성화되어 있습니다.",
|
||||
"failed_query_registration_methods": "지원하는 등록 방식을 쿼리할 수 없습니다.",
|
||||
"incorrect_password": "맞지 않는 비밀번호",
|
||||
"failed_soft_logout_auth": "다시 인증에 실패함",
|
||||
"soft_logout_heading": "로그아웃됬습니다",
|
||||
"forgot_password_email_required": "계정에 연결한 이메일 주소를 입력해야 합니다.",
|
||||
"forgot_password_prompt": "비밀번호를 잊었습니까?",
|
||||
"soft_logout_intro_password": "로그인하고 계정에 다시 접근하려면 비밀번호를 입력하세요.",
|
||||
"soft_logout_intro_sso": "로그인하고 계정에 다시 접근하기.",
|
||||
"soft_logout_intro_unsupported_auth": "계정에 로그인할 수 없습니다. 자세한 정보는 홈서버 관리자에게 연락하세요.",
|
||||
"register_action": "계정 만들기"
|
||||
},
|
||||
"export_chat": {
|
||||
"title": "대화 내보내기",
|
||||
|
@ -1497,5 +1495,9 @@
|
|||
"versions": "버전",
|
||||
"clear_cache_reload": "캐시 지우기 및 새로고침"
|
||||
}
|
||||
},
|
||||
"feedback": {
|
||||
"sent": "피드백 보내기",
|
||||
"send_feedback_action": "피드백 보내기"
|
||||
}
|
||||
}
|
||||
|
|
|
@ -263,9 +263,6 @@
|
|||
"Moderator": "ຜູ້ດຳເນິນລາຍການ",
|
||||
"Restricted": "ຖືກຈຳກັດ",
|
||||
"Default": "ຄ່າເລີ່ມຕົ້ນ",
|
||||
"Create Account": "ສ້າງບັນຊີ",
|
||||
"Use your account or create a new one to continue.": "ໃຊ້ບັນຊີຂອງທ່ານ ຫຼື ສ້າງອັນໃໝ່ເພື່ອສືບຕໍ່.",
|
||||
"Sign In or Create Account": "ເຂົ້າສູ່ລະບົບ ຫຼື ສ້າງບັນຊີ",
|
||||
"Zimbabwe": "ຊິມບັບເວ",
|
||||
"Zambia": "ແຊມເບຍ",
|
||||
"Yemen": "ເຢເມນ",
|
||||
|
@ -342,9 +339,6 @@
|
|||
"Peru": "ເປຣູ",
|
||||
"Paraguay": "ປາຣາກວາຍ",
|
||||
"Message Actions": "ການດຳເນີນການທາງຂໍ້ຄວາມ",
|
||||
"Encrypted messages before this point are unavailable.": "ຂໍ້ຄວາມທີ່ເຂົ້າລະຫັດໄວ້ກ່ອນຈຸດນີ້ບໍ່ສາມາດໃຊ້ໄດ້.",
|
||||
"You don't have permission to view messages from before you joined.": "ທ່ານບໍ່ໄດ້ຮັບອະນຸຍາດໃຫ້ເບິ່ງຂໍ້ຄວາມ ກ່ອນທີ່ທ່ານເຂົ້າຮ່ວມ.",
|
||||
"You don't have permission to view messages from before you were invited.": "ທ່ານບໍ່ໄດ້ຮັບອະນຸຍາດໃຫ້ເບິ່ງຂໍ້ຄວາມ ກ່ອນທີ່ທ່ານໄດ້ຖືກເຊີນ.",
|
||||
"Failed to send": "ການສົ່ງບໍ່ສຳເລັດ",
|
||||
"Your message was sent": "ຂໍ້ຄວາມຂອງທ່ານຖືກສົ່ງໄປແລ້ວ",
|
||||
"Encrypted by a deleted session": "ເຂົ້າລະຫັດໂດຍພາກສ່ວນທີ່ຖືກລຶບ",
|
||||
|
@ -735,21 +729,13 @@
|
|||
"This address is available to use": "ທີ່ຢູ່ນີ້ສາມາດໃຊ້ໄດ້",
|
||||
"This address does not point at this room": "ທີ່ຢູ່ນີ້ບໍ່ໄດ້ຊີ້ໄປທີ່ຫ້ອງນີ້",
|
||||
"Option %(number)s": "ຕົວເລືອກ %(number)s",
|
||||
"Someone already has that username, please try another.": "ບາງຄົນມີຊື່ຜູ້ໃຊ້ນັ້ນແລ້ວ, ກະລຸນາລອງຊຶ່ຜູ້ໃຊ້ອື່ນ.",
|
||||
"This server does not support authentication with a phone number.": "ເຊີບເວີນີ້ບໍ່ຮອງຮັບການພິສູດຢືນຢັນດ້ວຍເບີໂທລະສັບ.",
|
||||
"Unable to query for supported registration methods.": "ບໍ່ສາມາດສອບຖາມວິທີການລົງທະບຽນໄດ້.",
|
||||
"Registration has been disabled on this homeserver.": "ການລົງທະບຽນຖືກປິດການນຳໃຊ້ໃນ homeserver ນີ້.",
|
||||
"New? <a>Create account</a>": "ມາໃຫມ່? <a>ສ້າງບັນຊີ</a>",
|
||||
"If you've joined lots of rooms, this might take a while": "ຖ້າທ່ານໄດ້ເຂົ້າຮ່ວມຫຼາຍຫ້ອງ, ມັນອາດຈະໃຊ້ເວລາໄລຍະໜຶ່ງ",
|
||||
"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.": "ບໍ່ສາມາດເຊື່ອມຕໍ່ກັບ homeserver ໄດ້ - ກະລຸນາກວດສອບການເຊື່ອມຕໍ່ຂອງທ່ານ, ໃຫ້ແນ່ໃຈວ່າ <a>ການຢັ້ງຢືນ SSL ຂອງ homeserver</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>.": "ບໍ່ສາມາດເຊື່ອມຕໍ່ກັບ homeserver ຜ່ານ HTTP ເມື່ອ HTTPS URL ຢູ່ໃນບຣາວເຊີຂອງທ່ານ. ໃຊ້ HTTPS ຫຼື <a>ເປີດໃຊ້ສະຄຣິບທີ່ບໍ່ປອດໄພ</a>.",
|
||||
"There was a problem communicating with the homeserver, please try again later.": "ມີບັນຫາໃນການສື່ສານກັບ homeserver, ກະລຸນາລອງໃໝ່ໃນພາຍຫຼັງ.",
|
||||
"Failed to perform homeserver discovery": "ການປະຕິບັດການຄົ້ນພົບ homeserver ບໍ່ສຳເລັດ",
|
||||
"Please note you are logging into the %(hs)s server, not matrix.org.": "ກະລຸນາຮັບຊາບວ່າທ່ານກຳລັງເຂົ້າສູ່ລະບົບເຊີບເວີ %(hs)s, ບໍ່ແມ່ນ matrix.org.",
|
||||
"Incorrect username and/or password.": "ຊື່ຜູ້ໃຊ້ ແລະ/ຫຼືລະຫັດຜ່ານບໍ່ຖືກຕ້ອງ.",
|
||||
"This account has been deactivated.": "ບັນຊີນີ້ຖືກປິດການນຳໃຊ້ແລ້ວ.",
|
||||
"Please <a>contact your service administrator</a> to continue using this service.": "ກະລຸນາ <a>ຕິດຕໍ່ຜູ້ຄຸ້ມຄອງການບໍລິການຂອງທ່ານ</a> ເພື່ອສືບຕໍ່ໃຊ້ບໍລິການນີ້.",
|
||||
"This homeserver does not support login using email address.": "homeserver ນີ້ບໍ່ຮອງຮັບການເຂົ້າສູ່ລະບົບໂດຍໃຊ້ທີ່ຢູ່ອີເມວ.",
|
||||
"General failure": "ຄວາມບໍ່ສຳເລັດທົ່ວໄປ",
|
||||
"Identity server URL does not appear to be a valid identity server": "URL ເຊີບເວີປາກົດວ່າບໍ່ຖືກຕ້ອງ",
|
||||
"Invalid base_url for m.identity_server": "base_url ບໍ່ຖືກຕ້ອງສໍາລັບ m.identity_server",
|
||||
|
@ -763,8 +749,6 @@
|
|||
"Your password has been reset.": "ລະຫັດຜ່ານຂອງທ່ານໄດ້ຖືກຕັ້ງໃໝ່ແລ້ວ.",
|
||||
"New passwords must match each other.": "ລະຫັດຜ່ານໃໝ່ຕ້ອງກົງກັນ.",
|
||||
"A new password must be entered.": "ຕ້ອງໃສ່ລະຫັດຜ່ານໃໝ່.",
|
||||
"The email address doesn't appear to be valid.": "ທີ່ຢູ່ອີເມວບໍ່ຖືກຕ້ອງ.",
|
||||
"The email address linked to your account must be entered.": "ຕ້ອງໃສ່ທີ່ຢູ່ອີເມວທີ່ເຊື່ອມຕໍ່ກັບບັນຊີຂອງທ່ານ.",
|
||||
"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.": "ຖ້າທ່ານຕ້ອງການຮັກສາການເຂົ້າເຖິງປະຫວັດການສົນທະນາຂອງທ່ານໃນຫ້ອງທີ່ເຂົ້າລະຫັດໄວ້, ໃຫ້ຕັ້ງຄ່າການສໍາຮອງກະແຈ ຫຼື ສົ່ງອອກກະແຈຂໍ້ຄວາມຂອງທ່ານຈາກອຸປະກອນອື່ນຂອງທ່ານກ່ອນດໍາເນີນການ.",
|
||||
"Signing out your devices will delete the message encryption keys stored on them, making encrypted chat history unreadable.": "ການອອກຈາກລະບົບອຸປະກອນຂອງທ່ານຈະໄປລຶບອຸປະກອນເຂົ້າລະຫັດທີ່ເກັບໄວ້, ເຮັດໃຫ້ປະຫວັດການສົນທະນາທີ່ເຂົ້າລະຫັດໄວ້ບໍ່ສາມາດອ່ານໄດ້.",
|
||||
"Skip verification for now": "ຂ້າມການຢັ້ງຢືນດຽວນີ້",
|
||||
|
@ -778,8 +762,6 @@
|
|||
"Switch theme": "ສະຫຼັບຫົວຂໍ້",
|
||||
"Switch to dark mode": "ສະຫຼັບໄປໂໝດມືດ",
|
||||
"Switch to light mode": "ສະຫຼັບໄປໂໝດແສງ",
|
||||
"New here? <a>Create an account</a>": "ມາໃໝ່ບໍ? <a>ສ້າງບັນຊີ</a>",
|
||||
"Got an account? <a>Sign in</a>": "ມີບັນຊີບໍ? <a>ເຂົ້າສູ່ລະບົບ</a>",
|
||||
"Uploading %(filename)s and %(count)s others": {
|
||||
"one": "ກຳລັງອັບໂຫລດ %(filename)s ແລະ %(count)s ອື່ນໆ",
|
||||
"other": "ກຳລັງອັບໂຫລດ %(filename)s ແລະ %(count)s ອື່ນໆ"
|
||||
|
@ -1069,14 +1051,7 @@
|
|||
"Command Autocomplete": "ຕື່ມຄໍາສັ່ງອັດຕະໂນມັດ",
|
||||
"Commands": "ຄໍາສັ່ງ",
|
||||
"Clear personal data": "ລຶບຂໍ້ມູນສ່ວນຕົວ",
|
||||
"You're signed out": "ທ່ານອອກຈາກລະບົບແລ້ວ",
|
||||
"You cannot sign in to your account. Please contact your homeserver admin for more information.": "ທ່ານບໍ່ສາມາດເຂົ້າສູ່ລະບົບບັນຊີຂອງທ່ານໄດ້. ກະລຸນາຕິດຕໍ່ຜູຸ້ຄຸ້ມຄອງ homeserver ຂອງທ່ານສໍາລັບຂໍ້ມູນເພີ່ມເຕີມ.",
|
||||
"Sign in and regain access to your account.": "ເຂົ້າສູ່ລະບົບ ແລະ ເຂົ້າເຖິງບັນຊີຂອງທ່ານຄືນໃໝ່.",
|
||||
"Enter your password to sign in and regain access to your account.": "ໃສ່ລະຫັດຜ່ານຂອງທ່ານເພື່ອເຂົ້າສູ່ລະບົບ ແລະ ເຂົ້າເຖິງບັນຊີຂອງທ່ານຄືນໃໝ່.",
|
||||
"Regain access to your account and recover encryption keys stored in this session. Without them, you won't be able to read all of your secure messages in any session.": "ເຂົ້າເຖິງບັນຊີຂອງທ່ານ ອີກເທື່ອນຶ່ງ ແລະ ກູ້ຄືນລະຫັດທີ່ເກັບໄວ້ໃນການດຳເນີນການນີ້. ຖ້າບໍ່ມີພວກລະຫັດ, ທ່ານຈະບໍ່ສາມາດອ່ານຂໍ້ຄວາມທີ່ປອດໄພທັງໝົດຂອງທ່ານໃນການດຳເນີນການໃດໆ.",
|
||||
"Forgotten your password?": "ລືມລະຫັດຜ່ານຂອງທ່ານບໍ?",
|
||||
"Failed to re-authenticate": "ການພິສູດຢືນຢັນຄືນໃໝ່ບໍ່ສຳເລັດ",
|
||||
"Incorrect password": "ລະຫັດຜ່ານບໍ່ຖືກຕ້ອງ",
|
||||
"Failed to re-authenticate due to a homeserver problem": "ການພິສູດຢືນຢັນຄືນໃໝ່ເນື່ອງຈາກບັນຫາ homeserver ບໍ່ສຳເລັດ",
|
||||
"Resetting your verification keys cannot be undone. After resetting, you won't have access to old encrypted messages, and any friends who have previously verified you will see security warnings until you re-verify with them.": "ການຕັ້ງຄ່າລະຫັດຢືນຢັນຂອງທ່ານບໍ່ສາມາດຍົກເລີກໄດ້. ຫຼັງຈາກການຕັ້ງຄ່າແລ້ວ, ທ່ານຈະບໍ່ສາມາດເຂົ້າເຖິງຂໍ້ຄວາມທີ່ເຂົ້າລະຫັດເກົ່າໄດ້, ແລະ ໝູ່ເພື່ອນທີ່ຢືນຢັນໄປກ່ອນໜ້ານີ້ ທ່ານຈະເຫັນຄຳເຕືອນຄວາມປອດໄພຈົນກວ່າທ່ານຈະຢືນຢັນກັບພວກມັນຄືນໃໝ່.",
|
||||
"I'll verify later": "ຂ້ອຍຈະກວດສອບພາຍຫຼັງ",
|
||||
|
@ -1096,70 +1071,19 @@
|
|||
"Session already verified!": "ການຢັ້ງຢືນລະບົບແລ້ວ!",
|
||||
"Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "ບໍ່ຮູ້ຈັກ (ຜູ້ໃຊ້, ລະບົບ) ຄູ່: (%(userId)s, %(deviceId)s)",
|
||||
"Verifies a user, session, and pubkey tuple": "ຢືນຢັນຜູ້ໃຊ້, ລະບົບ, ແລະ pubkey tuple",
|
||||
"Command error: Unable to find rendering type (%(renderingType)s)": "ຄໍາສັ່ງຜິດພາດ: ບໍ່ສາມາດຊອກຫາປະເພດການສະແດງຜົນ (%(renderingType)s)",
|
||||
"Command error: Unable to handle slash command.": "ຄໍາສັ່ງຜິດພາດ: ບໍ່ສາມາດຈັດການກັບຄໍາສັ່ງ slash ໄດ້.",
|
||||
"Setting up keys": "ການຕັ້ງຄ່າກະແຈ",
|
||||
"Are you sure you want to cancel entering passphrase?": "ທ່ານແນ່ໃຈບໍ່ວ່າຕ້ອງການຍົກເລີກການໃສ່ປະໂຫຍກລະຫັດຜ່ານ?",
|
||||
"Cancel entering passphrase?": "ຍົກເລີກການໃສ່ປະໂຫຍກລະຫັດຜ່ານບໍ?",
|
||||
"Missing user_id in request": "ບໍ່ມີ user_id ໃນການຮ້ອງຂໍ",
|
||||
"Deops user with given id": "Deops ຜູ້ໃຊ້ທີ່ມີ ID",
|
||||
"Could not find user in room": "ບໍ່ສາມາດຊອກຫາຜູ້ໃຊ້ຢູ່ໃນຫ້ອງໄດ້",
|
||||
"Command failed: Unable to find room (%(roomId)s": "ຄຳສັ່ງບໍ່ສໍາເລັດ: ບໍ່ສາມາດຊອກຫາຫ້ອງ (%(roomId)s",
|
||||
"Define the power level of a user": "ກໍານົດລະດັບພະລັງງານຂອງຜູ້ໃຊ້",
|
||||
"You are no longer ignoring %(userId)s": "ທ່ານບໍ່ໄດ້ສົນໃຈ %(userId)s ອີກຕໍ່ໄປ",
|
||||
"Unignored user": "ສົນໃຈຜູ້ໃຊ້",
|
||||
"You are now ignoring %(userId)s": "ດຽວນີ້ທ່ານບໍ່ສົນໃຈ %(userId)s",
|
||||
"Ignored user": "ບໍ່ສົນໃຈຜູ້ໃຊ້",
|
||||
"Unrecognised room address: %(roomAlias)s": "ບໍ່ຮູ້ຈັກທີ່ຢູ່ຫ້ອງ: %(roomAlias)s",
|
||||
"Joins room with given address": "ເຂົ້າຮ່ວມຫ້ອງຕາມທີ່ຢູ່ໄດ້ລະບຸໃຫ້",
|
||||
"Use an identity server to invite by email. Manage in Settings.": "ໃຊ້ເຊີເວີລະບຸຕົວຕົນເພື່ອເຊີນທາງອີເມວ. ຈັດການໃນການຕັ້ງຄ່າ.",
|
||||
"Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "ໃຊ້ເຊີບເວີລະບຸຕົວຕົນເພື່ອເຊີນທາງອີເມວ.ກົດສືບຕໍ່ໃຊ້ເຊີບເວີລິບຸຕົວຕົນເລີ່ມຕົ້ນ (%(defaultIdentityServerName)s) ຫຼືຈັດການ ການຕັ້ງຄ່າ.",
|
||||
"Use an identity server": "ໃຊ້ເຊີບເວີລະບຸຕົວຕົນ",
|
||||
"See when a sticker is posted in this room": "ເບິ່ງເມື່ອມີສະຕິກເກີຖືກໂພສຢູ່ໃນຫ້ອງນີ້",
|
||||
"Send stickers to this room as you": "ສົ່ງສະຕິກເກີໄປຫາຫ້ອງນີ້ໃນນາມທ່ານ",
|
||||
"See when people join, leave, or are invited to your active room": "ເບິ່ງເມື່ອຄົນເຂົ້າຮ່ວມ, ອອກໄປ, ຫຼື ຖືກເຊີນເຂົ້າຫ້ອງຂອງທ່ານ",
|
||||
"Remove, ban, or invite people to your active room, and make you leave": "ເອົາ, ຫ້າມ, ຫຼື ເຊີນຄົນເຂົ້າຫ້ອງທີ່ຂອງທ່ານ ແລະ ເຮັດໃຫ້ທ່ານເດັ່ງອອກໄປ",
|
||||
"See when people join, leave, or are invited to this room": "ເບິ່ງເມື່ອຄົນເຂົ້າຮ່ວມ, ອອກໄປ, ຫຼື ຖືກເຊີນເຂົ້າຫ້ອງນີ້",
|
||||
"Remove, ban, or invite people to this room, and make you leave": "ລຶບ, ຫ້າມ, ຫຼື ເຊີນຄົນເຂົ້າຫ້ອງນີ້ ແລະ ເຮັດໃຫ້ທ່ານອອກໄປ",
|
||||
"See when the avatar changes in your active room": "ເບິ່ງເມື່ອຮູບແທນຕົວປ່ຽນແປງຢູ່ໃນຫ້ອງຂອງທ່ານ",
|
||||
"Change the avatar of your active room": "ປ່ຽນຮູບແທນຕົວຂອງຫ້ອງທ່ານ",
|
||||
"See when the avatar changes in this room": "ເບິ່ງເມື່ອຮູບແທນຕົວປ່ຽນແປງຢູ່ໃນຫ້ອງນີ້",
|
||||
"Change the avatar of this room": "ປ່ຽນຮູບແທນຕົວຂອງຫ້ອງນີ້",
|
||||
"See when the name changes in your active room": "ເບິ່ງເມື່ອປ່ຽນແປງຊື່ຢູ່ໃນຫ້ອງຂອງທ່ານ",
|
||||
"Change the name of your active room": "ປ່ຽນຊື່ຫ້ອງຂອງທ່ານ",
|
||||
"See when the name changes in this room": "ເບິ່ງເມື່ອປ່ຽນຊື່ຢູ່ໃນຫ້ອງນີ້",
|
||||
"Change the name of this room": "ປ່ຽນຊື່ຫ້ອງນີ້",
|
||||
"See when the topic changes in your active room": "ເບິ່ງເມື່ອຫົວຂໍ້ປ່ຽນແປງຢູ່ໃນຫ້ອງຂອງທ່ານ",
|
||||
"Change the topic of your active room": "ປ່ຽນຫົວຂໍ້ຂອງຫ້ອງຂອງທ່ານ",
|
||||
"See when the topic changes in this room": "ເບິ່ງເມື່ອຫົວຂໍ້ຢູ່ໃນຫ້ອງນີ້ປ່ຽນ",
|
||||
"Change the topic of this room": "ປ່ຽນຫົວຂໍ້ຂອງຫ້ອງນີ້",
|
||||
"Change which room, message, or user you're viewing": "ປ່ຽນຫ້ອງ, ຂໍ້ຄວາມ, ຫຼື ຜູ້ໃຊ້ທີ່ທ່ານກຳລັງເບິ່ງຢູ່",
|
||||
"Change which room you're viewing": "ປ່ຽນຫ້ອງທີ່ທ່ານກຳລັງເບິ່ງ",
|
||||
"Send stickers into your active room": "ສົ່ງສະຕິກເກີເຂົ້າໄປໃນຫ້ອງເຮັດວຽກຂອງທ່ານ",
|
||||
"Send stickers into this room": "ສົ່ງສະຕິກເກີເຂົ້າມາໃນຫ້ອງນີ້",
|
||||
"Remain on your screen while running": "ຢູ່ໃນຫນ້າຈໍຂອງທ່ານໃນຂະນະທີ່ກຳລັງດຳເນີນການ",
|
||||
"Remain on your screen when viewing another room, when running": "ຢູ່ຫນ້າຈໍຂອງທ່ານໃນເວລາເບິ່ງຫ້ອງອື່ນ, ໃນຄະນະທີ່ກຳລັງດຳເນີນການ",
|
||||
"Light high contrast": "ແສງສະຫວ່າງຄວາມຄົມຊັດສູງ",
|
||||
"Send emotes as you in this room": "ສົ່ງ emotes ໃນຖານະທີ່ທ່ານຢູ່ໃນຫ້ອງນີ້",
|
||||
"See text messages posted to your active room": "ເບິ່ງຂໍ້ຄວາມທີ່ໂພສໃສ່ຫ້ອງຂອງທ່ານ",
|
||||
"See text messages posted to this room": "ເບິ່ງຂໍ້ຄວາມທີ່ໂພສໃສ່ຫ້ອງນີ້",
|
||||
"Send text messages as you in your active room": "ສົ່ງຂໍ້ຄວາມໃນນາມທີ່ທ່ານຢູ່ໃນຫ້ອງຂອງທ່ານ",
|
||||
"Send text messages as you in this room": "ສົ່ງຂໍ້ຄວາມໃນນາມທີ່ທ່ານຢູ່ໃນຫ້ອງນີ້",
|
||||
"See messages posted to your active room": "ເບິ່ງຂໍ້ຄວາມທີ່ໂພສໃສ່ຫ້ອງຂອງທ່ານ",
|
||||
"See messages posted to this room": "ເບິ່ງຂໍ້ຄວາມທີ່ໂພສໃສ່ຫ້ອງນີ້",
|
||||
"Send messages as you in your active room": "ສົ່ງຂໍ້ຄວາມໃນນາມທ່ານຢູ່ໃນຫ້ອງຂອງທ່ານ",
|
||||
"Send messages as you in this room": "ສົ່ງຂໍ້ຄວາມໃນນາມທ່ານຢູ່ໃນຫ້ອງນີ້",
|
||||
"The <b>%(capability)s</b> capability": "ຄວາມສາມາດ <b>%(capability)s</b>",
|
||||
"See <b>%(eventType)s</b> events posted to your active room": "ເບິ່ງເຫດການ <b>%(eventType)s</b> ທີ່ໂພສໃສ່ຫ້ອງຂອງທ່ານ",
|
||||
"Send <b>%(eventType)s</b> events as you in your active room": "ສົ່ງ <b>%(eventType)s</b> ເຫດການໃນຂະນະທີ່ທ່ານຢູ່ໃນຫ້ອງຂອງທ່ານ",
|
||||
"See <b>%(eventType)s</b> events posted to this room": "ເບິ່ງເຫດການ <b>%(eventType)s</b> ທີ່ໂພສໃສ່ຫ້ອງນີ້",
|
||||
"Send <b>%(eventType)s</b> events as you in this room": "ສົ່ງເຫດການ <b>%(eventType)s</b> ໃນນາມທ່ານຢູ່ໃນຫ້ອງນີ້",
|
||||
"The above, but in <Room /> as well": "ຂ້າງເທິງ, ແຕ່ຢູ່ໃນ <Room /> ເຊັ່ນດຽວກັນ",
|
||||
"The above, but in any room you are joined or invited to as well": "ດັ່ງຂ້າງເທິງ, ທ່ານຢູ່ຫ້ອງໃດກໍ່ຕາມ ທ່ານຈະໄດ້ຖືກເຂົ້າຮ່ວມ ຫຼື ເຊີນເຂົ້າຮ່ວມເຊັ່ນດຽວກັນ",
|
||||
"with state key %(stateKey)s": "ດ້ວຍປຸ່ມລັດ %(stateKey)s",
|
||||
"with an empty state key": "ດ້ວຍປຸ່ມລັດ empty",
|
||||
"See when anyone posts a sticker to your active room": "ເບິ່ງເວລາທີ່ຄົນໂພສສະຕິກເກີໃສ່ຫ້ອງຂອງທ່ານ",
|
||||
"Send stickers to your active room as you": "ສົ່ງສະຕິກເກີໄປຫາຫ້ອງຂອງທ່ານ",
|
||||
"Updating spaces... (%(progress)s out of %(count)s)": {
|
||||
"one": "ກຳລັງປັບປຸງພື້ນທີ່..",
|
||||
"other": "ກຳລັງຍົກລະດັບພື້ນທີ່... (%(progress)s ຈາກທັງໝົດ %(count)s)"
|
||||
|
@ -1211,10 +1135,6 @@
|
|||
"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": "ຖ້າທ່ານດຳເນິນການ, ກະລຸນາຮັບຊາບວ່າຂໍ້ຄວາມຂອງທ່ານຈະບໍ່ຖືກລຶບ, ແຕ່ການຊອກຫາອາດຈະຖືກຫຼຸດໜ້ອຍລົງເປັນເວລາສອງສາມນາທີໃນຂະນະທີ່ດັດສະນີຈະຖືກສ້າງໃໝ່",
|
||||
"You most likely do not want to reset your event index store": "ສ່ວນຫຼາຍແລ້ວທ່ານບໍ່ຢາກຈະກູ້ຄືນດັດສະນີຂອງທ່ານ",
|
||||
"Reset event store?": "ກູ້ຄືນການຕັ້ງຄ່າບໍ?",
|
||||
"About homeservers": "ກ່ຽວກັບ homeservers",
|
||||
"Use your preferred Matrix homeserver if you have one, or host your own.": "ໃຊ້ Matrix homeserver ທີ່ທ່ານຕ້ອງການ ຖ້າຫາກທ່ານມີ ຫຼື ເປັນເຈົ້າພາບເອງ.",
|
||||
"Other homeserver": "homeserver ອື່ນ",
|
||||
"We call the places where you can host your account 'homeservers'.": "ພວກເຮົາໂທຫາສະຖານที่ບ່ອນທີ່ທ່ານເປັນhostບັນຊີຂອງທ່ານ 'homeservers'.",
|
||||
"For security, this session has been signed out. Please sign in again.": "ເພື່ອຄວາມປອດໄພ, ລະບົບນີ້ໄດ້ຖືກອອກຈາກລະບົບແລ້ວ. ກະລຸນາເຂົ້າສູ່ລະບົບອີກຄັ້ງ.",
|
||||
"Attach files from chat or just drag and drop them anywhere in a room.": "ແນບໄຟລ໌ຈາກການສົນທະນາ ຫຼື ພຽງແຕ່ລາກແລ້ວວາງມັນໄວ້ບ່ອນໃດກໍໄດ້ໃນຫ້ອງ.",
|
||||
"No files visible in this room": "ບໍ່ມີໄຟລ໌ທີ່ເບິ່ງເຫັນຢູ່ໃນຫ້ອງນີ້",
|
||||
|
@ -1258,7 +1178,6 @@
|
|||
"Email": "ອີເມວ",
|
||||
"Country Dropdown": "ເລືອກປະເທດຜ່ານເມນູແບບເລື່ອນລົງ",
|
||||
"This homeserver would like to make sure you are not a robot.": "homeserver ນີ້ຕ້ອງການໃຫ້ແນ່ໃຈວ່າທ່ານບໍ່ແມ່ນຫຸ່ນຍົນ.",
|
||||
"powered by Matrix": "ຂັບເຄື່ອນໂດຍ Matrix",
|
||||
"This room is public": "ນີ້ແມ່ນຫ້ອງສາທາລະນະ",
|
||||
"Avatar": "ຮູບແທນຕົວ",
|
||||
"An error occurred while stopping your live location, please try again": "ເກີດຄວາມຜິດພາດໃນລະຫວ່າງການຢຸດສະຖານທີ່ປັດຈຸບັນຂອງທ່ານ, ກະລຸນາລອງໃໝ່ອີກຄັ້ງ",
|
||||
|
@ -1406,13 +1325,6 @@
|
|||
"Sent": "ສົ່ງແລ້ວ",
|
||||
"Sending": "ກຳລັງສົ່ງ",
|
||||
"You don't have permission to do this": "ທ່ານບໍ່ໄດ້ຮັບອະນຸຍາດໃຫ້ເຮັດສິ່ງນີ້",
|
||||
"Send feedback": "ສົ່ງຄໍາຄິດເຫັນ",
|
||||
"Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.": "ກະລຸນາເບິ່ງ <existingIssuesLink>ຂໍ້ບົກຜ່ອງທີ່ມີຢູ່ແລ້ວໃນ Github</existingIssuesLink> ກ່ອນ. ບໍ່ກົງກັນບໍ? <newIssueLink>ເລີ່ມອັນໃໝ່</newIssueLink>.",
|
||||
"PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "PRO TIP: ຖ້າທ່ານເລີ່ມມີຂໍ້ຜິດພາດ, ກະລຸນາສົ່ງ <debugLogsLink>ບັນທຶກການແກ້ບັນຫາ</debugLogsLink> ເພື່ອຊ່ວຍພວກເຮົາຕິດຕາມບັນຫາ.",
|
||||
"You may contact me if you want to follow up or to let me test out upcoming ideas": "ທ່ານສາມາດຕິດຕໍ່ຫາຂ້ອຍໄດ້ ຖ້າທ່ານຕ້ອງການຕິດຕາມ ຫຼືໃຫ້ຂ້ອຍທົດສອບແນວຄວາມຄິດທີ່ເກີດຂື້ນ",
|
||||
"Feedback": "ຄໍາຕິຊົມ",
|
||||
"Your platform and username will be noted to help us use your feedback as much as we can.": "ແຟັດຟອມ ແລະ ຊື່ຜູ້ໃຊ້ຂອງທ່ານຈະຖືກບັນທຶກໄວ້ເພື່ອຊ່ວຍໃຫ້ພວກເຮົາໃຊ້ຄໍາຕິຊົມຂອງທ່ານເທົ່າທີ່ພວກເຮົາສາມາດເຮັດໄດ້.",
|
||||
"Comment": "ຄໍາເຫັນ",
|
||||
"An error occurred while stopping your live location": "ເກີດຄວາມຜິດພາດໃນຂະນະທີ່ຢຸດສະຖານທີ່ສະຖານທີ່ຂອງທ່ານ",
|
||||
"%(name)s accepted": "ຍອມຮັບ %(name)s",
|
||||
"You accepted": "ທ່ານຍອມຮັບ",
|
||||
|
@ -1507,25 +1419,8 @@
|
|||
"Only people invited will be able to find and join this space.": "ມີແຕ່ຄົນທີ່ຖືກເຊີນເທົ່ານັ້ນທີ່ສາມາດຊອກຫາ ແລະເຂົ້າຮ່ວມພື້ນທີ່ນີ້ໄດ້.",
|
||||
"Anyone will be able to find and join this space, not just members of <SpaceName/>.": "ທຸກຄົນຈະສາມາດຊອກຫາ ແລະເຂົ້າຮ່ວມພື້ນທີ່ນີ້, ບໍ່ພຽງແຕ່ສະມາຊິກຂອງ <SpaceName/> ເທົ່ານັ້ນ.",
|
||||
"Anyone in <SpaceName/> will be able to find and join.": "ທຸກຄົນໃນ <SpaceName/> ຈະສາມາດຊອກຫາ ແລະ ເຂົ້າຮ່ວມໄດ້.",
|
||||
"Block anyone not part of %(serverName)s from ever joining this room.": "ບລັອກຜູ້ທີ່ບໍ່ມີສ່ວນຮ່ວມ %(serverName)s ບໍ່ໃຫ້ເຂົ້າຮ່ວມຫ້ອງນີ້.",
|
||||
"Visible to space members": "ເບິ່ງເຫັນພື້ນທີ່ຂອງສະມາຊິກ",
|
||||
"Public room": "ຫ້ອງສາທາລະນະ",
|
||||
"Private room (invite only)": "ຫ້ອງສ່ວນຕົວ (ເຊີນເທົ່ານັ້ນ)",
|
||||
"Room visibility": "ການເບິ່ງເຫັນຫ້ອງ",
|
||||
"Topic (optional)": "ຫົວຂໍ້ (ທາງເລືອກ)",
|
||||
"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.": "ທ່ານອາດຈະປິດການທໍາງານນີ້ຖ້າຫ້ອງຈະຖືກໃຊ້ສໍາລັບການຮ່ວມມືກັບທີມງານພາຍນອກທີ່ມີ homeserver ເປັນຂອງຕົນເອງ. ອັນນີ້ບໍ່ສາມາດປ່ຽນແປງໄດ້ໃນພາຍຫຼັງ.",
|
||||
"You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "ທ່ານອາດຈະເປີດໃຊ້ງານຫ້ອງນີ້ຖ້າຫາກຈະໃຊ້ເພື່ອຮ່ວມມືກັບທີມງານພາຍໃນຢູ່ໃນເຊີບເວີຂອງທ່ານເທົ່ານັ້ນ. ອັນນີ້ບໍ່ສາມາດປ່ຽນແປງໄດ້ໃນພາຍຫຼັງ.",
|
||||
"Enable end-to-end encryption": "ເປີດໃຊ້ການເຂົ້າລະຫັດແຕ່ຕົ້ນທາງເຖິງປາຍທາງ",
|
||||
"Your server requires encryption to be enabled in private rooms.": "ເຊີບເວີຂອງທ່ານຮຽກຮ້ອງໃຫ້ມີການເຂົ້າລະຫັດເພື່ອເປີດໃຊ້ຫ້ອງສ່ວນຕົວ.",
|
||||
"You can't disable this later. Bridges & most bots won't work yet.": "ທ່ານບໍ່ສາມາດປິດການທໍາງານນີ້ໄດ້ໃນພາຍຫຼັງ. Bridges ແລະ bots ສ່ວນໃຫຍ່ຈະບໍ່ເຮັດວຽກເທື່ອ.",
|
||||
"Only people invited will be able to find and join this room.": "ມີແຕ່ຄົນທີ່ໄດ້ຮັບເຊີນເທົ່ານັ້ນທີ່ສາມາດຊອກຫາ ແລະເຂົ້າຮ່ວມຫ້ອງນີ້ໄດ້.",
|
||||
"Anyone will be able to find and join this room.": "ທຸກຄົນຈະສາມາດຊອກຫາ ແລະເຂົ້າຮ່ວມຫ້ອງນີ້ໄດ້.",
|
||||
"Anyone will be able to find and join this room, not just members of <SpaceName/>.": "ທຸກຄົນຈະສາມາດຊອກຫາ ແລະເຂົ້າຮ່ວມຫ້ອງນີ້ໄດ້, ບໍ່ພຽງແຕ່ສະມາຊິກຂອງ <SpaceName/> ເທົ່ານັ້ນ.",
|
||||
"You can change this at any time from room settings.": "ທ່ານສາມາດປ່ຽນສິ່ງນີ້ໄດ້ທຸກເວລາຈາກການຕັ້ງຄ່າຫ້ອງ.",
|
||||
"Everyone in <SpaceName/> will be able to find and join this room.": "ທຸກຄົນໃນ <SpaceName/> ຈະສາມາດຊອກຫາ ແລະເຂົ້າຮ່ວມຫ້ອງນີ້ໄດ້.",
|
||||
"Please enter a name for the room": "ກະລຸນາໃສ່ຊື່ຫ້ອງ",
|
||||
"Clear all data": "ລຶບລ້າງຂໍ້ມູນທັງໝົດ",
|
||||
"Feedback sent": "ສົ່ງຄຳຕິຊົມແລ້ວ",
|
||||
"An error has occurred.": "ໄດ້ເກີດຂໍ້ຜິດພາດ.",
|
||||
"Sorry, the poll did not end. Please try again.": "ຂໍອະໄພ,ບໍ່ສາມາດສິ້ນສຸດການສຳຫຼວດ. ກະລຸນາລອງອີກຄັ້ງ.",
|
||||
"Failed to end poll": "ບໍ່ສາມາດສີ່ນສູດການສຳຫຼວດ",
|
||||
|
@ -1544,8 +1439,6 @@
|
|||
"Enable message search in encrypted rooms": "ເປີດໃຊ້ການຊອກຫາຂໍ້ຄວາມຢູ່ໃນຫ້ອງທີ່ຖືກເຂົ້າລະຫັດ",
|
||||
"Show hidden events in timeline": "ສະແດງເຫດການທີ່ເຊື່ອງໄວ້ໃນທາມລາຍ",
|
||||
"Enable widget screenshots on supported widgets": "ເປີດໃຊ້ widget ຖ່າຍໜ້າຈໍໃນ widget ທີ່ຮອງຮັບ",
|
||||
"Enable URL previews by default for participants in this room": "ເປີດໃຊ້ການສະແດງຕົວຢ່າງ URL ໂດຍຄ່າເລີ່ມຕົ້ນສໍາລັບຜູ້ເຂົ້າຮ່ວມໃນຫ້ອງນີ້",
|
||||
"Enable URL previews for this room (only affects you)": "ເປີດໃຊ້ຕົວຢ່າງ URL ສໍາລັບຫ້ອງນີ້ (ມີຜົນຕໍ່ທ່ານເທົ່ານັ້ນ)",
|
||||
"Never send encrypted messages to unverified sessions in this room from this session": "ບໍ່ສົ່ງຂໍ້ຄວາມເຂົ້າລະຫັດໄປຫາລະບົບທີ່ບໍ່ໄດ້ຢືນຢັນໃນຫ້ອງນີ້ຈາກລະບົບນີ້",
|
||||
"Never send encrypted messages to unverified sessions from this session": "ບໍ່ສົ່ງຂໍ້ຄວາມເຂົ້າລະຫັດໄປຫາລະບົບທີ່ບໍ່ໄດ້ຢືນຢັນຈາກລະບົບນີ້",
|
||||
"Send analytics data": "ສົ່ງຂໍ້ມູນການວິເຄາະ",
|
||||
|
@ -1770,25 +1663,6 @@
|
|||
"Your %(brand)s is misconfigured": "%(brand)s ກຳນົດຄ່າຂອງທ່ານບໍ່ຖືກຕ້ອງ",
|
||||
"Ensure you have a stable internet connection, or get in touch with the server admin": "ໃຫ້ແນ່ໃຈວ່າທ່ານມີການເຊື່ອມຕໍ່ອິນເຕີເນັດທີ່ຫມັ້ນຄົງ, ຫຼື ຕິດຕໍ່ກັບຜູ້ຄູ້ມຄອງເຊີບເວີ",
|
||||
"Cannot reach homeserver": "ບໍ່ສາມາດຕິດຕໍ່ homeserver ໄດ້",
|
||||
"See <b>%(msgtype)s</b> messages posted to your active room": "ເບິ່ງ <b>%(msgtype)s</b> ຂໍ້ຄວາມທີ່ໂພສໃນຫ້ອງໃຊ້ງານຂອງທ່ານ",
|
||||
"See <b>%(msgtype)s</b> messages posted to this room": "ເບິ່ງ <b>%(msgtype)s</b> ຂໍ້ຄວາມທີ່ໂພສໃນຫ້ອງນີ້",
|
||||
"Send <b>%(msgtype)s</b> messages as you in your active room": "ສົ່ງຂໍ້ຄວາມ <b>%(msgtype)s</b> ໃນຂະນະທີ່ທ່ານຢູ່ໃນຫ້ອງຂອງທ່ານ",
|
||||
"Send <b>%(msgtype)s</b> messages as you in this room": "ສົ່ງຂໍ້ຄວາມ <b>%(msgtype)s</b> ໃນຂະນະທີ່ທ່ານຢູ່ໃນຫ້ອງນີ້",
|
||||
"See general files posted to your active room": "ເບິ່ງໄຟລ໌ທົ່ວໄປທີ່ໂພສໃນຫ້ອງຂອງທ່ານ",
|
||||
"See general files posted to this room": "ເບິ່ງໄຟລ໌ທົ່ວໄປທີ່ໂພສໃນຫ້ອງນີ້",
|
||||
"Send general files as you in your active room": "ສົ່ງໄຟລ໌ທົ່ວໄປໃນຂະນະທີ່ທ່ານຢູ່ໃນຫ້ອງຂອງທ່ານ",
|
||||
"Send general files as you in this room": "ສົ່ງໄຟລ໌ທົ່ວໄປໃນຂະນະທີ່ທ່ານຢູ່ໃນຫ້ອງນີ້",
|
||||
"See videos posted to your active room": "ເບິ່ງວິດີໂອທີ່ໂພສໃນຫ້ອງຂອງທ່ານ",
|
||||
"See videos posted to this room": "ເບິ່ງວິດີໂອທີ່ໂພສໃນຫ້ອງນີ້",
|
||||
"Send videos as you in this room": "ສົ່ງວິດີໂອໃນຂະນະທີ່ທ່ານຢູ່ໃນຫ້ອງນີ້",
|
||||
"See images posted to your active room": "ເບິ່ງຮູບທີ່ໂພສໃນຫ້ອງຂອງທ່ານ",
|
||||
"See images posted to this room": "ເບິ່ງຮູບທີ່ໂພສໃນຫ້ອງນີ້",
|
||||
"Send images as you in your active room": "ສົ່ງຮູບພາບໃນຂະນະທີ່ທ່ານຢູ່ໃນຫ້ອງຂອງທ່ານ",
|
||||
"Send images as you in this room": "ສົ່ງຮູບພາບໃນຂະນະທີ່ທ່ານຢູ່ໃນຫ້ອງນີ້",
|
||||
"Send videos as you in your active room": "ສົ່ງວິດີໂອໃນຂະນະທີ່ທ່ານຢູ່ໃນຫ້ອງຂອງທ່ານ",
|
||||
"See emotes posted to your active room": "ເບິ່ງໂພສ emotes ໃນຫ້ອງຂອງທ່ານ",
|
||||
"See emotes posted to this room": "ເບິ່ງໂພສ emotes ໃນຫ້ອງນີ້",
|
||||
"Send emotes as you in your active room": "ສົ່ງ emotes ໃນຂະນະທີ່ທ່ານຢູ່ໃນຫ້ອງຂອງທ່ານ",
|
||||
"Email (optional)": "ອີເມວ (ທາງເລືອກ)",
|
||||
"Just a heads up, if you don't add an email and forget your password, you could <b>permanently lose access to your account</b>.": "ກະລຸນາຮັບຊາບວ່າ, ຖ້າທ່ານບໍ່ເພີ່ມອີເມວ ແລະ ລືມລະຫັດຜ່ານຂອງທ່ານ, ທ່ານອາດ <b>ສູນເສຍການເຂົ້າເຖິງບັນຊີຂອງທ່ານຢ່າງຖາວອນ</b>.",
|
||||
"Confirm logging out these devices by using Single Sign On to prove your identity.": {
|
||||
|
@ -2132,11 +2006,6 @@
|
|||
"Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "ຕົກລົງເຫັນດີກັບ ເຊີບເວີ(%(serverName)s) ເງື່ອນໄຂການໃຫ້ບໍລິການເພື່ອອະນຸຍາດໃຫ້ຕົວທ່ານເອງສາມາດຄົ້ນພົບໄດ້ໂດຍທີ່ຢູ່ອີເມວ ຫຼືເບີໂທລະສັບ.",
|
||||
"Language and region": "ພາສາ ແລະ ພາກພື້ນ",
|
||||
"Account": "ບັນຊີ",
|
||||
"Sign into your homeserver": "ເຂົ້າສູ່ລະບົບ homeserver ຂອງທ່ານ",
|
||||
"Matrix.org is the biggest public homeserver in the world, so it's a good place for many.": "Matrix.org ເປັນ homeserver ສາທາລະນະທີ່ໃຫຍ່ທີ່ສຸດໃນໂລກ, ສະນັ້ນມັນເປັນສະຖານທີ່ທີ່ດີສໍາລັບຫຼາຍໆຄົນ.",
|
||||
"Specify a homeserver": "ລະບຸ homeserver",
|
||||
"Invalid URL": "URL ບໍ່ຖືກຕ້ອງ",
|
||||
"Unable to validate homeserver": "ບໍ່ສາມາດກວດສອບ homeserver ໄດ້",
|
||||
"Recent changes that have not yet been received": "ການປ່ຽນແປງຫຼ້າສຸດທີ່ຍັງບໍ່ທັນໄດ້ຮັບ",
|
||||
"The server is not configured to indicate what the problem is (CORS).": "ເຊີບເວີບໍ່ໄດ້ຖືກຕັ້ງຄ່າເພື່ອຊີ້ບອກວ່າບັນຫາແມ່ນຫຍັງ (CORS).",
|
||||
"A connection error occurred while trying to contact the server.": "ເກີດຄວາມຜິດພາດໃນການເຊື່ອມຕໍ່ໃນຂະນະທີ່ພະຍາຍາມຕິດຕໍ່ກັບເຊີບເວີ.",
|
||||
|
@ -2201,7 +2070,6 @@
|
|||
"other": "ສະແດງຕົວຢ່າງອື່ນໆ %(count)s"
|
||||
},
|
||||
"Scroll to most recent messages": "ເລື່ອນໄປຫາຂໍ້ຄວາມຫຼ້າສຸດ",
|
||||
"You can't see earlier messages": "ທ່ານບໍ່ສາມາດເຫັນຂໍ້ຄວາມກ່ອນໜ້ານີ້",
|
||||
"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>": "ເມື່ອເປີດໃຊ້ແລ້ວ, ການເຂົ້າລະຫັດລັບຂອງຫ້ອງບໍ່ສາມາດປິດໃຊ້ງານໄດ້. ຂໍ້ຄວາມທີ່ສົ່ງຢູ່ໃນຫ້ອງທີ່ເຂົ້າລະຫັດບໍ່ສາມາດເຫັນໄດ້ໂດຍເຊີບເວີ, ສະເພາະແຕ່ຜູ້ເຂົ້າຮ່ວມຂອງຫ້ອງເທົ່ານັ້ນ. ການເປີດໃຊ້ການເຂົ້າລະຫັດອາດຈະເຮັດໃຫ້ bots ແລະ bridges ຈໍານວນຫຼາຍເຮັດວຽກບໍ່ຖືກຕ້ອງ. <a>ສຶກສາເພີ່ມເຕີມກ່ຽວກັບການເຂົ້າລະຫັດ.</a>",
|
||||
"Enable encryption?": "ເປີດໃຊ້ງານການເຂົ້າລະຫັດບໍ?",
|
||||
"To avoid these issues, create a <a>new encrypted room</a> for the conversation you plan to have.": "ເພື່ອຫຼີກລ້ຽງບັນຫາເຫຼົ່ານີ້, ສ້າງ <a>ຫ້ອງເຂົ້າລະຫັດໃຫມ່</a> ສໍາລັບການສົນທະນາທີ່ທ່ານວາງແຜນຈະມີ.",
|
||||
|
@ -2408,7 +2276,8 @@
|
|||
"cross_signing": "ການເຂົ້າລະຫັດແບບໄຂ້ວ",
|
||||
"identity_server": "ຕົວເຊີບເວີ",
|
||||
"integration_manager": "ຜູ້ຈັດການປະສົມປະສານ",
|
||||
"qr_code": "ລະຫັດ QR"
|
||||
"qr_code": "ລະຫັດ QR",
|
||||
"feedback": "ຄໍາຕິຊົມ"
|
||||
},
|
||||
"action": {
|
||||
"continue": "ສືບຕໍ່",
|
||||
|
@ -2751,7 +2620,9 @@
|
|||
"timeline_image_size": "ຂະຫນາດຮູບພາບຢູ່ໃນທາມລາຍ",
|
||||
"timeline_image_size_default": "ຄ່າເລີ່ມຕົ້ນ",
|
||||
"timeline_image_size_large": "ຂະຫນາດໃຫຍ່"
|
||||
}
|
||||
},
|
||||
"inline_url_previews_room_account": "ເປີດໃຊ້ຕົວຢ່າງ URL ສໍາລັບຫ້ອງນີ້ (ມີຜົນຕໍ່ທ່ານເທົ່ານັ້ນ)",
|
||||
"inline_url_previews_room": "ເປີດໃຊ້ການສະແດງຕົວຢ່າງ URL ໂດຍຄ່າເລີ່ມຕົ້ນສໍາລັບຜູ້ເຂົ້າຮ່ວມໃນຫ້ອງນີ້"
|
||||
},
|
||||
"devtools": {
|
||||
"send_custom_account_data_event": "ສົ່ງຂໍ້ມູນບັນຊີແບບກຳນົດເອງທຸກເຫດການ",
|
||||
|
@ -2876,7 +2747,23 @@
|
|||
"title_public_room": "ສ້າງຫ້ອງສາທາລະນະ",
|
||||
"title_private_room": "ສ້າງຫ້ອງສ່ວນຕົວ",
|
||||
"action_create_video_room": "ສ້າງຫ້ອງວິດີໂອ",
|
||||
"action_create_room": "ສ້າງຫ້ອງ"
|
||||
"action_create_room": "ສ້າງຫ້ອງ",
|
||||
"name_validation_required": "ກະລຸນາໃສ່ຊື່ຫ້ອງ",
|
||||
"join_rule_restricted_label": "ທຸກຄົນໃນ <SpaceName/> ຈະສາມາດຊອກຫາ ແລະເຂົ້າຮ່ວມຫ້ອງນີ້ໄດ້.",
|
||||
"join_rule_change_notice": "ທ່ານສາມາດປ່ຽນສິ່ງນີ້ໄດ້ທຸກເວລາຈາກການຕັ້ງຄ່າຫ້ອງ.",
|
||||
"join_rule_public_parent_space_label": "ທຸກຄົນຈະສາມາດຊອກຫາ ແລະເຂົ້າຮ່ວມຫ້ອງນີ້ໄດ້, ບໍ່ພຽງແຕ່ສະມາຊິກຂອງ <SpaceName/> ເທົ່ານັ້ນ.",
|
||||
"join_rule_public_label": "ທຸກຄົນຈະສາມາດຊອກຫາ ແລະເຂົ້າຮ່ວມຫ້ອງນີ້ໄດ້.",
|
||||
"join_rule_invite_label": "ມີແຕ່ຄົນທີ່ໄດ້ຮັບເຊີນເທົ່ານັ້ນທີ່ສາມາດຊອກຫາ ແລະເຂົ້າຮ່ວມຫ້ອງນີ້ໄດ້.",
|
||||
"encrypted_warning": "ທ່ານບໍ່ສາມາດປິດການທໍາງານນີ້ໄດ້ໃນພາຍຫຼັງ. Bridges ແລະ bots ສ່ວນໃຫຍ່ຈະບໍ່ເຮັດວຽກເທື່ອ.",
|
||||
"encryption_forced": "ເຊີບເວີຂອງທ່ານຮຽກຮ້ອງໃຫ້ມີການເຂົ້າລະຫັດເພື່ອເປີດໃຊ້ຫ້ອງສ່ວນຕົວ.",
|
||||
"encryption_label": "ເປີດໃຊ້ການເຂົ້າລະຫັດແຕ່ຕົ້ນທາງເຖິງປາຍທາງ",
|
||||
"unfederated_label_default_off": "ທ່ານອາດຈະເປີດໃຊ້ງານຫ້ອງນີ້ຖ້າຫາກຈະໃຊ້ເພື່ອຮ່ວມມືກັບທີມງານພາຍໃນຢູ່ໃນເຊີບເວີຂອງທ່ານເທົ່ານັ້ນ. ອັນນີ້ບໍ່ສາມາດປ່ຽນແປງໄດ້ໃນພາຍຫຼັງ.",
|
||||
"unfederated_label_default_on": "ທ່ານອາດຈະປິດການທໍາງານນີ້ຖ້າຫ້ອງຈະຖືກໃຊ້ສໍາລັບການຮ່ວມມືກັບທີມງານພາຍນອກທີ່ມີ homeserver ເປັນຂອງຕົນເອງ. ອັນນີ້ບໍ່ສາມາດປ່ຽນແປງໄດ້ໃນພາຍຫຼັງ.",
|
||||
"topic_label": "ຫົວຂໍ້ (ທາງເລືອກ)",
|
||||
"room_visibility_label": "ການເບິ່ງເຫັນຫ້ອງ",
|
||||
"join_rule_invite": "ຫ້ອງສ່ວນຕົວ (ເຊີນເທົ່ານັ້ນ)",
|
||||
"join_rule_restricted": "ເບິ່ງເຫັນພື້ນທີ່ຂອງສະມາຊິກ",
|
||||
"unfederated": "ບລັອກຜູ້ທີ່ບໍ່ມີສ່ວນຮ່ວມ %(serverName)s ບໍ່ໃຫ້ເຂົ້າຮ່ວມຫ້ອງນີ້."
|
||||
},
|
||||
"timeline": {
|
||||
"m.call.invite": {
|
||||
|
@ -3144,7 +3031,11 @@
|
|||
"changed_rule_rooms": "%(senderName)s ໄດ້ປ່ຽນກົດລະບຽບທີ່ຫ້າມການຈັບຄູ່ຫ້ອງ %(oldGlob)s ເປັນການຈັບຄູ່ %(newGlob)s ສໍາລັບ %(reason)s",
|
||||
"changed_rule_servers": "%(senderName)s ໄດ້ປ່ຽນກົດລະບຽບທີ່ຫ້າມເຊີບເວີຈັບຄູ່ກັນ %(oldGlob)s ເປັນການຈັບຄູ່%(newGlob)s ສໍາລັບ %(reason)s",
|
||||
"changed_rule_glob": "%(senderName)s ອັບເດດກົດລະບຽບການຫ້າມຈັບຄູ່ກັນ %(oldGlob)s ການຈັບຄູ່ກັນ%(newGlob)s ສໍາລັບ %(reason)s"
|
||||
}
|
||||
},
|
||||
"no_permission_messages_before_invite": "ທ່ານບໍ່ໄດ້ຮັບອະນຸຍາດໃຫ້ເບິ່ງຂໍ້ຄວາມ ກ່ອນທີ່ທ່ານໄດ້ຖືກເຊີນ.",
|
||||
"no_permission_messages_before_join": "ທ່ານບໍ່ໄດ້ຮັບອະນຸຍາດໃຫ້ເບິ່ງຂໍ້ຄວາມ ກ່ອນທີ່ທ່ານເຂົ້າຮ່ວມ.",
|
||||
"encrypted_historical_messages_unavailable": "ຂໍ້ຄວາມທີ່ເຂົ້າລະຫັດໄວ້ກ່ອນຈຸດນີ້ບໍ່ສາມາດໃຊ້ໄດ້.",
|
||||
"historical_messages_unavailable": "ທ່ານບໍ່ສາມາດເຫັນຂໍ້ຄວາມກ່ອນໜ້ານີ້"
|
||||
},
|
||||
"slash_command": {
|
||||
"spoiler": "ສົ່ງຂໍ້ຄວາມທີ່ກຳນົດເປັນ spoiler",
|
||||
|
@ -3199,7 +3090,14 @@
|
|||
"holdcall": "ວາງສາຍໄວ້ຢູ່ໃນຫ້ອງປະຈຸບັນ",
|
||||
"no_active_call": "ບໍ່ມີການໂທຢູ່ໃນຫ້ອງນີ້",
|
||||
"unholdcall": "ການຮັບສາຍໃນຫ້ອງປະຈຸບັນຖຶກປິດໄວ້",
|
||||
"me": "ສະແດງການດຳເນີນການ"
|
||||
"me": "ສະແດງການດຳເນີນການ",
|
||||
"error_invalid_runfn": "ຄໍາສັ່ງຜິດພາດ: ບໍ່ສາມາດຈັດການກັບຄໍາສັ່ງ slash ໄດ້.",
|
||||
"error_invalid_rendering_type": "ຄໍາສັ່ງຜິດພາດ: ບໍ່ສາມາດຊອກຫາປະເພດການສະແດງຜົນ (%(renderingType)s)",
|
||||
"join": "ເຂົ້າຮ່ວມຫ້ອງຕາມທີ່ຢູ່ໄດ້ລະບຸໃຫ້",
|
||||
"failed_find_room": "ຄຳສັ່ງບໍ່ສໍາເລັດ: ບໍ່ສາມາດຊອກຫາຫ້ອງ (%(roomId)s",
|
||||
"failed_find_user": "ບໍ່ສາມາດຊອກຫາຜູ້ໃຊ້ຢູ່ໃນຫ້ອງໄດ້",
|
||||
"op": "ກໍານົດລະດັບພະລັງງານຂອງຜູ້ໃຊ້",
|
||||
"deop": "Deops ຜູ້ໃຊ້ທີ່ມີ ID"
|
||||
},
|
||||
"presence": {
|
||||
"busy": "ບໍ່ຫວ່າງ",
|
||||
|
@ -3375,8 +3273,38 @@
|
|||
"account_clash_previous_account": "ສືບຕໍ່ກັບບັນຊີທີ່ຜ່ານມາ",
|
||||
"log_in_new_account": "<a>ເຂົ້າສູ່ລະບົບ</a> ບັນຊີໃໝ່ຂອງທ່ານ.",
|
||||
"registration_successful": "ການລົງທະບຽນສຳເລັດແລ້ວ",
|
||||
"server_picker_title": "ບັນຊີເຈົ້າພາບເປີດຢູ່",
|
||||
"server_picker_dialog_title": "ຕັດສິນໃຈວ່າບັນຊີຂອງທ່ານໃຊ້ເປັນເຈົ້າພາບຢູ່ໃສ"
|
||||
"server_picker_title": "ເຂົ້າສູ່ລະບົບ homeserver ຂອງທ່ານ",
|
||||
"server_picker_dialog_title": "ຕັດສິນໃຈວ່າບັນຊີຂອງທ່ານໃຊ້ເປັນເຈົ້າພາບຢູ່ໃສ",
|
||||
"footer_powered_by_matrix": "ຂັບເຄື່ອນໂດຍ Matrix",
|
||||
"failed_homeserver_discovery": "ການປະຕິບັດການຄົ້ນພົບ homeserver ບໍ່ສຳເລັດ",
|
||||
"sync_footer_subtitle": "ຖ້າທ່ານໄດ້ເຂົ້າຮ່ວມຫຼາຍຫ້ອງ, ມັນອາດຈະໃຊ້ເວລາໄລຍະໜຶ່ງ",
|
||||
"unsupported_auth_msisdn": "ເຊີບເວີນີ້ບໍ່ຮອງຮັບການພິສູດຢືນຢັນດ້ວຍເບີໂທລະສັບ.",
|
||||
"unsupported_auth_email": "homeserver ນີ້ບໍ່ຮອງຮັບການເຂົ້າສູ່ລະບົບໂດຍໃຊ້ທີ່ຢູ່ອີເມວ.",
|
||||
"registration_disabled": "ການລົງທະບຽນຖືກປິດການນຳໃຊ້ໃນ homeserver ນີ້.",
|
||||
"failed_query_registration_methods": "ບໍ່ສາມາດສອບຖາມວິທີການລົງທະບຽນໄດ້.",
|
||||
"username_in_use": "ບາງຄົນມີຊື່ຜູ້ໃຊ້ນັ້ນແລ້ວ, ກະລຸນາລອງຊຶ່ຜູ້ໃຊ້ອື່ນ.",
|
||||
"incorrect_password": "ລະຫັດຜ່ານບໍ່ຖືກຕ້ອງ",
|
||||
"failed_soft_logout_auth": "ການພິສູດຢືນຢັນຄືນໃໝ່ບໍ່ສຳເລັດ",
|
||||
"soft_logout_heading": "ທ່ານອອກຈາກລະບົບແລ້ວ",
|
||||
"forgot_password_email_required": "ຕ້ອງໃສ່ທີ່ຢູ່ອີເມວທີ່ເຊື່ອມຕໍ່ກັບບັນຊີຂອງທ່ານ.",
|
||||
"forgot_password_email_invalid": "ທີ່ຢູ່ອີເມວບໍ່ຖືກຕ້ອງ.",
|
||||
"sign_in_prompt": "ມີບັນຊີບໍ? <a>ເຂົ້າສູ່ລະບົບ</a>",
|
||||
"forgot_password_prompt": "ລືມລະຫັດຜ່ານຂອງທ່ານບໍ?",
|
||||
"soft_logout_intro_password": "ໃສ່ລະຫັດຜ່ານຂອງທ່ານເພື່ອເຂົ້າສູ່ລະບົບ ແລະ ເຂົ້າເຖິງບັນຊີຂອງທ່ານຄືນໃໝ່.",
|
||||
"soft_logout_intro_sso": "ເຂົ້າສູ່ລະບົບ ແລະ ເຂົ້າເຖິງບັນຊີຂອງທ່ານຄືນໃໝ່.",
|
||||
"soft_logout_intro_unsupported_auth": "ທ່ານບໍ່ສາມາດເຂົ້າສູ່ລະບົບບັນຊີຂອງທ່ານໄດ້. ກະລຸນາຕິດຕໍ່ຜູຸ້ຄຸ້ມຄອງ homeserver ຂອງທ່ານສໍາລັບຂໍ້ມູນເພີ່ມເຕີມ.",
|
||||
"create_account_prompt": "ມາໃໝ່ບໍ? <a>ສ້າງບັນຊີ</a>",
|
||||
"sign_in_or_register": "ເຂົ້າສູ່ລະບົບ ຫຼື ສ້າງບັນຊີ",
|
||||
"sign_in_or_register_description": "ໃຊ້ບັນຊີຂອງທ່ານ ຫຼື ສ້າງອັນໃໝ່ເພື່ອສືບຕໍ່.",
|
||||
"register_action": "ສ້າງບັນຊີ",
|
||||
"server_picker_failed_validate_homeserver": "ບໍ່ສາມາດກວດສອບ homeserver ໄດ້",
|
||||
"server_picker_invalid_url": "URL ບໍ່ຖືກຕ້ອງ",
|
||||
"server_picker_required": "ລະບຸ homeserver",
|
||||
"server_picker_matrix.org": "Matrix.org ເປັນ homeserver ສາທາລະນະທີ່ໃຫຍ່ທີ່ສຸດໃນໂລກ, ສະນັ້ນມັນເປັນສະຖານທີ່ທີ່ດີສໍາລັບຫຼາຍໆຄົນ.",
|
||||
"server_picker_intro": "ພວກເຮົາໂທຫາສະຖານที่ບ່ອນທີ່ທ່ານເປັນhostບັນຊີຂອງທ່ານ 'homeservers'.",
|
||||
"server_picker_custom": "homeserver ອື່ນ",
|
||||
"server_picker_explainer": "ໃຊ້ Matrix homeserver ທີ່ທ່ານຕ້ອງການ ຖ້າຫາກທ່ານມີ ຫຼື ເປັນເຈົ້າພາບເອງ.",
|
||||
"server_picker_learn_more": "ກ່ຽວກັບ homeservers"
|
||||
},
|
||||
"room_list": {
|
||||
"sort_unread_first": "ສະແດງຫ້ອງຂໍ້ຄວາມທີ່ຍັງບໍ່ທັນໄດ້ອ່ານກ່ອນ",
|
||||
|
@ -3433,5 +3361,81 @@
|
|||
"access_token_detail": "ການເຂົ້າເຖິງໂທເຄັນຂອງທ່ານເປັນການເຂົ້າເຖິງບັນຊີຂອງທ່ານຢ່າງເຕັມທີ່. ຢ່າແບ່ງປັນໃຫ້ຄົນອຶ່ນ.",
|
||||
"clear_cache_reload": "ລຶບ cache ແລະ ໂຫຼດໃຫມ່"
|
||||
}
|
||||
},
|
||||
"widget": {
|
||||
"capability": {
|
||||
"send_stickers_this_room": "ສົ່ງສະຕິກເກີເຂົ້າມາໃນຫ້ອງນີ້",
|
||||
"send_stickers_active_room": "ສົ່ງສະຕິກເກີເຂົ້າໄປໃນຫ້ອງເຮັດວຽກຂອງທ່ານ",
|
||||
"send_stickers_this_room_as_you": "ສົ່ງສະຕິກເກີໄປຫາຫ້ອງນີ້ໃນນາມທ່ານ",
|
||||
"send_stickers_active_room_as_you": "ສົ່ງສະຕິກເກີໄປຫາຫ້ອງຂອງທ່ານ",
|
||||
"see_sticker_posted_this_room": "ເບິ່ງເມື່ອມີສະຕິກເກີຖືກໂພສຢູ່ໃນຫ້ອງນີ້",
|
||||
"see_sticker_posted_active_room": "ເບິ່ງເວລາທີ່ຄົນໂພສສະຕິກເກີໃສ່ຫ້ອງຂອງທ່ານ",
|
||||
"always_on_screen_viewing_another_room": "ຢູ່ຫນ້າຈໍຂອງທ່ານໃນເວລາເບິ່ງຫ້ອງອື່ນ, ໃນຄະນະທີ່ກຳລັງດຳເນີນການ",
|
||||
"always_on_screen_generic": "ຢູ່ໃນຫນ້າຈໍຂອງທ່ານໃນຂະນະທີ່ກຳລັງດຳເນີນການ",
|
||||
"switch_room": "ປ່ຽນຫ້ອງທີ່ທ່ານກຳລັງເບິ່ງ",
|
||||
"switch_room_message_user": "ປ່ຽນຫ້ອງ, ຂໍ້ຄວາມ, ຫຼື ຜູ້ໃຊ້ທີ່ທ່ານກຳລັງເບິ່ງຢູ່",
|
||||
"change_topic_this_room": "ປ່ຽນຫົວຂໍ້ຂອງຫ້ອງນີ້",
|
||||
"see_topic_change_this_room": "ເບິ່ງເມື່ອຫົວຂໍ້ຢູ່ໃນຫ້ອງນີ້ປ່ຽນ",
|
||||
"change_topic_active_room": "ປ່ຽນຫົວຂໍ້ຂອງຫ້ອງຂອງທ່ານ",
|
||||
"see_topic_change_active_room": "ເບິ່ງເມື່ອຫົວຂໍ້ປ່ຽນແປງຢູ່ໃນຫ້ອງຂອງທ່ານ",
|
||||
"change_name_this_room": "ປ່ຽນຊື່ຫ້ອງນີ້",
|
||||
"see_name_change_this_room": "ເບິ່ງເມື່ອປ່ຽນຊື່ຢູ່ໃນຫ້ອງນີ້",
|
||||
"change_name_active_room": "ປ່ຽນຊື່ຫ້ອງຂອງທ່ານ",
|
||||
"see_name_change_active_room": "ເບິ່ງເມື່ອປ່ຽນແປງຊື່ຢູ່ໃນຫ້ອງຂອງທ່ານ",
|
||||
"change_avatar_this_room": "ປ່ຽນຮູບແທນຕົວຂອງຫ້ອງນີ້",
|
||||
"see_avatar_change_this_room": "ເບິ່ງເມື່ອຮູບແທນຕົວປ່ຽນແປງຢູ່ໃນຫ້ອງນີ້",
|
||||
"change_avatar_active_room": "ປ່ຽນຮູບແທນຕົວຂອງຫ້ອງທ່ານ",
|
||||
"see_avatar_change_active_room": "ເບິ່ງເມື່ອຮູບແທນຕົວປ່ຽນແປງຢູ່ໃນຫ້ອງຂອງທ່ານ",
|
||||
"remove_ban_invite_leave_this_room": "ລຶບ, ຫ້າມ, ຫຼື ເຊີນຄົນເຂົ້າຫ້ອງນີ້ ແລະ ເຮັດໃຫ້ທ່ານອອກໄປ",
|
||||
"receive_membership_this_room": "ເບິ່ງເມື່ອຄົນເຂົ້າຮ່ວມ, ອອກໄປ, ຫຼື ຖືກເຊີນເຂົ້າຫ້ອງນີ້",
|
||||
"remove_ban_invite_leave_active_room": "ເອົາ, ຫ້າມ, ຫຼື ເຊີນຄົນເຂົ້າຫ້ອງທີ່ຂອງທ່ານ ແລະ ເຮັດໃຫ້ທ່ານເດັ່ງອອກໄປ",
|
||||
"receive_membership_active_room": "ເບິ່ງເມື່ອຄົນເຂົ້າຮ່ວມ, ອອກໄປ, ຫຼື ຖືກເຊີນເຂົ້າຫ້ອງຂອງທ່ານ",
|
||||
"byline_empty_state_key": "ດ້ວຍປຸ່ມລັດ empty",
|
||||
"byline_state_key": "ດ້ວຍປຸ່ມລັດ %(stateKey)s",
|
||||
"any_room": "ດັ່ງຂ້າງເທິງ, ທ່ານຢູ່ຫ້ອງໃດກໍ່ຕາມ ທ່ານຈະໄດ້ຖືກເຂົ້າຮ່ວມ ຫຼື ເຊີນເຂົ້າຮ່ວມເຊັ່ນດຽວກັນ",
|
||||
"specific_room": "ຂ້າງເທິງ, ແຕ່ຢູ່ໃນ <Room /> ເຊັ່ນດຽວກັນ",
|
||||
"send_event_type_this_room": "ສົ່ງເຫດການ <b>%(eventType)s</b> ໃນນາມທ່ານຢູ່ໃນຫ້ອງນີ້",
|
||||
"see_event_type_sent_this_room": "ເບິ່ງເຫດການ <b>%(eventType)s</b> ທີ່ໂພສໃສ່ຫ້ອງນີ້",
|
||||
"send_event_type_active_room": "ສົ່ງ <b>%(eventType)s</b> ເຫດການໃນຂະນະທີ່ທ່ານຢູ່ໃນຫ້ອງຂອງທ່ານ",
|
||||
"see_event_type_sent_active_room": "ເບິ່ງເຫດການ <b>%(eventType)s</b> ທີ່ໂພສໃສ່ຫ້ອງຂອງທ່ານ",
|
||||
"capability": "ຄວາມສາມາດ <b>%(capability)s</b>",
|
||||
"send_messages_this_room": "ສົ່ງຂໍ້ຄວາມໃນນາມທ່ານຢູ່ໃນຫ້ອງນີ້",
|
||||
"send_messages_active_room": "ສົ່ງຂໍ້ຄວາມໃນນາມທ່ານຢູ່ໃນຫ້ອງຂອງທ່ານ",
|
||||
"see_messages_sent_this_room": "ເບິ່ງຂໍ້ຄວາມທີ່ໂພສໃສ່ຫ້ອງນີ້",
|
||||
"see_messages_sent_active_room": "ເບິ່ງຂໍ້ຄວາມທີ່ໂພສໃສ່ຫ້ອງຂອງທ່ານ",
|
||||
"send_text_messages_this_room": "ສົ່ງຂໍ້ຄວາມໃນນາມທີ່ທ່ານຢູ່ໃນຫ້ອງນີ້",
|
||||
"send_text_messages_active_room": "ສົ່ງຂໍ້ຄວາມໃນນາມທີ່ທ່ານຢູ່ໃນຫ້ອງຂອງທ່ານ",
|
||||
"see_text_messages_sent_this_room": "ເບິ່ງຂໍ້ຄວາມທີ່ໂພສໃສ່ຫ້ອງນີ້",
|
||||
"see_text_messages_sent_active_room": "ເບິ່ງຂໍ້ຄວາມທີ່ໂພສໃສ່ຫ້ອງຂອງທ່ານ",
|
||||
"send_emotes_this_room": "ສົ່ງ emotes ໃນຖານະທີ່ທ່ານຢູ່ໃນຫ້ອງນີ້",
|
||||
"send_emotes_active_room": "ສົ່ງ emotes ໃນຂະນະທີ່ທ່ານຢູ່ໃນຫ້ອງຂອງທ່ານ",
|
||||
"see_sent_emotes_this_room": "ເບິ່ງໂພສ emotes ໃນຫ້ອງນີ້",
|
||||
"see_sent_emotes_active_room": "ເບິ່ງໂພສ emotes ໃນຫ້ອງຂອງທ່ານ",
|
||||
"send_images_this_room": "ສົ່ງຮູບພາບໃນຂະນະທີ່ທ່ານຢູ່ໃນຫ້ອງນີ້",
|
||||
"send_images_active_room": "ສົ່ງຮູບພາບໃນຂະນະທີ່ທ່ານຢູ່ໃນຫ້ອງຂອງທ່ານ",
|
||||
"see_images_sent_this_room": "ເບິ່ງຮູບທີ່ໂພສໃນຫ້ອງນີ້",
|
||||
"see_images_sent_active_room": "ເບິ່ງຮູບທີ່ໂພສໃນຫ້ອງຂອງທ່ານ",
|
||||
"send_videos_this_room": "ສົ່ງວິດີໂອໃນຂະນະທີ່ທ່ານຢູ່ໃນຫ້ອງນີ້",
|
||||
"send_videos_active_room": "ສົ່ງວິດີໂອໃນຂະນະທີ່ທ່ານຢູ່ໃນຫ້ອງຂອງທ່ານ",
|
||||
"see_videos_sent_this_room": "ເບິ່ງວິດີໂອທີ່ໂພສໃນຫ້ອງນີ້",
|
||||
"see_videos_sent_active_room": "ເບິ່ງວິດີໂອທີ່ໂພສໃນຫ້ອງຂອງທ່ານ",
|
||||
"send_files_this_room": "ສົ່ງໄຟລ໌ທົ່ວໄປໃນຂະນະທີ່ທ່ານຢູ່ໃນຫ້ອງນີ້",
|
||||
"send_files_active_room": "ສົ່ງໄຟລ໌ທົ່ວໄປໃນຂະນະທີ່ທ່ານຢູ່ໃນຫ້ອງຂອງທ່ານ",
|
||||
"see_sent_files_this_room": "ເບິ່ງໄຟລ໌ທົ່ວໄປທີ່ໂພສໃນຫ້ອງນີ້",
|
||||
"see_sent_files_active_room": "ເບິ່ງໄຟລ໌ທົ່ວໄປທີ່ໂພສໃນຫ້ອງຂອງທ່ານ",
|
||||
"send_msgtype_this_room": "ສົ່ງຂໍ້ຄວາມ <b>%(msgtype)s</b> ໃນຂະນະທີ່ທ່ານຢູ່ໃນຫ້ອງນີ້",
|
||||
"send_msgtype_active_room": "ສົ່ງຂໍ້ຄວາມ <b>%(msgtype)s</b> ໃນຂະນະທີ່ທ່ານຢູ່ໃນຫ້ອງຂອງທ່ານ",
|
||||
"see_msgtype_sent_this_room": "ເບິ່ງ <b>%(msgtype)s</b> ຂໍ້ຄວາມທີ່ໂພສໃນຫ້ອງນີ້",
|
||||
"see_msgtype_sent_active_room": "ເບິ່ງ <b>%(msgtype)s</b> ຂໍ້ຄວາມທີ່ໂພສໃນຫ້ອງໃຊ້ງານຂອງທ່ານ"
|
||||
}
|
||||
},
|
||||
"feedback": {
|
||||
"sent": "ສົ່ງຄຳຕິຊົມແລ້ວ",
|
||||
"comment_label": "ຄໍາເຫັນ",
|
||||
"platform_username": "ແຟັດຟອມ ແລະ ຊື່ຜູ້ໃຊ້ຂອງທ່ານຈະຖືກບັນທຶກໄວ້ເພື່ອຊ່ວຍໃຫ້ພວກເຮົາໃຊ້ຄໍາຕິຊົມຂອງທ່ານເທົ່າທີ່ພວກເຮົາສາມາດເຮັດໄດ້.",
|
||||
"may_contact_label": "ທ່ານສາມາດຕິດຕໍ່ຫາຂ້ອຍໄດ້ ຖ້າທ່ານຕ້ອງການຕິດຕາມ ຫຼືໃຫ້ຂ້ອຍທົດສອບແນວຄວາມຄິດທີ່ເກີດຂື້ນ",
|
||||
"pro_type": "PRO TIP: ຖ້າທ່ານເລີ່ມມີຂໍ້ຜິດພາດ, ກະລຸນາສົ່ງ <debugLogsLink>ບັນທຶກການແກ້ບັນຫາ</debugLogsLink> ເພື່ອຊ່ວຍພວກເຮົາຕິດຕາມບັນຫາ.",
|
||||
"existing_issue_link": "ກະລຸນາເບິ່ງ <existingIssuesLink>ຂໍ້ບົກຜ່ອງທີ່ມີຢູ່ແລ້ວໃນ Github</existingIssuesLink> ກ່ອນ. ບໍ່ກົງກັນບໍ? <newIssueLink>ເລີ່ມອັນໃໝ່</newIssueLink>.",
|
||||
"send_feedback_action": "ສົ່ງຄໍາຄິດເຫັນ"
|
||||
}
|
||||
}
|
||||
|
|
|
@ -14,7 +14,6 @@
|
|||
"Operation failed": "Operacija nepavyko",
|
||||
"This Room": "Šis pokalbių kambarys",
|
||||
"Unavailable": "Neprieinamas",
|
||||
"powered by Matrix": "veikia su Matrix",
|
||||
"Favourite": "Mėgstamas",
|
||||
"All Rooms": "Visi pokalbių kambariai",
|
||||
"Source URL": "Šaltinio URL adresas",
|
||||
|
@ -151,7 +150,6 @@
|
|||
"Email": "El. paštas",
|
||||
"Profile": "Profilis",
|
||||
"Account": "Paskyra",
|
||||
"The email address linked to your account must be entered.": "Privalo būti įvestas su jūsų paskyra susietas el. pašto adresas.",
|
||||
"A new password must be entered.": "Privalo būti įvestas naujas slaptažodis.",
|
||||
"New passwords must match each other.": "Nauji slaptažodžiai privalo sutapti.",
|
||||
"Return to login screen": "Grįžti į prisijungimą",
|
||||
|
@ -193,8 +191,6 @@
|
|||
"Forget room": "Pamiršti kambarį",
|
||||
"Share room": "Bendrinti kambarį",
|
||||
"Please contact your homeserver administrator.": "Susisiekite su savo serverio administratoriumi.",
|
||||
"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",
|
||||
"Confirm password": "Patvirtinkite slaptažodį",
|
||||
"Demote yourself?": "Pažeminti save?",
|
||||
"Demote": "Pažeminti",
|
||||
|
@ -219,7 +215,6 @@
|
|||
"Logs sent": "Žurnalai išsiųsti",
|
||||
"Failed to send logs: ": "Nepavyko išsiųsti žurnalų: ",
|
||||
"Unknown error": "Nežinoma klaida",
|
||||
"Incorrect password": "Neteisingas slaptažodis",
|
||||
"An error has occurred.": "Įvyko klaida.",
|
||||
"Failed to upgrade room": "Nepavyko atnaujinti kambario",
|
||||
"The room upgrade could not be completed": "Nepavyko užbaigti kambario atnaujinimo",
|
||||
|
@ -299,8 +294,6 @@
|
|||
"Failed to decrypt %(failedCount)s sessions!": "Nepavyko iššifruoti %(failedCount)s seansų!",
|
||||
"Signed Out": "Atsijungta",
|
||||
"For security, this session has been signed out. Please sign in again.": "Saugumo sumetimais, šis seansas buvo atjungtas. Prisijunkite dar kartą.",
|
||||
"Failed to perform homeserver discovery": "Nepavyko atlikti serverio radimo",
|
||||
"This server does not support authentication with a phone number.": "Šis serveris nepalaiko tapatybės nustatymo telefono numeriu.",
|
||||
"Add Email Address": "Pridėti El. Pašto Adresą",
|
||||
"Add Phone Number": "Pridėti Telefono Numerį",
|
||||
"Explore rooms": "Žvalgyti kambarius",
|
||||
|
@ -321,8 +314,6 @@
|
|||
"Ignored user": "Ignoruojamas vartotojas",
|
||||
"Unignored user": "Nebeignoruojamas vartotojas",
|
||||
"You are no longer ignoring %(userId)s": "Dabar nebeignoruojate %(userId)s",
|
||||
"Define the power level of a user": "Nustatykite vartotojo galios lygį",
|
||||
"Deops user with given id": "Deop'ina vartotoją su nurodytu id",
|
||||
"Cannot reach homeserver": "Serveris nepasiekiamas",
|
||||
"Ensure you have a stable internet connection, or get in touch with the server admin": "Įsitikinkite, kad jūsų interneto ryšys yra stabilus, arba susisiekite su serverio administratoriumi",
|
||||
"Ask your %(brand)s admin to check <a>your config</a> for incorrect or duplicate entries.": "Paprašykite savo %(brand)s administratoriaus patikrinti ar <a>jūsų konfigūracijoje</a> nėra neteisingų arba pasikartojančių įrašų.",
|
||||
|
@ -416,8 +407,6 @@
|
|||
"Enter a server name": "Įveskite serverio pavadinimą",
|
||||
"Enter the name of a new server you want to explore.": "Įveskite naujo, norimo žvalgyti serverio pavadinimą.",
|
||||
"Server name": "Serverio pavadinimas",
|
||||
"Please enter a name for the room": "Įveskite kambario pavadinimą",
|
||||
"Topic (optional)": "Tema (nebūtina)",
|
||||
"Hide advanced": "Paslėpti išplėstinius",
|
||||
"Show advanced": "Rodyti išplėstinius",
|
||||
"Session name": "Seanso pavadinimas",
|
||||
|
@ -426,7 +415,6 @@
|
|||
"You'll lose access to your encrypted messages": "Jūs prarasite prieigą prie savo užšifruotų žinučių",
|
||||
"<b>Warning</b>: you should only set up key backup from a trusted computer.": "<b>Įspėjimas</b>: atsarginę raktų kopiją sukurkite tik iš patikimo kompiuterio.",
|
||||
"Add room": "Sukurti kambarį",
|
||||
"If you've joined lots of rooms, this might take a while": "Jei esate prisijungę prie daug kambarių, tai gali užtrukti",
|
||||
"Later": "Vėliau",
|
||||
"This room is end-to-end encrypted": "Šis kambarys visapusiškai užšifruotas",
|
||||
"Send as message": "Siųsti kaip žinutę",
|
||||
|
@ -443,7 +431,6 @@
|
|||
"We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "Išsiuntėme jums el. laišką, kad patvirtintumėme savo adresą. Sekite ten pateiktas instrukcijas ir tada paspauskite žemiau esantį mygtuką.",
|
||||
"Email Address": "El. pašto adresas",
|
||||
"Homeserver URL does not appear to be a valid Matrix homeserver": "Serverio adresas neatrodo esantis tinkamas Matrix serveris",
|
||||
"This homeserver does not support login using email address.": "Šis serveris nepalaiko prisijungimo naudojant el. pašto adresą.",
|
||||
"Setting up keys": "Raktų nustatymas",
|
||||
"Confirm your identity by entering your account password below.": "Patvirtinkite savo tapatybę žemiau įvesdami savo paskyros slaptažodį.",
|
||||
"Use an email address to recover your account": "Naudokite el. pašto adresą, kad prireikus galėtumėte atgauti paskyrą",
|
||||
|
@ -485,14 +472,12 @@
|
|||
"You cancelled verification.": "Jūs atšaukėte patvirtinimą.",
|
||||
"Encryption not enabled": "Šifravimas neįjungtas",
|
||||
"More options": "Daugiau parinkčių",
|
||||
"Enable end-to-end encryption": "Įjungti visapusį šifravimą",
|
||||
"Are you sure you want to deactivate your account? This is irreversible.": "Ar tikrai norite deaktyvuoti savo paskyrą? Tai yra negrįžtama.",
|
||||
"Verify session": "Patvirtinti seansą",
|
||||
"Are you sure you want to sign out?": "Ar tikrai norite atsijungti?",
|
||||
"Are you sure you want to reject the invitation?": "Ar tikrai norite atmesti pakvietimą?",
|
||||
"Nice, strong password!": "Puiku, stiprus slaptažodis!",
|
||||
"Old cryptography data detected": "Aptikti seni kriptografijos duomenys",
|
||||
"Registration has been disabled on this homeserver.": "Registracija šiame serveryje išjungta.",
|
||||
"Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Atnaujinkite šį seansą, kad jam būtų leista patvirtinti kitus seansus, suteikiant jiems prieigą prie šifruotų žinučių ir juos pažymint kaip patikimus kitiems vartotojams.",
|
||||
"Use Single Sign On to continue": "Norėdami tęsti naudokite Vieną Prisijungimą",
|
||||
"Confirm adding this email address by using Single Sign On to prove your identity.": "Patvirtinkite šio el. pašto adreso pridėjimą naudodami Vieną Prisijungimą, kad įrodytumėte savo tapatybę.",
|
||||
|
@ -663,9 +648,6 @@
|
|||
"You can only join it with a working invite.": "Jūs galite prisijungti tik su veikiančiu pakvietimu.",
|
||||
"Cancel entering passphrase?": "Atšaukti slaptafrazės įvedimą?",
|
||||
"%(name)s is requesting verification": "%(name)s prašo patvirtinimo",
|
||||
"Sign In or Create Account": "Prisijungti arba Sukurti Paskyrą",
|
||||
"Use your account or create a new one to continue.": "Norėdami tęsti naudokite savo paskyrą arba sukurkite naują.",
|
||||
"Create Account": "Sukurti Paskyrą",
|
||||
"Ask this user to verify their session, or manually verify it below.": "Paprašykite šio vartotojo patvirtinti savo seansą, arba patvirtinkite jį rankiniu būdu žemiau.",
|
||||
"Encryption upgrade available": "Galimas šifravimo atnaujinimas",
|
||||
"Verify this user by confirming the following number appears on their screen.": "Patvirtinkite šį vartotoją, įsitikindami, kad jo ekrane rodomas toliau esantis skaičius.",
|
||||
|
@ -750,7 +732,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.": "Jei tai padarėte netyčia, šiame seanse galite nustatyti saugias žinutes, kurios pakartotinai užšifruos šio seanso žinučių istoriją nauju atgavimo metodu.",
|
||||
"Error upgrading room": "Klaida atnaujinant kambarį",
|
||||
"Are you sure you want to cancel entering passphrase?": "Ar tikrai norite atšaukti slaptafrazės įvedimą?",
|
||||
"Feedback": "Atsiliepimai",
|
||||
"All settings": "Visi nustatymai",
|
||||
"Change notification settings": "Keisti pranešimų nustatymus",
|
||||
"View older messages in %(roomName)s.": "Peržiūrėti senesnes žinutes %(roomName)s.",
|
||||
|
@ -799,7 +780,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>": "Įjungus kambario šifravimą jo išjungti negalima. Žinutės, siunčiamos šifruotame kambaryje, nėra matomos serverio. Jas gali matyti tik kambario dalyviai. Įjungus šifravimą, daugelis botų ir tiltų gali veikti netinkamai. <a>Sužinoti daugiau apie šifravimą.</a>",
|
||||
"You must join the room to see its files": "Norėdami pamatyti jo failus, turite prisijungti prie kambario",
|
||||
"Join millions for free on the largest public server": "Prisijunkite prie milijonų didžiausiame viešame serveryje nemokamai",
|
||||
"Block anyone not part of %(serverName)s from ever joining this room.": "Blokuoti bet ką, kas nėra iš %(serverName)s, niekada nebeleidžiant prisijungti prie šio kambario.",
|
||||
"Join the conference from the room information card on the right": "Prisijunkite prie konferencijos kambario informacijos kortelėje dešinėje",
|
||||
"Join the conference at the top of this room": "Prisijunkite prie konferencijos šio kambario viršuje",
|
||||
"Join the discussion": "Prisijungti prie diskusijos",
|
||||
|
@ -808,7 +788,6 @@
|
|||
"Join the conversation with an account": "Prisijunkite prie pokalbio su paskyra",
|
||||
"Join Room": "Prisijungti prie kambario",
|
||||
"Subscribing to a ban list will cause you to join it!": "Užsiprenumeravus draudimų sąrašą, būsite prie jo prijungtas!",
|
||||
"Joins room with given address": "Prisijungia prie kambario su nurodytu adresu",
|
||||
"You have ignored this user, so their message is hidden. <a>Show anyways.</a>": "Jūs ignoravote šį vartotoją, todėl jo žinutė yra paslėpta. <a>Rodyti vistiek.</a>",
|
||||
"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.": "Kai kas nors į savo žinutę įtraukia URL, gali būti rodoma URL peržiūra, suteikianti daugiau informacijos apie tą nuorodą, tokios kaip pavadinimas, aprašymas ir vaizdas iš svetainės.",
|
||||
"Show Widgets": "Rodyti Valdiklius",
|
||||
|
@ -826,7 +805,6 @@
|
|||
"The signing key you provided matches the signing key you received from %(userId)s's session %(deviceId)s. Session marked as verified.": "Jūsų pateiktas pasirašymo raktas sutampa su pasirašymo raktu, gautu iš vartotojo %(userId)s seanso %(deviceId)s. Seansas pažymėtas kaip patikrintas.",
|
||||
"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!": "ĮSPĖJIMAS: RAKTŲ PATIKRINIMAS NEPAVYKO! Pasirašymo raktas vartotojui %(userId)s ir seansui %(deviceId)s yra \"%(fprint)s\", kuris nesutampa su pateiktu raktu \"%(fingerprint)s\". Tai gali reikšti, kad jūsų komunikacijos yra perimamos!",
|
||||
"Verifies a user, session, and pubkey tuple": "Patvirtina vartotojo, seanso ir pubkey daugiadalę duomenų struktūrą",
|
||||
"Could not find user in room": "Vartotojo rasti kambaryje nepavyko",
|
||||
"You signed in to a new session without verifying it:": "Jūs prisijungėte prie naujo seanso, jo nepatvirtinę:",
|
||||
"You can also set up Secure Backup & manage your keys in Settings.": "Jūs taip pat galite nustatyti Saugią Atsarginę Kopiją ir tvarkyti savo raktus Nustatymuose.",
|
||||
"Set up Secure Backup": "Nustatyti Saugią Atsarginę Kopiją",
|
||||
|
@ -922,8 +900,6 @@
|
|||
"Use custom size": "Naudoti pasirinktinį dydį",
|
||||
"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.": "Jei kita %(brand)s versija vis dar yra atidaryta kitame skirtuke, uždarykite jį, nes %(brand)s naudojimas tame pačiame serveryje, tuo pačiu metu įjungus ir išjungus tingų įkėlimą, sukelks problemų.",
|
||||
"You've previously used %(brand)s on %(host)s with lazy loading of members enabled. In this version lazy loading is disabled. As the local cache is not compatible between these two settings, %(brand)s needs to resync your account.": "Jūs anksčiau naudojote %(brand)s ant %(host)s įjungę tingų narių įkėlimą. Šioje versijoje tingus įkėlimas yra išjungtas. Kadangi vietinė talpykla nesuderinama tarp šių dviejų nustatymų, %(brand)s reikia iš naujo sinchronizuoti jūsų paskyrą.",
|
||||
"You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "Jūs galite tai įjungti, jei kambarys bus naudojamas tik bendradarbiavimui su vidinėmis komandomis jūsų serveryje. Tai negali būti vėliau pakeista.",
|
||||
"Your server requires encryption to be enabled in private rooms.": "Jūsų serveris reikalauja, kad šifravimas būtų įjungtas privačiuose kambariuose.",
|
||||
"You don't currently have any stickerpacks enabled": "Jūs šiuo metu neturite jokių įjungtų lipdukų paketų",
|
||||
"Verifying this user will mark their session as trusted, and also mark your session as trusted to them.": "Patvirtinant šį vartotoją, jo seansas bus pažymėtas kaip patikimas, taip pat jūsų seansas bus pažymėtas kaip patikimas jam.",
|
||||
"Verify the link in your inbox": "Patvirtinkite nuorodą savo el. pašto dėžutėje",
|
||||
|
@ -939,20 +915,14 @@
|
|||
"%(creator)s created this DM.": "%(creator)s sukūrė šį tiesioginio susirašymo kambarį.",
|
||||
"Only the two of you are in this conversation, unless either of you invites anyone to join.": "Šiame pokalbyje esate tik jūs dviese, nebent kuris nors iš jūsų pakvies ką nors prisijungti.",
|
||||
"This is the beginning of your direct message history with <displayName/>.": "Tai yra jūsų tiesioginių žinučių su <displayName/> istorijos pradžia.",
|
||||
"See when the avatar changes in your active room": "Matyti kada jūsų aktyviame kambaryje pasikeičia pseudoportretas",
|
||||
"Change the avatar of your active room": "Pakeisti jūsų aktyvaus kambario pseudoportretą",
|
||||
"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ą",
|
||||
"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ų.",
|
||||
"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ą",
|
||||
"New version of %(brand)s is available": "Yra nauja %(brand)s versija",
|
||||
"Update %(brand)s": "Atnaujinti %(brand)s",
|
||||
"Someone is using an unknown session": "Kažkas naudoja nežinomą seansą",
|
||||
"PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "PRO PATARIMAS: Jei pradėjote klaidos pranešimą, pateikite <debugLogsLink>derinimo žurnalus</debugLogsLink>, kad padėtumėte mums išsiaiškinti problemą.",
|
||||
"Please review and accept the policies of this homeserver:": "Peržiūrėkite ir sutikite su šio serverio politika:",
|
||||
"Please review and accept all of the homeserver's policies": "Peržiūrėkite ir sutikite su visa serverio politika",
|
||||
"Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.": "Pirmiausia peržiūrėkite <existingIssuesLink>Github'e esančius pranešimus apie klaidas</existingIssuesLink>. Jokio atitikmens? <newIssueLink>Pradėkite naują pranešimą</newIssueLink>.",
|
||||
"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>.": "Paprastai tai turi įtakos tik kambario apdorojimui serveryje. Jei jūs turite problemų su savo %(brand)s, <a>praneškite apie klaidą</a>.",
|
||||
"Invite someone using their name, email address, username (like <userId/>) or <a>share this room</a>.": "Pakviesti ką nors, naudojant jų vardą, el. pašto adresą, vartotojo vardą (pvz.: <userId/>) arba <a>bendrinti šį kambarį</a>.",
|
||||
"Azerbaijan": "Azerbaidžanas",
|
||||
|
@ -985,8 +955,6 @@
|
|||
"Successfully restored %(sessionCount)s keys": "Sėkmingai atkurti %(sessionCount)s raktai",
|
||||
"Reason (optional)": "Priežastis (nebūtina)",
|
||||
"Reason: %(reason)s": "Priežastis: %(reason)s",
|
||||
"Forgotten your password?": "Pamiršote savo slaptažodį?",
|
||||
"New? <a>Create account</a>": "Naujas vartotojas? <a>Sukurkite paskyrą</a>",
|
||||
"Preparing to download logs": "Ruošiamasi parsiųsti žurnalus",
|
||||
"Server Options": "Serverio Parinktys",
|
||||
"Your homeserver": "Jūsų serveris",
|
||||
|
@ -1118,13 +1086,6 @@
|
|||
"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": "Jei to norite, atkreipkite dėmesį, kad nė viena iš jūsų žinučių nebus ištrinta, tačiau keletą akimirkų, kol bus atkurtas indeksas, gali sutrikti paieška",
|
||||
"You most likely do not want to reset your event index store": "Tikriausiai nenorite iš naujo nustatyti įvykių indekso saugyklos",
|
||||
"Reset event store?": "Iš naujo nustatyti įvykių saugyklą?",
|
||||
"About homeservers": "Apie namų serverius",
|
||||
"Use your preferred Matrix homeserver if you have one, or host your own.": "Naudokite pageidaujamą Matrix namų serverį, jei tokį turite, arba talpinkite savo.",
|
||||
"Other homeserver": "Kitas namų serveris",
|
||||
"Sign into your homeserver": "Prisijunkite prie savo namų serverio",
|
||||
"Specify a homeserver": "Nurodykite namų serverį",
|
||||
"Invalid URL": "Netinkamas URL",
|
||||
"Unable to validate homeserver": "Nepavyksta patvirtinti namų serverio",
|
||||
"Recent changes that have not yet been received": "Naujausi pakeitimai, kurie dar nebuvo gauti",
|
||||
"The server is not configured to indicate what the problem is (CORS).": "Serveris nėra sukonfigūruotas taip, kad būtų galima nurodyti, kokia yra problema (CORS).",
|
||||
"A connection error occurred while trying to contact the server.": "Bandant susisiekti su serveriu įvyko ryšio klaida.",
|
||||
|
@ -1179,17 +1140,13 @@
|
|||
"Sent": "Išsiųsta",
|
||||
"Sending": "Siunčiama",
|
||||
"You don't have permission to do this": "Jūs neturite leidimo tai daryti",
|
||||
"Comment": "Komentaras",
|
||||
"Feedback sent": "Atsiliepimas išsiųstas",
|
||||
"Server did not return valid authentication information.": "Serveris negrąžino galiojančios autentifikavimo informacijos.",
|
||||
"Server did not require any authentication": "Serveris nereikalavo jokio autentifikavimo",
|
||||
"There was a problem communicating with the server. Please try again.": "Kilo problemų bendraujant su serveriu. Bandykite dar kartą.",
|
||||
"Confirm account deactivation": "Patvirtinkite paskyros deaktyvavimą",
|
||||
"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.": "Šią funkciją galite išjungti, jei kambarys bus naudojamas bendradarbiavimui su išorės komandomis, turinčiomis savo namų serverį. Vėliau to pakeisti negalima.",
|
||||
"Clear all data": "Išvalyti visus duomenis",
|
||||
"Removing…": "Pašalinama…",
|
||||
"Reminder: Your browser is unsupported, so your experience may be unpredictable.": "Primename: Jūsų naršyklė yra nepalaikoma, todėl jūsų patirtis gali būti nenuspėjama.",
|
||||
"Send feedback": "Siųsti atsiliepimą",
|
||||
"You may contact me if you have any follow up questions": "Jei turite papildomų klausimų, galite susisiekti su manimi",
|
||||
"To leave the beta, visit your settings.": "Norėdami išeiti iš beta versijos, apsilankykite savo nustatymuose.",
|
||||
"Close dialog": "Uždaryti dialogą",
|
||||
|
@ -1231,11 +1188,6 @@
|
|||
"Identity server URL must be HTTPS": "Tapatybės serverio URL privalo būti HTTPS",
|
||||
"Invite to %(spaceName)s": "Pakvietimas į %(spaceName)s",
|
||||
"This homeserver has been blocked by its administrator.": "Šis namų serveris buvo užblokuotas jo administratoriaus.",
|
||||
"See when the name changes in your active room": "Matyti kada jūsų aktyvaus kambario pavadinimas pasikeičia",
|
||||
"Change the name of your active room": "Keisti jūsų aktyvaus kambario pavadinimą",
|
||||
"Change the name of this room": "Keisti kambario pavadinimą",
|
||||
"Change the topic of this room": "Keisti kambario temą",
|
||||
"Send stickers into this room": "Siųsti lipdukus į šį kambarį",
|
||||
"Northern Mariana Islands": "Šiaurės Marianų salos",
|
||||
"Norfolk Island": "Norfolko sala",
|
||||
"Nepal": "Nepalas",
|
||||
|
@ -1681,10 +1633,6 @@
|
|||
"other": "Rodyti %(count)s kitas peržiūras"
|
||||
},
|
||||
"Scroll to most recent messages": "Slinkite prie naujausių žinučių",
|
||||
"You can't see earlier messages": "Negalite matyti ankstesnių žinučių",
|
||||
"Encrypted messages before this point are unavailable.": "Iki šio taško užšifruotos žinutės yra neprieinamos.",
|
||||
"You don't have permission to view messages from before you joined.": "Neturite leidimo peržiūrėti žinučių, rašytų prieš jums prisijungiant.",
|
||||
"You don't have permission to view messages from before you were invited.": "Neturite leidimo peržiūrėti žinučių, rašytų prieš jūsų pakvietimą.",
|
||||
"Failed to send": "Nepavyko išsiųsti",
|
||||
"Your message was sent": "Jūsų žinutė išsiųsta",
|
||||
"Copy link to thread": "Kopijuoti nuorodą į temą",
|
||||
|
@ -1723,19 +1671,7 @@
|
|||
"Unable to copy room link": "Nepavyko nukopijuoti kambario nurodos",
|
||||
"Copy room link": "Kopijuoti kambario nuorodą",
|
||||
"Manage & explore rooms": "Valdyti & tyrinėti kambarius",
|
||||
"The above, but in any room you are joined or invited to as well": "Aukščiau išvardyti, bet ir bet kuriame kambaryje, prie kurio prisijungėte arba į kurį esate pakviestas",
|
||||
"with state key %(stateKey)s": "su būsenos raktu %(stateKey)s",
|
||||
"with an empty state key": "su tuščiu būsenos raktu",
|
||||
"See when anyone posts a sticker to your active room": "Matyti, kada kas nors paskelbia lipduką jūsų aktyviame kambaryje",
|
||||
"Remove, ban, or invite people to your active room, and make you leave": "Pašalinti, užblokuoti arba pakviesti žmones į jūsų aktyvų kambarį ir priversti jus išeiti",
|
||||
"See when the topic changes in your active room": "Matyti, kada jūsų aktyvaus kambario tema pasikeičia",
|
||||
"Change the topic of your active room": "Keisti jūsų aktyvaus kambario temą",
|
||||
"See when people join, leave, or are invited to your active room": "Matyti, kada žmonės prisijungia, išeina arba yra pakviečiami į jūsų aktyvų kambarį",
|
||||
"See <b>%(eventType)s</b> events posted to your active room": "Peržiūrėti <b>%(eventType)s</b> įvykius, paskelbtus jūsų aktyviame kambaryje",
|
||||
"Remove, ban, or invite people to this room, and make you leave": "Pašalinti, užblokuoti arba pakviesti žmones į šį kambarį ir priversti jus išeiti",
|
||||
"See when the name changes in this room": "Matyti, kada šiame kambaryje pasikeis pavadinimas",
|
||||
"Light high contrast": "Šviesi didelio kontrasto",
|
||||
"See when people join, leave, or are invited to this room": "Matyti, kada žmonės prisijungia, išeina arba yra pakviesti į šį kambarį",
|
||||
"pause voice broadcast": "pristabdyti balso transliaciją",
|
||||
"resume voice broadcast": "tęsti balso transliaciją",
|
||||
"play voice broadcast": "paleisti balso transliaciją",
|
||||
|
@ -1810,7 +1746,8 @@
|
|||
"secure_backup": "Saugi Atsarginė Kopija",
|
||||
"cross_signing": "Kryžminis pasirašymas",
|
||||
"identity_server": "Tapatybės serveris",
|
||||
"integration_manager": "Integracijų tvarkyklė"
|
||||
"integration_manager": "Integracijų tvarkyklė",
|
||||
"feedback": "Atsiliepimai"
|
||||
},
|
||||
"action": {
|
||||
"continue": "Tęsti",
|
||||
|
@ -2142,7 +2079,9 @@
|
|||
"timeline_image_size": "Paveikslėlio dydis laiko juostoje",
|
||||
"timeline_image_size_default": "Numatytas",
|
||||
"timeline_image_size_large": "Didelis"
|
||||
}
|
||||
},
|
||||
"inline_url_previews_room_account": "Įjungti URL nuorodų peržiūras šiame kambaryje (įtakoja tik jus)",
|
||||
"inline_url_previews_room": "Įjungti URL nuorodų peržiūras kaip numatytasias šiame kambaryje esantiems dalyviams"
|
||||
},
|
||||
"devtools": {
|
||||
"event_type": "Įvykio tipas",
|
||||
|
@ -2178,7 +2117,14 @@
|
|||
},
|
||||
"create_room": {
|
||||
"title_public_room": "Sukurti viešą kambarį",
|
||||
"title_private_room": "Sukurti privatų kambarį"
|
||||
"title_private_room": "Sukurti privatų kambarį",
|
||||
"name_validation_required": "Įveskite kambario pavadinimą",
|
||||
"encryption_forced": "Jūsų serveris reikalauja, kad šifravimas būtų įjungtas privačiuose kambariuose.",
|
||||
"encryption_label": "Įjungti visapusį šifravimą",
|
||||
"unfederated_label_default_off": "Jūs galite tai įjungti, jei kambarys bus naudojamas tik bendradarbiavimui su vidinėmis komandomis jūsų serveryje. Tai negali būti vėliau pakeista.",
|
||||
"unfederated_label_default_on": "Šią funkciją galite išjungti, jei kambarys bus naudojamas bendradarbiavimui su išorės komandomis, turinčiomis savo namų serverį. Vėliau to pakeisti negalima.",
|
||||
"topic_label": "Tema (nebūtina)",
|
||||
"unfederated": "Blokuoti bet ką, kas nėra iš %(serverName)s, niekada nebeleidžiant prisijungti prie šio kambario."
|
||||
},
|
||||
"timeline": {
|
||||
"m.call.invite": {
|
||||
|
@ -2402,7 +2348,11 @@
|
|||
"changed_rule_rooms": "%(senderName)s pakeitė taisyklę, kuri draudė kambarius, sutampančius su %(oldGlob)s į sutampančius su %(newGlob)s dėl %(reason)s",
|
||||
"changed_rule_servers": "%(senderName)s pakeitė taisyklę, kuri draudė serverius, sutampančius su %(oldGlob)s į sutampančius su %(newGlob)s dėl %(reason)s",
|
||||
"changed_rule_glob": "%(senderName)s atnaujino draudimo taisyklę, kuri sutapo su %(oldGlob)s į sutampančią su %(newGlob)s dėl %(reason)s"
|
||||
}
|
||||
},
|
||||
"no_permission_messages_before_invite": "Neturite leidimo peržiūrėti žinučių, rašytų prieš jūsų pakvietimą.",
|
||||
"no_permission_messages_before_join": "Neturite leidimo peržiūrėti žinučių, rašytų prieš jums prisijungiant.",
|
||||
"encrypted_historical_messages_unavailable": "Iki šio taško užšifruotos žinutės yra neprieinamos.",
|
||||
"historical_messages_unavailable": "Negalite matyti ankstesnių žinučių"
|
||||
},
|
||||
"slash_command": {
|
||||
"shrug": "Prideda ¯\\_(ツ)_/¯ prie paprasto teksto žinutės",
|
||||
|
@ -2441,7 +2391,11 @@
|
|||
"addwidget_no_permissions": "Jūs negalite modifikuoti valdiklių šiame kambaryje.",
|
||||
"discardsession": "Priverčia išmesti esamą užsibaigiantį grupės seansą užšifruotame kambaryje",
|
||||
"query": "Atidaro pokalbį su nurodytu vartotoju",
|
||||
"me": "Rodo veiksmą"
|
||||
"me": "Rodo veiksmą",
|
||||
"join": "Prisijungia prie kambario su nurodytu adresu",
|
||||
"failed_find_user": "Vartotojo rasti kambaryje nepavyko",
|
||||
"op": "Nustatykite vartotojo galios lygį",
|
||||
"deop": "Deop'ina vartotoją su nurodytu id"
|
||||
},
|
||||
"presence": {
|
||||
"busy": "Užsiėmęs",
|
||||
|
@ -2605,7 +2559,26 @@
|
|||
"sign_in_instead": "Jau turite paskyrą? <a>Prisijunkite čia</a>",
|
||||
"log_in_new_account": "<a>Prisijunkite</a> prie naujos paskyros.",
|
||||
"registration_successful": "Registracija sėkminga",
|
||||
"server_picker_title": "Kurti paskyrą serveryje"
|
||||
"server_picker_title": "Prisijunkite prie savo namų serverio",
|
||||
"footer_powered_by_matrix": "veikia su Matrix",
|
||||
"failed_homeserver_discovery": "Nepavyko atlikti serverio radimo",
|
||||
"sync_footer_subtitle": "Jei esate prisijungę prie daug kambarių, tai gali užtrukti",
|
||||
"unsupported_auth_msisdn": "Šis serveris nepalaiko tapatybės nustatymo telefono numeriu.",
|
||||
"unsupported_auth_email": "Šis serveris nepalaiko prisijungimo naudojant el. pašto adresą.",
|
||||
"registration_disabled": "Registracija šiame serveryje išjungta.",
|
||||
"incorrect_password": "Neteisingas slaptažodis",
|
||||
"forgot_password_email_required": "Privalo būti įvestas su jūsų paskyra susietas el. pašto adresas.",
|
||||
"forgot_password_prompt": "Pamiršote savo slaptažodį?",
|
||||
"create_account_prompt": "Naujas vartotojas? <a>Sukurkite paskyrą</a>",
|
||||
"sign_in_or_register": "Prisijungti arba Sukurti Paskyrą",
|
||||
"sign_in_or_register_description": "Norėdami tęsti naudokite savo paskyrą arba sukurkite naują.",
|
||||
"register_action": "Sukurti Paskyrą",
|
||||
"server_picker_failed_validate_homeserver": "Nepavyksta patvirtinti namų serverio",
|
||||
"server_picker_invalid_url": "Netinkamas URL",
|
||||
"server_picker_required": "Nurodykite namų serverį",
|
||||
"server_picker_custom": "Kitas namų serveris",
|
||||
"server_picker_explainer": "Naudokite pageidaujamą Matrix namų serverį, jei tokį turite, arba talpinkite savo.",
|
||||
"server_picker_learn_more": "Apie namų serverius"
|
||||
},
|
||||
"room_list": {
|
||||
"sort_unread_first": "Pirmiausia rodyti kambarius su neperskaitytomis žinutėmis",
|
||||
|
@ -2649,5 +2622,37 @@
|
|||
"access_token_detail": "Jūsų prieigos žetonas suteikia visišką prieigą prie paskyros. Niekam jo neduokite.",
|
||||
"clear_cache_reload": "Išvalyti podėlį ir perkrauti"
|
||||
}
|
||||
},
|
||||
"widget": {
|
||||
"capability": {
|
||||
"send_stickers_this_room": "Siųsti lipdukus į šį kambarį",
|
||||
"see_sticker_posted_active_room": "Matyti, kada kas nors paskelbia lipduką jūsų aktyviame kambaryje",
|
||||
"change_topic_this_room": "Keisti kambario temą",
|
||||
"change_topic_active_room": "Keisti jūsų aktyvaus kambario temą",
|
||||
"see_topic_change_active_room": "Matyti, kada jūsų aktyvaus kambario tema pasikeičia",
|
||||
"change_name_this_room": "Keisti kambario pavadinimą",
|
||||
"see_name_change_this_room": "Matyti, kada šiame kambaryje pasikeis pavadinimas",
|
||||
"change_name_active_room": "Keisti jūsų aktyvaus kambario pavadinimą",
|
||||
"see_name_change_active_room": "Matyti kada jūsų aktyvaus kambario pavadinimas pasikeičia",
|
||||
"change_avatar_this_room": "Pakeisti šio kambario pseudoportretą",
|
||||
"see_avatar_change_this_room": "Matyti kada šiame kambaryje pasikeičia pseudoportretas",
|
||||
"change_avatar_active_room": "Pakeisti jūsų aktyvaus kambario pseudoportretą",
|
||||
"see_avatar_change_active_room": "Matyti kada jūsų aktyviame kambaryje pasikeičia pseudoportretas",
|
||||
"remove_ban_invite_leave_this_room": "Pašalinti, užblokuoti arba pakviesti žmones į šį kambarį ir priversti jus išeiti",
|
||||
"receive_membership_this_room": "Matyti, kada žmonės prisijungia, išeina arba yra pakviesti į šį kambarį",
|
||||
"remove_ban_invite_leave_active_room": "Pašalinti, užblokuoti arba pakviesti žmones į jūsų aktyvų kambarį ir priversti jus išeiti",
|
||||
"receive_membership_active_room": "Matyti, kada žmonės prisijungia, išeina arba yra pakviečiami į jūsų aktyvų kambarį",
|
||||
"byline_empty_state_key": "su tuščiu būsenos raktu",
|
||||
"byline_state_key": "su būsenos raktu %(stateKey)s",
|
||||
"any_room": "Aukščiau išvardyti, bet ir bet kuriame kambaryje, prie kurio prisijungėte arba į kurį esate pakviestas",
|
||||
"see_event_type_sent_active_room": "Peržiūrėti <b>%(eventType)s</b> įvykius, paskelbtus jūsų aktyviame kambaryje"
|
||||
}
|
||||
},
|
||||
"feedback": {
|
||||
"sent": "Atsiliepimas išsiųstas",
|
||||
"comment_label": "Komentaras",
|
||||
"pro_type": "PRO PATARIMAS: Jei pradėjote klaidos pranešimą, pateikite <debugLogsLink>derinimo žurnalus</debugLogsLink>, kad padėtumėte mums išsiaiškinti problemą.",
|
||||
"existing_issue_link": "Pirmiausia peržiūrėkite <existingIssuesLink>Github'e esančius pranešimus apie klaidas</existingIssuesLink>. Jokio atitikmens? <newIssueLink>Pradėkite naują pranešimą</newIssueLink>.",
|
||||
"send_feedback_action": "Siųsti atsiliepimą"
|
||||
}
|
||||
}
|
||||
|
|
|
@ -26,7 +26,6 @@
|
|||
"Custom level": "Pielāgots līmenis",
|
||||
"Deactivate Account": "Deaktivizēt kontu",
|
||||
"Decrypt %(text)s": "Atšifrēt %(text)s",
|
||||
"Deops user with given id": "Atceļ operatora statusu lietotājam ar norādīto Id",
|
||||
"Default": "Noklusējuma",
|
||||
"Download %(text)s": "Lejupielādēt: %(text)s",
|
||||
"Email": "Epasts",
|
||||
|
@ -121,7 +120,6 @@
|
|||
"Start authentication": "Sākt autentifikāciju",
|
||||
"This email address is already in use": "Šī epasta adrese jau tiek izmantota",
|
||||
"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.",
|
||||
"This room has no local addresses": "Šai istabai nav lokālo adrešu",
|
||||
"This room is not recognised.": "Šī istaba netika atpazīta.",
|
||||
"This doesn't appear to be a valid email address": "Šī neizskatās pēc derīgas epasta adreses",
|
||||
|
@ -171,7 +169,6 @@
|
|||
"Nov": "Nov.",
|
||||
"Dec": "Dec.",
|
||||
"%(senderDisplayName)s changed the room avatar to <img/>": "%(senderDisplayName)s nomainīja istabas avataru uz <img/>",
|
||||
"This server does not support authentication with a phone number.": "Šis serveris neatbalsta autentifikāciju pēc telefona numura.",
|
||||
"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.",
|
||||
"New Password": "Jaunā parole",
|
||||
|
@ -188,12 +185,10 @@
|
|||
"Failed to invite": "Neizdevās uzaicināt",
|
||||
"Confirm Removal": "Apstipriniet dzēšanu",
|
||||
"Unknown error": "Nezināma kļūda",
|
||||
"Incorrect password": "Nepareiza parole",
|
||||
"Unable to restore session": "Neizdevās atjaunot sesiju",
|
||||
"If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Ja iepriekš izmantojāt jaunāku %(brand)s versiju, jūsu sesija var nebūt saderīga ar šo versiju. Aizveriet šo logu un atgriezieties jaunākajā versijā.",
|
||||
"Token incorrect": "Nepareizs autentifikācijas tokens",
|
||||
"Please enter the code it contains:": "Lūdzu, ievadiet tajā ietverto kodu:",
|
||||
"powered by Matrix": "tiek darbināta ar Matrix",
|
||||
"Error decrypting image": "Kļūda atšifrējot attēlu",
|
||||
"Error decrypting video": "Kļūda atšifrējot video",
|
||||
"Add an Integration": "Pievienot integrāciju",
|
||||
|
@ -210,7 +205,6 @@
|
|||
"one": "un vēl viens cits..."
|
||||
},
|
||||
"Delete widget": "Dzēst vidžetu",
|
||||
"Define the power level of a user": "Definē lietotāja statusu",
|
||||
"Publish this room to the public in %(domain)s's room directory?": "Publicēt šo istabu publiskajā %(domain)s katalogā?",
|
||||
"AM": "AM",
|
||||
"PM": "PM",
|
||||
|
@ -226,8 +220,6 @@
|
|||
"Unignored user": "Atignorēts lietotājs",
|
||||
"You are no longer ignoring %(userId)s": "Tu vairāk neignorē %(userId)s",
|
||||
"Mirror local video feed": "Rādīt spoguļskatā kameras video",
|
||||
"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",
|
||||
"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",
|
||||
"Jump to read receipt": "Pāriet uz pēdējo skatīto ziņu",
|
||||
|
@ -335,9 +327,6 @@
|
|||
"%(creator)s created this DM.": "%(creator)s uzsāka šo tiešo saraksti.",
|
||||
"None": "Neviena",
|
||||
"Room options": "Istabas opcijas",
|
||||
"Send feedback": "Nosūtīt atsauksmi",
|
||||
"Feedback sent": "Atsauksme nosūtīta",
|
||||
"Feedback": "Atsauksmes",
|
||||
"All settings": "Visi iestatījumi",
|
||||
"Security & Privacy": "Drošība un konfidencialitāte",
|
||||
"Change notification settings": "Mainīt paziņojumu iestatījumus",
|
||||
|
@ -469,7 +458,6 @@
|
|||
"General failure": "Vispārīga kļūda",
|
||||
"General": "Vispārīgi",
|
||||
"Recently Direct Messaged": "Nesenās tiešās sarakstes",
|
||||
"Topic (optional)": "Temats (izvēles)",
|
||||
"Topic: %(topic)s (<a>edit</a>)": "Temats: %(topic)s (<a>redigēt</a>)",
|
||||
"Topic: %(topic)s ": "Temats: %(topic)s ",
|
||||
"This is the start of <roomName/>.": "Šis ir <roomName/> istabas pats sākums.",
|
||||
|
@ -477,12 +465,8 @@
|
|||
"%(creator)s created and configured the room.": "%(creator)s izveidoja un nokonfigurēja istabu.",
|
||||
"e.g. my-room": "piem., mana-istaba",
|
||||
"Room address": "Istabas adrese",
|
||||
"You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "Jūs varat iespējot šo situācijā, kad istaba paredzēta izmantošanai tikai saziņai starp jūsu bāzes serverī esošajām komandām. Tas nav maināms vēlāk.",
|
||||
"Block anyone not part of %(serverName)s from ever joining this room.": "Liegt pievienoties šai istabai ikvienam, kas nav reģistrēts %(serverName)s serverī.",
|
||||
"Show advanced": "Rādīt papildu iestatījumus",
|
||||
"Hide advanced": "Slēpt papildu iestatījumus",
|
||||
"Your server requires encryption to be enabled in private rooms.": "Jūsu serveris pieprasa iespējotu šifrēšānu privātās istabās.",
|
||||
"Enable end-to-end encryption": "Iespējot pilnīgu šifrēšanu",
|
||||
"Add a new server": "Pievienot jaunu serveri",
|
||||
"Your homeserver": "Jūsu bāzes serveris",
|
||||
"Your server": "Jūsu serveris",
|
||||
|
@ -490,7 +474,6 @@
|
|||
"Room Settings - %(roomName)s": "Istabas iestatījumi - %(roomName)s",
|
||||
"Room settings": "Istabas iestatījumi",
|
||||
"Share room": "Dalīties ar istabu",
|
||||
"About homeservers": "Par bāzes serveriem",
|
||||
"Enable message search in encrypted rooms": "Iespējot ziņu meklēšanu šifrētās istabās",
|
||||
"Message search": "Ziņu meklēšana",
|
||||
"Cancel search": "Atcelt meklējumu",
|
||||
|
@ -523,22 +506,10 @@
|
|||
"Emoji Autocomplete": "Emocijzīmju automātiska pabeigšana",
|
||||
"Command Autocomplete": "Komandu automātiska pabeigšana",
|
||||
"Clear personal data": "Dzēst personas datus",
|
||||
"You're signed out": "Jūs izrakstījāties",
|
||||
"You cannot sign in to your account. Please contact your homeserver admin for more information.": "Jūs nevarat pierakstīties savā kontā. Lūdzu, sazinieties ar sava bāzes servera administratoru, lai iegūtu vairāk informācijas.",
|
||||
"Sign in and regain access to your account.": "Pierakstieties un atgūstiet piekļuvi savam kontam.",
|
||||
"Forgotten your password?": "Aizmirsāt paroli?",
|
||||
"Enter your password to sign in and regain access to your account.": "Ievadiet paroli, lai pierakstītos un atgūtu piekļuvi savam kontam.",
|
||||
"Failed to re-authenticate": "Neizdevās atkārtoti autentificēties",
|
||||
"Failed to re-authenticate due to a homeserver problem": "Bāzes servera problēmas dēļ atkārtoti autentificēties neizdevās",
|
||||
"Create account": "Izveidot kontu",
|
||||
"Registration has been disabled on this homeserver.": "Šajā bāzes serverī reģistrācija ir atspējota.",
|
||||
"Unable to query for supported registration methods.": "Neizdevās pieprasīt atbalstītās reģistrācijas metodes.",
|
||||
"New? <a>Create account</a>": "Pirmā reize? <a>Izveidojiet kontu</a>",
|
||||
"If you've joined lots of rooms, this might take a while": "Ja esat pievienojies daudzām istabām, tas var aizņemt kādu laiku",
|
||||
"Your password has been reset.": "Jūsu parole ir atiestatīta.",
|
||||
"Could not load user profile": "Nevarēja ielādēt lietotāja profilu",
|
||||
"New here? <a>Create an account</a>": "Pirmo reizi šeit? <a>Izveidojiet kontu</a>",
|
||||
"Got an account? <a>Sign in</a>": "Vai jums ir konts? <a>Pierakstieties</a>",
|
||||
"You have %(count)s unread notifications in a prior version of this room.": {
|
||||
"one": "Jums ir %(count)s nelasīts paziņojums iepriekšējā šīs istabas versijā.",
|
||||
"other": "Jums ir %(count)s nelasīti paziņojumi iepriekšējā šīs istabas versijā."
|
||||
|
@ -580,11 +551,7 @@
|
|||
"Don't miss a reply": "Nepalaidiet garām atbildi",
|
||||
"Later": "Vēlāk",
|
||||
"Ensure you have a stable internet connection, or get in touch with the server admin": "Pārliecinieties par stabilu internet savienojumu vai sazinieties ar servera administratoru",
|
||||
"Could not find user in room": "Lietotājs istabā netika atrasts",
|
||||
"Missing roomId.": "Trūkst roomId.",
|
||||
"Create Account": "Izveidot kontu",
|
||||
"Use your account or create a new one to continue.": "Izmantojiet esošu kontu vai izveidojiet jaunu, lai turpinātu.",
|
||||
"Sign In or Create Account": "Pierakstīties vai izveidot kontu",
|
||||
"Malawi": "Malāvija",
|
||||
"Madagascar": "Madagaskara",
|
||||
"Macedonia": "Maķedonija",
|
||||
|
@ -719,69 +686,9 @@
|
|||
"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.": "Jūs varat ierakstīties, taču dažas funkcijas nebūs pieejamas, kamēr nebūs pieejams identitāšu serveris. Ja arī turpmāk redzat šo brīdinājumu, lūdzu, pārbaudiet konfigurāciju vai sazinieties ar servera administratoru.",
|
||||
"Cannot reach identity server": "Neizdodas sasniegt identitāšu serveri",
|
||||
"Ask your %(brand)s admin to check <a>your config</a> for incorrect or duplicate entries.": "Paprasiet %(brand)s administratoram pārbaudīt, vai <a> jūsu konfigurācijas failā</a> nav nepareizu vai dublējošos ierakstu.",
|
||||
"See <b>%(msgtype)s</b> messages posted to your active room": "Apskatīt <b>%(msgtype)s</b> ziņas, kas publicētas jūsu aktīvajā istabā",
|
||||
"See <b>%(msgtype)s</b> messages posted to this room": "Apskatīt <b>%(msgtype)s</b> ziņas, kas publicētas šajā istabā",
|
||||
"Send <b>%(msgtype)s</b> messages as you in your active room": "Sūtīt <b>%(msgtype)s</b> ziņas savā vārdā savā aktīvajā istabā",
|
||||
"Send <b>%(msgtype)s</b> messages as you in this room": "Sūtīt <b>%(msgtype)s</b> ziņas savā vārdā šajā istabā",
|
||||
"See general files posted to your active room": "Redzēt jūsu aktīvajā istabā izliktos failus",
|
||||
"See general files posted to this room": "Redzēt šajā istabā izliktos failus",
|
||||
"Send general files as you in your active room": "Sūtīt failus savā vārdā jūsu aktīvajā istabā",
|
||||
"Send general files as you in this room": "Sūtīt failus savā vārdā šajā istabā",
|
||||
"See videos posted to your active room": "Redzēt video, kuri izlikti jūsu aktīvajā istabā",
|
||||
"See videos posted to this room": "Redzēt video, kuri izlikti šajā istabā",
|
||||
"Send videos as you in your active room": "Sūtīt video savā vārdā savā aktīvajā istabā",
|
||||
"Send videos as you in this room": "Sūtīt video savā vārdā šajā istabā",
|
||||
"See images posted to your active room": "Redzēt attēlus, kuri izlikti jūsu aktīvajā istabā",
|
||||
"See images posted to this room": "Redzēt attēlus, kuri izlikti šajā istabā",
|
||||
"Send images as you in your active room": "Sūtīt attēlus savā vārdā savā aktīvajā istabā",
|
||||
"Send images as you in this room": "Sūtīt attēlus savā vārdā šajā istabā",
|
||||
"See emotes posted to your active room": "Redzēt emocijas, kuras izvietotas jūsu aktīvajā istabā",
|
||||
"See emotes posted to this room": "Redzēt emocijas, kuras izvietotas šajā istabā",
|
||||
"Send emotes as you in your active room": "Nosūtīt emocijas savā vārdā uz savu aktīvo istabu",
|
||||
"Send emotes as you in this room": "Nosūtīt emocijas savā vārdā uz šo istabu",
|
||||
"See text messages posted to your active room": "Redzēt teksta ziņas, kuras izvietotas jūsu aktīvajā istabā",
|
||||
"See text messages posted to this room": "Redzēt teksta ziņas, kas izvietotas šajā istabā",
|
||||
"Send text messages as you in your active room": "Sūtīt teksta ziņas savā vārdā jūsu aktīvajā istabā",
|
||||
"Send text messages as you in this room": "Sūtīt teksta ziņas savā vārdā šajā istabā",
|
||||
"See messages posted to your active room": "Redzēt ziņas, kas izvietotas jūsu aktīvajā istabā",
|
||||
"See messages posted to this room": "Redzēt ziņas, kas izvietotas šajā istabā",
|
||||
"Send messages as you in your active room": "Sūtiet ziņas savā vārdā jūsu aktīvajā istabā",
|
||||
"Send messages as you in this room": "Sūtīt ziņas savā vārdā šajā istabā",
|
||||
"The <b>%(capability)s</b> capability": "<b>%(capability)s</b> iespējas",
|
||||
"See <b>%(eventType)s</b> events posted to your active room": "Apskatīt <b>%(eventType)s</b> notikumus jūsu aktīvajā istabā",
|
||||
"Send <b>%(eventType)s</b> events as you in your active room": "Sūtīt <b>%(eventType)s</b> notikumus savā vārdā savā aktīvajā istabā",
|
||||
"See <b>%(eventType)s</b> events posted to this room": "Apskatīt <b>%(eventType)s</b> notikumus šajā istabā",
|
||||
"Send <b>%(eventType)s</b> events as you in this room": "Sūtiet <b>%(eventType)s</b> notikumus jūsu vārdā šajā istabā",
|
||||
"with state key %(stateKey)s": "ar stāvokļa/statusa atslēgu %(stateKey)s",
|
||||
"with an empty state key": "ar tukšu stāvokļa/statusa atslēgu",
|
||||
"See when anyone posts a sticker to your active room": "Redzēt, kad kāds izvieto stikeri jūsu aktīvajā istabā",
|
||||
"Send stickers to your active room as you": "Nosūtiet uzlīmes savā vārdā uz savu aktīvo istabu",
|
||||
"See when a sticker is posted in this room": "Redzēt, kad šajā istabā parādās stikers",
|
||||
"Send stickers to this room as you": "Nosūtīt stikerus savā vārdā uz šo istabu",
|
||||
"See when people join, leave, or are invited to your active room": "Redzēt, kad cilvēki pievienojas, atstāj vai tiek uzaicināti uz jūsu aktīvo istabu",
|
||||
"See when people join, leave, or are invited to this room": "Redzēt, kad cilvēki pievienojas, atstāj vai tiek uzaicināti uz šo istabu",
|
||||
"See when the avatar changes in your active room": "Redzēt, kad notiek jūsu aktīvās istabas avatara izmaiņas",
|
||||
"Change the avatar of your active room": "Nomainīt jūsu aktīvās istabas avataru",
|
||||
"See when the avatar changes in this room": "Redzēt, kad notiek šīs istabas avatara izmaiņas",
|
||||
"Change the avatar of this room": "Nomainīt šīs istabas avataru",
|
||||
"See when the name changes in your active room": "Redzēt, kad notiek aktīvās istabas nosaukuma izmaiņas",
|
||||
"Change the name of your active room": "Nomainīt jūsu aktīvās istabas nosaukumu",
|
||||
"See when the name changes in this room": "Redzēt, kad mainās šīs istabas nosaukums",
|
||||
"Change the name of this room": "Nomainīt šīs istabas nosaukumu",
|
||||
"See when the topic changes in this room": "Redzēt, kad mainās šīs istabas temats",
|
||||
"See when the topic changes in your active room": "Redzēt, kad mainās pašreizējā tērziņa temats",
|
||||
"Change the topic of your active room": "Nomainīt jūsu aktīvās istabas tematu",
|
||||
"Change the topic of this room": "Nomainīt šīs istabas tematu",
|
||||
"Change which room, message, or user you're viewing": "Nomainīt istabu, ziņu vai lietotāju, kuru jūs skatiet",
|
||||
"Change which room you're viewing": "Nomainīt istabu, kuru jūs skatiet",
|
||||
"Send stickers into your active room": "Iesūtīt stikerus jūsu aktīvajā istabā",
|
||||
"Send stickers into this room": "Iesūtīt stikerus šajā istabā",
|
||||
"Remain on your screen while running": "Darbības laikā paliek uz ekrāna",
|
||||
"Remain on your screen when viewing another room, when running": "Darbības laikā paliek uz ekrāna, kad tiek skatīta cita istaba",
|
||||
"The signing key you provided matches the signing key you received from %(userId)s's session %(deviceId)s. Session marked as verified.": "Jūsu iesniegtā parakstīšanas atslēga atbilst parakstīšanas atslēgai, kuru saņēmāt no %(userId)s sesijas %(deviceId)s. Sesija atzīmēta kā verificēta.",
|
||||
"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!": "BRĪDINĀJUMS: ATSLĒGU VERIFIKĀCIJA NEIZDEVĀS! Parakstīšanas atslēga lietotājam %(userId)s un sesijai %(deviceId)s ir \"%(fprint)s\", kura neatbilst norādītajai atslēgai \"%(fingerprint)s\". Tas var nozīmēt, ka jūsu saziņa tiek pārtverta!",
|
||||
"Verifies a user, session, and pubkey tuple": "Verificē lietotāju, sesiju un publiskās atslēgas",
|
||||
"Joins room with given address": "Pievienojas istabai ar šādu adresi",
|
||||
"Use an identity server to invite by email. Manage in Settings.": "Izmantojiet identitātes serveri, lai uzaicinātu pa e-pastu. Pārvaldība pieejama Iestatījumos.",
|
||||
"Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Izmantojiet identitātes serveri, lai uzaicinātu pa e-pastu. Noklikšķiniet uz Turpināt, lai izmantotu noklusējuma identitātes serveri (%(defaultIdentityServerName)s) vai nomainītu to Iestatījumos.",
|
||||
"Use an identity server": "Izmantot identitāšu serveri",
|
||||
|
@ -1062,10 +969,6 @@
|
|||
"Search for rooms or people": "Meklēt istabas vai cilvēkus",
|
||||
"Message preview": "Ziņas priekšskatījums",
|
||||
"Public room": "Publiska istaba",
|
||||
"Private room (invite only)": "Privāta istaba (tikai ar ielūgumiem)",
|
||||
"Only people invited will be able to find and join this room.": "Tikai uzaicinātās cilvēki varēs atrast un pievienoties šai istabai.",
|
||||
"Anyone will be able to find and join this room.": "Ikviens varēs atrast un pievienoties šai istabai.",
|
||||
"You can change this at any time from room settings.": "Jūs to varat mainīt istabas iestatījumos jebkurā laikā.",
|
||||
"Search for rooms": "Meklēt istabas",
|
||||
"Server name": "Servera nosaukums",
|
||||
"Enter the name of a new server you want to explore.": "Ievadiet nosaukumu jaunam serverim, kuru vēlaties pārlūkot.",
|
||||
|
@ -1316,7 +1219,8 @@
|
|||
"unnamed_room": "Istaba bez nosaukuma",
|
||||
"secure_backup": "Droša rezerves kopija",
|
||||
"identity_server": "Identitāšu serveris",
|
||||
"integration_manager": "Integrācija pārvaldnieks"
|
||||
"integration_manager": "Integrācija pārvaldnieks",
|
||||
"feedback": "Atsauksmes"
|
||||
},
|
||||
"action": {
|
||||
"continue": "Turpināt",
|
||||
|
@ -1511,7 +1415,9 @@
|
|||
"font_size": "Šrifta izmērs",
|
||||
"custom_font_description": "Iestaties uz jūsu sistēmas instalēta fonta nosaukumu, kuru & %(brand)s vajadzētu mēģināt izmantot.",
|
||||
"timeline_image_size_default": "Noklusējuma"
|
||||
}
|
||||
},
|
||||
"inline_url_previews_room_account": "Iespējot URL priekšskatījumus šajā istabā (ietekmē tikai jūs pašu)",
|
||||
"inline_url_previews_room": "Iespējot URL priekšskatījumus pēc noklusējuma visiem šīs istabas dalībniekiem"
|
||||
},
|
||||
"devtools": {
|
||||
"event_type": "Notikuma tips",
|
||||
|
@ -1537,7 +1443,16 @@
|
|||
"title_public_room": "Izveidot publisku istabu",
|
||||
"title_private_room": "Izveidot privātu istabu",
|
||||
"action_create_video_room": "Izveidot video istabu",
|
||||
"action_create_room": "Izveidot istabu"
|
||||
"action_create_room": "Izveidot istabu",
|
||||
"join_rule_change_notice": "Jūs to varat mainīt istabas iestatījumos jebkurā laikā.",
|
||||
"join_rule_public_label": "Ikviens varēs atrast un pievienoties šai istabai.",
|
||||
"join_rule_invite_label": "Tikai uzaicinātās cilvēki varēs atrast un pievienoties šai istabai.",
|
||||
"encryption_forced": "Jūsu serveris pieprasa iespējotu šifrēšānu privātās istabās.",
|
||||
"encryption_label": "Iespējot pilnīgu šifrēšanu",
|
||||
"unfederated_label_default_off": "Jūs varat iespējot šo situācijā, kad istaba paredzēta izmantošanai tikai saziņai starp jūsu bāzes serverī esošajām komandām. Tas nav maināms vēlāk.",
|
||||
"topic_label": "Temats (izvēles)",
|
||||
"join_rule_invite": "Privāta istaba (tikai ar ielūgumiem)",
|
||||
"unfederated": "Liegt pievienoties šai istabai ikvienam, kas nav reģistrēts %(serverName)s serverī."
|
||||
},
|
||||
"timeline": {
|
||||
"m.call.invite": {
|
||||
|
@ -1813,7 +1728,11 @@
|
|||
"query": "Atvērt čatu ar šo lietotāju",
|
||||
"holdcall": "Iepauzē sazvanu šajā istabā",
|
||||
"unholdcall": "Šajā istabā iepauzētās sazvana atpauzēšana",
|
||||
"me": "Parāda darbību"
|
||||
"me": "Parāda darbību",
|
||||
"join": "Pievienojas istabai ar šādu adresi",
|
||||
"failed_find_user": "Lietotājs istabā netika atrasts",
|
||||
"op": "Definē lietotāja statusu",
|
||||
"deop": "Atceļ operatora statusu lietotājam ar norādīto Id"
|
||||
},
|
||||
"presence": {
|
||||
"online_for": "Tiešsaistē %(duration)s",
|
||||
|
@ -1915,7 +1834,26 @@
|
|||
"account_clash": "Jūsu jaunais konts (%(newAccountId)s) ir reģistrēts, bet jūs jau esat pierakstījies citā kontā (%(loggedInUserId)s).",
|
||||
"account_clash_previous_account": "Turpināt ar iepriekšējo kontu",
|
||||
"log_in_new_account": "<a>Pierakstīties</a> jaunajā kontā.",
|
||||
"registration_successful": "Reģistrācija ir veiksmīga"
|
||||
"registration_successful": "Reģistrācija ir veiksmīga",
|
||||
"footer_powered_by_matrix": "tiek darbināta ar Matrix",
|
||||
"sync_footer_subtitle": "Ja esat pievienojies daudzām istabām, tas var aizņemt kādu laiku",
|
||||
"unsupported_auth_msisdn": "Šis serveris neatbalsta autentifikāciju pēc telefona numura.",
|
||||
"registration_disabled": "Šajā bāzes serverī reģistrācija ir atspējota.",
|
||||
"failed_query_registration_methods": "Neizdevās pieprasīt atbalstītās reģistrācijas metodes.",
|
||||
"incorrect_password": "Nepareiza parole",
|
||||
"failed_soft_logout_auth": "Neizdevās atkārtoti autentificēties",
|
||||
"soft_logout_heading": "Jūs izrakstījāties",
|
||||
"forgot_password_email_required": "Ir jāievada jūsu kontam piesaistītā epasta adrese.",
|
||||
"sign_in_prompt": "Vai jums ir konts? <a>Pierakstieties</a>",
|
||||
"forgot_password_prompt": "Aizmirsāt paroli?",
|
||||
"soft_logout_intro_password": "Ievadiet paroli, lai pierakstītos un atgūtu piekļuvi savam kontam.",
|
||||
"soft_logout_intro_sso": "Pierakstieties un atgūstiet piekļuvi savam kontam.",
|
||||
"soft_logout_intro_unsupported_auth": "Jūs nevarat pierakstīties savā kontā. Lūdzu, sazinieties ar sava bāzes servera administratoru, lai iegūtu vairāk informācijas.",
|
||||
"create_account_prompt": "Pirmo reizi šeit? <a>Izveidojiet kontu</a>",
|
||||
"sign_in_or_register": "Pierakstīties vai izveidot kontu",
|
||||
"sign_in_or_register_description": "Izmantojiet esošu kontu vai izveidojiet jaunu, lai turpinātu.",
|
||||
"register_action": "Izveidot kontu",
|
||||
"server_picker_learn_more": "Par bāzes serveriem"
|
||||
},
|
||||
"room_list": {
|
||||
"sort_unread_first": "Rādīt istabas ar nelasītām ziņām augšpusē",
|
||||
|
@ -1944,5 +1882,72 @@
|
|||
"versions": "Versijas",
|
||||
"clear_cache_reload": "Notīrīt kešatmiņu un pārlādēt"
|
||||
}
|
||||
},
|
||||
"widget": {
|
||||
"capability": {
|
||||
"send_stickers_this_room": "Iesūtīt stikerus šajā istabā",
|
||||
"send_stickers_active_room": "Iesūtīt stikerus jūsu aktīvajā istabā",
|
||||
"send_stickers_this_room_as_you": "Nosūtīt stikerus savā vārdā uz šo istabu",
|
||||
"send_stickers_active_room_as_you": "Nosūtiet uzlīmes savā vārdā uz savu aktīvo istabu",
|
||||
"see_sticker_posted_this_room": "Redzēt, kad šajā istabā parādās stikers",
|
||||
"see_sticker_posted_active_room": "Redzēt, kad kāds izvieto stikeri jūsu aktīvajā istabā",
|
||||
"always_on_screen_viewing_another_room": "Darbības laikā paliek uz ekrāna, kad tiek skatīta cita istaba",
|
||||
"always_on_screen_generic": "Darbības laikā paliek uz ekrāna",
|
||||
"switch_room": "Nomainīt istabu, kuru jūs skatiet",
|
||||
"switch_room_message_user": "Nomainīt istabu, ziņu vai lietotāju, kuru jūs skatiet",
|
||||
"change_topic_this_room": "Nomainīt šīs istabas tematu",
|
||||
"see_topic_change_this_room": "Redzēt, kad mainās šīs istabas temats",
|
||||
"change_topic_active_room": "Nomainīt jūsu aktīvās istabas tematu",
|
||||
"see_topic_change_active_room": "Redzēt, kad mainās pašreizējā tērziņa temats",
|
||||
"change_name_this_room": "Nomainīt šīs istabas nosaukumu",
|
||||
"see_name_change_this_room": "Redzēt, kad mainās šīs istabas nosaukums",
|
||||
"change_name_active_room": "Nomainīt jūsu aktīvās istabas nosaukumu",
|
||||
"see_name_change_active_room": "Redzēt, kad notiek aktīvās istabas nosaukuma izmaiņas",
|
||||
"change_avatar_this_room": "Nomainīt šīs istabas avataru",
|
||||
"see_avatar_change_this_room": "Redzēt, kad notiek šīs istabas avatara izmaiņas",
|
||||
"change_avatar_active_room": "Nomainīt jūsu aktīvās istabas avataru",
|
||||
"see_avatar_change_active_room": "Redzēt, kad notiek jūsu aktīvās istabas avatara izmaiņas",
|
||||
"receive_membership_this_room": "Redzēt, kad cilvēki pievienojas, atstāj vai tiek uzaicināti uz šo istabu",
|
||||
"receive_membership_active_room": "Redzēt, kad cilvēki pievienojas, atstāj vai tiek uzaicināti uz jūsu aktīvo istabu",
|
||||
"byline_empty_state_key": "ar tukšu stāvokļa/statusa atslēgu",
|
||||
"byline_state_key": "ar stāvokļa/statusa atslēgu %(stateKey)s",
|
||||
"send_event_type_this_room": "Sūtiet <b>%(eventType)s</b> notikumus jūsu vārdā šajā istabā",
|
||||
"see_event_type_sent_this_room": "Apskatīt <b>%(eventType)s</b> notikumus šajā istabā",
|
||||
"send_event_type_active_room": "Sūtīt <b>%(eventType)s</b> notikumus savā vārdā savā aktīvajā istabā",
|
||||
"see_event_type_sent_active_room": "Apskatīt <b>%(eventType)s</b> notikumus jūsu aktīvajā istabā",
|
||||
"capability": "<b>%(capability)s</b> iespējas",
|
||||
"send_messages_this_room": "Sūtīt ziņas savā vārdā šajā istabā",
|
||||
"send_messages_active_room": "Sūtiet ziņas savā vārdā jūsu aktīvajā istabā",
|
||||
"see_messages_sent_this_room": "Redzēt ziņas, kas izvietotas šajā istabā",
|
||||
"see_messages_sent_active_room": "Redzēt ziņas, kas izvietotas jūsu aktīvajā istabā",
|
||||
"send_text_messages_this_room": "Sūtīt teksta ziņas savā vārdā šajā istabā",
|
||||
"send_text_messages_active_room": "Sūtīt teksta ziņas savā vārdā jūsu aktīvajā istabā",
|
||||
"see_text_messages_sent_this_room": "Redzēt teksta ziņas, kas izvietotas šajā istabā",
|
||||
"see_text_messages_sent_active_room": "Redzēt teksta ziņas, kuras izvietotas jūsu aktīvajā istabā",
|
||||
"send_emotes_this_room": "Nosūtīt emocijas savā vārdā uz šo istabu",
|
||||
"send_emotes_active_room": "Nosūtīt emocijas savā vārdā uz savu aktīvo istabu",
|
||||
"see_sent_emotes_this_room": "Redzēt emocijas, kuras izvietotas šajā istabā",
|
||||
"see_sent_emotes_active_room": "Redzēt emocijas, kuras izvietotas jūsu aktīvajā istabā",
|
||||
"send_images_this_room": "Sūtīt attēlus savā vārdā šajā istabā",
|
||||
"send_images_active_room": "Sūtīt attēlus savā vārdā savā aktīvajā istabā",
|
||||
"see_images_sent_this_room": "Redzēt attēlus, kuri izlikti šajā istabā",
|
||||
"see_images_sent_active_room": "Redzēt attēlus, kuri izlikti jūsu aktīvajā istabā",
|
||||
"send_videos_this_room": "Sūtīt video savā vārdā šajā istabā",
|
||||
"send_videos_active_room": "Sūtīt video savā vārdā savā aktīvajā istabā",
|
||||
"see_videos_sent_this_room": "Redzēt video, kuri izlikti šajā istabā",
|
||||
"see_videos_sent_active_room": "Redzēt video, kuri izlikti jūsu aktīvajā istabā",
|
||||
"send_files_this_room": "Sūtīt failus savā vārdā šajā istabā",
|
||||
"send_files_active_room": "Sūtīt failus savā vārdā jūsu aktīvajā istabā",
|
||||
"see_sent_files_this_room": "Redzēt šajā istabā izliktos failus",
|
||||
"see_sent_files_active_room": "Redzēt jūsu aktīvajā istabā izliktos failus",
|
||||
"send_msgtype_this_room": "Sūtīt <b>%(msgtype)s</b> ziņas savā vārdā šajā istabā",
|
||||
"send_msgtype_active_room": "Sūtīt <b>%(msgtype)s</b> ziņas savā vārdā savā aktīvajā istabā",
|
||||
"see_msgtype_sent_this_room": "Apskatīt <b>%(msgtype)s</b> ziņas, kas publicētas šajā istabā",
|
||||
"see_msgtype_sent_active_room": "Apskatīt <b>%(msgtype)s</b> ziņas, kas publicētas jūsu aktīvajā istabā"
|
||||
}
|
||||
},
|
||||
"feedback": {
|
||||
"sent": "Atsauksme nosūtīta",
|
||||
"send_feedback_action": "Nosūtīt atsauksmi"
|
||||
}
|
||||
}
|
||||
|
|
|
@ -4,7 +4,6 @@
|
|||
"Favourite": "പ്രിയപ്പെട്ടവ",
|
||||
"Notifications": "നോട്ടിഫിക്കേഷനുകള്",
|
||||
"Operation failed": "ശ്രമം പരാജയപ്പെട്ടു",
|
||||
"powered by Matrix": "മാട്രിക്സില് പ്രവര്ത്തിക്കുന്നു",
|
||||
"unknown error code": "അപരിചിത എറര് കോഡ്",
|
||||
"Failed to change password. Is your password correct?": "രഹസ്യവാക്ക് മാറ്റാന് സാധിച്ചില്ല. രഹസ്യവാക്ക് ശരിയാണോ ?",
|
||||
"Sunday": "ഞായര്",
|
||||
|
@ -40,7 +39,6 @@
|
|||
"Off": "ഓഫ്",
|
||||
"Failed to remove tag %(tagName)s from room": "റൂമില് നിന്നും %(tagName)s ടാഗ് നീക്കം ചെയ്യുവാന് സാധിച്ചില്ല",
|
||||
"Explore rooms": "മുറികൾ കണ്ടെത്തുക",
|
||||
"Create Account": "അക്കൗണ്ട് സൃഷ്ടിക്കുക",
|
||||
"common": {
|
||||
"error": "എറര്",
|
||||
"mute": "നിശ്ശബ്ദം",
|
||||
|
@ -83,5 +81,9 @@
|
|||
"rule_call": "വിളിയ്ക്കുന്നു",
|
||||
"rule_suppress_notices": "ബോട്ട് അയയ്ക്കുന്ന സന്ദേശങ്ങള്ക്ക്"
|
||||
}
|
||||
},
|
||||
"auth": {
|
||||
"footer_powered_by_matrix": "മാട്രിക്സില് പ്രവര്ത്തിക്കുന്നു",
|
||||
"register_action": "അക്കൗണ്ട് സൃഷ്ടിക്കുക"
|
||||
}
|
||||
}
|
||||
|
|
|
@ -1,8 +1,10 @@
|
|||
{
|
||||
"Explore rooms": "Өрөөнүүд үзэх",
|
||||
"Create Account": "Хэрэглэгч үүсгэх",
|
||||
"action": {
|
||||
"dismiss": "Орхих",
|
||||
"sign_in": "Нэвтрэх"
|
||||
},
|
||||
"auth": {
|
||||
"register_action": "Хэрэглэгч үүсгэх"
|
||||
}
|
||||
}
|
||||
|
|
|
@ -18,7 +18,6 @@
|
|||
"Failed to forget room %(errCode)s": "Kunne ikke glemme rommet %(errCode)s",
|
||||
"Wednesday": "Onsdag",
|
||||
"unknown error code": "ukjent feilkode",
|
||||
"powered by Matrix": "Drevet av Matrix",
|
||||
"Invite to this room": "Inviter til dette rommet",
|
||||
"You cannot delete this message. (%(code)s)": "Du kan ikke slette denne meldingen. (%(code)s)",
|
||||
"Thursday": "Torsdag",
|
||||
|
@ -91,8 +90,6 @@
|
|||
"You are now ignoring %(userId)s": "%(userId)s er nå ignorert",
|
||||
"Unignored user": "Uignorert bruker",
|
||||
"You are no longer ignoring %(userId)s": "%(userId)s blir ikke lengre ignorert",
|
||||
"Define the power level of a user": "Definer tilgangnivå til en bruker",
|
||||
"Deops user with given id": "Fjerner OP nivå til bruker med gitt ID",
|
||||
"Verified key": "Verifisert nøkkel",
|
||||
"Reason": "Årsak",
|
||||
"Add Email Address": "Legg til E-postadresse",
|
||||
|
@ -176,7 +173,6 @@
|
|||
"Changelog": "Endringslogg",
|
||||
"Confirm Removal": "Bekreft fjerning",
|
||||
"Unknown error": "Ukjent feil",
|
||||
"Incorrect password": "Feil passord",
|
||||
"Session name": "Øktens navn",
|
||||
"Filter results": "Filtrerresultater",
|
||||
"An error has occurred.": "En feil har oppstått.",
|
||||
|
@ -349,13 +345,11 @@
|
|||
"Search failed": "Søket mislyktes",
|
||||
"No more results": "Ingen flere resultater",
|
||||
"Return to login screen": "Gå tilbake til påloggingsskjermen",
|
||||
"You're signed out": "Du er logget av",
|
||||
"File to import": "Filen som skal importeres",
|
||||
"Upgrade your encryption": "Oppgrader krypteringen din",
|
||||
"Space used:": "Plass brukt:",
|
||||
"Indexed rooms:": "Indekserte rom:",
|
||||
"Verify this session": "Verifiser denne økten",
|
||||
"Create Account": "Opprett konto",
|
||||
"Not Trusted": "Ikke betrodd",
|
||||
"%(items)s and %(count)s others": {
|
||||
"other": "%(items)s og %(count)s andre",
|
||||
|
@ -364,8 +358,6 @@
|
|||
"%(items)s and %(lastItem)s": "%(items)s og %(lastItem)s",
|
||||
"%(name)s (%(userId)s)": "%(name)s (%(userId)s)",
|
||||
"Never send encrypted messages to unverified sessions in this room from this session": "Aldri send krypterte meldinger til uverifiserte økter i dette rommet fra denne økten",
|
||||
"Enable URL previews for this room (only affects you)": "Skru på URL-forhåndsvisninger for dette rommet (Påvirker bare deg)",
|
||||
"Enable URL previews by default for participants in this room": "Skru på URL-forhåndsvisninger som standard for deltakerne i dette rommet",
|
||||
"Manually verify all remote sessions": "Verifiser alle eksterne økter manuelt",
|
||||
"Show more": "Vis mer",
|
||||
"Warning!": "Advarsel!",
|
||||
|
@ -422,8 +414,6 @@
|
|||
"other": "Og %(count)s til..."
|
||||
},
|
||||
"Logs sent": "Loggbøkene ble sendt",
|
||||
"Please enter a name for the room": "Vennligst skriv inn et navn for rommet",
|
||||
"Topic (optional)": "Tema (valgfritt)",
|
||||
"Hide advanced": "Skjul avansert",
|
||||
"Show advanced": "Vis avansert",
|
||||
"Recent Conversations": "Nylige samtaler",
|
||||
|
@ -439,7 +429,6 @@
|
|||
"You must join the room to see its files": "Du må bli med i rommet for å se filene dens",
|
||||
"Signed Out": "Avlogget",
|
||||
"%(creator)s created and configured the room.": "%(creator)s opprettet og satte opp rommet.",
|
||||
"Forgotten your password?": "Har du glemt passordet ditt?",
|
||||
"Export room keys": "Eksporter romnøkler",
|
||||
"Import room keys": "Importer romnøkler",
|
||||
"Go to Settings": "Gå til Innstillinger",
|
||||
|
@ -496,9 +485,7 @@
|
|||
"Confirm adding phone number": "Bekreft tillegging av telefonnummer",
|
||||
"Setting up keys": "Setter opp nøkler",
|
||||
"New login. Was this you?": "En ny pålogging. Var det deg?",
|
||||
"Sign In or Create Account": "Logg inn eller lag en konto",
|
||||
"Use an identity server": "Bruk en identitetstjener",
|
||||
"Could not find user in room": "Klarte ikke å finne brukeren i rommet",
|
||||
"Session already verified!": "Økten er allerede verifisert!",
|
||||
"Your %(brand)s is misconfigured": "Ditt %(brand)s-oppsett er feiloppsatt",
|
||||
"Not a valid %(brand)s keyfile": "Ikke en gyldig %(brand)s-nøkkelfil",
|
||||
|
@ -548,7 +535,6 @@
|
|||
"You verified %(name)s": "Du verifiserte %(name)s",
|
||||
"Some characters not allowed": "Noen tegn er ikke tillatt",
|
||||
"Invite anyway": "Inviter likevel",
|
||||
"Enable end-to-end encryption": "Aktiver start-til-mål-kryptering",
|
||||
"a key signature": "en nøkkelsignatur",
|
||||
"Send Logs": "Send loggbøker",
|
||||
"Command Help": "Kommandohjelp",
|
||||
|
@ -626,12 +612,10 @@
|
|||
"Switch to dark mode": "Bytt til mørk modus",
|
||||
"Switch theme": "Bytt tema",
|
||||
"All settings": "Alle innstillinger",
|
||||
"Feedback": "Tilbakemelding",
|
||||
"Emoji Autocomplete": "Auto-fullfør emojier",
|
||||
"Confirm encryption setup": "Bekreft krypteringsoppsett",
|
||||
"Create key backup": "Opprett nøkkelsikkerhetskopi",
|
||||
"Set up Secure Messages": "Sett opp sikre meldinger",
|
||||
"If you've joined lots of rooms, this might take a while": "Hvis du har blitt med i mange rom, kan dette ta en stund",
|
||||
"To help us prevent this in future, please <a>send us logs</a>.": "For å hjelpe oss med å forhindre dette i fremtiden, vennligst <a>send oss loggfiler</a>.",
|
||||
"Lock": "Lås",
|
||||
"Server or user ID to ignore": "Tjener- eller bruker-ID-en som skal ignoreres",
|
||||
|
@ -762,7 +746,6 @@
|
|||
"Skip for now": "Hopp over for nå",
|
||||
"Share %(name)s": "Del %(name)s",
|
||||
"Just me": "Bare meg selv",
|
||||
"New? <a>Create account</a>": "Er du ny her? <a>Opprett en konto</a>",
|
||||
"Upgrade private room": "Oppgrader privat rom",
|
||||
"Upgrade public room": "Oppgrader offentlig rom",
|
||||
"Decline All": "Avslå alle",
|
||||
|
@ -773,12 +756,10 @@
|
|||
"Remember this": "Husk dette",
|
||||
"Move right": "Gå til høyre",
|
||||
"Notify the whole room": "Varsle hele rommet",
|
||||
"Got an account? <a>Sign in</a>": "Har du en konto? <a>Logg på</a>",
|
||||
"You created this room.": "Du opprettet dette rommet.",
|
||||
"Security Phrase": "Sikkerhetsfrase",
|
||||
"Open dial pad": "Åpne nummerpanelet",
|
||||
"Message deleted on %(date)s": "Meldingen ble slettet den %(date)s",
|
||||
"New here? <a>Create an account</a>": "Er du ny her? <a>Opprett en konto</a>",
|
||||
"Enter email address": "Legg inn e-postadresse",
|
||||
"Enter phone number": "Skriv inn telefonnummer",
|
||||
"Please enter the code it contains:": "Vennligst skriv inn koden den inneholder:",
|
||||
|
@ -792,7 +773,6 @@
|
|||
"Security Key": "Sikkerhetsnøkkel",
|
||||
"Invalid Security Key": "Ugyldig sikkerhetsnøkkel",
|
||||
"Wrong Security Key": "Feil sikkerhetsnøkkel",
|
||||
"About homeservers": "Om hjemmetjenere",
|
||||
"New Recovery Method": "Ny gjenopprettingsmetode",
|
||||
"Generate a Security Key": "Generer en sikkerhetsnøkkel",
|
||||
"Confirm your Security Phrase": "Bekreft sikkerhetsfrasen din",
|
||||
|
@ -810,12 +790,10 @@
|
|||
"Widgets": "Komponenter",
|
||||
"Favourited": "Favorittmerket",
|
||||
"Forget Room": "Glem rommet",
|
||||
"Invalid URL": "Ugyldig URL",
|
||||
"Continuing without email": "Fortsetter uten E-post",
|
||||
"Are you sure you want to sign out?": "Er du sikker på at du vil logge av?",
|
||||
"Transfer": "Overfør",
|
||||
"Invite by email": "Inviter gjennom E-post",
|
||||
"Comment": "Kommentar",
|
||||
"Reason (optional)": "Årsak (valgfritt)",
|
||||
"Explore public rooms": "Utforsk offentlige rom",
|
||||
"Verify the link in your inbox": "Verifiser lenken i innboksen din",
|
||||
|
@ -847,8 +825,6 @@
|
|||
"Capitalization doesn't help very much": "Store bokstaver er ikke spesielt nyttig",
|
||||
"Use a longer keyboard pattern with more turns": "Bruke et lengre og mer uventet tastatur mønster",
|
||||
"No need for symbols, digits, or uppercase letters": "Ikke nødvendig med symboler, sifre eller bokstaver",
|
||||
"See images posted to this room": "Se bilder som er lagt ut i dette rommet",
|
||||
"Change the topic of this room": "Endre dette rommets tema",
|
||||
"Zimbabwe": "Zimbabwe",
|
||||
"Yemen": "Jemen",
|
||||
"Zambia": "Zambia",
|
||||
|
@ -1069,7 +1045,6 @@
|
|||
"Cloud": "Sky",
|
||||
"More": "Mer",
|
||||
"Connecting": "Kobler til",
|
||||
"Change the name of this room": "Endre rommets navn",
|
||||
"St. Pierre & Miquelon": "Saint-Pierre og Miquelon",
|
||||
"St. Martin": "Saint Martin",
|
||||
"St. Barthélemy": "Saint Barthélemy",
|
||||
|
@ -1143,7 +1118,8 @@
|
|||
"cross_signing": "Kryssignering",
|
||||
"identity_server": "Identitetstjener",
|
||||
"integration_manager": "Integreringsbehandler",
|
||||
"qr_code": "QR-kode"
|
||||
"qr_code": "QR-kode",
|
||||
"feedback": "Tilbakemelding"
|
||||
},
|
||||
"action": {
|
||||
"continue": "Fortsett",
|
||||
|
@ -1365,7 +1341,9 @@
|
|||
"custom_theme_add_button": "Legg til tema",
|
||||
"font_size": "Skriftstørrelse",
|
||||
"timeline_image_size_default": "Standard"
|
||||
}
|
||||
},
|
||||
"inline_url_previews_room_account": "Skru på URL-forhåndsvisninger for dette rommet (Påvirker bare deg)",
|
||||
"inline_url_previews_room": "Skru på URL-forhåndsvisninger som standard for deltakerne i dette rommet"
|
||||
},
|
||||
"devtools": {
|
||||
"event_type": "Hendelsestype",
|
||||
|
@ -1390,7 +1368,10 @@
|
|||
},
|
||||
"create_room": {
|
||||
"title_public_room": "Opprett et offentlig rom",
|
||||
"title_private_room": "Opprett et privat rom"
|
||||
"title_private_room": "Opprett et privat rom",
|
||||
"name_validation_required": "Vennligst skriv inn et navn for rommet",
|
||||
"encryption_label": "Aktiver start-til-mål-kryptering",
|
||||
"topic_label": "Tema (valgfritt)"
|
||||
},
|
||||
"timeline": {
|
||||
"m.room.member": {
|
||||
|
@ -1566,7 +1547,10 @@
|
|||
"addwidget_invalid_protocol": "Oppgi en https: // eller http: // widget-URL",
|
||||
"addwidget_no_permissions": "Du kan ikke endre widgets i dette rommet.",
|
||||
"discardsession": "Tvinger den gjeldende utgående gruppeøkten i et kryptert rom til å stoppe",
|
||||
"me": "Viser handling"
|
||||
"me": "Viser handling",
|
||||
"failed_find_user": "Klarte ikke å finne brukeren i rommet",
|
||||
"op": "Definer tilgangnivå til en bruker",
|
||||
"deop": "Fjerner OP nivå til bruker med gitt ID"
|
||||
},
|
||||
"presence": {
|
||||
"online_for": "På nett i %(duration)s",
|
||||
|
@ -1660,7 +1644,18 @@
|
|||
"sso_or_username_password": "%(ssoButtons)s eller %(usernamePassword)s",
|
||||
"sign_in_instead": "Har du allerede en konto? <a>Logg på</a>",
|
||||
"account_clash_previous_account": "Fortsett med tidligere konto",
|
||||
"registration_successful": "Registreringen var vellykket"
|
||||
"registration_successful": "Registreringen var vellykket",
|
||||
"footer_powered_by_matrix": "Drevet av Matrix",
|
||||
"sync_footer_subtitle": "Hvis du har blitt med i mange rom, kan dette ta en stund",
|
||||
"incorrect_password": "Feil passord",
|
||||
"soft_logout_heading": "Du er logget av",
|
||||
"sign_in_prompt": "Har du en konto? <a>Logg på</a>",
|
||||
"forgot_password_prompt": "Har du glemt passordet ditt?",
|
||||
"create_account_prompt": "Er du ny her? <a>Opprett en konto</a>",
|
||||
"sign_in_or_register": "Logg inn eller lag en konto",
|
||||
"register_action": "Opprett konto",
|
||||
"server_picker_invalid_url": "Ugyldig URL",
|
||||
"server_picker_learn_more": "Om hjemmetjenere"
|
||||
},
|
||||
"room_list": {
|
||||
"show_previews": "Vis forhåndsvisninger av meldinger",
|
||||
|
@ -1692,5 +1687,15 @@
|
|||
"versions": "Versjoner",
|
||||
"clear_cache_reload": "Tøm mellomlageret og last inn siden på nytt"
|
||||
}
|
||||
},
|
||||
"widget": {
|
||||
"capability": {
|
||||
"change_topic_this_room": "Endre dette rommets tema",
|
||||
"change_name_this_room": "Endre rommets navn",
|
||||
"see_images_sent_this_room": "Se bilder som er lagt ut i dette rommet"
|
||||
}
|
||||
},
|
||||
"feedback": {
|
||||
"comment_label": "Kommentar"
|
||||
}
|
||||
}
|
||||
|
|
|
@ -29,7 +29,6 @@
|
|||
"Favourite": "Favoriet",
|
||||
"Notifications": "Meldingen",
|
||||
"Operation failed": "Handeling is mislukt",
|
||||
"powered by Matrix": "draait op Matrix",
|
||||
"unknown error code": "onbekende foutcode",
|
||||
"Failed to change password. Is your password correct?": "Wijzigen van wachtwoord is mislukt. Is je wachtwoord juist?",
|
||||
"Moderator": "Moderator",
|
||||
|
@ -77,7 +76,6 @@
|
|||
"Email": "E-mailadres",
|
||||
"Email address": "E-mailadres",
|
||||
"Custom level": "Aangepast niveau",
|
||||
"Deops user with given id": "Ontmachtigt persoon met de gegeven ID",
|
||||
"Default": "Standaard",
|
||||
"Enter passphrase": "Wachtwoord invoeren",
|
||||
"Error decrypting attachment": "Fout bij het ontsleutelen van de bijlage",
|
||||
|
@ -130,7 +128,6 @@
|
|||
"Signed Out": "Uitgelogd",
|
||||
"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",
|
||||
"The email address linked to your account must be entered.": "Het aan jouw account gekoppelde e-mailadres dient ingevoerd worden.",
|
||||
"This room has no local addresses": "Deze kamer heeft geen lokale adressen",
|
||||
"This room is not recognised.": "Deze kamer wordt niet herkend.",
|
||||
"This doesn't appear to be a valid email address": "Het ziet er niet naar uit dat dit een geldig e-mailadres is",
|
||||
|
@ -166,7 +163,6 @@
|
|||
"You seem to be in a call, are you sure you want to quit?": "Het ziet er naar uit dat je in gesprek bent, weet je zeker dat je wil afsluiten?",
|
||||
"You seem to be uploading files, are you sure you want to quit?": "Het ziet er naar uit dat je bestanden aan het uploaden bent, weet je zeker dat je wil afsluiten?",
|
||||
"You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Je zal deze veranderingen niet terug kunnen draaien, omdat je de persoon tot je eigen machtsniveau promoveert.",
|
||||
"This server does not support authentication with a phone number.": "Deze server biedt geen ondersteuning voor authenticatie met een telefoonnummer.",
|
||||
"Connectivity to the server has been lost.": "De verbinding met de server is verbroken.",
|
||||
"Sent messages will be stored until your connection has returned.": "Verstuurde berichten zullen opgeslagen worden totdat je verbinding hersteld is.",
|
||||
"(~%(count)s results)": {
|
||||
|
@ -188,7 +184,6 @@
|
|||
"Failed to invite": "Uitnodigen is mislukt",
|
||||
"Confirm Removal": "Verwijdering bevestigen",
|
||||
"Unknown error": "Onbekende fout",
|
||||
"Incorrect password": "Onjuist wachtwoord",
|
||||
"Unable to restore session": "Herstellen van sessie mislukt",
|
||||
"If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Als je een recentere versie van %(brand)s hebt gebruikt is je sessie mogelijk niet geschikt voor deze versie. Sluit dit venster en ga terug naar die recentere versie.",
|
||||
"Token incorrect": "Bewijs onjuist",
|
||||
|
@ -209,7 +204,6 @@
|
|||
"Authentication check failed: incorrect password?": "Aanmeldingscontrole mislukt: onjuist wachtwoord?",
|
||||
"Do you want to set an email address?": "Wil je een e-mailadres instellen?",
|
||||
"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",
|
||||
"Delete widget": "Widget verwijderen",
|
||||
"Publish this room to the public in %(domain)s's room directory?": "Deze kamer vermelden in de publieke kamersgids van %(domain)s?",
|
||||
"AM": "AM",
|
||||
|
@ -228,8 +222,6 @@
|
|||
"You are no longer ignoring %(userId)s": "Je negeert %(userId)s niet meer",
|
||||
"Send": "Versturen",
|
||||
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s %(day)s %(monthName)s %(fullYear)s",
|
||||
"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",
|
||||
"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.",
|
||||
"Unignore": "Niet meer negeren",
|
||||
|
@ -538,12 +530,8 @@
|
|||
"Invalid homeserver discovery response": "Ongeldig homeserver-vindbaarheids-antwoord",
|
||||
"Invalid identity server discovery response": "Ongeldig identiteitsserver-vindbaarheidsantwoord",
|
||||
"General failure": "Algemene fout",
|
||||
"This homeserver does not support login using email address.": "Deze homeserver biedt geen ondersteuning voor inloggen met een e-mailadres.",
|
||||
"Please <a>contact your service administrator</a> to continue using this service.": "Gelieve <a>contact op te nemen met je dienstbeheerder</a> om deze dienst te blijven gebruiken.",
|
||||
"Failed to perform homeserver discovery": "Ontdekken van homeserver is mislukt",
|
||||
"Create account": "Registeren",
|
||||
"Registration has been disabled on this homeserver.": "Registratie is uitgeschakeld op deze homeserver.",
|
||||
"Unable to query for supported registration methods.": "Kan ondersteunde registratiemethoden niet opvragen.",
|
||||
"That matches!": "Dat komt overeen!",
|
||||
"That doesn't match.": "Dat komt niet overeen.",
|
||||
"Go back to set it again.": "Ga terug om het opnieuw in te stellen.",
|
||||
|
@ -655,10 +643,6 @@
|
|||
"Your homeserver doesn't seem to support this feature.": "Jouw homeserver biedt geen ondersteuning voor deze functie.",
|
||||
"Resend %(unsentCount)s reaction(s)": "%(unsentCount)s reactie(s) opnieuw versturen",
|
||||
"Failed to re-authenticate due to a homeserver problem": "Opnieuw inloggen is mislukt wegens een probleem met de homeserver",
|
||||
"Failed to re-authenticate": "Opnieuw inloggen is mislukt",
|
||||
"Enter your password to sign in and regain access to your account.": "Voer je wachtwoord in om je aan te melden en toegang tot je account te herkrijgen.",
|
||||
"Forgotten your password?": "Wachtwoord vergeten?",
|
||||
"You're signed out": "Je bent uitgelogd",
|
||||
"Clear personal data": "Persoonlijke gegevens wissen",
|
||||
"Please tell us what went wrong or, better, create a GitHub issue that describes the problem.": "Laat ons weten wat er verkeerd is gegaan, of nog beter, maak een foutrapport aan op GitHub, waarin je het probleem beschrijft.",
|
||||
"Find others by phone or email": "Vind anderen via telefoonnummer of e-mailadres",
|
||||
|
@ -667,8 +651,6 @@
|
|||
"Terms of Service": "Gebruiksvoorwaarden",
|
||||
"Service": "Dienst",
|
||||
"Summary": "Samenvatting",
|
||||
"Sign in and regain access to your account.": "Meld je aan en herkrijg toegang tot je account.",
|
||||
"You cannot sign in to your account. Please contact your homeserver admin for more information.": "Je kan niet inloggen met jouw account. Neem voor meer informatie contact op met de beheerder van je homeserver.",
|
||||
"This account has been deactivated.": "Dit account is gesloten.",
|
||||
"Checking server": "Server wordt gecontroleerd",
|
||||
"Disconnect from the identity server <idserver />?": "Wil je de verbinding met de identiteitsserver <idserver /> verbreken?",
|
||||
|
@ -741,8 +723,6 @@
|
|||
"Show image": "Afbeelding tonen",
|
||||
"e.g. my-room": "bv. mijn-kamer",
|
||||
"Close dialog": "Dialoog sluiten",
|
||||
"Please enter a name for the room": "Geef een naam voor de kamer op",
|
||||
"Topic (optional)": "Onderwerp (optioneel)",
|
||||
"Hide advanced": "Geavanceerde info verbergen",
|
||||
"Show advanced": "Geavanceerde info tonen",
|
||||
"To continue you need to accept the terms of this service.": "Om door te gaan dien je de dienstvoorwaarden te aanvaarden.",
|
||||
|
@ -846,9 +826,6 @@
|
|||
"Your homeserver does not support cross-signing.": "Jouw homeserver biedt geen ondersteuning voor kruiselings ondertekenen.",
|
||||
"Homeserver feature support:": "Homeserver functie ondersteuning:",
|
||||
"exists": "aanwezig",
|
||||
"Sign In or Create Account": "Meld je aan of maak een account aan",
|
||||
"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",
|
||||
"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>.",
|
||||
"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.",
|
||||
|
@ -983,13 +960,11 @@
|
|||
"Click the button below to confirm adding this phone number.": "Klik op de knop hieronder om het toevoegen van dit telefoonnummer te bevestigen.",
|
||||
"New login. Was this you?": "Nieuwe login gevonden. Was jij dat?",
|
||||
"%(name)s is requesting verification": "%(name)s verzoekt om verificatie",
|
||||
"Could not find user in room": "Kan die persoon in de kamer niet vinden",
|
||||
"You signed in to a new session without verifying it:": "Je hebt je bij een nog niet geverifieerde sessie aangemeld:",
|
||||
"Verify your other session using one of the options below.": "Verifieer je andere sessie op een van onderstaande wijzen.",
|
||||
"Confirm your account deactivation by using Single Sign On to prove your identity.": "Bevestig de deactivering van je account door gebruik te maken van eenmalige aanmelding om je identiteit te bewijzen.",
|
||||
"Are you sure you want to deactivate your account? This is irreversible.": "Weet je zeker dat je jouw account wil sluiten? Dit is onomkeerbaar.",
|
||||
"Confirm account deactivation": "Bevestig accountsluiting",
|
||||
"Joins room with given address": "Neem aan de kamer met dat adres deel",
|
||||
"Your homeserver has exceeded its user limit.": "Jouw homeserver heeft het maximaal aantal personen overschreden.",
|
||||
"Your homeserver has exceeded one of its resource limits.": "Jouw homeserver heeft een van zijn limieten overschreden.",
|
||||
"Ok": "Oké",
|
||||
|
@ -1243,16 +1218,6 @@
|
|||
"Belarus": "Wit-Rusland",
|
||||
"Barbados": "Barbados",
|
||||
"Bangladesh": "Bangladesh",
|
||||
"See when the name changes in your active room": "Zien wanneer de naam in je actieve kamer veranderd",
|
||||
"Change the name of your active room": "Verander de naam van je actieve kamer",
|
||||
"See when the name changes in this room": "Zien wanneer de naam in deze kamer veranderd",
|
||||
"Change the name of this room": "Verander de naam van deze kamer",
|
||||
"See when the topic changes in your active room": "Zien wanneer het onderwerp veranderd van je actieve kamer",
|
||||
"Change the topic of your active room": "Verander het onderwerp van je actieve kamer",
|
||||
"See when the topic changes in this room": "Zien wanneer het onderwerp van deze kamer veranderd",
|
||||
"Change the topic of this room": "Verander het onderwerp van deze kamer",
|
||||
"Change which room, message, or user you're viewing": "Verander welke kamer, welk bericht of welk persoon je ziet",
|
||||
"Change which room you're viewing": "Verander welke kamer je ziet",
|
||||
"Are you sure you want to cancel entering passphrase?": "Weet je zeker, dat je het invoeren van je wachtwoord wilt afbreken?",
|
||||
"Vatican City": "Vaticaanstad",
|
||||
"Taiwan": "Taiwan",
|
||||
|
@ -1308,9 +1273,6 @@
|
|||
"New version of %(brand)s is available": "Nieuwe versie van %(brand)s is beschikbaar",
|
||||
"Update %(brand)s": "%(brand)s updaten",
|
||||
"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.": "Je hebt eerder een nieuwere versie van %(brand)s in deze sessie gebruikt. Om deze versie opnieuw met eind-tot-eind-versleuteling te gebruiken, zal je moeten uitloggen en opnieuw inloggen.",
|
||||
"Block anyone not part of %(serverName)s from ever joining this room.": "Weiger iedereen die geen deel uitmaakt van %(serverName)s om toe te treden tot deze kamer.",
|
||||
"Enable end-to-end encryption": "Eind-tot-eind-versleuteling inschakelen",
|
||||
"Your server requires encryption to be enabled in private rooms.": "Jouw server vereist dat versleuteling in een privékamer is ingeschakeld.",
|
||||
"Reason (optional)": "Reden (niet vereist)",
|
||||
"Server name": "Servernaam",
|
||||
"Add a new server": "Een nieuwe server toevoegen",
|
||||
|
@ -1364,7 +1326,6 @@
|
|||
"Invite by email": "Via e-mail uitnodigen",
|
||||
"Click the button below to confirm your identity.": "Druk op de knop hieronder om je identiteit te bevestigen.",
|
||||
"Confirm to continue": "Bevestig om door te gaan",
|
||||
"Comment": "Opmerking",
|
||||
"Manually verify all remote sessions": "Handmatig alle externe sessies verifiëren",
|
||||
"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",
|
||||
|
@ -1376,53 +1337,6 @@
|
|||
"Unknown App": "Onbekende app",
|
||||
"Error leaving room": "Fout bij verlaten kamer",
|
||||
"Unexpected server error trying to leave the room": "Onverwachte serverfout bij het verlaten van deze kamer",
|
||||
"See <b>%(msgtype)s</b> messages posted to your active room": "Zie <b>%(msgtype)s</b>-berichten verstuurd in je actieve kamer",
|
||||
"See <b>%(msgtype)s</b> messages posted to this room": "Zie <b>%(msgtype)s</b>-berichten verstuurd in deze kamer",
|
||||
"Send <b>%(msgtype)s</b> messages as you in your active room": "Stuur <b>%(msgtype)s</b>-berichten als jezelf in je actieve kamer",
|
||||
"Send <b>%(msgtype)s</b> messages as you in this room": "Stuur <b>%(msgtype)s</b>-berichten als jezelf in deze kamer",
|
||||
"See general files posted to your active room": "Zie bestanden verstuurd naar je actieve kamer",
|
||||
"See general files posted to this room": "Zie bestanden verstuurd naar deze kamer",
|
||||
"Send general files as you in your active room": "Stuur bestanden als jezelf in je actieve kamer",
|
||||
"Send general files as you in this room": "Stuur bestanden als jezelf in deze kamer",
|
||||
"See videos posted to your active room": "Zie videos verstuurd naar je actieve kamer",
|
||||
"See videos posted to this room": "Zie videos verstuurd naar deze kamer",
|
||||
"Send videos as you in your active room": "Stuur videos als jezelf in je actieve kamer",
|
||||
"Send videos as you in this room": "Stuur videos als jezelf in deze kamer",
|
||||
"See images posted to your active room": "Zie afbeeldingen verstuurd in je actieve kamer",
|
||||
"See images posted to this room": "Zie afbeeldingen verstuurd in deze kamer",
|
||||
"Send images as you in your active room": "Stuur afbeeldingen als jezelf in je actieve kamer",
|
||||
"Send images as you in this room": "Stuur afbeeldingen als jezelf in deze kamer",
|
||||
"See emotes posted to your active room": "Zie emoticons verstuurd naar je actieve kamer",
|
||||
"See emotes posted to this room": "Zie emoticons verstuurd naar deze kamer",
|
||||
"Send emotes as you in your active room": "Stuur emoticons als jezelf in je actieve kamer",
|
||||
"Send emotes as you in this room": "Stuur emoticons als jezelf in deze kamer",
|
||||
"See text messages posted to your active room": "Zie tekstberichten verstuurd naar je actieve kamer",
|
||||
"See text messages posted to this room": "Zie tekstberichten verstuurd naar deze kamer",
|
||||
"Send text messages as you in your active room": "Stuur tekstberichten als jezelf in je actieve kamer",
|
||||
"Send text messages as you in this room": "Stuur tekstberichten als jezelf in deze kamer",
|
||||
"See messages posted to your active room": "Zie berichten verstuurd naar je actieve kamer",
|
||||
"See messages posted to this room": "Zie berichten verstuurd naar deze kamer",
|
||||
"Send messages as you in your active room": "Stuur berichten als jezelf in je actieve kamer",
|
||||
"Send messages as you in this room": "Stuur berichten als jezelf in deze kamer",
|
||||
"The <b>%(capability)s</b> capability": "De <b>%(capability)s</b> mogelijkheid",
|
||||
"See <b>%(eventType)s</b> events posted to your active room": "Stuur <b>%(eventType)s</b> gebeurtenissen verstuurd in je actieve kamer",
|
||||
"Send <b>%(eventType)s</b> events as you in your active room": "Stuur <b>%(eventType)s</b> gebeurtenissen als jezelf in je actieve kamer",
|
||||
"See <b>%(eventType)s</b> events posted to this room": "Zie <b>%(eventType)s</b> gebeurtenissen verstuurd in deze kamer",
|
||||
"Send <b>%(eventType)s</b> events as you in this room": "Stuur <b>%(eventType)s</b> gebeurtenis als jezelf in deze kamer",
|
||||
"with state key %(stateKey)s": "met statussleutel %(stateKey)s",
|
||||
"with an empty state key": "met een lege statussleutel",
|
||||
"See when anyone posts a sticker to your active room": "Zien wanneer iemand een sticker in je actieve kamer verstuurd",
|
||||
"Send stickers to your active room as you": "Stuur stickers naar je actieve kamer als jezelf",
|
||||
"See when a sticker is posted in this room": "Zien wanneer stickers in deze kamer zijn verstuurd",
|
||||
"Send stickers to this room as you": "Stuur stickers in deze kamer als jezelf",
|
||||
"See when the avatar changes in your active room": "Zien wanneer de afbeelding in je actieve kamer veranderd",
|
||||
"Change the avatar of your active room": "Wijzig de afbeelding van je actieve kamer",
|
||||
"See when the avatar changes in this room": "Zien wanneer de afbeelding in deze kamer veranderd",
|
||||
"Change the avatar of this room": "Wijzig de kamerafbeelding",
|
||||
"Send stickers into your active room": "Stuur stickers in je actieve kamer",
|
||||
"Send stickers into this room": "Stuur stickers in deze kamer",
|
||||
"Remain on your screen while running": "Blijft op jouw scherm terwijl het beschikbaar is",
|
||||
"Remain on your screen when viewing another room, when running": "Blijft op jouw scherm wanneer je een andere kamer bekijkt, zolang het bezig is",
|
||||
"São Tomé & Príncipe": "Sao Tomé en Principe",
|
||||
"Swaziland": "Swaziland",
|
||||
"Sudan": "Soedan",
|
||||
|
@ -1436,12 +1350,8 @@
|
|||
"No recently visited rooms": "Geen onlangs bezochte kamers",
|
||||
"Use the <a>Desktop app</a> to see all encrypted files": "Gebruik de <a>Desktop-app</a> om alle versleutelde bestanden te zien",
|
||||
"Reminder: Your browser is unsupported, so your experience may be unpredictable.": "Herinnering: Jouw browser wordt niet ondersteund. Dit kan een negatieve impact hebben op je ervaring.",
|
||||
"Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.": "Bekijk eerst de <existingIssuesLink>bestaande bugs op GitHub</existingIssuesLink>. <newIssueLink>Maak een nieuwe aan</newIssueLink> wanneer je jouw bugs niet hebt gevonden.",
|
||||
"Invite someone using their name, email address, username (like <userId/>) or <a>share this room</a>.": "Nodig iemand uit door gebruik te maken van hun naam, e-mailadres, inlognaam (zoals <userId/>) of <a>deel deze kamer</a>.",
|
||||
"Invite someone using their name, username (like <userId/>) or <a>share this room</a>.": "Nodig iemand uit door gebruik te maken van hun naam, inlognaam (zoals <userId/>) of <a>deel deze kamer</a>.",
|
||||
"Send feedback": "Feedback versturen",
|
||||
"Feedback": "Feedback",
|
||||
"Feedback sent": "Feedback verstuurd",
|
||||
"Workspace: <networkLink/>": "Werkplaats: <networkLink/>",
|
||||
"Your firewall or anti-virus is blocking the request.": "Jouw firewall of antivirussoftware blokkeert de aanvraag.",
|
||||
"Currently indexing: %(currentRoom)s": "Momenteel indexeren: %(currentRoom)s",
|
||||
|
@ -1461,12 +1371,8 @@
|
|||
"Confirm your Security Phrase": "Bevestig je veiligheidswachtwoord",
|
||||
"Great! This Security Phrase looks strong enough.": "Geweldig. Dit veiligheidswachtwoord ziet er sterk genoeg uit.",
|
||||
"Enter a Security Phrase": "Veiligheidswachtwoord invoeren",
|
||||
"New? <a>Create account</a>": "Nieuw? <a>Maak een account aan</a>",
|
||||
"If you've joined lots of rooms, this might take a while": "Als je bij veel kamers bent aangesloten kan dit een tijdje duren",
|
||||
"There was a problem communicating with the homeserver, please try again later.": "Er was een communicatieprobleem met de homeserver, probeer het later opnieuw.",
|
||||
"Switch theme": "Thema wisselen",
|
||||
"New here? <a>Create an account</a>": "Nieuw hier? <a>Maak een account</a>",
|
||||
"Got an account? <a>Sign in</a>": "Heb je een account? <a>Inloggen</a>",
|
||||
"You have no visible notifications.": "Je hebt geen zichtbare meldingen.",
|
||||
"Attach files from chat or just drag and drop them anywhere in a room.": "Voeg bestanden toe of sleep ze in de kamer.",
|
||||
"No files visible in this room": "Geen bestanden zichtbaar in deze kamer",
|
||||
|
@ -1516,8 +1422,6 @@
|
|||
"Decline All": "Alles weigeren",
|
||||
"This widget would like to:": "Deze widget zou willen:",
|
||||
"Approve widget permissions": "Machtigingen voor widgets goedkeuren",
|
||||
"Use your preferred Matrix homeserver if you have one, or host your own.": "Gebruik de Matrix-homeserver van je voorkeur als je er een hebt, of host je eigen.",
|
||||
"Unable to validate homeserver": "Kan homeserver niet valideren",
|
||||
"Recent changes that have not yet been received": "Recente wijzigingen die nog niet zijn ontvangen",
|
||||
"The server is not configured to indicate what the problem is (CORS).": "De server is niet geconfigureerd om aan te geven wat het probleem is (CORS).",
|
||||
"A connection error occurred while trying to contact the server.": "Er is een verbindingsfout opgetreden tijdens het contact maken met de server.",
|
||||
|
@ -1534,18 +1438,10 @@
|
|||
"a new master key signature": "een nieuwe hoofdsleutel ondertekening",
|
||||
"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.",
|
||||
"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.",
|
||||
"Server did not return valid authentication information.": "Server heeft geen geldige verificatiegegevens teruggestuurd.",
|
||||
"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.",
|
||||
"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.": "Je zou dit kunnen uitschakelen als deze kamer gebruikt zal worden om samen te werken met externe teams die hun eigen homeserver hebben. Dit kan later niet meer veranderd worden.",
|
||||
"About homeservers": "Over homeservers",
|
||||
"Other homeserver": "Andere homeserver",
|
||||
"Sign into your homeserver": "Login op jouw homeserver",
|
||||
"Specify a homeserver": "Specificeer een homeserver",
|
||||
"Invalid URL": "Ongeldige URL",
|
||||
"Upload completed": "Upload voltooid",
|
||||
"You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "Je zou dit kunnen aanzetten als deze kamer alleen gebruikt zal worden voor samenwerking met interne teams op je homeserver. Dit kan later niet meer veranderd worden.",
|
||||
"Preparing to download logs": "Klaarmaken om logs te downloaden",
|
||||
"Enter the name of a new server you want to explore.": "Voer de naam in van een nieuwe server die je wilt ontdekken.",
|
||||
"All rooms": "Alle kamers",
|
||||
|
@ -1727,12 +1623,9 @@
|
|||
"Search names and descriptions": "In namen en omschrijvingen zoeken",
|
||||
"You may contact me if you have any follow up questions": "Je mag contact met mij opnemen als je nog vervolg vragen heeft",
|
||||
"To leave the beta, visit your settings.": "Om de beta te verlaten, ga naar je instellingen.",
|
||||
"Your platform and username will be noted to help us use your feedback as much as we can.": "Jouw platform en inlognaam zullen worden opgeslagen om onze te helpen je feedback zo goed mogelijk te gebruiken.",
|
||||
"Add reaction": "Reactie toevoegen",
|
||||
"Space Autocomplete": "Space autocomplete",
|
||||
"Go to my space": "Ga naar mijn Space",
|
||||
"See when people join, leave, or are invited to your active room": "Zie wanneer personen deelnemen, vertrekken of worden uitgenodigd in je actieve kamer",
|
||||
"See when people join, leave, or are invited to this room": "Zie wanneer personen deelnemen, vertrekken of worden uitgenodigd voor deze kamer",
|
||||
"Currently joining %(count)s rooms": {
|
||||
"one": "Momenteel aan het toetreden tot %(count)s kamer",
|
||||
"other": "Momenteel aan het toetreden tot %(count)s kamers"
|
||||
|
@ -1830,18 +1723,12 @@
|
|||
"Only invited people can join.": "Alleen uitgenodigde personen kunnen deelnemen.",
|
||||
"Private (invite only)": "Privé (alleen op uitnodiging)",
|
||||
"This upgrade will allow members of selected spaces access to this room without an invite.": "Deze upgrade maakt het mogelijk voor leden van geselecteerde spaces om toegang te krijgen tot deze kamer zonder een uitnodiging.",
|
||||
"Everyone in <SpaceName/> will be able to find and join this room.": "Iedereen in <SpaceName/> kan deze kamer vinden en aan deelnemen.",
|
||||
"Access": "Toegang",
|
||||
"People with supported clients will be able to join the room without having a registered account.": "Personen met geschikte apps zullen aan de kamer kunnen deelnemen zonder een account te hebben.",
|
||||
"Decide who can join %(roomName)s.": "Kies wie kan deelnemen aan %(roomName)s.",
|
||||
"Space members": "Space leden",
|
||||
"Anyone in a space can find and join. You can select multiple spaces.": "Iedereen in een space kan hem vinden en deelnemen. Je kan meerdere spaces selecteren.",
|
||||
"Visible to space members": "Zichtbaar voor Space leden",
|
||||
"Public room": "Publieke kamer",
|
||||
"Private room (invite only)": "Privékamer (alleen op uitnodiging)",
|
||||
"Only people invited will be able to find and join this room.": "Alleen uitgenodigde personen kunnen deze kamer vinden en aan deelnemen.",
|
||||
"Anyone will be able to find and join this room, not just members of <SpaceName/>.": "Iedereen kan deze kamer vinden en aan deelnemen, niet alleen leden van <SpaceName/>.",
|
||||
"You can change this at any time from room settings.": "Je kan dit op elk moment wijzigen vanuit de kamerinstellingen.",
|
||||
"Error downloading audio": "Fout bij downloaden van audio",
|
||||
"<b>Please note upgrading will make a new version of the room</b>. All current messages will stay in this archived room.": "<b>Let op bijwerken maakt een nieuwe versie van deze kamer</b>. Alle huidige berichten blijven in deze gearchiveerde kamer.",
|
||||
"Automatically invite members from this room to the new one": "Automatisch leden uitnodigen van deze kamer in de nieuwe",
|
||||
|
@ -1852,8 +1739,6 @@
|
|||
"Decide which spaces can access this room. If a space is selected, its members can find and join <RoomName/>.": "Kies welke Spaces toegang hebben tot deze kamer. Als een Space is geselecteerd kunnen deze leden <RoomName/> vinden en aan deelnemen.",
|
||||
"Select spaces": "Space selecteren",
|
||||
"You're removing all spaces. Access will default to invite only": "Je verwijdert alle Spaces. De toegang zal teruggezet worden naar alleen op uitnodiging",
|
||||
"Room visibility": "Kamerzichtbaarheid",
|
||||
"Anyone will be able to find and join this room.": "Iedereen kan de kamer vinden en aan deelnemen.",
|
||||
"Share content": "Deel inhoud",
|
||||
"Application window": "Deel een app",
|
||||
"Share entire screen": "Deel je gehele scherm",
|
||||
|
@ -1898,8 +1783,6 @@
|
|||
"To avoid these issues, create a <a>new encrypted room</a> for the conversation you plan to have.": "Om deze problemen te voorkomen, maak een <a>nieuwe versleutelde kamer</a> voor de gesprekken die je wil voeren.",
|
||||
"Are you sure you want to add encryption to this public room?": "Weet je zeker dat je versleuteling wil inschakelen voor deze publieke kamer?",
|
||||
"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 any room you are joined or invited to as well": "Het bovenstaande, maar in elke kamer waar je aan deelneemt en voor uitgenodigd bent",
|
||||
"Some encryption parameters have been changed.": "Enkele versleutingsparameters zijn gewijzigd.",
|
||||
"Role in <RoomName/>": "Rol in <RoomName/>",
|
||||
"Unknown failure": "Onbekende fout",
|
||||
|
@ -1956,7 +1839,6 @@
|
|||
"Proceed with reset": "Met reset doorgaan",
|
||||
"Really reset verification keys?": "Echt je verificatiesleutels resetten?",
|
||||
"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.": "Het lijkt erop dat je geen veiligheidssleutel hebt of andere apparaten waarmee je kunt verifiëren. Dit apparaat heeft geen toegang tot oude versleutelde berichten. Om je identiteit op dit apparaat te verifiëren, moet je jouw verificatiesleutels opnieuw instellen.",
|
||||
"The email address doesn't appear to be valid.": "Dit e-mailadres lijkt niet geldig te zijn.",
|
||||
"Skip verification for now": "Verificatie voorlopig overslaan",
|
||||
"Show:": "Toon:",
|
||||
"What projects are your team working on?": "Aan welke projecten werkt jouw team?",
|
||||
|
@ -1990,10 +1872,7 @@
|
|||
"Thread options": "Draad opties",
|
||||
"Mentions only": "Alleen vermeldingen",
|
||||
"Forget": "Vergeet",
|
||||
"We call the places where you can host your account 'homeservers'.": "Wij noemen de plaatsen waar je jouw account kunt hosten 'homeservers'.",
|
||||
"Matrix.org is the biggest public homeserver in the world, so it's a good place for many.": "Matrix.org is de grootste publieke homeserver ter wereld, dus het is een goede plek voor velen.",
|
||||
"If you can't see who you're looking for, send them your invite link below.": "Als je niet kan vinden wie je zoekt, stuur ze dan je uitnodigingslink hieronder.",
|
||||
"You can't disable this later. Bridges & most bots won't work yet.": "Je kan dit later niet uitschakelen. Bruggen en de meeste bots zullen nog niet werken.",
|
||||
"Add option": "Optie toevoegen",
|
||||
"Write an option": "Schrijf een optie",
|
||||
"Option %(number)s": "Optie %(number)s",
|
||||
|
@ -2040,7 +1919,6 @@
|
|||
"Regain access to your account and recover encryption keys stored in this session. Without them, you won't be able to read all of your secure messages in any session.": "Ontvang toegang tot je account en herstel de tijdens deze sessie opgeslagen versleutelingssleutels, zonder deze sleutels zijn sommige van je versleutelde berichten in je sessies onleesbaar.",
|
||||
"Without verifying, you won't have access to all your messages and may appear as untrusted to others.": "Zonder verifiëren heb je geen toegang tot al je berichten en kan je als onvertrouwd aangemerkt staan bij anderen.",
|
||||
"Store your Security Key somewhere safe, like a password manager or a safe, as it's used to safeguard your encrypted data.": "Bewaar je veiligheidssleutel op een veilige plaats, zoals in een wachtwoordmanager of een kluis, aangezien hiermee je versleutelde gegevens zijn beveiligd.",
|
||||
"Someone already has that username, please try another.": "Iemand heeft die inlognaam al, probeer een andere.",
|
||||
"Sorry, the poll you tried to create was not posted.": "Sorry, de poll die je probeerde aan te maken is niet geplaatst.",
|
||||
"Failed to post poll": "Poll plaatsen mislukt",
|
||||
"Sorry, your vote was not registered. Please try again.": "Sorry, jouw stem is niet geregistreerd. Probeer het alstublieft opnieuw.",
|
||||
|
@ -2054,7 +1932,6 @@
|
|||
"Messaging": "Messaging",
|
||||
"Spaces you know that contain this space": "Spaces die je kent met deze Space",
|
||||
"Chat": "Chat",
|
||||
"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",
|
||||
"%(spaceName)s menu": "%(spaceName)s-menu",
|
||||
"Join public room": "Publieke kamer toetreden",
|
||||
|
@ -2120,10 +1997,7 @@
|
|||
"Back to chat": "Terug naar chat",
|
||||
"Expand map": "Map uitvouwen",
|
||||
"Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Onbekend paar (persoon, sessie): (%(userId)s, %(deviceId)s)",
|
||||
"Command failed: Unable to find room (%(roomId)s": "Commando mislukt: Kan kamer niet vinden (%(roomId)s",
|
||||
"Unrecognised room address: %(roomAlias)s": "Niet herkend kameradres: %(roomAlias)s",
|
||||
"Command error: Unable to find rendering type (%(renderingType)s)": "Commandofout: Kan rendering type niet vinden (%(renderingType)s)",
|
||||
"Command error: Unable to handle slash command.": "Commandofout: Kan slash commando niet verwerken.",
|
||||
"Space home": "Space home",
|
||||
"Unknown error fetching location. Please try again later.": "Onbekende fout bij ophalen van locatie. Probeer het later opnieuw.",
|
||||
"Timed out trying to fetch your location. Please try again later.": "Er is een time-out opgetreden bij het ophalen van jouw locatie. Probeer het later opnieuw.",
|
||||
|
@ -2137,15 +2011,9 @@
|
|||
"Remove them from everything I'm able to": "Verwijder ze van alles wat ik kan",
|
||||
"Remove from %(roomName)s": "Verwijderen uit %(roomName)s",
|
||||
"You were removed from %(roomName)s by %(memberName)s": "Je bent verwijderd uit %(roomName)s door %(memberName)s",
|
||||
"You can't see earlier messages": "Je kan eerdere berichten niet zien",
|
||||
"Encrypted messages before this point are unavailable.": "Versleutelde berichten vóór dit punt zijn niet beschikbaar.",
|
||||
"You don't have permission to view messages from before you joined.": "Je hebt geen toestemming om berichten te bekijken voor voordat je lid werd.",
|
||||
"You don't have permission to view messages from before you were invited.": "Je bent niet gemachtigd om berichten te bekijken van voordat je werd uitgenodigd.",
|
||||
"From a thread": "Uit een conversatie",
|
||||
"Keyboard": "Toetsenbord",
|
||||
"Automatically send debug logs on decryption errors": "Automatisch foutopsporingslogboeken versturen bij decoderingsfouten",
|
||||
"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",
|
||||
"Internal room ID": "Interne ruimte ID",
|
||||
"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!": "Als je weet wat je doet, Element is open-source, bekijk dan zeker onze GitHub (https://github.com/vector-im/element-web/) en draag bij!",
|
||||
"If someone told you to copy/paste something here, there is a high likelihood you're being scammed!": "Als iemand je heeft gezegd iets hier te kopiëren/plakken, is de kans groot dat je wordt opgelicht!",
|
||||
|
@ -2362,7 +2230,6 @@
|
|||
"Show rooms": "Toon kamers",
|
||||
"Explore public spaces in the new search dialog": "Ontdek openbare ruimtes in het nieuwe zoekvenster",
|
||||
"Stop and close": "Stop en sluit",
|
||||
"You can't disable this later. The room will be encrypted but the embedded call will not.": "Je kan dit later niet uitschakelen. De kamer wordt gecodeerd, maar de ingesloten oproep niet.",
|
||||
"Online community members": "Leden van online gemeenschap",
|
||||
"Coworkers and teams": "Collega's en teams",
|
||||
"Friends and family": "Vrienden en familie",
|
||||
|
@ -2613,7 +2480,8 @@
|
|||
"cross_signing": "Kruiselings ondertekenen",
|
||||
"identity_server": "Identiteitsserver",
|
||||
"integration_manager": "Integratiebeheerder",
|
||||
"qr_code": "QR-code"
|
||||
"qr_code": "QR-code",
|
||||
"feedback": "Feedback"
|
||||
},
|
||||
"action": {
|
||||
"continue": "Doorgaan",
|
||||
|
@ -3029,7 +2897,9 @@
|
|||
"timeline_image_size": "Afbeeldingformaat in de tijdlijn",
|
||||
"timeline_image_size_default": "Standaard",
|
||||
"timeline_image_size_large": "Groot"
|
||||
}
|
||||
},
|
||||
"inline_url_previews_room_account": "URL-voorvertoning in dit kamer inschakelen (geldt alleen voor jou)",
|
||||
"inline_url_previews_room": "URL-voorvertoning voor alle deelnemers aan deze kamer standaard inschakelen"
|
||||
},
|
||||
"devtools": {
|
||||
"send_custom_account_data_event": "Aangepaste accountgegevens gebeurtenis versturen",
|
||||
|
@ -3154,7 +3024,24 @@
|
|||
"title_public_room": "Maak een publieke kamer aan",
|
||||
"title_private_room": "Maak een privékamer aan",
|
||||
"action_create_video_room": "Videokamer maken",
|
||||
"action_create_room": "Ruimte aanmaken"
|
||||
"action_create_room": "Ruimte aanmaken",
|
||||
"name_validation_required": "Geef een naam voor de kamer op",
|
||||
"join_rule_restricted_label": "Iedereen in <SpaceName/> kan deze kamer vinden en aan deelnemen.",
|
||||
"join_rule_change_notice": "Je kan dit op elk moment wijzigen vanuit de kamerinstellingen.",
|
||||
"join_rule_public_parent_space_label": "Iedereen kan deze kamer vinden en aan deelnemen, niet alleen leden van <SpaceName/>.",
|
||||
"join_rule_public_label": "Iedereen kan de kamer vinden en aan deelnemen.",
|
||||
"join_rule_invite_label": "Alleen uitgenodigde personen kunnen deze kamer vinden en aan deelnemen.",
|
||||
"encrypted_video_room_warning": "Je kan dit later niet uitschakelen. De kamer wordt gecodeerd, maar de ingesloten oproep niet.",
|
||||
"encrypted_warning": "Je kan dit later niet uitschakelen. Bruggen en de meeste bots zullen nog niet werken.",
|
||||
"encryption_forced": "Jouw server vereist dat versleuteling in een privékamer is ingeschakeld.",
|
||||
"encryption_label": "Eind-tot-eind-versleuteling inschakelen",
|
||||
"unfederated_label_default_off": "Je zou dit kunnen aanzetten als deze kamer alleen gebruikt zal worden voor samenwerking met interne teams op je homeserver. Dit kan later niet meer veranderd worden.",
|
||||
"unfederated_label_default_on": "Je zou dit kunnen uitschakelen als deze kamer gebruikt zal worden om samen te werken met externe teams die hun eigen homeserver hebben. Dit kan later niet meer veranderd worden.",
|
||||
"topic_label": "Onderwerp (optioneel)",
|
||||
"room_visibility_label": "Kamerzichtbaarheid",
|
||||
"join_rule_invite": "Privékamer (alleen op uitnodiging)",
|
||||
"join_rule_restricted": "Zichtbaar voor Space leden",
|
||||
"unfederated": "Weiger iedereen die geen deel uitmaakt van %(serverName)s om toe te treden tot deze kamer."
|
||||
},
|
||||
"timeline": {
|
||||
"m.call": {
|
||||
|
@ -3426,7 +3313,11 @@
|
|||
"changed_rule_rooms": "%(senderName)s heeft het patroon van een banregel voor kamers wegens %(reason)s aangepast van %(oldGlob)s tot %(newGlob)s",
|
||||
"changed_rule_servers": "%(senderName)s heeft het patroon van een banregel voor servers wegens %(reason)s aangepast van %(oldGlob)s tot %(newGlob)s",
|
||||
"changed_rule_glob": "%(senderName)s heeft het patroon van een banregel wegens %(reason)s aangepast van %(oldGlob)s tot %(newGlob)s"
|
||||
}
|
||||
},
|
||||
"no_permission_messages_before_invite": "Je bent niet gemachtigd om berichten te bekijken van voordat je werd uitgenodigd.",
|
||||
"no_permission_messages_before_join": "Je hebt geen toestemming om berichten te bekijken voor voordat je lid werd.",
|
||||
"encrypted_historical_messages_unavailable": "Versleutelde berichten vóór dit punt zijn niet beschikbaar.",
|
||||
"historical_messages_unavailable": "Je kan eerdere berichten niet zien"
|
||||
},
|
||||
"slash_command": {
|
||||
"spoiler": "Verstuurt het bericht als een spoiler",
|
||||
|
@ -3482,7 +3373,14 @@
|
|||
"holdcall": "De huidige oproep in de wacht zetten",
|
||||
"no_active_call": "Geen actieve oproep in deze kamer",
|
||||
"unholdcall": "De huidige oproep in huidige kamer in de wacht zetten",
|
||||
"me": "Toont actie"
|
||||
"me": "Toont actie",
|
||||
"error_invalid_runfn": "Commandofout: Kan slash commando niet verwerken.",
|
||||
"error_invalid_rendering_type": "Commandofout: Kan rendering type niet vinden (%(renderingType)s)",
|
||||
"join": "Neem aan de kamer met dat adres deel",
|
||||
"failed_find_room": "Commando mislukt: Kan kamer niet vinden (%(roomId)s",
|
||||
"failed_find_user": "Kan die persoon in de kamer niet vinden",
|
||||
"op": "Bepaal het machtsniveau van een persoon",
|
||||
"deop": "Ontmachtigt persoon met de gegeven ID"
|
||||
},
|
||||
"presence": {
|
||||
"busy": "Bezet",
|
||||
|
@ -3665,8 +3563,38 @@
|
|||
"account_clash_previous_account": "Doorgaan met vorige account",
|
||||
"log_in_new_account": "<a>Login</a> met je nieuwe account.",
|
||||
"registration_successful": "Registratie geslaagd",
|
||||
"server_picker_title": "Host je account op",
|
||||
"server_picker_dialog_title": "Kies waar je account wordt gehost"
|
||||
"server_picker_title": "Login op jouw homeserver",
|
||||
"server_picker_dialog_title": "Kies waar je account wordt gehost",
|
||||
"footer_powered_by_matrix": "draait op Matrix",
|
||||
"failed_homeserver_discovery": "Ontdekken van homeserver is mislukt",
|
||||
"sync_footer_subtitle": "Als je bij veel kamers bent aangesloten kan dit een tijdje duren",
|
||||
"unsupported_auth_msisdn": "Deze server biedt geen ondersteuning voor authenticatie met een telefoonnummer.",
|
||||
"unsupported_auth_email": "Deze homeserver biedt geen ondersteuning voor inloggen met een e-mailadres.",
|
||||
"registration_disabled": "Registratie is uitgeschakeld op deze homeserver.",
|
||||
"failed_query_registration_methods": "Kan ondersteunde registratiemethoden niet opvragen.",
|
||||
"username_in_use": "Iemand heeft die inlognaam al, probeer een andere.",
|
||||
"incorrect_password": "Onjuist wachtwoord",
|
||||
"failed_soft_logout_auth": "Opnieuw inloggen is mislukt",
|
||||
"soft_logout_heading": "Je bent uitgelogd",
|
||||
"forgot_password_email_required": "Het aan jouw account gekoppelde e-mailadres dient ingevoerd worden.",
|
||||
"forgot_password_email_invalid": "Dit e-mailadres lijkt niet geldig te zijn.",
|
||||
"sign_in_prompt": "Heb je een account? <a>Inloggen</a>",
|
||||
"forgot_password_prompt": "Wachtwoord vergeten?",
|
||||
"soft_logout_intro_password": "Voer je wachtwoord in om je aan te melden en toegang tot je account te herkrijgen.",
|
||||
"soft_logout_intro_sso": "Meld je aan en herkrijg toegang tot je account.",
|
||||
"soft_logout_intro_unsupported_auth": "Je kan niet inloggen met jouw account. Neem voor meer informatie contact op met de beheerder van je homeserver.",
|
||||
"create_account_prompt": "Nieuw hier? <a>Maak een account</a>",
|
||||
"sign_in_or_register": "Meld je aan of maak een account aan",
|
||||
"sign_in_or_register_description": "Gebruik je bestaande account of maak een nieuwe aan om verder te gaan.",
|
||||
"register_action": "Registreren",
|
||||
"server_picker_failed_validate_homeserver": "Kan homeserver niet valideren",
|
||||
"server_picker_invalid_url": "Ongeldige URL",
|
||||
"server_picker_required": "Specificeer een homeserver",
|
||||
"server_picker_matrix.org": "Matrix.org is de grootste publieke homeserver ter wereld, dus het is een goede plek voor velen.",
|
||||
"server_picker_intro": "Wij noemen de plaatsen waar je jouw account kunt hosten 'homeservers'.",
|
||||
"server_picker_custom": "Andere homeserver",
|
||||
"server_picker_explainer": "Gebruik de Matrix-homeserver van je voorkeur als je er een hebt, of host je eigen.",
|
||||
"server_picker_learn_more": "Over homeservers"
|
||||
},
|
||||
"room_list": {
|
||||
"sort_unread_first": "Kamers met ongelezen berichten als eerste tonen",
|
||||
|
@ -3712,5 +3640,81 @@
|
|||
"access_token_detail": "Jouw toegangstoken geeft je toegang tot je account. Deel hem niet met anderen.",
|
||||
"clear_cache_reload": "Cache wissen en herladen"
|
||||
}
|
||||
},
|
||||
"widget": {
|
||||
"capability": {
|
||||
"send_stickers_this_room": "Stuur stickers in deze kamer",
|
||||
"send_stickers_active_room": "Stuur stickers in je actieve kamer",
|
||||
"send_stickers_this_room_as_you": "Stuur stickers in deze kamer als jezelf",
|
||||
"send_stickers_active_room_as_you": "Stuur stickers naar je actieve kamer als jezelf",
|
||||
"see_sticker_posted_this_room": "Zien wanneer stickers in deze kamer zijn verstuurd",
|
||||
"see_sticker_posted_active_room": "Zien wanneer iemand een sticker in je actieve kamer verstuurd",
|
||||
"always_on_screen_viewing_another_room": "Blijft op jouw scherm wanneer je een andere kamer bekijkt, zolang het bezig is",
|
||||
"always_on_screen_generic": "Blijft op jouw scherm terwijl het beschikbaar is",
|
||||
"switch_room": "Verander welke kamer je ziet",
|
||||
"switch_room_message_user": "Verander welke kamer, welk bericht of welk persoon je ziet",
|
||||
"change_topic_this_room": "Verander het onderwerp van deze kamer",
|
||||
"see_topic_change_this_room": "Zien wanneer het onderwerp van deze kamer veranderd",
|
||||
"change_topic_active_room": "Verander het onderwerp van je actieve kamer",
|
||||
"see_topic_change_active_room": "Zien wanneer het onderwerp veranderd van je actieve kamer",
|
||||
"change_name_this_room": "Verander de naam van deze kamer",
|
||||
"see_name_change_this_room": "Zien wanneer de naam in deze kamer veranderd",
|
||||
"change_name_active_room": "Verander de naam van je actieve kamer",
|
||||
"see_name_change_active_room": "Zien wanneer de naam in je actieve kamer veranderd",
|
||||
"change_avatar_this_room": "Wijzig de kamerafbeelding",
|
||||
"see_avatar_change_this_room": "Zien wanneer de afbeelding in deze kamer veranderd",
|
||||
"change_avatar_active_room": "Wijzig de afbeelding van je actieve kamer",
|
||||
"see_avatar_change_active_room": "Zien wanneer de afbeelding in je actieve kamer veranderd",
|
||||
"remove_ban_invite_leave_this_room": "Verwijder, verbied of nodig mensen uit voor deze kamer en zorg ervoor dat je weggaat",
|
||||
"receive_membership_this_room": "Zie wanneer personen deelnemen, vertrekken of worden uitgenodigd voor deze kamer",
|
||||
"remove_ban_invite_leave_active_room": "Verwijder, verbied of nodig mensen uit voor je actieve kamer en zorg ervoor dat je weggaat",
|
||||
"receive_membership_active_room": "Zie wanneer personen deelnemen, vertrekken of worden uitgenodigd in je actieve kamer",
|
||||
"byline_empty_state_key": "met een lege statussleutel",
|
||||
"byline_state_key": "met statussleutel %(stateKey)s",
|
||||
"any_room": "Het bovenstaande, maar in elke kamer waar je aan deelneemt en voor uitgenodigd bent",
|
||||
"specific_room": "Het bovenstaande, maar ook in <Room />",
|
||||
"send_event_type_this_room": "Stuur <b>%(eventType)s</b> gebeurtenis als jezelf in deze kamer",
|
||||
"see_event_type_sent_this_room": "Zie <b>%(eventType)s</b> gebeurtenissen verstuurd in deze kamer",
|
||||
"send_event_type_active_room": "Stuur <b>%(eventType)s</b> gebeurtenissen als jezelf in je actieve kamer",
|
||||
"see_event_type_sent_active_room": "Stuur <b>%(eventType)s</b> gebeurtenissen verstuurd in je actieve kamer",
|
||||
"capability": "De <b>%(capability)s</b> mogelijkheid",
|
||||
"send_messages_this_room": "Stuur berichten als jezelf in deze kamer",
|
||||
"send_messages_active_room": "Stuur berichten als jezelf in je actieve kamer",
|
||||
"see_messages_sent_this_room": "Zie berichten verstuurd naar deze kamer",
|
||||
"see_messages_sent_active_room": "Zie berichten verstuurd naar je actieve kamer",
|
||||
"send_text_messages_this_room": "Stuur tekstberichten als jezelf in deze kamer",
|
||||
"send_text_messages_active_room": "Stuur tekstberichten als jezelf in je actieve kamer",
|
||||
"see_text_messages_sent_this_room": "Zie tekstberichten verstuurd naar deze kamer",
|
||||
"see_text_messages_sent_active_room": "Zie tekstberichten verstuurd naar je actieve kamer",
|
||||
"send_emotes_this_room": "Stuur emoticons als jezelf in deze kamer",
|
||||
"send_emotes_active_room": "Stuur emoticons als jezelf in je actieve kamer",
|
||||
"see_sent_emotes_this_room": "Zie emoticons verstuurd naar deze kamer",
|
||||
"see_sent_emotes_active_room": "Zie emoticons verstuurd naar je actieve kamer",
|
||||
"send_images_this_room": "Stuur afbeeldingen als jezelf in deze kamer",
|
||||
"send_images_active_room": "Stuur afbeeldingen als jezelf in je actieve kamer",
|
||||
"see_images_sent_this_room": "Zie afbeeldingen verstuurd in deze kamer",
|
||||
"see_images_sent_active_room": "Zie afbeeldingen verstuurd in je actieve kamer",
|
||||
"send_videos_this_room": "Stuur videos als jezelf in deze kamer",
|
||||
"send_videos_active_room": "Stuur videos als jezelf in je actieve kamer",
|
||||
"see_videos_sent_this_room": "Zie videos verstuurd naar deze kamer",
|
||||
"see_videos_sent_active_room": "Zie videos verstuurd naar je actieve kamer",
|
||||
"send_files_this_room": "Stuur bestanden als jezelf in deze kamer",
|
||||
"send_files_active_room": "Stuur bestanden als jezelf in je actieve kamer",
|
||||
"see_sent_files_this_room": "Zie bestanden verstuurd naar deze kamer",
|
||||
"see_sent_files_active_room": "Zie bestanden verstuurd naar je actieve kamer",
|
||||
"send_msgtype_this_room": "Stuur <b>%(msgtype)s</b>-berichten als jezelf in deze kamer",
|
||||
"send_msgtype_active_room": "Stuur <b>%(msgtype)s</b>-berichten als jezelf in je actieve kamer",
|
||||
"see_msgtype_sent_this_room": "Zie <b>%(msgtype)s</b>-berichten verstuurd in deze kamer",
|
||||
"see_msgtype_sent_active_room": "Zie <b>%(msgtype)s</b>-berichten verstuurd in je actieve kamer"
|
||||
}
|
||||
},
|
||||
"feedback": {
|
||||
"sent": "Feedback verstuurd",
|
||||
"comment_label": "Opmerking",
|
||||
"platform_username": "Jouw platform en inlognaam zullen worden opgeslagen om onze te helpen je feedback zo goed mogelijk te gebruiken.",
|
||||
"may_contact_label": "Je kan contact met mij opnemen als je updates wil van of wilt deelnemen aan nieuwe ideeën",
|
||||
"pro_type": "PRO TIP: Als je een nieuwe bug maakt, stuur ons dan je <debugLogsLink>foutenlogboek</debugLogsLink> om ons te helpen het probleem op te sporen.",
|
||||
"existing_issue_link": "Bekijk eerst de <existingIssuesLink>bestaande bugs op GitHub</existingIssuesLink>. <newIssueLink>Maak een nieuwe aan</newIssueLink> wanneer je jouw bugs niet hebt gevonden.",
|
||||
"send_feedback_action": "Feedback versturen"
|
||||
}
|
||||
}
|
||||
|
|
|
@ -54,10 +54,8 @@
|
|||
"You are now ignoring %(userId)s": "Du overser no %(userId)s",
|
||||
"Unignored user": "Avoversedd brukar",
|
||||
"You are no longer ignoring %(userId)s": "Du overser ikkje %(userId)s no lenger",
|
||||
"Define the power level of a user": "Sett tilgangsnivået til ein brukar",
|
||||
"This email address is already in use": "Denne e-postadressa er allereie i bruk",
|
||||
"Failed to verify email address: make sure you clicked the link in the email": "Fekk ikkje til å stadfesta e-postadressa: sjå til at du klikka på den rette lenkja i e-posten",
|
||||
"Deops user with given id": "AvOPar brukarar med den gjevne IDen",
|
||||
"Verified key": "Godkjend nøkkel",
|
||||
"Reason": "Grunnlag",
|
||||
"Failure to create room": "Klarte ikkje å laga rommet",
|
||||
|
@ -68,8 +66,6 @@
|
|||
"Authentication check failed: incorrect password?": "Authentiseringsforsøk mislukkast: feil passord?",
|
||||
"Mirror local video feed": "Spegl den lokale videofeeden",
|
||||
"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 by default for participants in this room": "Skru URL-førehandsvisingar på som utgangspunkt for deltakarar i dette rommet",
|
||||
"Enable widget screenshots on supported widgets": "Skru widget-skjermbilete på for støtta widgetar",
|
||||
"Waiting for response from server": "Ventar på svar frå tenaren",
|
||||
"Incorrect verification code": "Urett stadfestingskode",
|
||||
|
@ -183,7 +179,6 @@
|
|||
"A text message has been sent to %(msisdn)s": "Ei tekstmelding vart send til %(msisdn)s",
|
||||
"Please enter the code it contains:": "Ver venleg og skriv koden den inneheld inn:",
|
||||
"Start authentication": "Start authentisering",
|
||||
"powered by Matrix": "Matrixdriven",
|
||||
"Sign in with": "Logg inn med",
|
||||
"Email address": "Epostadresse",
|
||||
"Something went wrong!": "Noko gjekk gale!",
|
||||
|
@ -216,7 +211,6 @@
|
|||
"not specified": "Ikkje spesifisert",
|
||||
"Confirm Removal": "Godkjenn Fjerning",
|
||||
"Unknown error": "Noko ukjend gjekk galt",
|
||||
"Incorrect password": "Urett passord",
|
||||
"Deactivate Account": "Avliv Brukaren",
|
||||
"An error has occurred.": "Noko gjekk gale.",
|
||||
"Clear Storage and Sign Out": "Tøm Lager og Logg Ut",
|
||||
|
@ -291,7 +285,6 @@
|
|||
"Audio Output": "Ljodavspeling",
|
||||
"Email": "Epost",
|
||||
"Account": "Brukar",
|
||||
"The email address linked to your account must be entered.": "Du må skriva epostadressa som er tilknytta brukaren din inn.",
|
||||
"A new password must be entered.": "Du må skriva eit nytt passord inn.",
|
||||
"New passwords must match each other.": "Dei nye passorda må vera like.",
|
||||
"Return to login screen": "Gå attende til innlogging",
|
||||
|
@ -299,7 +292,6 @@
|
|||
"Please note you are logging into the %(hs)s server, not matrix.org.": "Merk deg at du loggar inn på %(hs)s-tenaren, ikkje matrix.org.",
|
||||
"Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or <a>enable unsafe scripts</a>.": "Kan ikkje kobla til heimetenaren via HTTP fordi URL-adressa i nettlesaren er HTTPS. Bruk HTTPS, eller <a>aktiver usikre skript</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.": "Kan ikkje kopla til heimtenaren - ver venleg og sjekk tilkoplinga di, og sjå til at <a>heimtenaren din sitt CCL-sertifikat</a> er stolt på og at ein nettlesartillegg ikkje hindrar førespurnader.",
|
||||
"This server does not support authentication with a phone number.": "Denne tenaren støttar ikkje stadfesting gjennom telefonnummer.",
|
||||
"Commands": "Kommandoar",
|
||||
"Notify the whole room": "Varsle heile rommet",
|
||||
"Room Notification": "Romvarsel",
|
||||
|
@ -355,20 +347,10 @@
|
|||
"Invalid base_url for m.identity_server": "Feil base_url for m.identity_server",
|
||||
"Identity server URL does not appear to be a valid identity server": "URL-adressa virkar ikkje til å vere ein gyldig identitetstenar",
|
||||
"General failure": "Generell feil",
|
||||
"This homeserver does not support login using email address.": "Denne heimetenaren støttar ikkje innloggingar med e-postadresser.",
|
||||
"Please <a>contact your service administrator</a> to continue using this service.": "<a>Kontakt din systemadministrator</a> for å vidare bruka tenesta.",
|
||||
"This account has been deactivated.": "Denne kontoen har blitt deaktivert.",
|
||||
"Failed to perform homeserver discovery": "Fekk ikkje til å utforska heimetenaren",
|
||||
"Create account": "Lag konto",
|
||||
"Registration has been disabled on this homeserver.": "Registrering er skrudd av for denne heimetenaren.",
|
||||
"Unable to query for supported registration methods.": "Klarte ikkje å spørre etter støtta registreringsmetodar.",
|
||||
"Failed to re-authenticate due to a homeserver problem": "Fekk ikkje til å re-authentisere grunna ein feil på heimetenaren",
|
||||
"Failed to re-authenticate": "Fekk ikkje til å re-autentisere",
|
||||
"Enter your password to sign in and regain access to your account.": "Skriv inn ditt passord for å logge på og ta tilbake tilgang til kontoen din.",
|
||||
"Forgotten your password?": "Gløymt passord ?",
|
||||
"Sign in and regain access to your account.": "Logg på og ta tilbake tilgang til din konto.",
|
||||
"You cannot sign in to your account. Please contact your homeserver admin for more information.": "Du har ikkje muligheit til å logge på kontoen din. Kontakt systemadministratoren for meir informasjon.",
|
||||
"You're signed out": "Du er no avlogga",
|
||||
"Clear personal data": "Fjern personlege data",
|
||||
"That matches!": "Dette stemmer!",
|
||||
"That doesn't match.": "Dette stemmer ikkje.",
|
||||
|
@ -405,8 +387,6 @@
|
|||
"Session already verified!": "Sesjon er tidligare verifisert!",
|
||||
"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!": "ÅTVARING: NØKKELVERIFIKASJON FEILA! Signeringsnøkkel for %(userId)s og økt %(deviceId)s er \"%(fprint)s\" stemmer ikkje med innsendt nøkkel \"%(fingerprint)s\". Dette kan vere teikn på at kommunikasjonen er avlytta!",
|
||||
"The signing key you provided matches the signing key you received from %(userId)s's session %(deviceId)s. Session marked as verified.": "Innsendt signeringsnøkkel er lik nøkkelen du mottok frå %(userId)s med økt %(deviceId)s. Sesjonen no er verifisert.",
|
||||
"Sign In or Create Account": "Logg inn eller opprett konto",
|
||||
"Create Account": "Opprett konto",
|
||||
"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.",
|
||||
"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.",
|
||||
|
@ -524,7 +504,6 @@
|
|||
"Server or user ID to ignore": "Tenar eller brukar-ID for å ignorere",
|
||||
"If this isn't what you want, please use a different tool to ignore users.": "Om det ikkje var dette du ville, bruk eit anna verktøy til å ignorera brukarar.",
|
||||
"Enter the name of a new server you want to explore.": "Skriv inn namn på ny tenar du ynskjer å utforske.",
|
||||
"Topic (optional)": "Emne (valfritt)",
|
||||
"Command Help": "Kommandohjelp",
|
||||
"To help us prevent this in future, please <a>send us logs</a>.": "For å bistå med å forhindre dette i framtida, gjerne <a>send oss loggar</a>.",
|
||||
"%(creator)s created and configured the room.": "%(creator)s oppretta og konfiguerte dette rommet.",
|
||||
|
@ -537,9 +516,6 @@
|
|||
"Confirm adding phone number": "Stadfest tilleggjing av telefonnummeret",
|
||||
"Click the button below to confirm adding this phone number.": "Trykk på knappen nedanfor for å legge til dette telefonnummeret.",
|
||||
"%(name)s is requesting verification": "%(name)s spør etter verifikasjon",
|
||||
"Use your account or create a new one to continue.": "Bruk kontoen din eller opprett ein ny for å halda fram.",
|
||||
"Joins room with given address": "Legg saman rom med spesifisert adresse",
|
||||
"Could not find user in room": "Klarde ikkje å finna brukaren i rommet",
|
||||
"Later": "Seinare",
|
||||
"Never send encrypted messages to unverified sessions from this session": "Aldri send krypterte meldingar til ikkje-verifiserte sesjonar frå denne sesjonen",
|
||||
"Never send encrypted messages to unverified sessions in this room from this session": "Aldri send krypterte meldingar i dette rommet til ikkje-verifiserte sesjonar frå denne sesjonen",
|
||||
|
@ -561,14 +537,12 @@
|
|||
"This client does not support end-to-end encryption.": "Denne klienten støttar ikkje ende-til-ende kryptering.",
|
||||
"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.",
|
||||
"Enable end-to-end encryption": "Skru på ende-til-ende kryptering",
|
||||
"Hide advanced": "Gøym avanserte alternativ",
|
||||
"Show advanced": "Vis avanserte alternativ",
|
||||
"I don't want my encrypted messages": "Eg treng ikkje mine krypterte meldingar",
|
||||
"You'll lose access to your encrypted messages": "Du vil miste tilgangen til dine krypterte meldingar",
|
||||
"Join millions for free on the largest public server": "Kom ihop med millionar av andre på den største offentlege tenaren",
|
||||
"Always show the window menu bar": "Vis alltid menyfeltet i toppen av vindauget",
|
||||
"Feedback": "Tilbakemeldingar",
|
||||
"All settings": "Alle innstillingar",
|
||||
"Delete Backup": "Slett sikkerheitskopi",
|
||||
"Restore from Backup": "Gjenopprett frå sikkerheitskopi",
|
||||
|
@ -663,7 +637,6 @@
|
|||
"More options": "Fleire val",
|
||||
"Pin to sidebar": "Fest til sidestolpen",
|
||||
"Match system": "Følg systemet",
|
||||
"You can change this at any time from room settings.": "Du kan endra dette kva tid som helst frå rominnstillingar.",
|
||||
"Room settings": "Rominnstillingar",
|
||||
"Join the conference from the room information card on the right": "Bli med i konferanse frå rominfo-kortet til høgre",
|
||||
"Final result based on %(count)s votes": {
|
||||
|
@ -720,7 +693,8 @@
|
|||
"unnamed_room": "Rom utan namn",
|
||||
"stickerpack": "Klistremerkepakke",
|
||||
"system_alerts": "Systemvarsel",
|
||||
"identity_server": "Identitetstenar"
|
||||
"identity_server": "Identitetstenar",
|
||||
"feedback": "Tilbakemeldingar"
|
||||
},
|
||||
"action": {
|
||||
"continue": "Fortset",
|
||||
|
@ -891,7 +865,9 @@
|
|||
"timeline_image_size": "Storleik for bilete på tidslinja",
|
||||
"timeline_image_size_default": "Opphavleg innstilling",
|
||||
"timeline_image_size_large": "Stor"
|
||||
}
|
||||
},
|
||||
"inline_url_previews_room_account": "Skru URL-førehandsvisingar på for dette rommet (påverkar deg åleine)",
|
||||
"inline_url_previews_room": "Skru URL-førehandsvisingar på som utgangspunkt for deltakarar i dette rommet"
|
||||
},
|
||||
"devtools": {
|
||||
"event_type": "Hendingsort",
|
||||
|
@ -904,7 +880,10 @@
|
|||
"category_other": "Anna"
|
||||
},
|
||||
"create_room": {
|
||||
"title_private_room": "Lag eit privat rom"
|
||||
"title_private_room": "Lag eit privat rom",
|
||||
"join_rule_change_notice": "Du kan endra dette kva tid som helst frå rominnstillingar.",
|
||||
"encryption_label": "Skru på ende-til-ende kryptering",
|
||||
"topic_label": "Emne (valfritt)"
|
||||
},
|
||||
"timeline": {
|
||||
"m.call.invite": {
|
||||
|
@ -1100,7 +1079,11 @@
|
|||
"addwidget_no_permissions": "Du kan ikkje endra miniprogram i dette rommet.",
|
||||
"discardsession": "Tvingar i eit kryptert rom kassering av gjeldande utgåande gruppe-økt",
|
||||
"query": "Opna ein samtale med den spesifiserte brukaren",
|
||||
"me": "Visar handlingar"
|
||||
"me": "Visar handlingar",
|
||||
"join": "Legg saman rom med spesifisert adresse",
|
||||
"failed_find_user": "Klarde ikkje å finna brukaren i rommet",
|
||||
"op": "Sett tilgangsnivået til ein brukar",
|
||||
"deop": "AvOPar brukarar med den gjevne IDen"
|
||||
},
|
||||
"presence": {
|
||||
"online_for": "tilkopla i %(duration)s",
|
||||
|
@ -1157,7 +1140,24 @@
|
|||
"account_clash": "Kontoen din %(newAccountId)s er no registrert, men du er frå tidligare logga på med ein annan konto (%(loggedInUserId)s).",
|
||||
"account_clash_previous_account": "Fortsett med tidligare konto",
|
||||
"log_in_new_account": "<a>Logg på</a> den nye kontoen din.",
|
||||
"registration_successful": "Registrering fullført"
|
||||
"registration_successful": "Registrering fullført",
|
||||
"footer_powered_by_matrix": "Matrixdriven",
|
||||
"failed_homeserver_discovery": "Fekk ikkje til å utforska heimetenaren",
|
||||
"unsupported_auth_msisdn": "Denne tenaren støttar ikkje stadfesting gjennom telefonnummer.",
|
||||
"unsupported_auth_email": "Denne heimetenaren støttar ikkje innloggingar med e-postadresser.",
|
||||
"registration_disabled": "Registrering er skrudd av for denne heimetenaren.",
|
||||
"failed_query_registration_methods": "Klarte ikkje å spørre etter støtta registreringsmetodar.",
|
||||
"incorrect_password": "Urett passord",
|
||||
"failed_soft_logout_auth": "Fekk ikkje til å re-autentisere",
|
||||
"soft_logout_heading": "Du er no avlogga",
|
||||
"forgot_password_email_required": "Du må skriva epostadressa som er tilknytta brukaren din inn.",
|
||||
"forgot_password_prompt": "Gløymt passord ?",
|
||||
"soft_logout_intro_password": "Skriv inn ditt passord for å logge på og ta tilbake tilgang til kontoen din.",
|
||||
"soft_logout_intro_sso": "Logg på og ta tilbake tilgang til din konto.",
|
||||
"soft_logout_intro_unsupported_auth": "Du har ikkje muligheit til å logge på kontoen din. Kontakt systemadministratoren for meir informasjon.",
|
||||
"sign_in_or_register": "Logg inn eller opprett konto",
|
||||
"sign_in_or_register_description": "Bruk kontoen din eller opprett ein ny for å halda fram.",
|
||||
"register_action": "Opprett konto"
|
||||
},
|
||||
"export_chat": {
|
||||
"messages": "Meldingar"
|
||||
|
|
|
@ -138,13 +138,10 @@
|
|||
"Passwords don't match": "Los senhals correspondon pas",
|
||||
"Unknown error": "Error desconeguda",
|
||||
"Search failed": "La recèrca a fracassat",
|
||||
"Feedback": "Comentaris",
|
||||
"Incorrect password": "Senhal incorrècte",
|
||||
"Commands": "Comandas",
|
||||
"Users": "Utilizaires",
|
||||
"Success!": "Capitada !",
|
||||
"Explore rooms": "Percórrer las salas",
|
||||
"Create Account": "Crear un compte",
|
||||
"Click the button below to confirm adding this email address.": "Clicatz sus lo boton aicí dejós per confirmar l'adicion de l'adreça e-mail.",
|
||||
"Confirm adding email": "Confirmar l'adicion de l'adressa e-mail",
|
||||
"Confirm adding this email address by using Single Sign On to prove your identity.": "Confirmatz l'adicion d'aquela adreça e-mail en utilizant l'autentificacion unica per provar la vòstra identitat.",
|
||||
|
@ -186,7 +183,8 @@
|
|||
"matrix": "Matritz",
|
||||
"trusted": "Fisable",
|
||||
"not_trusted": "Pas securizat",
|
||||
"system_alerts": "Alèrtas sistèma"
|
||||
"system_alerts": "Alèrtas sistèma",
|
||||
"feedback": "Comentaris"
|
||||
},
|
||||
"action": {
|
||||
"continue": "Contunhar",
|
||||
|
@ -337,7 +335,9 @@
|
|||
}
|
||||
},
|
||||
"auth": {
|
||||
"sso": "Autentificacion unica"
|
||||
"sso": "Autentificacion unica",
|
||||
"incorrect_password": "Senhal incorrècte",
|
||||
"register_action": "Crear un compte"
|
||||
},
|
||||
"export_chat": {
|
||||
"messages": "Messatges"
|
||||
|
|
|
@ -2,7 +2,6 @@
|
|||
"This will allow you to reset your password and receive notifications.": "To pozwoli Ci zresetować Twoje hasło i otrzymać powiadomienia.",
|
||||
"Your browser does not support the required cryptography extensions": "Twoja przeglądarka nie wspiera wymaganych rozszerzeń kryptograficznych",
|
||||
"Something went wrong!": "Coś poszło nie tak!",
|
||||
"Incorrect password": "Nieprawidłowe hasło",
|
||||
"Unknown error": "Nieznany błąd",
|
||||
"New Password": "Nowe hasło",
|
||||
"Create new room": "Utwórz nowy pokój",
|
||||
|
@ -41,7 +40,6 @@
|
|||
"unknown error code": "nieznany kod błędu",
|
||||
"Failed to forget room %(errCode)s": "Nie mogłem zapomnieć o pokoju %(errCode)s",
|
||||
"Favourite": "Ulubiony",
|
||||
"powered by Matrix": "napędzany przez Matrix",
|
||||
"Failed to change password. Is your password correct?": "Zmiana hasła nie powiodła się. Czy Twoje hasło jest poprawne?",
|
||||
"Admin Tools": "Narzędzia Administracyjne",
|
||||
"No Microphones detected": "Nie wykryto żadnego mikrofonu",
|
||||
|
@ -69,7 +67,6 @@
|
|||
"Decrypt %(text)s": "Odszyfruj %(text)s",
|
||||
"Delete widget": "Usuń widżet",
|
||||
"Default": "Zwykły",
|
||||
"Define the power level of a user": "Określ poziom uprawnień użytkownika",
|
||||
"Download %(text)s": "Pobierz %(text)s",
|
||||
"Email": "E-mail",
|
||||
"Email address": "Adres e-mail",
|
||||
|
@ -90,7 +87,6 @@
|
|||
"Filter room members": "Filtruj członków pokoju",
|
||||
"Forget room": "Zapomnij pokój",
|
||||
"For security, this session has been signed out. Please sign in again.": "Ze względów bezpieczeństwa ta sesja została wylogowana. Zaloguj się jeszcze raz.",
|
||||
"Deops user with given id": "Usuwa prawa administratora użytkownikowi o danym ID",
|
||||
"Home": "Strona główna",
|
||||
"Import E2E room keys": "Importuj klucze pokoju E2E",
|
||||
"Incorrect username and/or password.": "Nieprawidłowa nazwa użytkownika i/lub hasło.",
|
||||
|
@ -142,7 +138,6 @@
|
|||
"Start authentication": "Rozpocznij uwierzytelnienie",
|
||||
"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",
|
||||
"The email address linked to your account must be entered.": "Musisz wpisać adres e-mail połączony z twoim kontem.",
|
||||
"This room has no local addresses": "Ten pokój nie ma lokalnych adresów",
|
||||
"This room is not recognised.": "Ten pokój nie został rozpoznany.",
|
||||
"This doesn't appear to be a valid email address": "Ten adres e-mail zdaje się nie być poprawny",
|
||||
|
@ -173,7 +168,6 @@
|
|||
"You need to be logged in.": "Musisz być zalogowany.",
|
||||
"You seem to be in a call, are you sure you want to quit?": "Wygląda na to, że prowadzisz z kimś rozmowę; jesteś pewien że chcesz wyjść?",
|
||||
"You seem to be uploading files, are you sure you want to quit?": "Wygląda na to, że jesteś w trakcie przesyłania plików; jesteś pewien, że chcesz wyjść?",
|
||||
"This server does not support authentication with a phone number.": "Ten serwer nie wspiera autentykacji za pomocą numeru telefonu.",
|
||||
"Connectivity to the server has been lost.": "Połączenie z serwerem zostało utracone.",
|
||||
"Add an Integration": "Dodaj integrację",
|
||||
"Token incorrect": "Niepoprawny token",
|
||||
|
@ -224,8 +218,6 @@
|
|||
"You are no longer ignoring %(userId)s": "Nie ignorujesz już %(userId)s",
|
||||
"Send": "Wyślij",
|
||||
"Mirror local video feed": "Lustrzane odbicie wideo",
|
||||
"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",
|
||||
"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ć.",
|
||||
"Unnamed room": "Pokój bez nazwy",
|
||||
"Sunday": "Niedziela",
|
||||
|
@ -586,7 +578,6 @@
|
|||
"Passwords don't match": "Hasła nie zgadzają się",
|
||||
"Never send encrypted messages to unverified sessions from this session": "Nigdy nie wysyłaj zaszyfrowanych wiadomości do niezweryfikowanych sesji z tej sesji",
|
||||
"Direct Messages": "Wiadomości prywatne",
|
||||
"Create Account": "Utwórz konto",
|
||||
"Later": "Później",
|
||||
"Show more": "Pokaż więcej",
|
||||
"Ignored users": "Zignorowani użytkownicy",
|
||||
|
@ -597,8 +588,6 @@
|
|||
"Set addresses for this room so users can find this room through your homeserver (%(localDomain)s)": "Ustaw adresy tego pokoju, aby użytkownicy mogli go znaleźć za pośrednictwem Twojego serwera domowego (%(localDomain)s)",
|
||||
"Couldn't load page": "Nie można załadować strony",
|
||||
"Create account": "Utwórz konto",
|
||||
"Sign In or Create Account": "Zaloguj się lub utwórz konto",
|
||||
"Use your account or create a new one to continue.": "Użyj konta lub utwórz nowe, aby kontynuować.",
|
||||
"Edited at %(date)s. Click to view edits.": "Edytowano w %(date)s. Kliknij, aby zobaczyć zmiany.",
|
||||
"Looks good": "Wygląda dobrze",
|
||||
"All rooms": "Wszystkie pokoje",
|
||||
|
@ -606,9 +595,6 @@
|
|||
"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ć.",
|
||||
"Server name": "Nazwa serwera",
|
||||
"Please enter a name for the room": "Proszę podać nazwę pokoju",
|
||||
"Enable end-to-end encryption": "Włącz szyfrowanie end-to-end",
|
||||
"Topic (optional)": "Temat (opcjonalnie)",
|
||||
"Hide advanced": "Ukryj zaawansowane",
|
||||
"Show advanced": "Pokaż zaawansowane",
|
||||
"Recent Conversations": "Najnowsze rozmowy",
|
||||
|
@ -623,7 +609,6 @@
|
|||
"Enter phone number (required on this homeserver)": "Wprowadź numer telefonu (wymagane na tym serwerze domowym)",
|
||||
"Enter username": "Wprowadź nazwę użytkownika",
|
||||
"Explore rooms": "Przeglądaj pokoje",
|
||||
"Forgotten your password?": "Nie pamiętasz hasła?",
|
||||
"Success!": "Sukces!",
|
||||
"Manage integrations": "Zarządzaj integracjami",
|
||||
"%(count)s verified sessions": {
|
||||
|
@ -672,7 +657,6 @@
|
|||
"Click the button below to confirm adding this phone number.": "Naciśnij przycisk poniżej aby potwierdzić dodanie tego numeru telefonu.",
|
||||
"Error upgrading room": "Błąd podczas aktualizacji pokoju",
|
||||
"Double check that your server supports the room version chosen and try again.": "Sprawdź ponownie czy Twój serwer wspiera wybraną wersję pokoju i spróbuj ponownie.",
|
||||
"Could not find user in room": "Nie znaleziono użytkownika w pokoju",
|
||||
"Session already verified!": "Sesja już zweryfikowana!",
|
||||
"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!": "OSTRZEŻENIE: WERYFIKACJA KLUCZY NIE POWIODŁA SIĘ! Klucz podpisujący dla %(userId)s oraz sesji %(deviceId)s to \"%(fprint)s\", nie pasuje on do podanego klucza \"%(fingerprint)s\". To może oznaczać że Twoja komunikacja jest przechwytywana!",
|
||||
"Use Single Sign On to continue": "Użyj pojedynczego logowania, aby kontynuować",
|
||||
|
@ -693,14 +677,12 @@
|
|||
"Switch to dark mode": "Przełącz na tryb ciemny",
|
||||
"Switch theme": "Przełącz motyw",
|
||||
"All settings": "Wszystkie ustawienia",
|
||||
"You're signed out": "Zostałeś wylogowany",
|
||||
"That matches!": "Zgadza się!",
|
||||
"New Recovery Method": "Nowy sposób odzyskiwania",
|
||||
"If disabled, messages from encrypted rooms won't appear in search results.": "Jeśli wyłączone, wiadomości z szyfrowanych pokojów nie pojawią się w wynikach wyszukiwania.",
|
||||
"%(doneRooms)s out of %(totalRooms)s": "%(doneRooms)s z %(totalRooms)s",
|
||||
"Verifies a user, session, and pubkey tuple": "Weryfikuje użytkownika, sesję oraz klucz publiczny",
|
||||
"Join millions for free on the largest public server": "Dołącz do milionów za darmo na największym publicznym serwerze",
|
||||
"Enter your password to sign in and regain access to your account.": "Podaj hasło, aby zalogować się i odzyskać dostęp do swojego konta.",
|
||||
"The following users might not exist or are invalid, and cannot be invited: %(csvNames)s": "Ci użytkownicy mogą nie istnieć lub są nieprawidłowi, i nie mogą zostać zaproszeni: %(csvNames)s",
|
||||
"Failed to find the following users": "Nie udało się znaleźć tych użytkowników",
|
||||
"We couldn't invite those users. Please check the users you want to invite and try again.": "Nie udało się zaprosić tych użytkowników. Proszę sprawdzić zaproszonych użytkowników i spróbować ponownie.",
|
||||
|
@ -716,7 +698,6 @@
|
|||
"The call was answered on another device.": "Połączenie zostało odebrane na innym urządzeniu.",
|
||||
"Messages in this room are end-to-end encrypted.": "Wiadomości w tym pokoju są szyfrowane end-to-end.",
|
||||
"The signing key you provided matches the signing key you received from %(userId)s's session %(deviceId)s. Session marked as verified.": "Klucz podpisujący, który podano jest taki sam jak klucz podpisujący otrzymany od %(userId)s oraz sesji %(deviceId)s. Sesja została oznaczona jako zweryfikowana.",
|
||||
"Joins room with given address": "Dołącz do pokoju o wybranym adresie",
|
||||
"Are you sure you want to cancel entering passphrase?": "Czy na pewno chcesz anulować wpisywanie hasła?",
|
||||
"Cancel entering passphrase?": "Anulować wpisywanie hasła?",
|
||||
"Attach files from chat or just drag and drop them anywhere in a room.": "Załącz pliki w rozmowie lub upuść je w dowolnym miejscu rozmowy.",
|
||||
|
@ -735,8 +716,6 @@
|
|||
"Room settings": "Ustawienia pokoju",
|
||||
"Messages in this room are not end-to-end encrypted.": "Wiadomości w tym pokoju nie są szyfrowane end-to-end.",
|
||||
"<a>Add a topic</a> to help people know what it is about.": "<a>Dodaj temat</a>, aby poinformować ludzi czego dotyczy.",
|
||||
"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.",
|
||||
"Start a conversation with someone using their name or username (like <userId/>).": "Rozpocznij konwersację z innymi korzystając z ich nazwy lub nazwy użytkownika (np. <userId/>).",
|
||||
"Start a conversation with someone using their name, email address or username (like <userId/>).": "Rozpocznij konwersację z innymi korzystając z ich nazwy, adresu e-mail lub nazwy użytkownika (np. <userId/>).",
|
||||
"Room options": "Ustawienia pokoju",
|
||||
|
@ -753,9 +732,6 @@
|
|||
"Enable desktop notifications": "Włącz powiadomienia na pulpicie",
|
||||
"Don't miss a reply": "Nie przegap odpowiedzi",
|
||||
"Use custom size": "Użyj niestandardowego rozmiaru",
|
||||
"Feedback sent": "Wysłano opinię użytkownka",
|
||||
"Send feedback": "Wyślij opinię użytkownika",
|
||||
"Feedback": "Opinia użytkownika",
|
||||
"%(creator)s created this DM.": "%(creator)s utworzył tę wiadomość prywatną.",
|
||||
"Israel": "Izrael",
|
||||
"Isle of Man": "Man",
|
||||
|
@ -919,10 +895,6 @@
|
|||
"Unencrypted": "Nieszyfrowane",
|
||||
"None": "Brak",
|
||||
"exists": "istnieje",
|
||||
"Change the topic of this room": "Zmień temat tego pokoju",
|
||||
"Change which room you're viewing": "Zmień pokój który przeglądasz",
|
||||
"Send stickers into your active room": "Wyślij naklejki w swoim aktywnym pokoju",
|
||||
"Send stickers into this room": "Wyślij naklejki w tym pokoju",
|
||||
"Zimbabwe": "Zimbabwe",
|
||||
"Zambia": "Zambia",
|
||||
"Yemen": "Jemen",
|
||||
|
@ -1046,7 +1018,6 @@
|
|||
"Hide Widgets": "Ukryj widżety",
|
||||
"No recently visited rooms": "Brak ostatnio odwiedzonych pokojów",
|
||||
"Show Widgets": "Pokaż widżety",
|
||||
"Change the name of this room": "Zmień nazwę tego pokoju",
|
||||
"Not Trusted": "Nie zaufany",
|
||||
"Ask this user to verify their session, or manually verify it below.": "Poproś go/ją o zweryfikowanie tej sesji bądź zweryfikuj ją osobiście poniżej.",
|
||||
"%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s%(userId)s zalogował się do nowej sesji bez zweryfikowania jej:",
|
||||
|
@ -1085,7 +1056,6 @@
|
|||
"Remove recent messages by %(user)s": "Usuń ostatnie wiadomości od %(user)s",
|
||||
"No recent messages by %(user)s found": "Nie znaleziono ostatnich wiadomości od %(user)s",
|
||||
"Clear personal data": "Wyczyść dane osobiste",
|
||||
"Sign in and regain access to your account.": "Zaloguj się i odzyskaj dostęp do konta.",
|
||||
"This account has been deactivated.": "To konto zostało zdezaktywowane.",
|
||||
"Use bots, bridges, widgets and sticker packs": "Używaj botów, mostków, widżetów i zestawów naklejek",
|
||||
"Find others by phone or email": "Odnajdź innych z użyciem numeru telefonu lub adresu e-mail",
|
||||
|
@ -1141,25 +1111,6 @@
|
|||
"Your homeserver has exceeded its user limit.": "Twój homeserver przekroczył limit użytkowników.",
|
||||
"Error leaving room": "Błąd opuszczania pokoju",
|
||||
"Unexpected server error trying to leave the room": "Nieoczekiwany błąd serwera podczas próby opuszczania pokoju",
|
||||
"See messages posted to your active room": "Zobacz wiadomości publikowane w obecnym pokoju",
|
||||
"See messages posted to this room": "Zobacz wiadomości publikowane w tym pokoju",
|
||||
"Send messages as you in your active room": "Wysyłaj wiadomości jako Ty w obecnym pokoju",
|
||||
"Send messages as you in this room": "Wysyłaj wiadomości jako Ty w tym pokoju",
|
||||
"The <b>%(capability)s</b> capability": "Możliwość <b>%(capability)s</b>",
|
||||
"Send <b>%(eventType)s</b> events as you in your active room": "Wysyłaj wydarzenia <b>%(eventType)s</b> jako Ty w obecnym pokoju",
|
||||
"See <b>%(eventType)s</b> events posted to your active room": "Zobacz wydarzenia <b>%(eventType)s</b> opublikowane w Twoim aktywnym pokoju",
|
||||
"See <b>%(eventType)s</b> events posted to this room": "Zobacz wydarzenia <b>%(eventType)s</b> opublikowane w tym pokoju",
|
||||
"Send <b>%(eventType)s</b> events as you in this room": "Wysyłaj zdarzenia <b>%(eventType)s</b> jako Ty w tym pokoju",
|
||||
"Change the avatar of your active room": "Zmień awatar swojego aktywnego pokoju",
|
||||
"See when the avatar changes in this room": "Zobacz, gdy awatar tego pokoju zmienia się",
|
||||
"Change the avatar of this room": "Zmień awatar tego pokoju",
|
||||
"See when the avatar changes in your active room": "Zobacz, gdy awatar Twojego obecnego pokoju zmienia się",
|
||||
"See when the name changes in your active room": "Zobacz, gdy nazwa Twojego obecnego pokoju zmienia się",
|
||||
"Change the name of your active room": "Zmień nazwę swojego obecnego pokoju",
|
||||
"See when the name changes in this room": "Zobacz, gdy nazwa tego pokoju zmienia się",
|
||||
"See when the topic changes in your active room": "Zobacz, gdy temat Twojego obecnego pokoju zmienia się",
|
||||
"Change the topic of your active room": "Zmień temat swojego obecnego pokoju",
|
||||
"See when the topic changes in this room": "Zobacz, gdy temat tego pokoju zmienia się",
|
||||
"Everyone in this room is verified": "Wszyscy w tym pokoju są zweryfikowani",
|
||||
"This room is end-to-end encrypted": "Ten pokój jest szyfrowany end-to-end",
|
||||
"Scroll to most recent messages": "Przewiń do najnowszych wiadomości",
|
||||
|
@ -1168,8 +1119,6 @@
|
|||
"To report a Matrix-related security issue, please read the Matrix.org <a>Security Disclosure Policy</a>.": "Aby zgłosić błąd związany z bezpieczeństwem Matriksa, przeczytaj <a>Politykę odpowiedzialnego ujawniania informacji</a> Matrix.org.",
|
||||
"Use email or phone to optionally be discoverable by existing contacts.": "Użyj adresu e-mail lub numeru telefonu, aby móc być odkrywanym przez istniejące kontakty.",
|
||||
"Add an email to be able to reset your password.": "Dodaj adres e-mail, aby zresetować swoje hasło.",
|
||||
"New? <a>Create account</a>": "Nowy? <a>Utwórz konto</a>",
|
||||
"New here? <a>Create an account</a>": "Nowy? <a>Utwórz konto</a>",
|
||||
"Server Options": "Opcje serwera",
|
||||
"<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.",
|
||||
|
@ -1185,9 +1134,6 @@
|
|||
"Integrations not allowed": "Integracje nie są dozwolone",
|
||||
"Incoming Verification Request": "Oczekująca prośba o weryfikację",
|
||||
"Verify this user to mark them as trusted. Trusting users gives you extra peace of mind when using end-to-end encrypted messages.": "Zweryfikuj tego użytkownika, aby oznaczyć go jako zaufanego. Użytkownicy zaufani dodają większej pewności, gdy korzystasz z wiadomości szyfrowanych end-to-end.",
|
||||
"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>.",
|
||||
"Comment": "Komentarz",
|
||||
"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 couldn't log you in": "Nie mogliśmy Cię zalogować",
|
||||
|
@ -1253,10 +1199,7 @@
|
|||
"Unable to look up phone number": "Nie można wyszukać numeru telefonu",
|
||||
"We sent the others, but the below people couldn't be invited to <RoomName/>": "Wysłaliśmy pozostałym, ale osoby poniżej nie mogły zostać zaproszone do <RoomName/>",
|
||||
"Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Nieznana para (użytkownik, sesja): (%(userId)s, %(deviceId)s)",
|
||||
"Command failed: Unable to find room (%(roomId)s": "Błąd polecenia: Nie można znaleźć pokoju (%(roomId)s",
|
||||
"Unrecognised room address: %(roomAlias)s": "Nieznany adres pokoju: %(roomAlias)s",
|
||||
"Command error: Unable to find rendering type (%(renderingType)s)": "Błąd polecenia: Nie można znaleźć renderowania typu (%(renderingType)s)",
|
||||
"Command error: Unable to handle slash command.": "Błąd polecenia: Nie można obsłużyć polecenia z ukośnikiem.",
|
||||
"%(spaceName)s and %(count)s others": {
|
||||
"one": "%(spaceName)s i %(count)s pozostała",
|
||||
"other": "%(spaceName)s i %(count)s pozostałych"
|
||||
|
@ -1282,45 +1225,6 @@
|
|||
"Invite to %(spaceName)s": "Zaproś do %(spaceName)s",
|
||||
"Use a longer keyboard pattern with more turns": "Użyj wzoru z klawiatury z większą ilością zakrętów",
|
||||
"This homeserver has been blocked by its administrator.": "Ten serwer domowy został zablokowany przez jego administratora.",
|
||||
"See <b>%(msgtype)s</b> messages posted to your active room": "Zobacz wiadomości <b>%(msgtype)s</b> wysyłane do aktywnego pokoju",
|
||||
"See <b>%(msgtype)s</b> messages posted to this room": "Zobacz wiadomości <b>%(msgtype)s</b> wysyłane do tego pokoju",
|
||||
"Send <b>%(msgtype)s</b> messages as you in your active room": "Wysyłaj wiadomości <b>%(msgtype)s</b> jako Ty w bieżącym pokoju",
|
||||
"Send <b>%(msgtype)s</b> messages as you in this room": "Wysyłaj wiadomości <b>%(msgtype)s</b> jako ty w tym pokoju",
|
||||
"See general files posted to your active room": "Zobacz pliki wysłane do aktywnego pokoju",
|
||||
"See general files posted to this room": "Zobacz pliki wysłane do tego pokoju",
|
||||
"Send general files as you in your active room": "Wyślij pliki jako ty do aktywnego pokoju",
|
||||
"Send general files as you in this room": "Wyślij pliki jako ty do tego pokoju",
|
||||
"See videos posted to your active room": "Zobacz video wysłane do aktywnego pokoju",
|
||||
"See videos posted to this room": "Zobacz video wysłane do tego pokoju",
|
||||
"Send videos as you in your active room": "Wysyłaj video jako ty w aktywnym pokoju",
|
||||
"Send videos as you in this room": "Wysyłaj video jako ty w tym pokoju",
|
||||
"See images posted to your active room": "Zobacz obrazki wysłane do aktywnego pokoju",
|
||||
"See images posted to this room": "Zobacz obrazki wysłane do tego pokoju",
|
||||
"Send images as you in your active room": "Wysyłaj obrazki jako ty w aktywnym pokoju",
|
||||
"Send images as you in this room": "Wysyłaj obrazki jako ty w tym pokoju",
|
||||
"See emotes posted to your active room": "Pokaż emotki wysłane do aktywnego pokoju",
|
||||
"See emotes posted to this room": "Pokaż emotki wysłane w tym pokoju",
|
||||
"Send emotes as you in your active room": "Wysyłaj emotki jako ty w aktywnym pokoju",
|
||||
"Send emotes as you in this room": "Wysyłaj emotki jako ty w tym pokoju",
|
||||
"See text messages posted to your active room": "Pokazuj wiadomości tekstowe wysłane do aktywnego pokoju",
|
||||
"See text messages posted to this room": "Pokaż wiadomości tekstowe wysłane w tym pokoju",
|
||||
"Send text messages as you in your active room": "Wysyłaj wiadomości tekstowe jako ty w aktywnym pokoju",
|
||||
"Send text messages as you in this room": "Wysyłaj wiadomości tekstowe jako ty w tym pokoju",
|
||||
"The above, but in <Room /> as well": "Powyższe, ale również w <Room />",
|
||||
"The above, but in any room you are joined or invited to as well": "Powyższe, ale w każdym pokoju do którego dołączysz lub zostaniesz zaproszony",
|
||||
"with state key %(stateKey)s": "z kluczem stanu %(stateKey)s",
|
||||
"with an empty state key": "z pustym kluczem stanu",
|
||||
"See when anyone posts a sticker to your active room": "Pokazuj kiedy ktokolwiek wyśle naklejki do twojego aktywnego pokoju",
|
||||
"Send stickers to your active room as you": "Wysyłaj naklejki do aktywnego pokoju jako ty",
|
||||
"See when a sticker is posted in this room": "Pokazuj kiedy naklejki są wysłane do tego pokoju",
|
||||
"Send stickers to this room as you": "Wysyłaj naklejki do tego pokoju jako ty",
|
||||
"See when people join, leave, or are invited to your active room": "Pokazuj kiedy osoby wchodzą, wychodzą, lub zostają zaproszone do aktywnego pokoju",
|
||||
"Remove, ban, or invite people to your active room, and make you leave": "Usuń, zbanuj lub zaproś ludzi do aktywnego pokoju i wyjdź z niego",
|
||||
"See when people join, leave, or are invited to this room": "Pokazuj kiedy ktoś wejdzie, wyjdzie, lub zostanie zaproszony do tego pokoju",
|
||||
"Remove, ban, or invite people to this room, and make you leave": "Usuń, zbanuj, lub zaproś ludzi do tego pokoju i wyjdź z niego",
|
||||
"Change which room, message, or user you're viewing": "Zmień pokój, wiadomość lub użytkownika, na którego patrzysz",
|
||||
"Remain on your screen while running": "Pozostań na ekranie kiedy aplikacja jest uruchomiona",
|
||||
"Remain on your screen when viewing another room, when running": "Pozostań na ekranie podczas patrzenia na inny pokój, kiedy aplikacja jest uruchomiona",
|
||||
"Light high contrast": "Jasny z wysokim kontrastem",
|
||||
"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",
|
||||
|
@ -1594,14 +1498,12 @@
|
|||
"WARNING: session already verified, but keys do NOT MATCH!": "OSTRZEŻENIE: sesja została już zweryfikowana, ale klucze NIE PASUJĄ!",
|
||||
"Failed to read events": "Nie udało się odczytać wydarzeń",
|
||||
"Failed to send event": "Nie udało się wysłać wydarzenia",
|
||||
"Use your account to continue.": "Użyj swojego konta, aby kontynuować.",
|
||||
"Your email address does not appear to be associated with a Matrix ID on this homeserver.": "Twój adres e-mail nie wydaje się być związany z ID Matrix na tym serwerze domowym.",
|
||||
"%(senderName)s started a voice broadcast": "%(senderName)s rozpoczął transmisję głosową",
|
||||
"Database unexpectedly closed": "Baza danych została nieoczekiwanie zamknięta",
|
||||
"No identity access token found": "Nie znaleziono tokena dostępu tożsamości",
|
||||
"Identity server not set": "Serwer tożsamości nie jest ustawiony",
|
||||
"Sorry — this call is currently full": "Przepraszamy — to połączenie jest już zapełnione",
|
||||
"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",
|
||||
"unknown": "nieznane",
|
||||
"Unsent": "Niewysłane",
|
||||
|
@ -1679,7 +1581,6 @@
|
|||
"Creating…": "Tworzenie…",
|
||||
"Verify Session": "Zweryfikuj sesję",
|
||||
"Failed to re-authenticate due to a homeserver problem": "Nie udało się uwierzytelnić ponownie z powodu błędu serwera domowego",
|
||||
"Failed to re-authenticate": "Nie udało się uwierzytelnić ponownie",
|
||||
"Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "Ignorowanie ludzi odbywa się poprzez listy banów, które zawierają zasady dotyczące tego, kogo można zbanować. Subskrypcja do listy banów oznacza, że użytkownicy/serwery zablokowane przez tę listę będą ukryte.",
|
||||
"You are currently subscribed to:": "Aktualnie subskrybujesz:",
|
||||
"You are not subscribed to any lists": "Aktualnie nie subskrybujesz żadnej listy",
|
||||
|
@ -1732,8 +1633,6 @@
|
|||
"Add privileged users": "Dodaj użytkowników uprzywilejowanych",
|
||||
"Ignore (%(counter)s)": "Ignoruj (%(counter)s)",
|
||||
"Space home": "Przestrzeń główna",
|
||||
"About homeservers": "O serwerach domowych",
|
||||
"Other homeserver": "Inne serwery domowe",
|
||||
"Home options": "Opcje głównej",
|
||||
"Home is useful for getting an overview of everything.": "Strona główna to przydatne miejsce dla podsumowania wszystkiego.",
|
||||
"For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Dla najlepszego bezpieczeństwa, zweryfikuj swoje sesje i wyloguj się ze wszystkich sesji, których nie rozpoznajesz lub nie używasz.",
|
||||
|
@ -1888,10 +1787,6 @@
|
|||
"one": "Pokaż %(count)s inny podgląd",
|
||||
"other": "Pokaż %(count)s innych podglądów"
|
||||
},
|
||||
"You can't see earlier messages": "Nie możesz widzieć poprzednich wiadomości",
|
||||
"Encrypted messages before this point are unavailable.": "Wiadomości szyfrowane przed tym punktem są niedostępne.",
|
||||
"You don't have permission to view messages from before you joined.": "Nie posiadasz uprawnień, aby wyświetlić wiadomości, które wysłano zanim dołączyłeś.",
|
||||
"You don't have permission to view messages from before you were invited.": "Nie posiadasz uprawnień, aby wyświetlić wiadomości, które wysłano zanim cię zaproszono.",
|
||||
"Failed to send": "Nie udało się wysłać",
|
||||
"Your message was sent": "Twoja wiadomość została wysłana",
|
||||
"Encrypting your message…": "Szyfrowanie Twojej wiadomości…",
|
||||
|
@ -2266,8 +2161,6 @@
|
|||
"Verifying this user will mark their session as trusted, and also mark your session as trusted to them.": "Weryfikacja tego użytkownika oznaczy Twoją i jego sesję jako zaufaną.",
|
||||
"You may contact me if you have any follow up questions": "Możesz się ze mną skontaktować, jeśli masz jakiekolwiek pytania",
|
||||
"Open room": "Otwórz pokój",
|
||||
"You may contact me if you want to follow up or to let me test out upcoming ideas": "Możesz się ze mną skontaktować, jeśli chcesz mnie śledzić lub pomóc wypróbować nadchodzące pomysły",
|
||||
"Your platform and username will be noted to help us use your feedback as much as we can.": "Twoja platforma i nazwa użytkownika zostaną zapisane, aby pomóc nam ulepszyć nasze produkty.",
|
||||
"MB": "MB",
|
||||
"Are you sure you want to end this poll? This will show the final results of the poll and stop people from being able to vote.": "Czy na pewno chcesz zakończyć ankietę? Zostaną wyświetlone ostateczne wyniki, a osoby nie będą mogły głosować.",
|
||||
"End Poll": "Zakończ ankietę",
|
||||
|
@ -2300,23 +2193,11 @@
|
|||
"Only people invited will be able to find and join this space.": "Tylko osoby zaproszone będą mogły znaleźć i dołączyć do tej przestrzeni.",
|
||||
"Anyone will be able to find and join this space, not just members of <SpaceName/>.": "Każdy będzie mógł znaleźć i dołączyć do tej przestrzeni, nie tylko członkowie <SpaceName/>.",
|
||||
"Anyone in <SpaceName/> will be able to find and join.": "Każdy w <SpaceName/> będzie mógł znaleźć i dołączyć.",
|
||||
"Visible to space members": "Widoczne dla członków przestrzeni",
|
||||
"Online community members": "Członkowie społeczności online",
|
||||
"View all %(count)s members": {
|
||||
"one": "Wyświetl 1 członka",
|
||||
"other": "Wyświetl wszystkich %(count)s członków"
|
||||
},
|
||||
"Private room (invite only)": "Pokój prywatny (tylko na zaproszenie)",
|
||||
"Room visibility": "Widoczność pokoju",
|
||||
"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.": "Możesz wyłączyć tę opcję, jeśli pokój będzie wykorzystywany jedynie do współpracy z wewnętrznymi zespołami, które posiadają swój serwer domowy. Nie będzie można zmienić tej opcji.",
|
||||
"Your server requires encryption to be enabled in private rooms.": "Twój serwer wymaga włączenia szyfrowania w pokojach prywatnych.",
|
||||
"You can't disable this later. The room will be encrypted but the embedded call will not.": "Nie będzie można tego później wyłączyć. Pokój zostanie zaszyfrowany, lecz wbudowane połączenia nie.",
|
||||
"You can't disable this later. Bridges & most bots won't work yet.": "Nie będzie można tego później wyłączyć. Mostki i większość botów jeszcze nie działa.",
|
||||
"Only people invited will be able to find and join this room.": "Tylko osoby zaproszone będą mogły znaleźć i dołączyć do tego pokoju.",
|
||||
"Anyone will be able to find and join this room.": "Każdy będzie mógł znaleźć i dołączyć do tego pokoju.",
|
||||
"Anyone will be able to find and join this room, not just members of <SpaceName/>.": "Każdy będzie mógł znaleźć i dołączyć do tego pokoju, nie tylko członkowie <SpaceName/>.",
|
||||
"You can change this at any time from room settings.": "Możesz to zmienić w każdym momencie w ustawieniach pokoju.",
|
||||
"Everyone in <SpaceName/> will be able to find and join this room.": "Każdy w <SpaceName/> będzie mógł znaleźć i dołączyć do tego pokoju.",
|
||||
"Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "Wyczyszczenie wszystkich danych z tej sesji jest permanentne. Wiadomości szyfrowane zostaną utracone, jeśli nie zabezpieczono ich kluczy.",
|
||||
"Clear all data in this session?": "Wyczyścić wszystkie dane w tej sesji?",
|
||||
"Reason (optional)": "Powód (opcjonalne)",
|
||||
|
@ -2495,13 +2376,6 @@
|
|||
"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": "Jeśli kontynuujesz, żadne wiadomości nie zostaną usunięte, lecz jakość wyszukiwania może się obniżyć na kilka miesięcy, w których indeks się zregeneruje",
|
||||
"You most likely do not want to reset your event index store": "Najprawdopodobniej nie chcesz zresetować swojego indeksu banku wydarzeń",
|
||||
"Reset event store?": "Zresetować bank wydarzeń?",
|
||||
"Use your preferred Matrix homeserver if you have one, or host your own.": "Korzystaj z wybranego przez Ciebie serwera domowego Matrix lub hostuj swój własny.",
|
||||
"We call the places where you can host your account 'homeservers'.": "Kontaktujemy się z miejscami, gdzie możesz założyć swoje konto tzw. 'serwery domowe'.",
|
||||
"Sign into your homeserver": "Zaloguj się do swojego serwera domowego",
|
||||
"Matrix.org is the biggest public homeserver in the world, so it's a good place for many.": "Matrix.org jest największym publicznym serwerem domowym na świecie, najlepsze miejsce dla wielu.",
|
||||
"Specify a homeserver": "Podaj serwer domowy",
|
||||
"Invalid URL": "Nieprawidłowy URL",
|
||||
"Unable to validate homeserver": "Nie można zweryfikować serwera domowego",
|
||||
"Recent changes that have not yet been received": "Najnowsze zmiany nie zostały jeszcze wprowadzone",
|
||||
"The server is not configured to indicate what the problem is (CORS).": "Serwer nie został skonfigurowany, aby wskazać co jest problemem (CORS).",
|
||||
"A connection error occurred while trying to contact the server.": "Wystąpił błąd połączenia podczas próby skontaktowania się z serwerem.",
|
||||
|
@ -2630,20 +2504,8 @@
|
|||
"Enter a Security Phrase": "Wprowadź hasło bezpieczeństwa",
|
||||
"Space Autocomplete": "Przerwa autouzupełniania",
|
||||
"Command Autocomplete": "Komenda autouzupełniania",
|
||||
"We need to know it’s you before resetting your password. Click the link in the email we just sent to <b>%(email)s</b>": "Przed zresetowaniem hasła musimy się upewnić, że to Ty. Kliknij link we wiadomości e-mail, którą właśnie wysłaliśmy do <b>%(email)s</b>",
|
||||
"Verify your email to continue": "Zweryfikuj adres e-mail, aby kontynuować",
|
||||
"Sign in instead": "Zamiast tego zaloguj się",
|
||||
"The email address doesn't appear to be valid.": "Adres e-mail nie wygląda na prawidłowy.",
|
||||
"<b>%(homeserver)s</b> will send you a verification link to let you reset your password.": "<b>%(homeserver)s</b> wyśle Tobie link weryfikacyjny, abyś mógł zresetować hasło.",
|
||||
"Enter your email to reset password": "Wprowadź swój e-mail, aby zresetować hasło",
|
||||
"Send email": "Wyślij e-mail",
|
||||
"Verification link email resent!": "Wysłano ponownie link weryfikacyjny na e-mail!",
|
||||
"Did not receive it?": "Nie otrzymałeś go?",
|
||||
"Re-enter email address": "Wprowadź ponownie adres e-mail",
|
||||
"Wrong email address?": "Zły adres e-mail?",
|
||||
"Follow the instructions sent to <b>%(email)s</b>": "Podążaj za instrukcjami wysłanymi do <b>%(email)s</b>",
|
||||
"Warning: your personal data (including encryption keys) is still stored in this session. Clear it if you're finished using this session, or want to sign in to another account.": "Ostrzeżenie: Twoje dane osobowe (włączając w to klucze szyfrujące) są wciąż przechowywane w tej sesji. Wyczyść je, jeśli chcesz zakończyć tę sesję lub chcesz zalogować się na inne konto.",
|
||||
"You cannot sign in to your account. Please contact your homeserver admin for more information.": "Nie możesz zalogować się do swojego konta. Skontaktuj się z administratorem serwera domowego po więcej informacji.",
|
||||
"Regain access to your account and recover encryption keys stored in this session. Without them, you won't be able to read all of your secure messages in any session.": "Odzyskaj dostęp do swojego konta i klucze szyfrujące zachowane w tej sesji. Bez nich, nie będziesz mógł przeczytać żadnej wiadomości szyfrowanej we wszystkich sesjach.",
|
||||
"Shows all threads you've participated in": "Pokazuje wszystkie wątki, w których brałeś udział",
|
||||
"Shows all threads from current room": "Pokazuje wszystkie wątki z bieżącego pokoju",
|
||||
|
@ -2655,15 +2517,6 @@
|
|||
"Verify your identity to access encrypted messages and prove your identity to others.": "Zweryfikuj swoją tożsamość, aby uzyskać dostęp do wiadomości szyfrowanych i potwierdzić swoją tożsamość innym.",
|
||||
"Verify with another device": "Weryfikuj innym urządzeniem",
|
||||
"Proceed with reset": "Zresetuj",
|
||||
"That e-mail address or phone number is already in use.": "Ten adres e-mail lub numer telefonu jest już w użyciu.",
|
||||
"Someone already has that username, please try another.": "Ktoś już ma tę nazwę użytkownika, użyj innej.",
|
||||
"Unable to query for supported registration methods.": "Nie można uzyskać wspieranych metod rejestracji.",
|
||||
"Registration has been disabled on this homeserver.": "Rejestracja została wyłączona na tym serwerze domowym.",
|
||||
"If you've joined lots of rooms, this might take a while": "Jeśli dołączono do wielu pokojów, może to chwilę zająć",
|
||||
"Signing In…": "Logowanie…",
|
||||
"Syncing…": "Synchronizacja…",
|
||||
"Failed to perform homeserver discovery": "Nie udało się rozpocząć odkrywania serwerów domowych",
|
||||
"This homeserver does not support login using email address.": "Ten serwer domowy nie wspiera logowania za pomocą adresu e-mail.",
|
||||
"Identity server URL does not appear to be a valid identity server": "URL serwera tożsamości nie wydaje się być prawidłowym serwerem tożsamości",
|
||||
"Invalid base_url for m.identity_server": "Nieprawidłowy base_url dla m.identity_server",
|
||||
"Invalid identity server discovery response": "Nieprawidłowa odpowiedź na wykrycie serwera tożsamości",
|
||||
|
@ -2686,7 +2539,6 @@
|
|||
"Original event source": "Oryginalne źródło wydarzenia",
|
||||
"Decrypted source unavailable": "Rozszyfrowane źródło niedostępne",
|
||||
"Decrypted event source": "Rozszyfrowane wydarzenie źródłowe",
|
||||
"Got an account? <a>Sign in</a>": "Posiadasz już konto? <a>Zaloguj się</a>",
|
||||
"Keep discussions organised with threads": "Organizuj dyskusje za pomocą wątków",
|
||||
"<b>Tip:</b> Use “%(replyInThread)s” when hovering over a message.": "<b>Tip:</b> Użyj “%(replyInThread)s” najeżdżając na wiadomość.",
|
||||
"Threads help keep your conversations on-topic and easy to track.": "Dzięki wątkom Twoje rozmowy są zorganizowane i łatwe do śledzenia.",
|
||||
|
@ -2760,14 +2612,11 @@
|
|||
"Are you sure you wish to remove (delete) this event?": "Czy na pewno chcesz usunąć to wydarzenie?",
|
||||
"Your server requires encryption to be disabled.": "Twój serwer wymaga wyłączenia szyfrowania.",
|
||||
"Note that removing room changes like this could undo the change.": "Usuwanie zmian pokoju w taki sposób może cofnąć zmianę.",
|
||||
"Enable new native OIDC flows (Under active development)": "Włącz natywne przepływy OIDC (W trakcie aktywnego rozwoju)",
|
||||
"Ask to join": "Poproś o dołączenie",
|
||||
"People cannot join unless access is granted.": "Osoby nie mogą dołączyć, dopóki nie otrzymają zezwolenia.",
|
||||
"<strong>Update:</strong>We’ve simplified Notifications Settings to make options easier to find. Some custom settings you’ve chosen in the past are not shown here, but they’re still active. If you proceed, some of your settings may change. <a>Learn more</a>": "<strong>Aktualizacja:</strong>Uprościliśmy Ustawienia powiadomień, aby łatwiej je nawigować. Niektóre ustawienia niestandardowe nie są już tu widoczne, lecz wciąż aktywne. Jeśli kontynuujesz, niektóre Twoje ustawienia mogą się zmienić. <a>Dowiedz się więcej</a>",
|
||||
"Something went wrong.": "Coś poszło nie tak.",
|
||||
"User cannot be invited until they are unbanned": "Nie można zaprosić użytkownika, dopóki nie zostanie odbanowany",
|
||||
"Views room with given address": "Przegląda pokój z podanym adresem",
|
||||
"Notification Settings": "Ustawienia powiadomień",
|
||||
"Mentions and Keywords only": "Wyłącznie wzmianki i słowa kluczowe",
|
||||
"Play a sound for": "Odtwórz dźwięk dla",
|
||||
"Notify when someone mentions using @room": "Powiadom mnie, gdy ktoś użyje wzmianki @room",
|
||||
|
@ -2796,8 +2645,6 @@
|
|||
"Applied by default to all rooms on all devices.": "Zastosowano domyślnie do wszystkich pokoi na każdym urządzeniu.",
|
||||
"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",
|
||||
"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.",
|
||||
"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.",
|
||||
"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",
|
||||
"Upgrade room": "Ulepsz pokój",
|
||||
|
@ -2890,7 +2737,8 @@
|
|||
"cross_signing": "Weryfikacja krzyżowa",
|
||||
"identity_server": "Serwer tożsamości",
|
||||
"integration_manager": "Menedżer integracji",
|
||||
"qr_code": "Kod QR"
|
||||
"qr_code": "Kod QR",
|
||||
"feedback": "Opinia użytkownika"
|
||||
},
|
||||
"action": {
|
||||
"continue": "Kontynuuj",
|
||||
|
@ -3063,7 +2911,10 @@
|
|||
"leave_beta_reload": "Opuszczenie bety, wczyta ponownie %(brand)s.",
|
||||
"join_beta_reload": "Dołączenie do bety, wczyta ponownie %(brand)s.",
|
||||
"leave_beta": "Opuść betę",
|
||||
"join_beta": "Dołącz do bety"
|
||||
"join_beta": "Dołącz do bety",
|
||||
"notification_settings_beta_title": "Ustawienia powiadomień",
|
||||
"voice_broadcast_force_small_chunks": "Wymuś 15s długość kawałków dla transmisji głosowej",
|
||||
"oidc_native_flow": "Włącz natywne przepływy OIDC (W trakcie aktywnego rozwoju)"
|
||||
},
|
||||
"keyboard": {
|
||||
"home": "Strona główna",
|
||||
|
@ -3351,7 +3202,9 @@
|
|||
"timeline_image_size": "Rozmiar obrazu na osi czasu",
|
||||
"timeline_image_size_default": "Zwykły",
|
||||
"timeline_image_size_large": "Duży"
|
||||
}
|
||||
},
|
||||
"inline_url_previews_room_account": "Włącz podgląd URL dla tego pokoju (dotyczy tylko Ciebie)",
|
||||
"inline_url_previews_room": "Włącz domyślny podgląd URL dla uczestników w tym pokoju"
|
||||
},
|
||||
"devtools": {
|
||||
"send_custom_account_data_event": "Wyślij własne wydarzenie danych konta",
|
||||
|
@ -3510,7 +3363,25 @@
|
|||
"title_public_room": "Utwórz publiczny pokój",
|
||||
"title_private_room": "Utwórz prywatny pokój",
|
||||
"action_create_video_room": "Utwórz pokój wideo",
|
||||
"action_create_room": "Utwórz pokój"
|
||||
"action_create_room": "Utwórz pokój",
|
||||
"name_validation_required": "Proszę podać nazwę pokoju",
|
||||
"join_rule_restricted_label": "Każdy w <SpaceName/> będzie mógł znaleźć i dołączyć do tego pokoju.",
|
||||
"join_rule_change_notice": "Możesz to zmienić w każdym momencie w ustawieniach pokoju.",
|
||||
"join_rule_public_parent_space_label": "Każdy będzie mógł znaleźć i dołączyć do tego pokoju, nie tylko członkowie <SpaceName/>.",
|
||||
"join_rule_public_label": "Każdy będzie mógł znaleźć i dołączyć do tego pokoju.",
|
||||
"join_rule_invite_label": "Tylko osoby zaproszone będą mogły znaleźć i dołączyć do tego pokoju.",
|
||||
"join_rule_knock_label": "Każdy może poprosić o dołączenie, lecz administratorzy lub moderacja muszą przyznać zezwolenie. Można zmienić to później.",
|
||||
"encrypted_video_room_warning": "Nie będzie można tego później wyłączyć. Pokój zostanie zaszyfrowany, lecz wbudowane połączenia nie.",
|
||||
"encrypted_warning": "Nie będzie można tego później wyłączyć. Mostki i większość botów jeszcze nie działa.",
|
||||
"encryption_forced": "Twój serwer wymaga włączenia szyfrowania w pokojach prywatnych.",
|
||||
"encryption_label": "Włącz szyfrowanie end-to-end",
|
||||
"unfederated_label_default_off": "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.",
|
||||
"unfederated_label_default_on": "Możesz wyłączyć tę opcję, jeśli pokój będzie wykorzystywany jedynie do współpracy z wewnętrznymi zespołami, które posiadają swój serwer domowy. Nie będzie można zmienić tej opcji.",
|
||||
"topic_label": "Temat (opcjonalnie)",
|
||||
"room_visibility_label": "Widoczność pokoju",
|
||||
"join_rule_invite": "Pokój prywatny (tylko na zaproszenie)",
|
||||
"join_rule_restricted": "Widoczne dla członków przestrzeni",
|
||||
"unfederated": "Zablokuj wszystkich niebędących użytkownikami %(serverName)s w tym pokoju."
|
||||
},
|
||||
"timeline": {
|
||||
"m.call": {
|
||||
|
@ -3790,7 +3661,11 @@
|
|||
"changed_rule_rooms": "%(senderName)s zmienił regułę banującą pokoje pasujące do wzorca na %(oldGlob)s ustawiając nowy wzorzec %(newGlob)s z powodu %(reason)s",
|
||||
"changed_rule_servers": "%(senderName)s zmienił regułę banującą serwery pasujące do wzorca na %(oldGlob)s ustawiając nowy wzorzec %(newGlob)s z powodu %(reason)s",
|
||||
"changed_rule_glob": "%(senderName)s zaktualizował zasadę banowania z pasowania do %(oldGlob)s na %(newGlob)s ponieważ %(reason)s"
|
||||
}
|
||||
},
|
||||
"no_permission_messages_before_invite": "Nie posiadasz uprawnień, aby wyświetlić wiadomości, które wysłano zanim cię zaproszono.",
|
||||
"no_permission_messages_before_join": "Nie posiadasz uprawnień, aby wyświetlić wiadomości, które wysłano zanim dołączyłeś.",
|
||||
"encrypted_historical_messages_unavailable": "Wiadomości szyfrowane przed tym punktem są niedostępne.",
|
||||
"historical_messages_unavailable": "Nie możesz widzieć poprzednich wiadomości"
|
||||
},
|
||||
"slash_command": {
|
||||
"spoiler": "Wysyła podaną wiadomość jako spoiler",
|
||||
|
@ -3850,7 +3725,15 @@
|
|||
"holdcall": "Zawiesza połączenie w obecnym pokoju",
|
||||
"no_active_call": "Brak aktywnych połączeń w tym pokoju",
|
||||
"unholdcall": "Odwiesza połączenie w obecnym pokoju",
|
||||
"me": "Wyświetla akcję"
|
||||
"me": "Wyświetla akcję",
|
||||
"error_invalid_runfn": "Błąd polecenia: Nie można obsłużyć polecenia z ukośnikiem.",
|
||||
"error_invalid_rendering_type": "Błąd polecenia: Nie można znaleźć renderowania typu (%(renderingType)s)",
|
||||
"join": "Dołącz do pokoju o wybranym adresie",
|
||||
"view": "Przegląda pokój z podanym adresem",
|
||||
"failed_find_room": "Błąd polecenia: Nie można znaleźć pokoju (%(roomId)s",
|
||||
"failed_find_user": "Nie znaleziono użytkownika w pokoju",
|
||||
"op": "Określ poziom uprawnień użytkownika",
|
||||
"deop": "Usuwa prawa administratora użytkownikowi o danym ID"
|
||||
},
|
||||
"presence": {
|
||||
"busy": "Zajęty",
|
||||
|
@ -4034,13 +3917,57 @@
|
|||
"reset_password_title": "Resetuj swoje hasło",
|
||||
"continue_with_sso": "Kontynuuj z %(ssoButtons)s",
|
||||
"sso_or_username_password": "%(ssoButtons)s lub %(usernamePassword)s",
|
||||
"sign_in_instead": "Masz już konto? <a>Zaloguj się tutaj</a>",
|
||||
"sign_in_instead": "Zamiast tego zaloguj się",
|
||||
"account_clash": "Twoje nowe konto (%(newAccountId)s) zostało zarejestrowane, lecz jesteś już zalogowany na innym koncie (%(loggedInUserId)s).",
|
||||
"account_clash_previous_account": "Kontynuuj, używając poprzedniego konta",
|
||||
"log_in_new_account": "<a>Zaloguj się</a> do nowego konta.",
|
||||
"registration_successful": "Pomyślnie zarejestrowano",
|
||||
"server_picker_title": "Przechowuj konto na",
|
||||
"server_picker_dialog_title": "Decyduj, gdzie Twoje konto jest hostowane"
|
||||
"server_picker_title": "Zaloguj się do swojego serwera domowego",
|
||||
"server_picker_dialog_title": "Decyduj, gdzie Twoje konto jest hostowane",
|
||||
"footer_powered_by_matrix": "napędzany przez Matrix",
|
||||
"failed_homeserver_discovery": "Nie udało się rozpocząć odkrywania serwerów domowych",
|
||||
"sync_footer_subtitle": "Jeśli dołączono do wielu pokojów, może to chwilę zająć",
|
||||
"syncing": "Synchronizacja…",
|
||||
"signing_in": "Logowanie…",
|
||||
"unsupported_auth_msisdn": "Ten serwer nie wspiera autentykacji za pomocą numeru telefonu.",
|
||||
"unsupported_auth_email": "Ten serwer domowy nie wspiera logowania za pomocą adresu e-mail.",
|
||||
"unsupported_auth": "Serwer domowy nie oferuje żadnego procesu logowania, który wspierałby ten klient.",
|
||||
"registration_disabled": "Rejestracja została wyłączona na tym serwerze domowym.",
|
||||
"failed_query_registration_methods": "Nie można uzyskać wspieranych metod rejestracji.",
|
||||
"username_in_use": "Ktoś już ma tę nazwę użytkownika, użyj innej.",
|
||||
"3pid_in_use": "Ten adres e-mail lub numer telefonu jest już w użyciu.",
|
||||
"incorrect_password": "Nieprawidłowe hasło",
|
||||
"failed_soft_logout_auth": "Nie udało się uwierzytelnić ponownie",
|
||||
"soft_logout_heading": "Zostałeś wylogowany",
|
||||
"forgot_password_email_required": "Musisz wpisać adres e-mail połączony z twoim kontem.",
|
||||
"forgot_password_email_invalid": "Adres e-mail nie wygląda na prawidłowy.",
|
||||
"sign_in_prompt": "Posiadasz już konto? <a>Zaloguj się</a>",
|
||||
"verify_email_heading": "Zweryfikuj adres e-mail, aby kontynuować",
|
||||
"forgot_password_prompt": "Nie pamiętasz hasła?",
|
||||
"soft_logout_intro_password": "Podaj hasło, aby zalogować się i odzyskać dostęp do swojego konta.",
|
||||
"soft_logout_intro_sso": "Zaloguj się i odzyskaj dostęp do konta.",
|
||||
"soft_logout_intro_unsupported_auth": "Nie możesz zalogować się do swojego konta. Skontaktuj się z administratorem serwera domowego po więcej informacji.",
|
||||
"check_email_explainer": "Podążaj za instrukcjami wysłanymi do <b>%(email)s</b>",
|
||||
"check_email_wrong_email_prompt": "Zły adres e-mail?",
|
||||
"check_email_wrong_email_button": "Wprowadź ponownie adres e-mail",
|
||||
"check_email_resend_prompt": "Nie otrzymałeś go?",
|
||||
"check_email_resend_tooltip": "Wysłano ponownie link weryfikacyjny na e-mail!",
|
||||
"enter_email_heading": "Wprowadź swój e-mail, aby zresetować hasło",
|
||||
"enter_email_explainer": "<b>%(homeserver)s</b> wyśle Tobie link weryfikacyjny, abyś mógł zresetować hasło.",
|
||||
"verify_email_explainer": "Przed zresetowaniem hasła musimy się upewnić, że to Ty. Kliknij link we wiadomości e-mail, którą właśnie wysłaliśmy do <b>%(email)s</b>",
|
||||
"create_account_prompt": "Nowy? <a>Utwórz konto</a>",
|
||||
"sign_in_or_register": "Zaloguj się lub utwórz konto",
|
||||
"sign_in_or_register_description": "Użyj konta lub utwórz nowe, aby kontynuować.",
|
||||
"sign_in_description": "Użyj swojego konta, aby kontynuować.",
|
||||
"register_action": "Utwórz konto",
|
||||
"server_picker_failed_validate_homeserver": "Nie można zweryfikować serwera domowego",
|
||||
"server_picker_invalid_url": "Nieprawidłowy URL",
|
||||
"server_picker_required": "Podaj serwer domowy",
|
||||
"server_picker_matrix.org": "Matrix.org jest największym publicznym serwerem domowym na świecie, najlepsze miejsce dla wielu.",
|
||||
"server_picker_intro": "Kontaktujemy się z miejscami, gdzie możesz założyć swoje konto tzw. 'serwery domowe'.",
|
||||
"server_picker_custom": "Inne serwery domowe",
|
||||
"server_picker_explainer": "Korzystaj z wybranego przez Ciebie serwera domowego Matrix lub hostuj swój własny.",
|
||||
"server_picker_learn_more": "O serwerach domowych"
|
||||
},
|
||||
"room_list": {
|
||||
"sort_unread_first": "Pokazuj najpierw pokoje z nieprzeczytanymi wiadomościami",
|
||||
|
@ -4091,5 +4018,81 @@
|
|||
"access_token_detail": "Twój token dostępu daje pełen dostęp do Twojego konta. Nie dziel się nim z nikim.",
|
||||
"clear_cache_reload": "Wyczyść pamięć podręczną i przeładuj"
|
||||
}
|
||||
},
|
||||
"widget": {
|
||||
"capability": {
|
||||
"send_stickers_this_room": "Wyślij naklejki w tym pokoju",
|
||||
"send_stickers_active_room": "Wyślij naklejki w swoim aktywnym pokoju",
|
||||
"send_stickers_this_room_as_you": "Wysyłaj naklejki do tego pokoju jako ty",
|
||||
"send_stickers_active_room_as_you": "Wysyłaj naklejki do aktywnego pokoju jako ty",
|
||||
"see_sticker_posted_this_room": "Pokazuj kiedy naklejki są wysłane do tego pokoju",
|
||||
"see_sticker_posted_active_room": "Pokazuj kiedy ktokolwiek wyśle naklejki do twojego aktywnego pokoju",
|
||||
"always_on_screen_viewing_another_room": "Pozostań na ekranie podczas patrzenia na inny pokój, kiedy aplikacja jest uruchomiona",
|
||||
"always_on_screen_generic": "Pozostań na ekranie kiedy aplikacja jest uruchomiona",
|
||||
"switch_room": "Zmień pokój który przeglądasz",
|
||||
"switch_room_message_user": "Zmień pokój, wiadomość lub użytkownika, na którego patrzysz",
|
||||
"change_topic_this_room": "Zmień temat tego pokoju",
|
||||
"see_topic_change_this_room": "Zobacz, gdy temat tego pokoju zmienia się",
|
||||
"change_topic_active_room": "Zmień temat swojego obecnego pokoju",
|
||||
"see_topic_change_active_room": "Zobacz, gdy temat Twojego obecnego pokoju zmienia się",
|
||||
"change_name_this_room": "Zmień nazwę tego pokoju",
|
||||
"see_name_change_this_room": "Zobacz, gdy nazwa tego pokoju zmienia się",
|
||||
"change_name_active_room": "Zmień nazwę swojego obecnego pokoju",
|
||||
"see_name_change_active_room": "Zobacz, gdy nazwa Twojego obecnego pokoju zmienia się",
|
||||
"change_avatar_this_room": "Zmień awatar tego pokoju",
|
||||
"see_avatar_change_this_room": "Zobacz, gdy awatar tego pokoju zmienia się",
|
||||
"change_avatar_active_room": "Zmień awatar swojego aktywnego pokoju",
|
||||
"see_avatar_change_active_room": "Zobacz, gdy awatar Twojego obecnego pokoju zmienia się",
|
||||
"remove_ban_invite_leave_this_room": "Usuń, zbanuj, lub zaproś ludzi do tego pokoju i wyjdź z niego",
|
||||
"receive_membership_this_room": "Pokazuj kiedy ktoś wejdzie, wyjdzie, lub zostanie zaproszony do tego pokoju",
|
||||
"remove_ban_invite_leave_active_room": "Usuń, zbanuj lub zaproś ludzi do aktywnego pokoju i wyjdź z niego",
|
||||
"receive_membership_active_room": "Pokazuj kiedy osoby wchodzą, wychodzą, lub zostają zaproszone do aktywnego pokoju",
|
||||
"byline_empty_state_key": "z pustym kluczem stanu",
|
||||
"byline_state_key": "z kluczem stanu %(stateKey)s",
|
||||
"any_room": "Powyższe, ale w każdym pokoju do którego dołączysz lub zostaniesz zaproszony",
|
||||
"specific_room": "Powyższe, ale również w <Room />",
|
||||
"send_event_type_this_room": "Wysyłaj zdarzenia <b>%(eventType)s</b> jako Ty w tym pokoju",
|
||||
"see_event_type_sent_this_room": "Zobacz wydarzenia <b>%(eventType)s</b> opublikowane w tym pokoju",
|
||||
"send_event_type_active_room": "Wysyłaj wydarzenia <b>%(eventType)s</b> jako Ty w obecnym pokoju",
|
||||
"see_event_type_sent_active_room": "Zobacz wydarzenia <b>%(eventType)s</b> opublikowane w Twoim aktywnym pokoju",
|
||||
"capability": "Możliwość <b>%(capability)s</b>",
|
||||
"send_messages_this_room": "Wysyłaj wiadomości jako Ty w tym pokoju",
|
||||
"send_messages_active_room": "Wysyłaj wiadomości jako Ty w obecnym pokoju",
|
||||
"see_messages_sent_this_room": "Zobacz wiadomości publikowane w tym pokoju",
|
||||
"see_messages_sent_active_room": "Zobacz wiadomości publikowane w obecnym pokoju",
|
||||
"send_text_messages_this_room": "Wysyłaj wiadomości tekstowe jako ty w tym pokoju",
|
||||
"send_text_messages_active_room": "Wysyłaj wiadomości tekstowe jako ty w aktywnym pokoju",
|
||||
"see_text_messages_sent_this_room": "Pokaż wiadomości tekstowe wysłane w tym pokoju",
|
||||
"see_text_messages_sent_active_room": "Pokazuj wiadomości tekstowe wysłane do aktywnego pokoju",
|
||||
"send_emotes_this_room": "Wysyłaj emotki jako ty w tym pokoju",
|
||||
"send_emotes_active_room": "Wysyłaj emotki jako ty w aktywnym pokoju",
|
||||
"see_sent_emotes_this_room": "Pokaż emotki wysłane w tym pokoju",
|
||||
"see_sent_emotes_active_room": "Pokaż emotki wysłane do aktywnego pokoju",
|
||||
"send_images_this_room": "Wysyłaj obrazki jako ty w tym pokoju",
|
||||
"send_images_active_room": "Wysyłaj obrazki jako ty w aktywnym pokoju",
|
||||
"see_images_sent_this_room": "Zobacz obrazki wysłane do tego pokoju",
|
||||
"see_images_sent_active_room": "Zobacz obrazki wysłane do aktywnego pokoju",
|
||||
"send_videos_this_room": "Wysyłaj video jako ty w tym pokoju",
|
||||
"send_videos_active_room": "Wysyłaj video jako ty w aktywnym pokoju",
|
||||
"see_videos_sent_this_room": "Zobacz video wysłane do tego pokoju",
|
||||
"see_videos_sent_active_room": "Zobacz video wysłane do aktywnego pokoju",
|
||||
"send_files_this_room": "Wyślij pliki jako ty do tego pokoju",
|
||||
"send_files_active_room": "Wyślij pliki jako ty do aktywnego pokoju",
|
||||
"see_sent_files_this_room": "Zobacz pliki wysłane do tego pokoju",
|
||||
"see_sent_files_active_room": "Zobacz pliki wysłane do aktywnego pokoju",
|
||||
"send_msgtype_this_room": "Wysyłaj wiadomości <b>%(msgtype)s</b> jako ty w tym pokoju",
|
||||
"send_msgtype_active_room": "Wysyłaj wiadomości <b>%(msgtype)s</b> jako Ty w bieżącym pokoju",
|
||||
"see_msgtype_sent_this_room": "Zobacz wiadomości <b>%(msgtype)s</b> wysyłane do tego pokoju",
|
||||
"see_msgtype_sent_active_room": "Zobacz wiadomości <b>%(msgtype)s</b> wysyłane do aktywnego pokoju"
|
||||
}
|
||||
},
|
||||
"feedback": {
|
||||
"sent": "Wysłano opinię użytkownka",
|
||||
"comment_label": "Komentarz",
|
||||
"platform_username": "Twoja platforma i nazwa użytkownika zostaną zapisane, aby pomóc nam ulepszyć nasze produkty.",
|
||||
"may_contact_label": "Możesz się ze mną skontaktować, jeśli chcesz mnie śledzić lub pomóc wypróbować nadchodzące pomysły",
|
||||
"pro_type": "PRO TIP: Jeżeli zgłaszasz błąd, wyślij <debugLogsLink>dzienniki debugowania</debugLogsLink>, aby pomóc nam znaleźć problem.",
|
||||
"existing_issue_link": "Najpierw zobacz <existingIssuesLink>istniejące zgłoszenia na GitHubie</existingIssuesLink>. Nic nie znalazłeś? <newIssueLink>Utwórz nowe</newIssueLink>.",
|
||||
"send_feedback_action": "Wyślij opinię użytkownika"
|
||||
}
|
||||
}
|
||||
|
|
|
@ -10,7 +10,6 @@
|
|||
"Current password": "Palavra-passe atual",
|
||||
"Deactivate Account": "Desativar conta",
|
||||
"Default": "Padrão",
|
||||
"Deops user with given id": "Retirar função de moderador do usuário com o identificador informado",
|
||||
"Export E2E room keys": "Exportar chaves ponta-a-ponta da sala",
|
||||
"Failed to change password. Is your password correct?": "Falha ao alterar a palavra-passe. A sua palavra-passe está correta?",
|
||||
"Failed to reject invitation": "Falha ao tentar rejeitar convite",
|
||||
|
@ -41,7 +40,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.",
|
||||
"Session ID": "Identificador de sessão",
|
||||
"Signed Out": "Deslogar",
|
||||
"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 room is not accessible by remote Matrix servers": "Esta sala não é acessível para servidores Matrix remotos",
|
||||
"Unable to add email address": "Não foi possível adicionar endereço de email",
|
||||
|
@ -94,7 +92,6 @@
|
|||
"You cannot place a call with yourself.": "Você não pode iniciar uma chamada.",
|
||||
"You need to be able to invite users to do that.": "Para fazer isso, você tem que ter permissão para convidar outras pessoas.",
|
||||
"You need to be logged in.": "Você tem que estar logado.",
|
||||
"This server does not support authentication with a phone number.": "Este servidor não permite a autenticação através de números de telefone.",
|
||||
"Connectivity to the server has been lost.": "A conexão com o servidor foi perdida. Verifique sua conexão de internet.",
|
||||
"Sent messages will be stored until your connection has returned.": "Imagens enviadas ficarão armazenadas até que sua conexão seja reestabelecida.",
|
||||
"Failed to forget room %(errCode)s": "Falha ao esquecer a sala %(errCode)s",
|
||||
|
@ -153,12 +150,10 @@
|
|||
"Failed to invite": "Falha ao enviar o convite",
|
||||
"Confirm Removal": "Confirmar Remoção",
|
||||
"Unknown error": "Erro desconhecido",
|
||||
"Incorrect password": "Palavra-passe incorreta",
|
||||
"Unable to restore session": "Não foi possível restaurar a sessão",
|
||||
"If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Se você já usou antes uma versão mais recente do %(brand)s, a sua sessão pode ser incompatível com esta versão. Feche esta janela e tente abrir com a versão mais recente.",
|
||||
"Token incorrect": "Token incorreto",
|
||||
"Please enter the code it contains:": "Por favor, entre com o código que está na mensagem:",
|
||||
"powered by Matrix": "potenciado por Matrix",
|
||||
"Error decrypting image": "Erro ao descriptografar a imagem",
|
||||
"Error decrypting video": "Erro ao descriptografar o vídeo",
|
||||
"Add an Integration": "Adicionar uma integração",
|
||||
|
@ -204,7 +199,6 @@
|
|||
"%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (nível de permissão %(powerLevelNumber)s)",
|
||||
"%(roomName)s is not accessible at this time.": "%(roomName)s não está acessível neste momento.",
|
||||
"Delete widget": "Apagar widget",
|
||||
"Define the power level of a user": "Definir o nível de privilégios de um utilizador",
|
||||
"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",
|
||||
"PM": "PM",
|
||||
|
@ -264,10 +258,8 @@
|
|||
"Call failed due to misconfigured server": "Chamada falhada devido a um erro de configuração do servidor",
|
||||
"Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Peça ao administrador do seu servidor inicial (<code>%(homeserverDomain)s</code>) de configurar um servidor TURN para que as chamadas funcionem fiavelmente.",
|
||||
"Explore rooms": "Explorar rooms",
|
||||
"Create Account": "Criar conta",
|
||||
"Not a valid identity server (status code %(code)s)": "Servidor de Identidade inválido (código de status %(code)s)",
|
||||
"Identity server URL must be HTTPS": "O link do servidor de identidade deve começar com HTTPS",
|
||||
"Comment": "Comente",
|
||||
"Use Single Sign On to continue": "Use Single Sign On para continuar",
|
||||
"Identity server not set": "Servidor de identidade não definido",
|
||||
"No identity access token found": "Nenhum token de identidade de acesso encontrado",
|
||||
|
@ -423,7 +415,6 @@
|
|||
"Mayotte": "Mayotte",
|
||||
"We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "Recomendamos que remova seus endereços de email e números de telefone do servidor de identidade antes de se desconectar.",
|
||||
"Failed to invite users to %(roomName)s": "Falha ao convidar utilizadores para %(roomName)s",
|
||||
"Command error: Unable to find rendering type (%(renderingType)s)": "Erro de comando: Não foi possível encontrar o tipo de renderização(%(renderingType)s)",
|
||||
"Macau": "Macau",
|
||||
"Malaysia": "Malásia",
|
||||
"Some invites couldn't be sent": "Alguns convites não puderam ser enviados",
|
||||
|
@ -449,7 +440,6 @@
|
|||
"Liechtenstein": "Liechtenstein",
|
||||
"Mauritania": "Mauritânia",
|
||||
"Palau": "Palau",
|
||||
"Use your account or create a new one to continue.": "Use a sua conta ou crie uma nova conta para continuar.",
|
||||
"Restricted": "Restrito",
|
||||
"Latvia": "Letónia",
|
||||
"Libya": "Líbia",
|
||||
|
@ -459,9 +449,7 @@
|
|||
"Mauritius": "Maurício",
|
||||
"Monaco": "Mónaco",
|
||||
"Laos": "Laos",
|
||||
"Use your account to continue.": "Use a sua conta para continuar.",
|
||||
"Liberia": "Libéria",
|
||||
"Command error: Unable to handle slash command.": "Erro de comando: Não foi possível lidar com o comando de barra.",
|
||||
"Mexico": "México",
|
||||
"Moldova": "Moldávia",
|
||||
"Discovery options will appear once you have added an email above.": "As opções de descoberta vão aparecer assim que adicione um e-mail acima.",
|
||||
|
@ -471,18 +459,15 @@
|
|||
"Use email to optionally be discoverable by existing contacts.": "Use email para, opcionalmente, ser detectável por contactos existentes.",
|
||||
"To create your account, open the link in the email we just sent to %(emailAddress)s.": "Para criar a sua conta, abra a ligação no email que acabámos de enviar para %(emailAddress)s.",
|
||||
"Invite with email or username": "Convidar com email ou nome de utilizador",
|
||||
"New? <a>Create account</a>": "Novo? <a>Crie uma conta</a>",
|
||||
"Invite someone using their name, email address, username (like <userId/>) or <a>share this space</a>.": "Convide alguém a partir do nome, endereço de email, nome de utilizador (como <userId/>) ou <a>partilhe este espaço</a>.",
|
||||
"Invite someone using their name, email address, username (like <userId/>) or <a>share this room</a>.": "Convide alguém a partir do nome, email ou nome de utilizador (como <userId/>) ou <a>partilhe esta sala</a>.",
|
||||
"Unable to check if username has been taken. Try again later.": "Não foi possível verificar se o nome de utilizador já foi usado. Tente novamente mais tarde.",
|
||||
"<userName/> invited you": "<userName/> convidou-o",
|
||||
"Someone already has that username. Try another or if it is you, sign in below.": "Alguém já tem esse nome de utilizador. Tente outro ou, se fores tu, inicia sessão em baixo.",
|
||||
"No one will be able to reuse your username (MXID), including you: this username will remain unavailable": "Ninguém poderá reutilizar o seu nome de utilizador (MXID), incluindo o próprio: este nome de utilizador permanecerá indisponível",
|
||||
"Your platform and username will be noted to help us use your feedback as much as we can.": "A sua plataforma e o seu nome de utilizador serão anotados para nos ajudar a utilizar o seu feedback da melhor forma possível.",
|
||||
"Start a conversation with someone using their name, email address or username (like <userId/>).": "Comece uma conversa com alguém a partir do nome, endereço de email ou nome de utilizador (por exemplo: <userId/>).",
|
||||
"Zambia": "Zâmbia",
|
||||
"Missing roomId.": "Falta ID de Sala.",
|
||||
"Sign In or Create Account": "Iniciar Sessão ou Criar Conta",
|
||||
"Zimbabwe": "Zimbabué",
|
||||
"Yemen": "Iémen",
|
||||
"Western Sahara": "Saara Ocidental",
|
||||
|
@ -604,8 +589,6 @@
|
|||
"Cancel entering passphrase?": "Cancelar a introdução da frase-passe?",
|
||||
"Madagascar": "Madagáscar",
|
||||
"Add an email to be able to reset your password.": "Adicione um email para poder repôr a palavra-passe.",
|
||||
"New here? <a>Create an account</a>": "Novo aqui? <a>Crie uma conta</a>",
|
||||
"Someone already has that username, please try another.": "Alguém já tem esse nome de utilizador, tente outro por favor.",
|
||||
"Invite someone using their name, username (like <userId/>) or <a>share this space</a>.": "Convide alguém a partir do nome, nome de utilizador (como <userId/>) ou <a>partilhe este espaço</a>.",
|
||||
"Macedonia": "Macedónia",
|
||||
"Luxembourg": "Luxemburgo",
|
||||
|
@ -782,7 +765,11 @@
|
|||
"category_advanced": "Avançado",
|
||||
"category_effects": "Ações",
|
||||
"category_other": "Outros",
|
||||
"me": "Visualizar atividades"
|
||||
"me": "Visualizar atividades",
|
||||
"error_invalid_runfn": "Erro de comando: Não foi possível lidar com o comando de barra.",
|
||||
"error_invalid_rendering_type": "Erro de comando: Não foi possível encontrar o tipo de renderização(%(renderingType)s)",
|
||||
"op": "Definir o nível de privilégios de um utilizador",
|
||||
"deop": "Retirar função de moderador do usuário com o identificador informado"
|
||||
},
|
||||
"presence": {
|
||||
"online": "Online",
|
||||
|
@ -818,7 +805,17 @@
|
|||
"sso": "Single Sign On",
|
||||
"sso_or_username_password": "%(ssoButtons)s Ou %(usernamePassword)s",
|
||||
"sign_in_instead": "Já tem uma conta? <a>Entre aqui</a>",
|
||||
"server_picker_title": "Hospedar conta em"
|
||||
"server_picker_title": "Hospedar conta em",
|
||||
"footer_powered_by_matrix": "potenciado por Matrix",
|
||||
"unsupported_auth_msisdn": "Este servidor não permite a autenticação através de números de telefone.",
|
||||
"username_in_use": "Alguém já tem esse nome de utilizador, tente outro por favor.",
|
||||
"incorrect_password": "Palavra-passe incorreta",
|
||||
"forgot_password_email_required": "O endereço de email relacionado a sua conta precisa ser informado.",
|
||||
"create_account_prompt": "Novo aqui? <a>Crie uma conta</a>",
|
||||
"sign_in_or_register": "Iniciar Sessão ou Criar Conta",
|
||||
"sign_in_or_register_description": "Use a sua conta ou crie uma nova conta para continuar.",
|
||||
"sign_in_description": "Use a sua conta para continuar.",
|
||||
"register_action": "Criar conta"
|
||||
},
|
||||
"export_chat": {
|
||||
"messages": "Mensagens"
|
||||
|
@ -827,5 +824,9 @@
|
|||
"help_about": {
|
||||
"brand_version": "versão do %(brand)s:"
|
||||
}
|
||||
},
|
||||
"feedback": {
|
||||
"comment_label": "Comente",
|
||||
"platform_username": "A sua plataforma e o seu nome de utilizador serão anotados para nos ajudar a utilizar o seu feedback da melhor forma possível."
|
||||
}
|
||||
}
|
||||
|
|
|
@ -10,7 +10,6 @@
|
|||
"Current password": "Senha atual",
|
||||
"Deactivate Account": "Desativar minha conta",
|
||||
"Default": "Padrão",
|
||||
"Deops user with given id": "Retira o nível de moderador do usuário com o ID informado",
|
||||
"Export E2E room keys": "Exportar chaves ponta-a-ponta da sala",
|
||||
"Failed to change password. Is your password correct?": "Não foi possível alterar a senha. A sua senha está correta?",
|
||||
"Failed to reject invitation": "Falha ao tentar recusar o convite",
|
||||
|
@ -41,7 +40,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.",
|
||||
"Session ID": "Identificador de sessão",
|
||||
"Signed Out": "Deslogar",
|
||||
"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 room is not accessible by remote Matrix servers": "Esta sala não é acessível para servidores Matrix remotos",
|
||||
"Unable to add email address": "Não foi possível adicionar um endereço de e-mail",
|
||||
|
@ -94,7 +92,6 @@
|
|||
"You cannot place a call with yourself.": "Você não pode iniciar uma chamada consigo mesmo.",
|
||||
"You need to be able to invite users to do that.": "Para fazer isso, precisa ter permissão para convidar outras pessoas.",
|
||||
"You need to be logged in.": "Você precisa estar logado.",
|
||||
"This server does not support authentication with a phone number.": "Este servidor não permite a autenticação através de números de telefone.",
|
||||
"Connectivity to the server has been lost.": "A conexão com o servidor foi perdida. Verifique sua conexão de internet.",
|
||||
"Sent messages will be stored until your connection has returned.": "Imagens enviadas ficarão armazenadas até que sua conexão seja reestabelecida.",
|
||||
"Failed to forget room %(errCode)s": "Falhou ao esquecer a sala %(errCode)s",
|
||||
|
@ -153,12 +150,10 @@
|
|||
"Failed to invite": "Falha ao enviar o convite",
|
||||
"Confirm Removal": "Confirmar a remoção",
|
||||
"Unknown error": "Erro desconhecido",
|
||||
"Incorrect password": "Senha incorreta",
|
||||
"Unable to restore session": "Não foi possível restaurar a sessão",
|
||||
"If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Se você já usou antes uma versão mais recente do %(brand)s, a sua sessão pode ser incompatível com esta versão. Feche esta janela e tente abrir com a versão mais recente.",
|
||||
"Token incorrect": "Token incorreto",
|
||||
"Please enter the code it contains:": "Por favor, entre com o código que está na mensagem:",
|
||||
"powered by Matrix": "oferecido por Matrix",
|
||||
"Error decrypting image": "Erro ao descriptografar a imagem",
|
||||
"Error decrypting video": "Erro ao descriptografar o vídeo",
|
||||
"Add an Integration": "Adicionar uma integração",
|
||||
|
@ -221,8 +216,6 @@
|
|||
"Unignored user": "Usuário desbloqueado",
|
||||
"Send": "Enviar",
|
||||
"Mirror local video feed": "Espelhar o feed de vídeo local",
|
||||
"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",
|
||||
"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",
|
||||
"Jump to read receipt": "Ir para a confirmação de leitura",
|
||||
|
@ -259,7 +252,6 @@
|
|||
"Old cryptography data detected": "Dados de criptografia antigos foram detectados",
|
||||
"Check for update": "Verificar atualizações",
|
||||
"Please note you are logging into the %(hs)s server, not matrix.org.": "Note que você está se conectando ao servidor %(hs)s, e não ao servidor matrix.org.",
|
||||
"Define the power level of a user": "Define o nível de permissões de um usuário",
|
||||
"Notify the whole room": "Notifica a sala inteira",
|
||||
"Room Notification": "Notificação da sala",
|
||||
"Failed to remove tag %(tagName)s from room": "Falha ao remover a tag %(tagName)s da sala",
|
||||
|
@ -403,7 +395,6 @@
|
|||
"Invalid identity server discovery response": "Resposta de descoberta do servidor de identidade inválida",
|
||||
"General failure": "Falha geral",
|
||||
"Please <a>contact your service administrator</a> to continue using this service.": "Por favor, <a>entre em contato com o seu administrador de serviços</a> para continuar usando este serviço.",
|
||||
"Failed to perform homeserver discovery": "Falha ao executar a descoberta do homeserver",
|
||||
"That matches!": "Isto corresponde!",
|
||||
"That doesn't match.": "Isto não corresponde.",
|
||||
"Go back to set it again.": "Voltar para configurar novamente.",
|
||||
|
@ -535,15 +526,10 @@
|
|||
"This action requires accessing the default identity server <server /> to validate an email address or phone number, but the server does not have any terms of service.": "Esta ação requer acesso ao servidor de identidade padrão <server /> para poder validar um endereço de e-mail ou número de telefone, mas este servidor não tem nenhum termo de uso.",
|
||||
"Only continue if you trust the owner of the server.": "Continue apenas se você confia em quem possui este servidor.",
|
||||
"%(name)s is requesting verification": "%(name)s está solicitando confirmação",
|
||||
"Sign In or Create Account": "Faça login ou crie uma conta",
|
||||
"Use your account or create a new one to continue.": "Use sua conta ou crie uma nova para continuar.",
|
||||
"Create Account": "Criar Conta",
|
||||
"Error upgrading room": "Erro atualizando a sala",
|
||||
"Double check that your server supports the room version chosen and try again.": "Verifique se seu servidor suporta a versão de sala escolhida e tente novamente.",
|
||||
"Use an identity server": "Usar um servidor de identidade",
|
||||
"Use an identity server to invite by email. Manage in Settings.": "Use um servidor de identidade para convidar pessoas por e-mail. Gerencie nas Configurações.",
|
||||
"Joins room with given address": "Entra em uma sala com o endereço fornecido",
|
||||
"Could not find user in room": "Não encontrei este(a) usuário(a) na sala",
|
||||
"Verifies a user, session, and pubkey tuple": "Confirma um usuário, sessão, e chave criptografada pública",
|
||||
"Session already verified!": "Sessão já confirmada!",
|
||||
"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!": "ATENÇÃO: A CONFIRMAÇÃO DA CHAVE FALHOU! A chave de assinatura para %(userId)s e sessão %(deviceId)s é \"%(fprint)s\", o que não corresponde à chave fornecida \"%(fingerprint)s\". Isso pode significar que suas comunicações estejam sendo interceptadas por terceiros!",
|
||||
|
@ -661,7 +647,6 @@
|
|||
"Enter the name of a new server you want to explore.": "Digite o nome do novo servidor que você deseja explorar.",
|
||||
"Please tell us what went wrong or, better, create a GitHub issue that describes the problem.": "Por favor, diga-nos o que aconteceu de errado ou, ainda melhor, crie um bilhete de erro no GitHub que descreva o problema.",
|
||||
"Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "Apagar todos os dados desta sessão é uma ação permanente. Mensagens criptografadas serão perdidas, a não ser que as chaves delas tenham sido copiadas para o backup.",
|
||||
"Enable end-to-end encryption": "Ativar a criptografia de ponta a ponta",
|
||||
"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.": "Você já usou uma versão mais recente do %(brand)s nesta sessão. Para usar esta versão novamente com a criptografia de ponta a ponta, você terá que se desconectar e entrar novamente.",
|
||||
"Verify this user to mark them as trusted. Trusting users gives you extra peace of mind when using end-to-end encrypted messages.": "Confirme este usuário para torná-lo confiável. Confiar nos usuários fornece segurança adicional ao trocar mensagens criptografadas de ponta a ponta.",
|
||||
"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.": "Confirme este aparelho para torná-lo confiável. Confiar neste aparelho fornecerá segurança adicional para você e aos outros ao trocarem mensagens criptografadas de ponta a ponta.",
|
||||
|
@ -744,7 +729,6 @@
|
|||
"Removing…": "Removendo…",
|
||||
"Clear all data in this session?": "Limpar todos os dados nesta sessão?",
|
||||
"Clear all data": "Limpar todos os dados",
|
||||
"Please enter a name for the room": "Digite um nome para a sala",
|
||||
"Hide advanced": "Esconder configurações avançadas",
|
||||
"Show advanced": "Mostrar configurações avançadas",
|
||||
"Are you sure you want to deactivate your account? This is irreversible.": "Tem certeza de que deseja desativar sua conta? Isso é irreversível.",
|
||||
|
@ -772,7 +756,6 @@
|
|||
"Power level": "Nível de permissão",
|
||||
"Looks good": "Muito bem",
|
||||
"Close dialog": "Fechar caixa de diálogo",
|
||||
"Topic (optional)": "Descrição (opcional)",
|
||||
"There was a problem communicating with the server. Please try again.": "Ocorreu um problema na comunicação com o servidor. Por favor, tente novamente.",
|
||||
"Server did not require any authentication": "O servidor não exigiu autenticação",
|
||||
"Verifying this user will mark their session as trusted, and also mark your session as trusted to them.": "Se você confirmar esse usuário, a sessão será marcada como confiável para você e para ele.",
|
||||
|
@ -787,7 +770,6 @@
|
|||
"Enter username": "Digite o nome de usuário",
|
||||
"Email (optional)": "E-mail (opcional)",
|
||||
"Phone (optional)": "Número de celular (opcional)",
|
||||
"You cannot sign in to your account. Please contact your homeserver admin for more information.": "Você não pôde se conectar na sua conta. Entre em contato com o administrador do servidor para obter mais informações.",
|
||||
"Confirm adding this phone number by using Single Sign On to prove your identity.": "Confirme a adição deste número de telefone usando o Login Único para provar sua identidade.",
|
||||
"Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Use um servidor de identidade para convidar por e-mail. Clique em continuar para usar o servidor de identidade padrão (%(defaultIdentityServerName)s) ou gerencie nas Configurações.",
|
||||
"Display Name": "Nome e sobrenome",
|
||||
|
@ -861,7 +843,6 @@
|
|||
"Switch to light mode": "Alternar para o modo claro",
|
||||
"Switch to dark mode": "Alternar para o modo escuro",
|
||||
"All settings": "Todas as configurações",
|
||||
"You're signed out": "Você está desconectada/o",
|
||||
"Clear personal data": "Limpar dados pessoais",
|
||||
"Command Autocomplete": "Preenchimento automático do comando",
|
||||
"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.": "Se você não excluiu a opção de recuperação, um invasor pode estar tentando acessar sua conta. Altere a senha da sua conta e defina imediatamente uma nova opção de recuperação nas Configurações.",
|
||||
|
@ -1005,13 +986,11 @@
|
|||
"other": "Você tem %(count)s notificações não lidas em uma versão anterior desta sala.",
|
||||
"one": "Você tem %(count)s notificações não lidas em uma versão anterior desta sala."
|
||||
},
|
||||
"Feedback": "Fale conosco",
|
||||
"Could not load user profile": "Não foi possível carregar o perfil do usuário",
|
||||
"Your password has been reset.": "Sua senha foi alterada.",
|
||||
"Invalid base_url for m.homeserver": "base_url inválido para m.homeserver",
|
||||
"Invalid base_url for m.identity_server": "base_url inválido para m.identity_server",
|
||||
"This account has been deactivated.": "Esta conta foi desativada.",
|
||||
"Forgotten your password?": "Esqueceu sua senha?",
|
||||
"Success!": "Pronto!",
|
||||
"Space used:": "Espaço usado:",
|
||||
"Change notification settings": "Alterar configuração de notificações",
|
||||
|
@ -1060,7 +1039,6 @@
|
|||
"a device cross-signing signature": "um aparelho autoverificado",
|
||||
"Homeserver URL does not appear to be a valid Matrix homeserver": "O endereço do servidor local não parece indicar um servidor local válido na Matrix",
|
||||
"Identity server URL does not appear to be a valid identity server": "O endereço do servidor de identidade não parece indicar um servidor de identidade válido",
|
||||
"This homeserver does not support login using email address.": "Este servidor local não suporta login usando endereço de e-mail.",
|
||||
"For a large amount of messages, this might take some time. Please don't refresh your client in the meantime.": "Quando há muitas mensagens, isso pode levar algum tempo. Por favor, não recarregue o seu cliente enquanto isso.",
|
||||
"Upgrade this room to the recommended room version": "Atualizar a versão desta sala",
|
||||
"View older messages in %(roomName)s.": "Ler mensagens antigas em %(roomName)s.",
|
||||
|
@ -1086,9 +1064,6 @@
|
|||
"No files visible in this room": "Nenhum arquivo nesta sala",
|
||||
"Attach files from chat or just drag and drop them anywhere in a room.": "Anexe arquivos na conversa, ou simplesmente arraste e solte arquivos em qualquer lugar na sala.",
|
||||
"Failed to re-authenticate due to a homeserver problem": "Falha em autenticar novamente devido à um problema no servidor local",
|
||||
"Failed to re-authenticate": "Falha em autenticar novamente",
|
||||
"Enter your password to sign in and regain access to your account.": "Digite sua senha para entrar e recuperar o acesso à sua conta.",
|
||||
"Sign in and regain access to your account.": "Entre e recupere o acesso à sua conta.",
|
||||
"Enter a Security Phrase": "Digite uma frase de segurança",
|
||||
"Enter your account password to confirm the upgrade:": "Digite a senha da sua conta para confirmar a atualização:",
|
||||
"You'll need to authenticate with the server to confirm the upgrade.": "Você precisará se autenticar no servidor para confirmar a atualização.",
|
||||
|
@ -1143,10 +1118,6 @@
|
|||
"Video conference updated by %(senderName)s": "Chamada de vídeo em grupo atualizada por %(senderName)s",
|
||||
"Video conference started by %(senderName)s": "Chamada de vídeo em grupo iniciada por %(senderName)s",
|
||||
"Preparing to download logs": "Preparando os relatórios para download",
|
||||
"Your server requires encryption to be enabled in private rooms.": "O seu servidor demanda que a criptografia esteja ativada em salas privadas.",
|
||||
"You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "Você pode ativar essa opção se a sala for usada apenas para colaboração dentre equipes internas em seu servidor local. Essa opção não poderá ser alterado mais tarde.",
|
||||
"You might disable this if the room will be used for collaborating with external teams who have their own homeserver. This cannot be changed later.": "Você pode desativar essa opção se a sala for usada para colaboração dentre equipes externas que possuem seu próprio servidor local. Isso não poderá ser alterado mais tarde.",
|
||||
"Block anyone not part of %(serverName)s from ever joining this room.": "Bloquear pessoas externas ao servidor %(serverName)s de conseguirem entrar nesta sala.",
|
||||
"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.",
|
||||
"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/>).",
|
||||
|
@ -1158,9 +1129,6 @@
|
|||
"A connection error occurred while trying to contact the server.": "Um erro ocorreu na conexão do Element com o servidor.",
|
||||
"Unable to set up keys": "Não foi possível configurar as chaves",
|
||||
"Failed to get autodiscovery configuration from server": "Houve uma falha para obter do servidor a configuração de encontrar contatos",
|
||||
"If you've joined lots of rooms, this might take a while": "Se você participa em muitas salas, isso pode demorar um pouco",
|
||||
"Unable to query for supported registration methods.": "Não foi possível consultar as opções de registro suportadas.",
|
||||
"Registration has been disabled on this homeserver.": "O registro de contas foi desativado neste servidor local.",
|
||||
"Emoji Autocomplete": "Preenchimento automático de emoji",
|
||||
"Room Autocomplete": "Preenchimento automático de sala",
|
||||
"User Autocomplete": "Preenchimento automático de usuário",
|
||||
|
@ -1187,11 +1155,6 @@
|
|||
"Answered Elsewhere": "Respondido em algum lugar",
|
||||
"Modal Widget": "Popup do widget",
|
||||
"Data on this screen is shared with %(widgetDomain)s": "Dados nessa tela são compartilhados com %(widgetDomain)s",
|
||||
"Send feedback": "Enviar comentário",
|
||||
"PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "DICA: se você nos informar um erro, envie <debugLogsLink> relatórios de erro </debugLogsLink> para nos ajudar a rastrear o problema.",
|
||||
"Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.": "Por favor, consulte os <existingIssuesLink> erros conhecidos no Github </existingIssuesLink> antes de enviar o seu. Se ninguém tiver mencionado o seu erro, <newIssueLink> informe-nos sobre um erro novo </newIssueLink>.",
|
||||
"Feedback sent": "Comentário enviado",
|
||||
"Comment": "Comentário",
|
||||
"Don't miss a reply": "Não perca uma resposta",
|
||||
"Enable desktop notifications": "Ativar notificações na área de trabalho",
|
||||
"Invite someone using their name, email address, username (like <userId/>) or <a>share this room</a>.": "Convide alguém a partir do nome, e-mail ou nome de usuário (por exemplo: <userId/>) ou <a>compartilhe esta sala</a>.",
|
||||
|
@ -1462,86 +1425,20 @@
|
|||
"one": "Armazene mensagens criptografadas de forma segura localmente para que apareçam nos resultados das buscas. %(size)s é necessário para armazenar mensagens de %(rooms)s sala.",
|
||||
"other": "Armazene mensagens criptografadas de forma segura localmente para que apareçam nos resultados das buscas. %(size)s é necessário para armazenar mensagens de %(rooms)s salas."
|
||||
},
|
||||
"Remain on your screen while running": "Permaneça na tela, 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>",
|
||||
"Got an account? <a>Sign in</a>": "Já tem uma conta? <a>Login</a>",
|
||||
"Enter phone number": "Digite o número de telefone",
|
||||
"Enter email address": "Digite o endereço de e-mail",
|
||||
"Decline All": "Recusar tudo",
|
||||
"This widget would like to:": "Este widget gostaria de:",
|
||||
"Approve widget permissions": "Autorizar as permissões do widget",
|
||||
"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",
|
||||
"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 this room": "Enviar mensagens de <b>%(msgtype)s</b> nesta sala",
|
||||
"See general files posted to your active room": "Veja os arquivos enviados nesta sala ativa",
|
||||
"See general files posted to this room": "Veja os arquivos enviados nesta sala",
|
||||
"Send general files as you in your active room": "Enviar arquivos nesta sala ativa",
|
||||
"Send general files as you in this room": "Enviar arquivos nesta sala",
|
||||
"See videos posted to your active room": "Veja os vídeos enviados nesta sala ativa",
|
||||
"See videos posted to this room": "Veja os vídeos enviados nesta sala",
|
||||
"Send videos as you in your active room": "Enviar vídeos nesta sala ativa",
|
||||
"Send videos as you in this room": "Enviar vídeos nesta sala",
|
||||
"See images posted to your active room": "Veja as fotos enviadas nesta sala ativa",
|
||||
"See images posted to this room": "Veja as fotos enviadas nesta sala",
|
||||
"Send images as you in your active room": "Enviar fotos nesta sala ativa",
|
||||
"Send images as you in this room": "Enviar fotos nesta sala",
|
||||
"See emotes posted to your active room": "Veja emojis enviados nesta sala ativa",
|
||||
"See emotes posted to this room": "Veja emojis enviados nesta sala",
|
||||
"Send emotes as you in your active room": "Enviar emojis nesta sala ativa",
|
||||
"Send emotes as you in this room": "Enviar emojis nesta sala",
|
||||
"See text messages posted to your active room": "Veja as mensagens de texto enviadas nesta sala ativa",
|
||||
"See text messages posted to this room": "Veja as mensagens de texto enviadas nesta sala",
|
||||
"Send text messages as you in your active room": "Enviar mensagens de texto nesta sala ativa",
|
||||
"Send text messages as you in this room": "Enviar mensagens de texto nesta sala",
|
||||
"See messages posted to your active room": "Veja as mensagens enviadas nesta sala ativa",
|
||||
"See messages posted to this room": "Veja as mensagens enviadas nesta sala",
|
||||
"Send messages as you in your active room": "Enviar mensagens nesta sala ativa",
|
||||
"Send messages as you in this room": "Enviar mensagens nesta sala",
|
||||
"The <b>%(capability)s</b> capability": "A permissão <b>%(capability)s</b>",
|
||||
"See <b>%(eventType)s</b> events posted to your active room": "Veja eventos de <b>%(eventType)s</b> enviados nesta sala ativa",
|
||||
"Send <b>%(eventType)s</b> events as you in your active room": "Enviar eventos de <b>%(eventType)s</b> nesta sala ativa",
|
||||
"See <b>%(eventType)s</b> events posted to this room": "Veja eventos de <b>%(eventType)s</b> postados nesta sala",
|
||||
"Send <b>%(eventType)s</b> events as you in this room": "Enviar eventos de <b>%(eventType)s</b> nesta sala",
|
||||
"with state key %(stateKey)s": "com chave de estado %(stateKey)s",
|
||||
"with an empty state key": "com uma chave de estado vazia",
|
||||
"See when anyone posts a sticker to your active room": "Veja quando alguém enviar uma figurinha nesta sala ativa",
|
||||
"Send stickers to your active room as you": "Enviar figurinhas para esta sala ativa",
|
||||
"See when a sticker is posted in this room": "Veja quando uma figurinha for enviada nesta sala",
|
||||
"Send stickers to this room as you": "Enviar figurinhas para esta sala",
|
||||
"See when the avatar changes in your active room": "Veja quando a foto desta sala ativa for alterada",
|
||||
"Change the avatar of your active room": "Alterar a foto desta sala ativa",
|
||||
"See when the avatar changes in this room": "Veja quando a foto desta sala for alterada",
|
||||
"Change the avatar of this room": "Alterar a foto desta sala",
|
||||
"See when the name changes in your active room": "Veja quando o nome desta sala ativa for alterado",
|
||||
"Change the name of your active room": "Alterar o nome desta sala ativa",
|
||||
"See when the name changes in this room": "Veja quando o nome desta sala for alterado",
|
||||
"Change the name of this room": "Alterar o nome desta sala",
|
||||
"See when the topic changes in your active room": "Veja quando a descrição for alterada nesta sala ativa",
|
||||
"Change the topic of your active room": "Alterar a descrição desta sala ativa",
|
||||
"See when the topic changes in this room": "Veja quando a descrição for alterada nesta sala",
|
||||
"Change the topic of this room": "Alterar a descrição desta sala",
|
||||
"Change which room you're viewing": "Alterar a sala que você está vendo",
|
||||
"Send stickers into your active room": "Enviar figurinhas nesta sala ativa",
|
||||
"Send stickers into this room": "Enviar figurinhas nesta sala",
|
||||
"New? <a>Create account</a>": "Quer se registrar? <a>Crie uma conta</a>",
|
||||
"There was a problem communicating with the homeserver, please try again later.": "Ocorreu um problema de comunicação com o servidor local. Tente novamente mais tarde.",
|
||||
"Use email to optionally be discoverable by existing contacts.": "Seja encontrado por seus contatos a partir de um e-mail.",
|
||||
"Use email or phone to optionally be discoverable by existing contacts.": "Seja encontrado por seus contatos a partir de um e-mail ou número de telefone.",
|
||||
"Add an email to be able to reset your password.": "Adicione um e-mail para depois poder redefinir sua senha.",
|
||||
"That phone number doesn't look quite right, please check and try again": "Esse número de telefone não é válido, verifique e tente novamente",
|
||||
"About homeservers": "Sobre os servidores locais",
|
||||
"Use your preferred Matrix homeserver if you have one, or host your own.": "Use o seu servidor local Matrix preferido, ou hospede o seu próprio servidor.",
|
||||
"Other homeserver": "Outro servidor local",
|
||||
"Sign into your homeserver": "Faça login em seu servidor local",
|
||||
"Specify a homeserver": "Digite um servidor local",
|
||||
"Just a heads up, if you don't add an email and forget your password, you could <b>permanently lose access to your account</b>.": "Apenas um aviso: se você não adicionar um e-mail e depois esquecer sua senha, poderá <b>perder permanentemente o acesso à sua conta</b>.",
|
||||
"Continuing without email": "Continuar sem e-mail",
|
||||
"Server Options": "Opções do servidor",
|
||||
"Reason (optional)": "Motivo (opcional)",
|
||||
"Invalid URL": "URL inválido",
|
||||
"Unable to validate homeserver": "Não foi possível validar o servidor local",
|
||||
"Hold": "Pausar",
|
||||
"Resume": "Retomar",
|
||||
"You've reached the maximum number of simultaneous calls.": "Você atingiu o número máximo de chamadas simultâneas.",
|
||||
|
@ -1577,7 +1474,6 @@
|
|||
"Dial pad": "Teclado de discagem",
|
||||
"There was an error looking up the phone number": "Ocorreu um erro ao procurar o número de telefone",
|
||||
"Unable to look up phone number": "Não foi possível procurar o número de telefone",
|
||||
"Change which room, message, or user you're viewing": "Alterar a sala, mensagem ou usuário que você está visualizando",
|
||||
"Something went wrong in confirming your identity. Cancel and try again.": "Algo deu errado ao confirmar a sua identidade. Cancele e tente novamente.",
|
||||
"Remember this": "Lembre-se disso",
|
||||
"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ê:",
|
||||
|
@ -1682,8 +1578,6 @@
|
|||
"unknown person": "pessoa desconhecida",
|
||||
"%(deviceId)s from %(ip)s": "%(deviceId)s de %(ip)s",
|
||||
"Review to ensure your account is safe": "Revise para assegurar que sua conta está segura",
|
||||
"See when people join, leave, or are invited to your active room": "Ver quando as pessoas entram, saem, ou são convidadas para sua sala ativa",
|
||||
"See when people join, leave, or are invited to this room": "Ver quando as pessoas entrarem, sairem ou são convidadas para esta sala",
|
||||
"There was an error loading your notification settings.": "Um erro ocorreu ao carregar suas configurações de notificação.",
|
||||
"Anyone in a space can find and join. You can select multiple spaces.": "Qualquer um em um espaço pode encontrar e se juntar. Você pode selecionar múltiplos espaços.",
|
||||
"Message search initialisation failed": "Falha na inicialização da pesquisa de mensagens",
|
||||
|
@ -1712,15 +1606,7 @@
|
|||
"Public space": "Espaço público",
|
||||
"Private space (invite only)": "Espaço privado (apenas com convite)",
|
||||
"Space visibility": "Visibilidade do Espaço",
|
||||
"Visible to space members": "Visível para membros do espaço",
|
||||
"Public room": "Sala pública",
|
||||
"Private room (invite only)": "Sala privada (apenas com convite)",
|
||||
"Room visibility": "Visibilidade da sala",
|
||||
"Only people invited will be able to find and join this room.": "Apenas convidados poderão encontrar e entrar nesta sala.",
|
||||
"Anyone will be able to find and join this room.": "Qualquer um poderá encontrar e entrar nesta sala.",
|
||||
"Anyone will be able to find and join this room, not just members of <SpaceName/>.": "Qualquer um poderá encontrar e entrar nesta sala, não somente membros de <SpaceName/>.",
|
||||
"You can change this at any time from room settings.": "Você pode mudar isto em qualquer momento nas configurações da sala.",
|
||||
"Everyone in <SpaceName/> will be able to find and join this room.": "Todos em <SpaceName/> podersão ver e entrar nesta sala.",
|
||||
"To leave the beta, visit your settings.": "Para sair do beta, vá nas suas configurações.",
|
||||
"Search for rooms": "Buscar salas",
|
||||
"Add existing rooms": "Adicionar salas existentes",
|
||||
|
@ -1800,8 +1686,6 @@
|
|||
"Messaging": "Mensagens",
|
||||
"Other rooms": "Outras salas",
|
||||
"That's fine": "Isso é bom",
|
||||
"The above, but in <Room /> as well": "O de cima, mas em <Room /> também",
|
||||
"The above, but in any room you are joined or invited to as well": "Acima, mas em qualquer sala em que você participe ou seja convidado também",
|
||||
"You cannot place calls without a connection to the server.": "Você não pode fazer chamadas sem uma conexão com o servidor.",
|
||||
"Connectivity to the server has been lost": "A conectividade com o servidor foi perdida",
|
||||
"Cross-signing is ready but keys are not backed up.": "A verificação está pronta mas as chaves não tem um backup configurado.",
|
||||
|
@ -1927,16 +1811,12 @@
|
|||
"one": "Desconectar dispositivo",
|
||||
"other": "Desconectar dispositivos"
|
||||
},
|
||||
"Command error: Unable to handle slash command.": "Erro de comando: Não é possível manipular o comando de barra.",
|
||||
"%(space1Name)s and %(space2Name)s": "%(space1Name)s e %(space2Name)s",
|
||||
"Show:": "Exibir:",
|
||||
"You can't see earlier messages": "Você não pode ver as mensagens anteriores",
|
||||
"Encrypted messages before this point are unavailable.": "As mensagens criptografadas antes deste ponto não estão disponíveis.",
|
||||
"Leave some rooms": "Sair de algumas salas",
|
||||
"Leave all rooms": "Sair de todas as salas",
|
||||
"Don't leave any rooms": "Não saia de nenhuma sala",
|
||||
"Jump to date": "Ir para Data",
|
||||
"Command error: Unable to find rendering type (%(renderingType)s)": "Erro de comando: Não é possível manipular o tipo (%(renderingType)s)",
|
||||
"Unable to copy a link to the room to the clipboard.": "Não foi possível copiar um link da sala para a área de transferência.",
|
||||
"Unable to copy room link": "Não foi possível copiar o link da sala",
|
||||
"Copy room link": "Copiar link da sala",
|
||||
|
@ -1978,7 +1858,6 @@
|
|||
"%(user1)s and %(user2)s": "%(user1)s e %(user2)s",
|
||||
"Live": "Ao vivo",
|
||||
"Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Par desconhecido (usuário, sessão): (%(userId)s, %(deviceId)s)",
|
||||
"Command failed: Unable to find room (%(roomId)s": "Falha no comando: Não foi possível encontrar sala %(roomId)s",
|
||||
"Unrecognised room address: %(roomAlias)s": "Endereço da sala não reconhecido: %(roomAlias)s",
|
||||
"You need to be able to kick users to do that.": "Você precisa ter permissão de expulsar usuários para fazer isso.",
|
||||
"Failed to invite users to %(roomName)s": "Falha ao convidar usuários para %(roomName)s",
|
||||
|
@ -2039,8 +1918,6 @@
|
|||
"You don't have the required permissions to start a voice broadcast in this room. Contact a room administrator to upgrade your permissions.": "Você não tem as permissões necessárias para iniciar uma transmissão de voz nesta sala. Entre em contato com um administrador de sala para atualizar suas permissões.",
|
||||
"You are already recording a voice broadcast. Please end your current voice broadcast to start a new one.": "Você já está gravando uma transmissão de voz. Encerre sua transmissão de voz atual para iniciar uma nova.",
|
||||
"Can't start a new voice broadcast": "Não é possível iniciar uma nova transmissão de voz",
|
||||
"Remove, ban, or invite people to your active room, and make you leave": "Remover, banir ou convidar pessoas para sua sala ativa e fazer você sair",
|
||||
"Remove, ban, or invite people to this room, and make you leave": "Remover, banir ou convidar pessoas para esta sala e fazer você sair",
|
||||
"%(senderName)s ended a voice broadcast": "%(senderName)s encerrou uma transmissão de voz",
|
||||
"You ended a voice broadcast": "Você encerrou uma transmissão de voz",
|
||||
"%(senderName)s ended a <a>voice broadcast</a>": "%(senderName)s encerrou uma <a>transmissão de voz</a>",
|
||||
|
@ -2139,7 +2016,8 @@
|
|||
"cross_signing": "Autoverificação",
|
||||
"identity_server": "Servidor de identidade",
|
||||
"integration_manager": "Gerenciador de integrações",
|
||||
"qr_code": "Código QR"
|
||||
"qr_code": "Código QR",
|
||||
"feedback": "Fale conosco"
|
||||
},
|
||||
"action": {
|
||||
"continue": "Continuar",
|
||||
|
@ -2465,7 +2343,9 @@
|
|||
"timeline_image_size": "Tamanho da imagem na linha do tempo",
|
||||
"timeline_image_size_default": "Padrão",
|
||||
"timeline_image_size_large": "Grande"
|
||||
}
|
||||
},
|
||||
"inline_url_previews_room_account": "Ativar, para esta sala, a visualização de links (só afeta você)",
|
||||
"inline_url_previews_room": "Ativar, para todos os participantes desta sala, a visualização de links"
|
||||
},
|
||||
"devtools": {
|
||||
"event_type": "Tipo do Evento",
|
||||
|
@ -2532,7 +2412,22 @@
|
|||
"title_public_room": "Criar uma sala pública",
|
||||
"title_private_room": "Criar uma sala privada",
|
||||
"action_create_video_room": "Criar sala de vídeo",
|
||||
"action_create_room": "Criar sala"
|
||||
"action_create_room": "Criar sala",
|
||||
"name_validation_required": "Digite um nome para a sala",
|
||||
"join_rule_restricted_label": "Todos em <SpaceName/> podersão ver e entrar nesta sala.",
|
||||
"join_rule_change_notice": "Você pode mudar isto em qualquer momento nas configurações da sala.",
|
||||
"join_rule_public_parent_space_label": "Qualquer um poderá encontrar e entrar nesta sala, não somente membros de <SpaceName/>.",
|
||||
"join_rule_public_label": "Qualquer um poderá encontrar e entrar nesta sala.",
|
||||
"join_rule_invite_label": "Apenas convidados poderão encontrar e entrar nesta sala.",
|
||||
"encryption_forced": "O seu servidor demanda que a criptografia esteja ativada em salas privadas.",
|
||||
"encryption_label": "Ativar a criptografia de ponta a ponta",
|
||||
"unfederated_label_default_off": "Você pode ativar essa opção se a sala for usada apenas para colaboração dentre equipes internas em seu servidor local. Essa opção não poderá ser alterado mais tarde.",
|
||||
"unfederated_label_default_on": "Você pode desativar essa opção se a sala for usada para colaboração dentre equipes externas que possuem seu próprio servidor local. Isso não poderá ser alterado mais tarde.",
|
||||
"topic_label": "Descrição (opcional)",
|
||||
"room_visibility_label": "Visibilidade da sala",
|
||||
"join_rule_invite": "Sala privada (apenas com convite)",
|
||||
"join_rule_restricted": "Visível para membros do espaço",
|
||||
"unfederated": "Bloquear pessoas externas ao servidor %(serverName)s de conseguirem entrar nesta sala."
|
||||
},
|
||||
"timeline": {
|
||||
"m.call": {
|
||||
|
@ -2772,7 +2667,9 @@
|
|||
"changed_rule_rooms": "%(senderName)s alterou uma regra que bania salas que correspondiam a %(oldGlob)s para corresponder a %(newGlob)s devido à %(reason)s",
|
||||
"changed_rule_servers": "%(senderName)s alterou uma regra que bania servidores que correspondiam a %(oldGlob)s para corresponder a %(newGlob)s devido à %(reason)s",
|
||||
"changed_rule_glob": "%(senderName)s alterou uma regra que bania o que correspondia a %(oldGlob)s para corresponder a %(newGlob)s devido à %(reason)s"
|
||||
}
|
||||
},
|
||||
"encrypted_historical_messages_unavailable": "As mensagens criptografadas antes deste ponto não estão disponíveis.",
|
||||
"historical_messages_unavailable": "Você não pode ver as mensagens anteriores"
|
||||
},
|
||||
"slash_command": {
|
||||
"spoiler": "Envia esta mensagem como spoiler",
|
||||
|
@ -2828,7 +2725,14 @@
|
|||
"holdcall": "Pausa a chamada na sala atual",
|
||||
"no_active_call": "Nenhuma chamada ativa nesta sala",
|
||||
"unholdcall": "Retoma a chamada na sala atual",
|
||||
"me": "Visualizar atividades"
|
||||
"me": "Visualizar atividades",
|
||||
"error_invalid_runfn": "Erro de comando: Não é possível manipular o comando de barra.",
|
||||
"error_invalid_rendering_type": "Erro de comando: Não é possível manipular o tipo (%(renderingType)s)",
|
||||
"join": "Entra em uma sala com o endereço fornecido",
|
||||
"failed_find_room": "Falha no comando: Não foi possível encontrar sala %(roomId)s",
|
||||
"failed_find_user": "Não encontrei este(a) usuário(a) na sala",
|
||||
"op": "Define o nível de permissões de um usuário",
|
||||
"deop": "Retira o nível de moderador do usuário com o ID informado"
|
||||
},
|
||||
"presence": {
|
||||
"online_for": "Online há %(duration)s",
|
||||
|
@ -2992,8 +2896,34 @@
|
|||
"account_clash_previous_account": "Continuar com a conta anterior",
|
||||
"log_in_new_account": "<a>Entrar</a> em sua nova conta.",
|
||||
"registration_successful": "Registro bem-sucedido",
|
||||
"server_picker_title": "Hospedar conta em",
|
||||
"server_picker_dialog_title": "Decida onde a sua conta será hospedada"
|
||||
"server_picker_title": "Faça login em seu servidor local",
|
||||
"server_picker_dialog_title": "Decida onde a sua conta será hospedada",
|
||||
"footer_powered_by_matrix": "oferecido por Matrix",
|
||||
"failed_homeserver_discovery": "Falha ao executar a descoberta do homeserver",
|
||||
"sync_footer_subtitle": "Se você participa em muitas salas, isso pode demorar um pouco",
|
||||
"unsupported_auth_msisdn": "Este servidor não permite a autenticação através de números de telefone.",
|
||||
"unsupported_auth_email": "Este servidor local não suporta login usando endereço de e-mail.",
|
||||
"registration_disabled": "O registro de contas foi desativado neste servidor local.",
|
||||
"failed_query_registration_methods": "Não foi possível consultar as opções de registro suportadas.",
|
||||
"incorrect_password": "Senha incorreta",
|
||||
"failed_soft_logout_auth": "Falha em autenticar novamente",
|
||||
"soft_logout_heading": "Você está desconectada/o",
|
||||
"forgot_password_email_required": "O e-mail vinculado à sua conta precisa ser informado.",
|
||||
"sign_in_prompt": "Já tem uma conta? <a>Login</a>",
|
||||
"forgot_password_prompt": "Esqueceu sua senha?",
|
||||
"soft_logout_intro_password": "Digite sua senha para entrar e recuperar o acesso à sua conta.",
|
||||
"soft_logout_intro_sso": "Entre e recupere o acesso à sua conta.",
|
||||
"soft_logout_intro_unsupported_auth": "Você não pôde se conectar na sua conta. Entre em contato com o administrador do servidor para obter mais informações.",
|
||||
"create_account_prompt": "Novo por aqui? <a>Crie uma conta</a>",
|
||||
"sign_in_or_register": "Faça login ou crie uma conta",
|
||||
"sign_in_or_register_description": "Use sua conta ou crie uma nova para continuar.",
|
||||
"register_action": "Criar Conta",
|
||||
"server_picker_failed_validate_homeserver": "Não foi possível validar o servidor local",
|
||||
"server_picker_invalid_url": "URL inválido",
|
||||
"server_picker_required": "Digite um servidor local",
|
||||
"server_picker_custom": "Outro servidor local",
|
||||
"server_picker_explainer": "Use o seu servidor local Matrix preferido, ou hospede o seu próprio servidor.",
|
||||
"server_picker_learn_more": "Sobre os servidores locais"
|
||||
},
|
||||
"room_list": {
|
||||
"sort_unread_first": "Mostrar salas não lidas em primeiro",
|
||||
|
@ -3026,5 +2956,79 @@
|
|||
"access_token_detail": "Seu token de acesso dá acesso total à sua conta. Não o compartilhe com ninguém.",
|
||||
"clear_cache_reload": "Limpar cache e recarregar"
|
||||
}
|
||||
},
|
||||
"widget": {
|
||||
"capability": {
|
||||
"send_stickers_this_room": "Enviar figurinhas nesta sala",
|
||||
"send_stickers_active_room": "Enviar figurinhas nesta sala ativa",
|
||||
"send_stickers_this_room_as_you": "Enviar figurinhas para esta sala",
|
||||
"send_stickers_active_room_as_you": "Enviar figurinhas para esta sala ativa",
|
||||
"see_sticker_posted_this_room": "Veja quando uma figurinha for enviada nesta sala",
|
||||
"see_sticker_posted_active_room": "Veja quando alguém enviar uma figurinha nesta sala ativa",
|
||||
"always_on_screen_viewing_another_room": "Permaneça na tela ao visualizar outra sala, quando executar",
|
||||
"always_on_screen_generic": "Permaneça na tela, quando executar",
|
||||
"switch_room": "Alterar a sala que você está vendo",
|
||||
"switch_room_message_user": "Alterar a sala, mensagem ou usuário que você está visualizando",
|
||||
"change_topic_this_room": "Alterar a descrição desta sala",
|
||||
"see_topic_change_this_room": "Veja quando a descrição for alterada nesta sala",
|
||||
"change_topic_active_room": "Alterar a descrição desta sala ativa",
|
||||
"see_topic_change_active_room": "Veja quando a descrição for alterada nesta sala ativa",
|
||||
"change_name_this_room": "Alterar o nome desta sala",
|
||||
"see_name_change_this_room": "Veja quando o nome desta sala for alterado",
|
||||
"change_name_active_room": "Alterar o nome desta sala ativa",
|
||||
"see_name_change_active_room": "Veja quando o nome desta sala ativa for alterado",
|
||||
"change_avatar_this_room": "Alterar a foto desta sala",
|
||||
"see_avatar_change_this_room": "Veja quando a foto desta sala for alterada",
|
||||
"change_avatar_active_room": "Alterar a foto desta sala ativa",
|
||||
"see_avatar_change_active_room": "Veja quando a foto desta sala ativa for alterada",
|
||||
"remove_ban_invite_leave_this_room": "Remover, banir ou convidar pessoas para esta sala e fazer você sair",
|
||||
"receive_membership_this_room": "Ver quando as pessoas entrarem, sairem ou são convidadas para esta sala",
|
||||
"remove_ban_invite_leave_active_room": "Remover, banir ou convidar pessoas para sua sala ativa e fazer você sair",
|
||||
"receive_membership_active_room": "Ver quando as pessoas entram, saem, ou são convidadas para sua sala ativa",
|
||||
"byline_empty_state_key": "com uma chave de estado vazia",
|
||||
"byline_state_key": "com chave de estado %(stateKey)s",
|
||||
"any_room": "Acima, mas em qualquer sala em que você participe ou seja convidado também",
|
||||
"specific_room": "O de cima, mas em <Room /> também",
|
||||
"send_event_type_this_room": "Enviar eventos de <b>%(eventType)s</b> nesta sala",
|
||||
"see_event_type_sent_this_room": "Veja eventos de <b>%(eventType)s</b> postados nesta sala",
|
||||
"send_event_type_active_room": "Enviar eventos de <b>%(eventType)s</b> nesta sala ativa",
|
||||
"see_event_type_sent_active_room": "Veja eventos de <b>%(eventType)s</b> enviados nesta sala ativa",
|
||||
"capability": "A permissão <b>%(capability)s</b>",
|
||||
"send_messages_this_room": "Enviar mensagens nesta sala",
|
||||
"send_messages_active_room": "Enviar mensagens nesta sala ativa",
|
||||
"see_messages_sent_this_room": "Veja as mensagens enviadas nesta sala",
|
||||
"see_messages_sent_active_room": "Veja as mensagens enviadas nesta sala ativa",
|
||||
"send_text_messages_this_room": "Enviar mensagens de texto nesta sala",
|
||||
"send_text_messages_active_room": "Enviar mensagens de texto nesta sala ativa",
|
||||
"see_text_messages_sent_this_room": "Veja as mensagens de texto enviadas nesta sala",
|
||||
"see_text_messages_sent_active_room": "Veja as mensagens de texto enviadas nesta sala ativa",
|
||||
"send_emotes_this_room": "Enviar emojis nesta sala",
|
||||
"send_emotes_active_room": "Enviar emojis nesta sala ativa",
|
||||
"see_sent_emotes_this_room": "Veja emojis enviados nesta sala",
|
||||
"see_sent_emotes_active_room": "Veja emojis enviados nesta sala ativa",
|
||||
"send_images_this_room": "Enviar fotos nesta sala",
|
||||
"send_images_active_room": "Enviar fotos nesta sala ativa",
|
||||
"see_images_sent_this_room": "Veja as fotos enviadas nesta sala",
|
||||
"see_images_sent_active_room": "Veja as fotos enviadas nesta sala ativa",
|
||||
"send_videos_this_room": "Enviar vídeos nesta sala",
|
||||
"send_videos_active_room": "Enviar vídeos nesta sala ativa",
|
||||
"see_videos_sent_this_room": "Veja os vídeos enviados nesta sala",
|
||||
"see_videos_sent_active_room": "Veja os vídeos enviados nesta sala ativa",
|
||||
"send_files_this_room": "Enviar arquivos nesta sala",
|
||||
"send_files_active_room": "Enviar arquivos nesta sala ativa",
|
||||
"see_sent_files_this_room": "Veja os arquivos enviados nesta sala",
|
||||
"see_sent_files_active_room": "Veja os arquivos enviados nesta sala ativa",
|
||||
"send_msgtype_this_room": "Enviar mensagens de <b>%(msgtype)s</b> nesta sala",
|
||||
"send_msgtype_active_room": "Enviar mensagens de <b>%(msgtype)s</b> nesta sala ativa",
|
||||
"see_msgtype_sent_this_room": "Veja mensagens de <b>%(msgtype)s</b> enviadas nesta sala",
|
||||
"see_msgtype_sent_active_room": "Veja mensagens de <b>%(msgtype)s</b> enviadas nesta sala ativa"
|
||||
}
|
||||
},
|
||||
"feedback": {
|
||||
"sent": "Comentário enviado",
|
||||
"comment_label": "Comentário",
|
||||
"pro_type": "DICA: se você nos informar um erro, envie <debugLogsLink> relatórios de erro </debugLogsLink> para nos ajudar a rastrear o problema.",
|
||||
"existing_issue_link": "Por favor, consulte os <existingIssuesLink> erros conhecidos no Github </existingIssuesLink> antes de enviar o seu. Se ninguém tiver mencionado o seu erro, <newIssueLink> informe-nos sobre um erro novo </newIssueLink>.",
|
||||
"send_feedback_action": "Enviar comentário"
|
||||
}
|
||||
}
|
||||
|
|
|
@ -36,7 +36,6 @@
|
|||
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s%(monthName)s%(day)s%(fullYear)s",
|
||||
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s%(monthName)s%(day)s%(fullYear)s%(time)s",
|
||||
"Explore rooms": "Explorează camerele",
|
||||
"Create Account": "Înregistare",
|
||||
"You've reached the maximum number of simultaneous calls.": "Ați atins numărul maxim de apeluri simultane.",
|
||||
"Too Many Calls": "Prea multe apeluri",
|
||||
"Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "Vă rugăm să cereți administratorului serverului dvs. (<code>%(homeserverDomain)s</code>) să configureze un server TURN pentru ca apelurile să funcționeze în mod fiabil.",
|
||||
|
@ -77,6 +76,7 @@
|
|||
"call_failed_media_applications": "Nicio altă aplicație nu folosește camera web"
|
||||
},
|
||||
"auth": {
|
||||
"sso": "Single Sign On"
|
||||
"sso": "Single Sign On",
|
||||
"register_action": "Înregistare"
|
||||
}
|
||||
}
|
||||
|
|
|
@ -7,7 +7,6 @@
|
|||
"Cryptography": "Криптография",
|
||||
"Deactivate Account": "Деактивировать учётную запись",
|
||||
"Default": "По умолчанию",
|
||||
"Deops user with given id": "Снимает полномочия оператора с пользователя с заданным ID",
|
||||
"Export E2E room keys": "Экспорт ключей шифрования",
|
||||
"Failed to change password. Is your password correct?": "Не удалось сменить пароль. Вы правильно ввели текущий пароль?",
|
||||
"Failed to reject invitation": "Не удалось отклонить приглашение",
|
||||
|
@ -47,7 +46,6 @@
|
|||
"Missing user_id in request": "Отсутствует user_id в запросе",
|
||||
"Connectivity to the server has been lost.": "Связь с сервером потеряна.",
|
||||
"Sent messages will be stored until your connection has returned.": "Отправленные сообщения будут сохранены, пока соединение не восстановится.",
|
||||
"This server does not support authentication with a phone number.": "Этот сервер не поддерживает аутентификацию по номеру телефона.",
|
||||
"%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s",
|
||||
"You need to be logged in.": "Вы должны войти в систему.",
|
||||
"You need to be able to invite users to do that.": "Для этого вы должны иметь возможность приглашать пользователей.",
|
||||
|
@ -114,7 +112,6 @@
|
|||
"Search failed": "Поиск не удался",
|
||||
"This email address is already in use": "Этот адрес электронной почты уже используется",
|
||||
"This email address was not found": "Этот адрес электронной почты не найден",
|
||||
"The email address linked to your account must be entered.": "Введите адрес электронной почты, связанный с вашей учётной записью.",
|
||||
"This room has no local addresses": "У этой комнаты нет адресов на вашем сервере",
|
||||
"This room is not recognised.": "Эта комната не опознана.",
|
||||
"This doesn't appear to be a valid email address": "Похоже, это недействительный адрес email",
|
||||
|
@ -123,7 +120,6 @@
|
|||
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s %(time)s",
|
||||
"Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or <a>enable unsafe scripts</a>.": "Не удается подключиться к домашнему серверу через HTTP, так как в адресной строке браузера указан адрес HTTPS. Используйте HTTPS или <a>включите небезопасные скрипты</a>.",
|
||||
"Operation failed": "Сбой операции",
|
||||
"powered by Matrix": "основано на Matrix",
|
||||
"No Microphones detected": "Микрофоны не обнаружены",
|
||||
"Default Device": "Устройство по умолчанию",
|
||||
"No Webcams detected": "Веб-камера не обнаружена",
|
||||
|
@ -168,7 +164,6 @@
|
|||
"Failed to invite": "Пригласить не удалось",
|
||||
"Confirm Removal": "Подтвердите удаление",
|
||||
"Unknown error": "Неизвестная ошибка",
|
||||
"Incorrect password": "Неверный пароль",
|
||||
"Unable to restore 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, то ваш сеанс может быть несовместим с ней. Закройте это окно и вернитесь к более новой версии.",
|
||||
"Token incorrect": "Неверный код проверки",
|
||||
|
@ -210,7 +205,6 @@
|
|||
"This will allow you to reset your password and receive notifications.": "Это позволит при необходимости сбросить пароль и получать уведомления.",
|
||||
"Check for update": "Проверить наличие обновлений",
|
||||
"Delete widget": "Удалить виджет",
|
||||
"Define the power level of a user": "Определить уровень прав пользователя",
|
||||
"AM": "ДП",
|
||||
"PM": "ПП",
|
||||
"Unable to create widget.": "Не удалось создать виджет.",
|
||||
|
@ -243,8 +237,6 @@
|
|||
},
|
||||
"Room Notification": "Уведомления комнаты",
|
||||
"Notify the whole room": "Уведомить всю комнату",
|
||||
"Enable URL previews for this room (only affects you)": "Включить предпросмотр ссылок в этой комнате (влияет только на вас)",
|
||||
"Enable URL previews by default for participants in this room": "Включить предпросмотр ссылок для участников этой комнаты по умолчанию",
|
||||
"Restricted": "Ограниченный пользователь",
|
||||
"URL previews are enabled by default for participants in this room.": "Предпросмотр ссылок по умолчанию включен для участников этой комнаты.",
|
||||
"URL previews are disabled by default for participants in this room.": "Предпросмотр ссылок по умолчанию выключен для участников этой комнаты.",
|
||||
|
@ -619,11 +611,7 @@
|
|||
"Invalid base_url for m.identity_server": "Неверный base_url для m.identity_server",
|
||||
"Identity server URL does not appear to be a valid identity server": "URL-адрес сервера идентификации не является действительным сервером идентификации",
|
||||
"General failure": "Общая ошибка",
|
||||
"This homeserver does not support login using email address.": "Этот сервер не поддерживает вход по адресу электронной почты.",
|
||||
"Failed to perform homeserver discovery": "Не удалось выполнить обнаружение сервера",
|
||||
"Create account": "Создать учётную запись",
|
||||
"Registration has been disabled on this homeserver.": "Регистрация на этом сервере отключена.",
|
||||
"Unable to query for supported registration methods.": "Невозможно запросить поддерживаемые методы регистрации.",
|
||||
"That matches!": "Они совпадают!",
|
||||
"That doesn't match.": "Они не совпадают.",
|
||||
"Uploaded sound": "Загруженный звук",
|
||||
|
@ -662,12 +650,6 @@
|
|||
"Upload all": "Загрузить всё",
|
||||
"Resend %(unsentCount)s reaction(s)": "Отправить повторно %(unsentCount)s реакций",
|
||||
"Failed to re-authenticate due to a homeserver problem": "Ошибка повторной аутентификации из-за проблем на сервере",
|
||||
"Failed to re-authenticate": "Ошибка повторной аутентификации",
|
||||
"Enter your password to sign in and regain access to your account.": "Введите пароль для входа и восстановите доступ к учётной записи.",
|
||||
"Forgotten your password?": "Забыли Ваш пароль?",
|
||||
"Sign in and regain access to your account.": "Войти и восстановить доступ к учётной записи.",
|
||||
"You cannot sign in to your account. Please contact your homeserver admin for more information.": "Не удаётся войти в учётную запись. Пожалуйста, обратитесь к администратору домашнего сервера за подробностями.",
|
||||
"You're signed out": "Вы вышли из учётной записи",
|
||||
"Clear personal data": "Очистить персональные данные",
|
||||
"This account has been deactivated.": "Эта учётная запись была деактивирована.",
|
||||
"Call failed due to misconfigured server": "Вызов не состоялся из-за неправильно настроенного сервера",
|
||||
|
@ -687,7 +669,6 @@
|
|||
"Add Email Address": "Добавить адрес Email",
|
||||
"Add Phone Number": "Добавить номер телефона",
|
||||
"Change identity server": "Изменить сервер идентификации",
|
||||
"Topic (optional)": "Тема (опционально)",
|
||||
"Disconnect from the identity server <current /> and connect to <new /> instead?": "Отключиться от сервера идентификации <current /> и вместо этого подключиться к <new />?",
|
||||
"Disconnect identity server": "Отключить идентификационный сервер",
|
||||
"You are still <b>sharing your personal data</b> on the identity server <idserver />.": "Вы все еще <b> делитесь своими личными данными </b> на сервере идентификации <idserver />.",
|
||||
|
@ -741,7 +722,6 @@
|
|||
"Show image": "Показать изображение",
|
||||
"e.g. my-room": "например, моя-комната",
|
||||
"Close dialog": "Закрыть диалог",
|
||||
"Please enter a name for the room": "Пожалуйста, введите название комнаты",
|
||||
"Hide advanced": "Скрыть дополнительные настройки",
|
||||
"Show advanced": "Показать дополнительные настройки",
|
||||
"Command Help": "Помощь команды",
|
||||
|
@ -810,9 +790,6 @@
|
|||
"This bridge was provisioned by <user />.": "Этот мост был подготовлен пользователем <user />.",
|
||||
"This bridge is managed by <user />.": "Этот мост управляется <user />.",
|
||||
"Show more": "Показать больше",
|
||||
"Sign In or Create Account": "Войдите или создайте учётную запись",
|
||||
"Use your account or create a new one to continue.": "Воспользуйтесь своей учётной записью или создайте новую, чтобы продолжить.",
|
||||
"Create Account": "Создать учётную запись",
|
||||
"Not Trusted": "Недоверенное",
|
||||
"%(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.": "Попросите этого пользователя подтвердить сеанс или подтвердите его вручную ниже.",
|
||||
|
@ -958,13 +935,11 @@
|
|||
"Destroy cross-signing keys?": "Уничтожить ключи кросс-подписи?",
|
||||
"Clear cross-signing keys": "Очистить ключи кросс-подписи",
|
||||
"Clear all data in this session?": "Очистить все данные в этом сеансе?",
|
||||
"Enable end-to-end encryption": "Включить сквозное шифрование",
|
||||
"Verify session": "Заверить сеанс",
|
||||
"Session name": "Название сеанса",
|
||||
"Session key": "Ключ сеанса",
|
||||
"To report a Matrix-related security issue, please read the Matrix.org <a>Security Disclosure Policy</a>.": "Чтобы сообщить о проблеме безопасности Matrix, пожалуйста, прочитайте <a>Политику раскрытия информации</a> Matrix.org.",
|
||||
"Set addresses for this room so users can find this room through your homeserver (%(localDomain)s)": "Установить адрес этой комнаты, чтобы пользователи могли найти ее на вашем сервере (%(localDomain)s)",
|
||||
"Could not find user in room": "Не удалось найти пользователя в комнате",
|
||||
"Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Отдельно подтверждать каждый сеанс пользователя как доверенный, не доверяя кросс-подписанным устройствам.",
|
||||
"Securely cache encrypted messages locally for them to appear in search results.": "Безопасно кэшировать шифрованные сообщения локально, чтобы они появлялись в результатах поиска.",
|
||||
"%(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>.",
|
||||
|
@ -979,7 +954,6 @@
|
|||
"Unable to upload": "Невозможно отправить",
|
||||
"Signature upload success": "Отпечаток успешно отправлен",
|
||||
"Signature upload failed": "Сбой отправки отпечатка",
|
||||
"Joins room with given address": "Присоединиться к комнате с указанным адресом",
|
||||
"You signed in to a new session without verifying it:": "Вы вошли в новый сеанс, не подтвердив его:",
|
||||
"Verify your other session using one of the options below.": "Подтвердите ваш другой сеанс, используя один из вариантов ниже.",
|
||||
"Your homeserver has exceeded its user limit.": "Ваш домашний сервер превысил свой лимит пользователей.",
|
||||
|
@ -1002,7 +976,6 @@
|
|||
"Favourited": "В избранном",
|
||||
"Room options": "Настройки комнаты",
|
||||
"All settings": "Все настройки",
|
||||
"Feedback": "Отзыв",
|
||||
"Forget Room": "Забыть комнату",
|
||||
"This room is public": "Это публичная комната",
|
||||
"You can use <code>/help</code> to list available commands. Did you mean to send this as a message?": "Введите <code>/help</code> для списка доступных команд. Хотите отправить это сообщение как есть?",
|
||||
|
@ -1096,7 +1069,6 @@
|
|||
"Confirm your identity by entering your account password below.": "Подтвердите свою личность, введя пароль учетной записи ниже.",
|
||||
"Sign in with SSO": "Вход с помощью SSO",
|
||||
"Switch theme": "Сменить тему",
|
||||
"If you've joined lots of rooms, this might take a while": "Если вы присоединились к большому количеству комнат, это может занять некоторое время",
|
||||
"Confirm encryption setup": "Подтвердите настройку шифрования",
|
||||
"Click the button below to confirm setting up encryption.": "Нажмите кнопку ниже, чтобы подтвердить настройку шифрования.",
|
||||
"Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.": "Защитите себя от потери доступа к зашифрованным сообщениям и данным, создав резервные копии ключей шифрования на вашем сервере.",
|
||||
|
@ -1137,9 +1109,6 @@
|
|||
"Error leaving room": "Ошибка при выходе из комнаты",
|
||||
"Set up Secure Backup": "Настроить безопасное резервное копирование",
|
||||
"Information": "Информация",
|
||||
"You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "Вы можете включить это, если комната будет использоваться только для совместной работы с внутренними командами на вашем домашнем сервере. Это не может быть изменено позже.",
|
||||
"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.": "Вы можете отключить это, если комната будет использоваться для совместной работы с внешними командами, у которых есть собственный домашний сервер. Это не может быть изменено позже.",
|
||||
"Block anyone not part of %(serverName)s from ever joining this room.": "Запретить кому-либо, не входящему в %(serverName)s, когда-либо присоединяться к этой комнате.",
|
||||
"Unknown App": "Неизвестное приложение",
|
||||
"Not encrypted": "Не зашифровано",
|
||||
"Room settings": "Настройки комнаты",
|
||||
|
@ -1158,7 +1127,6 @@
|
|||
"Widgets": "Виджеты",
|
||||
"Edit widgets, bridges & bots": "Редактировать виджеты, мосты и ботов",
|
||||
"Add widgets, bridges & bots": "Добавить виджеты, мосты и ботов",
|
||||
"Your server requires encryption to be enabled in private rooms.": "Вашему серверу необходимо включить шифрование в приватных комнатах.",
|
||||
"Start a conversation with someone using their name or username (like <userId/>).": "Начните разговор с кем-нибудь, используя его имя или имя пользователя (например, <userId/>).",
|
||||
"Invite someone using their name, username (like <userId/>) or <a>share this room</a>.": "Пригласите кого-нибудь, используя его имя, имя пользователя (например, <userId/>) или <a>поделитесь этой комнатой</a>.",
|
||||
"Unable to set up keys": "Невозможно настроить ключи",
|
||||
|
@ -1187,12 +1155,6 @@
|
|||
"The call was answered on another device.": "На звонок ответили на другом устройстве.",
|
||||
"Answered Elsewhere": "Ответил в другом месте",
|
||||
"The call could not be established": "Звонок не может быть установлен",
|
||||
"Send feedback": "Отправить отзыв",
|
||||
"PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "СОВЕТ ДЛЯ ПРОФЕССИОНАЛОВ: если вы запустите ошибку, отправьте <debugLogsLink>журналы отладки</debugLogsLink>, чтобы помочь нам отследить проблему.",
|
||||
"Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.": "Пожалуйста, сначала просмотрите <existingIssuesLink>существующие ошибки на Github</existingIssuesLink>. Нет совпадений? <newIssueLink>Сообщите о новой</newIssueLink>.",
|
||||
"Comment": "Комментарий",
|
||||
"Feedback sent": "Отзыв отправлен",
|
||||
"Send stickers into this room": "Отправить стикеры в эту комнату",
|
||||
"This is the start of <roomName/>.": "Это начало <roomName/>.",
|
||||
"Add a photo, so people can easily spot your room.": "Добавьте фото, чтобы люди могли легко заметить вашу комнату.",
|
||||
"%(displayName)s created this room.": "%(displayName)s создал(а) эту комнату.",
|
||||
|
@ -1209,32 +1171,18 @@
|
|||
"Update %(brand)s": "Обновление %(brand)s",
|
||||
"Enable desktop notifications": "Включить уведомления на рабочем столе",
|
||||
"Don't miss a reply": "Не пропустите ответ",
|
||||
"Got an account? <a>Sign in</a>": "Есть учётная запись? <a>Войти</a>",
|
||||
"New here? <a>Create an account</a>": "Впервые здесь? <a>Создать учётную запись</a>",
|
||||
"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 комнаты.",
|
||||
"other": "Надежно кэшируйте зашифрованные сообщения локально, чтобы они отображались в результатах поиска, используя %(size)s для хранения сообщений из комнат (%(rooms)s)."
|
||||
},
|
||||
"Unable to validate homeserver": "Невозможно проверить домашний сервер",
|
||||
"Sign into your homeserver": "Войдите на свой домашний сервер",
|
||||
"with state key %(stateKey)s": "с ключом состояния %(stateKey)s",
|
||||
"%(creator)s created this DM.": "%(creator)s начал(а) этот чат.",
|
||||
"Continuing without email": "Продолжить без электронной почты",
|
||||
"New? <a>Create account</a>": "Впервые тут? <a>Создать учётную запись</a>",
|
||||
"Specify a homeserver": "Укажите домашний сервер",
|
||||
"Enter phone number": "Введите номер телефона",
|
||||
"Enter email address": "Введите адрес электронной почты",
|
||||
"The <b>%(capability)s</b> capability": "<b>%(capability)s</b> возможности",
|
||||
"Invalid URL": "Неправильный URL-адрес",
|
||||
"Reason (optional)": "Причина (необязательно)",
|
||||
"About homeservers": "О домашних серверах",
|
||||
"Other homeserver": "Другой домашний сервер",
|
||||
"Server Options": "Параметры сервера",
|
||||
"Decline All": "Отклонить все",
|
||||
"Approve widget permissions": "Одобрить разрешения виджета",
|
||||
"Send stickers into your active room": "Отправить стикеры в активную комнату",
|
||||
"Remain on your screen while running": "Оставаться на экране во время работы",
|
||||
"Remain on your screen when viewing another room, when running": "Оставаться на экране, при отображании другой комнаты, во время работы",
|
||||
"Zimbabwe": "Зимбабве",
|
||||
"Zambia": "Замбия",
|
||||
"Yemen": "Йемен",
|
||||
|
@ -1484,59 +1432,8 @@
|
|||
"Afghanistan": "Афганистан",
|
||||
"United States": "Соединенные Штаты Америки",
|
||||
"United Kingdom": "Великобритания",
|
||||
"See <b>%(msgtype)s</b> messages posted to your active room": "Посмотрите <b>%(msgtype)s</b> сообщения, размещённые в вашей активной комнате",
|
||||
"Send general files as you in your active room": "Отправьте файлы от своего имени в активной комнате",
|
||||
"Change the topic of your active room": "Измените тему вашей активной комнаты",
|
||||
"See when the topic changes in this room": "Посмотрите, изменится ли тема этого чата",
|
||||
"Change the topic of this room": "Измените тему этой комнаты",
|
||||
"Change which room you're viewing": "Измените комнату, которую вы просматриваете",
|
||||
"See <b>%(msgtype)s</b> messages posted to this room": "Посмотрите <b>%(msgtype)s</b> сообщения размещённые в этой комнате",
|
||||
"Send <b>%(msgtype)s</b> messages as you in your active room": "Отправьте <b>%(msgtype)s</b> сообщения от своего имени в вашу активную комнату",
|
||||
"Send <b>%(msgtype)s</b> messages as you in this room": "Отправьте <b>%(msgtype)s</b> сообщения от своего имени в эту комнату",
|
||||
"See general files posted to your active room": "Посмотрите файлы, размещённые в вашей активной комнате",
|
||||
"See general files posted to this room": "Посмотрите файлы, размещённые в этой комнате",
|
||||
"Send general files as you in this room": "Отправьте файлы от своего имени в этой комнате",
|
||||
"See videos posted to your active room": "Посмотрите видео размещённые в вашей активной комнате",
|
||||
"See videos posted to this room": "Посмотрите видео размещённые в этой комнате",
|
||||
"Send videos as you in your active room": "Отправьте видео от своего имени в вашей активной комнате",
|
||||
"Send videos as you in this room": "Отправьте видео от своего имени в этой комнате",
|
||||
"See images posted to this room": "Посмотрите изображения, размещённые в этой комнате",
|
||||
"See emotes posted to your active room": "Посмотрите эмоции, размещённые в вашей активной комнате",
|
||||
"See emotes posted to this room": "Посмотрите эмоции, размещённые в этой комнате",
|
||||
"See text messages posted to your active room": "Посмотрите текстовые сообщения, размещённые в вашей активной комнате",
|
||||
"See text messages posted to this room": "Посмотрите текстовые сообщения, размещённые в этой комнате",
|
||||
"See messages posted to your active room": "Посмотрите сообщения, размещённые в вашей активной комнате",
|
||||
"See messages posted to this room": "Посмотрите сообщения, размещённые в этой комнате",
|
||||
"See <b>%(eventType)s</b> events posted to your active room": "Посмотрите <b>%(eventType)s</b> события, размещённые в вашей активной комнате",
|
||||
"See <b>%(eventType)s</b> events posted to this room": "Посмотрите <b>%(eventType)s</b> события, размещённые в этой комнате",
|
||||
"See when anyone posts a sticker to your active room": "Посмотрите, когда кто-нибудь размещает стикер в вашей активной комнате",
|
||||
"See when a sticker is posted in this room": "Посмотрите, когда в этой комнате размещается стикер",
|
||||
"See images posted to your active room": "Посмотрите изображения, размещённые в вашей активной комнате",
|
||||
"Send images as you in your active room": "Отправьте изображения от своего имени в свою активную комнату",
|
||||
"Send images as you in this room": "Отправьте изображения от своего имени в эту комнату",
|
||||
"Send emotes as you in your active room": "Отправляйте эмоции от своего имени в активную комнату",
|
||||
"Send emotes as you in this room": "Отправляйте эмоции от своего имени в эту комнату",
|
||||
"Send text messages as you in your active room": "Отправляйте текстовые сообщения от своего имени в активную комнату",
|
||||
"Send text messages as you in this room": "Отправляйте текстовые сообщения от своего имени в этой комнате",
|
||||
"Send messages as you in your active room": "Отправляйте сообщения от своего имени в вашу активную комнату",
|
||||
"Send messages as you in this room": "Отправляйте сообщения от своего имени в этой комнате",
|
||||
"Send <b>%(eventType)s</b> events as you in your active room": "Отправляйте <b>%(eventType)s</b> события от своего имени в вашей активной комнате",
|
||||
"Send <b>%(eventType)s</b> events as you in this room": "Отправляйте события <b>%(eventType)s</b> от своего имени в этой комнате",
|
||||
"Send stickers to your active room as you": "Отправьте стикер от своего имени в активную комнату",
|
||||
"Send stickers to this room as you": "Отправьте стикеры от своего имени в эту комнату",
|
||||
"with an empty state key": "с пустым ключом состояния",
|
||||
"See when the avatar changes in your active room": "Посмотрите, когда изменится аватар в вашей активной комнате",
|
||||
"See when the avatar changes in this room": "Посмотрите, когда изменится аватар в этой комнате",
|
||||
"See when the name changes in your active room": "Посмотрите, когда изменится название в вашей активной комнате",
|
||||
"See when the name changes in this room": "Посмотрите, когда изменится название этой комнаты",
|
||||
"Change the avatar of your active room": "Измените аватар вашей активной комнаты",
|
||||
"Change the avatar of this room": "Смените аватар этой комнаты",
|
||||
"Change the name of this room": "Измените название этой комнаты",
|
||||
"Change the name of your active room": "Измените название вашей активной комнаты",
|
||||
"See when the topic changes in your active room": "Посмотрите, изменится ли тема текущего активного чата",
|
||||
"This widget would like to:": "Этому виджету хотелось бы:",
|
||||
"Just a heads up, if you don't add an email and forget your password, you could <b>permanently lose access to your account</b>.": "Предупреждаем: если вы не добавите адрес электронной почты и забудете пароль, вы можете <b>навсегда потерять доступ к своей учётной записи</b>.",
|
||||
"Use your preferred Matrix homeserver if you have one, or host your own.": "Если вы предпочитаете домашний сервер Matrix, используйте его. Вы также можете настроить свой собственный домашний сервер, если хотите.",
|
||||
"That phone number doesn't look quite right, please check and try again": "Этот номер телефона неправильный, проверьте его и повторите попытку",
|
||||
"Add an email to be able to reset your password.": "Чтобы иметь возможность изменить свой пароль в случае необходимости, добавьте свой адрес электронной почты.",
|
||||
"Use email or phone to optionally be discoverable by existing contacts.": "Если вы хотите, чтобы другие пользователи могли вас найти, укажите свой адрес электронной почты или номер телефона.",
|
||||
|
@ -1554,7 +1451,6 @@
|
|||
"Dial pad": "Панель набора номера",
|
||||
"There was an error looking up the phone number": "При поиске номера телефона произошла ошибка",
|
||||
"Unable to look up phone number": "Невозможно найти номер телефона",
|
||||
"Change which room, message, or user you're viewing": "Измените комнату, сообщение или пользователя, которого вы просматриваете",
|
||||
"Channel: <channelLink/>": "Канал: <channelLink/>",
|
||||
"Workspace: <networkLink/>": "Рабочая область: <networkLink/>",
|
||||
"This session has detected that your Security Phrase and key for Secure Messages have been removed.": "Этот сеанс обнаружил, что ваши секретная фраза и ключ безопасности для защищенных сообщений были удалены.",
|
||||
|
@ -1739,7 +1635,6 @@
|
|||
"Some suggestions may be hidden for privacy.": "Некоторые предложения могут быть скрыты в целях конфиденциальности.",
|
||||
"We couldn't create your DM.": "Мы не смогли создать ваш диалог.",
|
||||
"You may contact me if you have any follow up questions": "Вы можете связаться со мной, если у вас возникнут какие-либо последующие вопросы",
|
||||
"Your platform and username will be noted to help us use your feedback as much as we can.": "Ваша платформа и имя пользователя будут отмечены, чтобы мы могли максимально использовать ваш отзыв.",
|
||||
"Search for rooms or people": "Поиск комнат или людей",
|
||||
"Message preview": "Просмотр сообщения",
|
||||
"Sent": "Отправлено",
|
||||
|
@ -1752,16 +1647,8 @@
|
|||
"Only people invited will be able to find and join this space.": "Только приглашенные люди смогут найти и присоединиться к этому пространству.",
|
||||
"Anyone will be able to find and join this space, not just members of <SpaceName/>.": "Любой сможет найти и присоединиться к этому пространству, а не только члены <SpaceName/>.",
|
||||
"Anyone in <SpaceName/> will be able to find and join.": "Любой человек в <SpaceName/> сможет найти и присоединиться.",
|
||||
"Visible to space members": "Видимая для участников пространства",
|
||||
"Public room": "Публичная комната",
|
||||
"Private room (invite only)": "Приватная комната (только по приглашению)",
|
||||
"Room visibility": "Видимость комнаты",
|
||||
"Only people invited will be able to find and join this room.": "Только приглашенные люди смогут найти и присоединиться к этой комнате.",
|
||||
"Anyone will be able to find and join this room.": "Любой желающий сможет найти эту комнату и присоединиться к ней.",
|
||||
"This upgrade will allow members of selected spaces access to this room without an invite.": "Это обновление позволит участникам выбранных пространств получить доступ в эту комнату без приглашения.",
|
||||
"Anyone will be able to find and join this room, not just members of <SpaceName/>.": "Любой сможет найти и присоединиться к этой комнате, а не только участники <SpaceName/>.",
|
||||
"You can change this at any time from room settings.": "Вы можете изменить это в любое время из настроек комнаты.",
|
||||
"Everyone in <SpaceName/> will be able to find and join this room.": "Все в <SpaceName/> смогут найти и присоединиться к этой комнате.",
|
||||
"To leave the beta, visit your settings.": "Чтобы выйти из бета-версии, зайдите в настройки.",
|
||||
"Adding spaces has moved.": "Добавление пространств перемещено.",
|
||||
"Search for rooms": "Поиск комнат",
|
||||
|
@ -1879,8 +1766,6 @@
|
|||
"Hide sidebar": "Скрыть боковую панель",
|
||||
"Surround selected text when typing special characters": "Обводить выделенный текст при вводе специальных символов",
|
||||
"Review to ensure your account is safe": "Проверьте, чтобы убедиться, что ваша учётная запись в безопасности",
|
||||
"See when people join, leave, or are invited to your active room": "Просмотрите, когда люди присоединяются, уходят или приглашают в вашу активную комнату",
|
||||
"See when people join, leave, or are invited to this room": "Посмотрите, когда люди присоединяются, покидают или приглашают в эту комнату",
|
||||
"Some invites couldn't be sent": "Некоторые приглашения не могут быть отправлены",
|
||||
"We sent the others, but the below people couldn't be invited to <RoomName/>": "Мы отправили остальных, но нижеперечисленные люди не могут быть приглашены в <RoomName/>",
|
||||
"Transfer Failed": "Перевод не удался",
|
||||
|
@ -1904,8 +1789,6 @@
|
|||
"Select the roles required to change various parts of the space": "Выберите роли, необходимые для изменения различных частей пространства",
|
||||
"Anyone in <spaceName/> can find and join. You can select other spaces too.": "Любой человек в <spaceName/> может найти и присоединиться. Вы можете выбрать и другие пространства.",
|
||||
"Cross-signing is ready but keys are not backed up.": "Кросс-подпись готова, но ключи не резервируются.",
|
||||
"The above, but in <Room /> as well": "Вышеописанное, но также в <Room />",
|
||||
"The above, but in any room you are joined or invited to as well": "Вышеперечисленное, но также в любой комнате, в которую вы вошли или приглашены",
|
||||
"Leave some rooms": "Покинуть несколько комнат",
|
||||
"Leave all rooms": "Покинуть все комнаты",
|
||||
"Don't leave any rooms": "Не покидать ни одну комнату",
|
||||
|
@ -1956,7 +1839,6 @@
|
|||
},
|
||||
"View in room": "Просмотреть в комнате",
|
||||
"Enter your Security Phrase or <button>use your Security Key</button> to continue.": "Введите свою секретную фразу или <button> используйте секретный ключ </button> для продолжения.",
|
||||
"The email address doesn't appear to be valid.": "Адрес электронной почты не является действительным.",
|
||||
"What projects are your team working on?": "Над какими проектами ваша команда работает?",
|
||||
"Joined": "Присоединился",
|
||||
"Insert link": "Вставить ссылку",
|
||||
|
@ -1969,7 +1851,6 @@
|
|||
"Your new device is now verified. Other users will see it as trusted.": "Ваш новый сеанс заверен. Другие пользователи будут видеть его как заверенный.",
|
||||
"Your new device is now verified. It has access to your encrypted messages, and other users will see it as trusted.": "Ваш новый сеанс заверен. Он имеет доступ к вашим зашифрованным сообщениям, и другие пользователи будут видеть его как заверенный.",
|
||||
"Verify with another device": "Сверить с другим сеансом",
|
||||
"Someone already has that username, please try another.": "У кого-то уже есть такое имя пользователя, пожалуйста, попробуйте другое.",
|
||||
"Device verified": "Сеанс заверен",
|
||||
"Verify this device": "Заверьте этот сеанс",
|
||||
"Unable to verify this device": "Невозможно заверить этот сеанс",
|
||||
|
@ -2001,18 +1882,14 @@
|
|||
"This groups your chats with members of this space. Turning this off will hide those chats from your view of %(spaceName)s.": "Это сгруппирует ваши чаты с участниками этого пространства. Выключение, скроет эти чаты от вашего просмотра в %(spaceName)s.",
|
||||
"Sections to show": "Разделы для показа",
|
||||
"Link to room": "Ссылка на комнату",
|
||||
"We call the places where you can host your account 'homeservers'.": "Мы называем места, где вы можете разместить свою учётную запись, 'домашними серверами'.",
|
||||
"Matrix.org is the biggest public homeserver in the world, so it's a good place for many.": "Matrix.org — крупнейший в мире домашний публичный сервер, который подходит многим.",
|
||||
"Spaces you know that contain this space": "Пространства, которые вы знаете, уже содержат эту комнату",
|
||||
"If you can't see who you're looking for, send them your invite link below.": "Если вы не видите того, кого ищете, отправьте ему свое приглашение по ссылке ниже.",
|
||||
"You may contact me if you want to follow up or to let me test out upcoming ideas": "Вы можете связаться со мной, за дальнейшими действиями или помощью с испытанием идей",
|
||||
"Are you sure you want to end this poll? This will show the final results of the poll and stop people from being able to vote.": "Вы уверены, что хотите завершить этот опрос? Это покажет окончательные результаты опроса и лишит людей возможности голосовать.",
|
||||
"End Poll": "Завершить опрос",
|
||||
"Sorry, the poll did not end. Please try again.": "Извините, опрос не завершился. Пожалуйста, попробуйте еще раз.",
|
||||
"Failed to end poll": "Не удалось завершить опрос",
|
||||
"The poll has ended. Top answer: %(topAnswer)s": "Опрос завершен. Победил ответ: %(topAnswer)s",
|
||||
"The poll has ended. No votes were cast.": "Опрос завершен. Ни одного голоса не было.",
|
||||
"You can't disable this later. Bridges & most bots won't work yet.": "Вы не сможете отключить это позже. Мосты и большинство ботов пока не будут работать.",
|
||||
"This address had invalid server or is already in use": "Этот адрес имеет недопустимый сервер или уже используется",
|
||||
"This address does not point at this room": "Этот адрес не указывает на эту комнату",
|
||||
"Missing room name or separator e.g. (my-room:domain.org)": "Отсутствует имя комнаты или разделитель (my-room:domain.org)",
|
||||
|
@ -2089,10 +1966,6 @@
|
|||
"You do not have permission to start polls in this room.": "У вас нет разрешения начинать опросы в этой комнате.",
|
||||
"Voice Message": "Голосовое сообщение",
|
||||
"Hide stickers": "Скрыть наклейки",
|
||||
"You can't see earlier messages": "Вы не можете просматривать более старые сообщения",
|
||||
"Encrypted messages before this point are unavailable.": "Зашифрованные сообщения до этого момента недоступны.",
|
||||
"You don't have permission to view messages from before you joined.": "У вас нет разрешения на просмотр сообщений, полученных до вашего присоединения.",
|
||||
"You don't have permission to view messages from before you were invited.": "У вас нет разрешения на просмотр сообщений, полученных до того, как вы были приглашены.",
|
||||
"Copy link to thread": "Копировать ссылку на обсуждение",
|
||||
"From a thread": "Из обсуждения",
|
||||
"You won't get any notifications": "Вы не будете получать никаких уведомлений",
|
||||
|
@ -2149,14 +2022,9 @@
|
|||
"Back to chat": "Назад в чат",
|
||||
"Other rooms": "Прочие комнаты",
|
||||
"That's fine": "Всё в порядке",
|
||||
"Remove, ban, or invite people to your active room, and make you leave": "Удалять, блокировать или приглашать людей в вашей активной комнате, в частности, вас",
|
||||
"Remove, ban, or invite people to this room, and make you leave": "Удалять, блокировать или приглашать людей в этой комнате, в частности, вас",
|
||||
"Light high contrast": "Контрастная светлая",
|
||||
"Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Неизвестная пара (пользователь, сеанс): (%(userId)s, %(deviceId)s)",
|
||||
"Command failed: Unable to find room (%(roomId)s": "Ошибка команды: не удалось найти комнату (%(roomId)s",
|
||||
"Unrecognised room address: %(roomAlias)s": "Нераспознанный адрес комнаты: %(roomAlias)s",
|
||||
"Command error: Unable to handle slash command.": "Ошибка команды: невозможно обработать команду slash.",
|
||||
"Command error: Unable to find rendering type (%(renderingType)s)": "Ошибка команды: невозможно найти тип рендеринга (%(renderingType)s)",
|
||||
"%(spaceName)s and %(count)s others": {
|
||||
"one": "%(spaceName)s и %(count)s другой",
|
||||
"other": "%(spaceName)s и %(count)s других"
|
||||
|
@ -2391,7 +2259,6 @@
|
|||
"Join the room to participate": "Присоединяйтесь к комнате для участия",
|
||||
"This session is ready for secure messaging.": "Этот сеанс готов к безопасному обмену сообщениями.",
|
||||
"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.": "Вы не сможете отключить это позже. Комната будет зашифрована, а встроенный вызов — нет.",
|
||||
"Online community members": "Участники сообщества в сети",
|
||||
"You're in": "Вы в",
|
||||
"Choose a locale": "Выберите регион",
|
||||
|
@ -2493,8 +2360,6 @@
|
|||
"You ended a voice broadcast": "Вы завершили голосовую трансляцию",
|
||||
"%(senderName)s ended a voice broadcast": "%(senderName)s завершил(а) голосовую трансляцию",
|
||||
"Send email": "Отправить электронное письмо",
|
||||
"Enter your email to reset password": "Введите свой адрес электронной почты для сброса пароля",
|
||||
"Verify your email to continue": "Подтвердите свою электронную почту, чтобы продолжить",
|
||||
"Buffering…": "Буферизация…",
|
||||
"Improve your account security by following these recommendations.": "Усильте защиту учётной записи, следуя этим рекомендациям.",
|
||||
"Verify your current session for enhanced secure messaging.": "Заверьте текущий сеанс для усиления защиты переписки.",
|
||||
|
@ -2564,13 +2429,11 @@
|
|||
"Early previews": "Предпросмотр",
|
||||
"Yes, it was me": "Да, это я",
|
||||
"Poll history": "Опросы",
|
||||
"Syncing…": "Синхронизация…",
|
||||
"Active polls": "Активные опросы",
|
||||
"Checking for an update…": "Проверка наличия обновлений…",
|
||||
"Formatting": "Форматирование",
|
||||
"WARNING: session already verified, but keys do NOT MATCH!": "ВНИМАНИЕ: сеанс уже заверен, но ключи НЕ СОВПАДАЮТ!",
|
||||
"Edit link": "Изменить ссылку",
|
||||
"Signing In…": "Выполняется вход…",
|
||||
"Grey": "Серый",
|
||||
"Red": "Красный",
|
||||
"There are no active polls in this room": "В этой комнате нет активных опросов",
|
||||
|
@ -2672,7 +2535,8 @@
|
|||
"cross_signing": "Кросс-подпись",
|
||||
"identity_server": "Идентификационный сервер",
|
||||
"integration_manager": "Менеджер интеграции",
|
||||
"qr_code": "QR-код"
|
||||
"qr_code": "QR-код",
|
||||
"feedback": "Отзыв"
|
||||
},
|
||||
"action": {
|
||||
"continue": "Продолжить",
|
||||
|
@ -3108,7 +2972,9 @@
|
|||
"timeline_image_size": "Размер изображения в ленте сообщений",
|
||||
"timeline_image_size_default": "По умолчанию",
|
||||
"timeline_image_size_large": "Большой"
|
||||
}
|
||||
},
|
||||
"inline_url_previews_room_account": "Включить предпросмотр ссылок в этой комнате (влияет только на вас)",
|
||||
"inline_url_previews_room": "Включить предпросмотр ссылок для участников этой комнаты по умолчанию"
|
||||
},
|
||||
"devtools": {
|
||||
"send_custom_account_data_event": "Отправить пользовательское событие данных учётной записи",
|
||||
|
@ -3236,7 +3102,24 @@
|
|||
"title_public_room": "Создать публичную комнату",
|
||||
"title_private_room": "Создать приватную комнату",
|
||||
"action_create_video_room": "Создать видеокомнату",
|
||||
"action_create_room": "Создать комнату"
|
||||
"action_create_room": "Создать комнату",
|
||||
"name_validation_required": "Пожалуйста, введите название комнаты",
|
||||
"join_rule_restricted_label": "Все в <SpaceName/> смогут найти и присоединиться к этой комнате.",
|
||||
"join_rule_change_notice": "Вы можете изменить это в любое время из настроек комнаты.",
|
||||
"join_rule_public_parent_space_label": "Любой сможет найти и присоединиться к этой комнате, а не только участники <SpaceName/>.",
|
||||
"join_rule_public_label": "Любой желающий сможет найти эту комнату и присоединиться к ней.",
|
||||
"join_rule_invite_label": "Только приглашенные люди смогут найти и присоединиться к этой комнате.",
|
||||
"encrypted_video_room_warning": "Вы не сможете отключить это позже. Комната будет зашифрована, а встроенный вызов — нет.",
|
||||
"encrypted_warning": "Вы не сможете отключить это позже. Мосты и большинство ботов пока не будут работать.",
|
||||
"encryption_forced": "Вашему серверу необходимо включить шифрование в приватных комнатах.",
|
||||
"encryption_label": "Включить сквозное шифрование",
|
||||
"unfederated_label_default_off": "Вы можете включить это, если комната будет использоваться только для совместной работы с внутренними командами на вашем домашнем сервере. Это не может быть изменено позже.",
|
||||
"unfederated_label_default_on": "Вы можете отключить это, если комната будет использоваться для совместной работы с внешними командами, у которых есть собственный домашний сервер. Это не может быть изменено позже.",
|
||||
"topic_label": "Тема (опционально)",
|
||||
"room_visibility_label": "Видимость комнаты",
|
||||
"join_rule_invite": "Приватная комната (только по приглашению)",
|
||||
"join_rule_restricted": "Видимая для участников пространства",
|
||||
"unfederated": "Запретить кому-либо, не входящему в %(serverName)s, когда-либо присоединяться к этой комнате."
|
||||
},
|
||||
"timeline": {
|
||||
"m.call": {
|
||||
|
@ -3509,7 +3392,11 @@
|
|||
"changed_rule_rooms": "%(senderName)s изменил(а) правило блокировки комнат по шаблону %(oldGlob)s на шаблон %(newGlob)s за %(reason)s",
|
||||
"changed_rule_servers": "%(senderName)s изменил(а) правило блокировки серверов по шаблону %(oldGlob)s на шаблон %(newGlob)s за %(reason)s",
|
||||
"changed_rule_glob": "%(senderName)s обновил(а) правило блокировки по шаблону %(oldGlob)s на шаблон %(newGlob)s за %(reason)s"
|
||||
}
|
||||
},
|
||||
"no_permission_messages_before_invite": "У вас нет разрешения на просмотр сообщений, полученных до того, как вы были приглашены.",
|
||||
"no_permission_messages_before_join": "У вас нет разрешения на просмотр сообщений, полученных до вашего присоединения.",
|
||||
"encrypted_historical_messages_unavailable": "Зашифрованные сообщения до этого момента недоступны.",
|
||||
"historical_messages_unavailable": "Вы не можете просматривать более старые сообщения"
|
||||
},
|
||||
"slash_command": {
|
||||
"spoiler": "Отправить данное сообщение под спойлером",
|
||||
|
@ -3565,7 +3452,14 @@
|
|||
"holdcall": "Перевести вызов в текущей комнате на удержание",
|
||||
"no_active_call": "Нет активного вызова в этой комнате",
|
||||
"unholdcall": "Прекратить удержание вызова в текущей комнате",
|
||||
"me": "Отображение действий"
|
||||
"me": "Отображение действий",
|
||||
"error_invalid_runfn": "Ошибка команды: невозможно обработать команду slash.",
|
||||
"error_invalid_rendering_type": "Ошибка команды: невозможно найти тип рендеринга (%(renderingType)s)",
|
||||
"join": "Присоединиться к комнате с указанным адресом",
|
||||
"failed_find_room": "Ошибка команды: не удалось найти комнату (%(roomId)s",
|
||||
"failed_find_user": "Не удалось найти пользователя в комнате",
|
||||
"op": "Определить уровень прав пользователя",
|
||||
"deop": "Снимает полномочия оператора с пользователя с заданным ID"
|
||||
},
|
||||
"presence": {
|
||||
"busy": "Занят(а)",
|
||||
|
@ -3749,8 +3643,42 @@
|
|||
"account_clash_previous_account": "Продолжить с предыдущей учётной записью",
|
||||
"log_in_new_account": "<a>Войти</a> в новую учётную запись.",
|
||||
"registration_successful": "Регистрация успешно завершена",
|
||||
"server_picker_title": "Ваша учётная запись обслуживается",
|
||||
"server_picker_dialog_title": "Выберите, кто обслуживает вашу учётную запись"
|
||||
"server_picker_title": "Войдите на свой домашний сервер",
|
||||
"server_picker_dialog_title": "Выберите, кто обслуживает вашу учётную запись",
|
||||
"footer_powered_by_matrix": "основано на Matrix",
|
||||
"failed_homeserver_discovery": "Не удалось выполнить обнаружение сервера",
|
||||
"sync_footer_subtitle": "Если вы присоединились к большому количеству комнат, это может занять некоторое время",
|
||||
"syncing": "Синхронизация…",
|
||||
"signing_in": "Выполняется вход…",
|
||||
"unsupported_auth_msisdn": "Этот сервер не поддерживает аутентификацию по номеру телефона.",
|
||||
"unsupported_auth_email": "Этот сервер не поддерживает вход по адресу электронной почты.",
|
||||
"registration_disabled": "Регистрация на этом сервере отключена.",
|
||||
"failed_query_registration_methods": "Невозможно запросить поддерживаемые методы регистрации.",
|
||||
"username_in_use": "У кого-то уже есть такое имя пользователя, пожалуйста, попробуйте другое.",
|
||||
"incorrect_password": "Неверный пароль",
|
||||
"failed_soft_logout_auth": "Ошибка повторной аутентификации",
|
||||
"soft_logout_heading": "Вы вышли из учётной записи",
|
||||
"forgot_password_email_required": "Введите адрес электронной почты, связанный с вашей учётной записью.",
|
||||
"forgot_password_email_invalid": "Адрес электронной почты не является действительным.",
|
||||
"sign_in_prompt": "Есть учётная запись? <a>Войти</a>",
|
||||
"verify_email_heading": "Подтвердите свою электронную почту, чтобы продолжить",
|
||||
"forgot_password_prompt": "Забыли Ваш пароль?",
|
||||
"soft_logout_intro_password": "Введите пароль для входа и восстановите доступ к учётной записи.",
|
||||
"soft_logout_intro_sso": "Войти и восстановить доступ к учётной записи.",
|
||||
"soft_logout_intro_unsupported_auth": "Не удаётся войти в учётную запись. Пожалуйста, обратитесь к администратору домашнего сервера за подробностями.",
|
||||
"enter_email_heading": "Введите свой адрес электронной почты для сброса пароля",
|
||||
"create_account_prompt": "Впервые здесь? <a>Создать учётную запись</a>",
|
||||
"sign_in_or_register": "Войдите или создайте учётную запись",
|
||||
"sign_in_or_register_description": "Воспользуйтесь своей учётной записью или создайте новую, чтобы продолжить.",
|
||||
"register_action": "Создать учётную запись",
|
||||
"server_picker_failed_validate_homeserver": "Невозможно проверить домашний сервер",
|
||||
"server_picker_invalid_url": "Неправильный URL-адрес",
|
||||
"server_picker_required": "Укажите домашний сервер",
|
||||
"server_picker_matrix.org": "Matrix.org — крупнейший в мире домашний публичный сервер, который подходит многим.",
|
||||
"server_picker_intro": "Мы называем места, где вы можете разместить свою учётную запись, 'домашними серверами'.",
|
||||
"server_picker_custom": "Другой домашний сервер",
|
||||
"server_picker_explainer": "Если вы предпочитаете домашний сервер Matrix, используйте его. Вы также можете настроить свой собственный домашний сервер, если хотите.",
|
||||
"server_picker_learn_more": "О домашних серверах"
|
||||
},
|
||||
"room_list": {
|
||||
"sort_unread_first": "Комнаты с непрочитанными сообщениями в начале",
|
||||
|
@ -3796,5 +3724,81 @@
|
|||
"access_token_detail": "Ваш токен доступа даёт полный доступ к вашей учётной записи. Не передавайте его никому.",
|
||||
"clear_cache_reload": "Очистить кэш и перезагрузить"
|
||||
}
|
||||
},
|
||||
"widget": {
|
||||
"capability": {
|
||||
"send_stickers_this_room": "Отправить стикеры в эту комнату",
|
||||
"send_stickers_active_room": "Отправить стикеры в активную комнату",
|
||||
"send_stickers_this_room_as_you": "Отправьте стикеры от своего имени в эту комнату",
|
||||
"send_stickers_active_room_as_you": "Отправьте стикер от своего имени в активную комнату",
|
||||
"see_sticker_posted_this_room": "Посмотрите, когда в этой комнате размещается стикер",
|
||||
"see_sticker_posted_active_room": "Посмотрите, когда кто-нибудь размещает стикер в вашей активной комнате",
|
||||
"always_on_screen_viewing_another_room": "Оставаться на экране, при отображании другой комнаты, во время работы",
|
||||
"always_on_screen_generic": "Оставаться на экране во время работы",
|
||||
"switch_room": "Измените комнату, которую вы просматриваете",
|
||||
"switch_room_message_user": "Измените комнату, сообщение или пользователя, которого вы просматриваете",
|
||||
"change_topic_this_room": "Измените тему этой комнаты",
|
||||
"see_topic_change_this_room": "Посмотрите, изменится ли тема этого чата",
|
||||
"change_topic_active_room": "Измените тему вашей активной комнаты",
|
||||
"see_topic_change_active_room": "Посмотрите, изменится ли тема текущего активного чата",
|
||||
"change_name_this_room": "Измените название этой комнаты",
|
||||
"see_name_change_this_room": "Посмотрите, когда изменится название этой комнаты",
|
||||
"change_name_active_room": "Измените название вашей активной комнаты",
|
||||
"see_name_change_active_room": "Посмотрите, когда изменится название в вашей активной комнате",
|
||||
"change_avatar_this_room": "Смените аватар этой комнаты",
|
||||
"see_avatar_change_this_room": "Посмотрите, когда изменится аватар в этой комнате",
|
||||
"change_avatar_active_room": "Измените аватар вашей активной комнаты",
|
||||
"see_avatar_change_active_room": "Посмотрите, когда изменится аватар в вашей активной комнате",
|
||||
"remove_ban_invite_leave_this_room": "Удалять, блокировать или приглашать людей в этой комнате, в частности, вас",
|
||||
"receive_membership_this_room": "Посмотрите, когда люди присоединяются, покидают или приглашают в эту комнату",
|
||||
"remove_ban_invite_leave_active_room": "Удалять, блокировать или приглашать людей в вашей активной комнате, в частности, вас",
|
||||
"receive_membership_active_room": "Просмотрите, когда люди присоединяются, уходят или приглашают в вашу активную комнату",
|
||||
"byline_empty_state_key": "с пустым ключом состояния",
|
||||
"byline_state_key": "с ключом состояния %(stateKey)s",
|
||||
"any_room": "Вышеперечисленное, но также в любой комнате, в которую вы вошли или приглашены",
|
||||
"specific_room": "Вышеописанное, но также в <Room />",
|
||||
"send_event_type_this_room": "Отправляйте события <b>%(eventType)s</b> от своего имени в этой комнате",
|
||||
"see_event_type_sent_this_room": "Посмотрите <b>%(eventType)s</b> события, размещённые в этой комнате",
|
||||
"send_event_type_active_room": "Отправляйте <b>%(eventType)s</b> события от своего имени в вашей активной комнате",
|
||||
"see_event_type_sent_active_room": "Посмотрите <b>%(eventType)s</b> события, размещённые в вашей активной комнате",
|
||||
"capability": "<b>%(capability)s</b> возможности",
|
||||
"send_messages_this_room": "Отправляйте сообщения от своего имени в этой комнате",
|
||||
"send_messages_active_room": "Отправляйте сообщения от своего имени в вашу активную комнату",
|
||||
"see_messages_sent_this_room": "Посмотрите сообщения, размещённые в этой комнате",
|
||||
"see_messages_sent_active_room": "Посмотрите сообщения, размещённые в вашей активной комнате",
|
||||
"send_text_messages_this_room": "Отправляйте текстовые сообщения от своего имени в этой комнате",
|
||||
"send_text_messages_active_room": "Отправляйте текстовые сообщения от своего имени в активную комнату",
|
||||
"see_text_messages_sent_this_room": "Посмотрите текстовые сообщения, размещённые в этой комнате",
|
||||
"see_text_messages_sent_active_room": "Посмотрите текстовые сообщения, размещённые в вашей активной комнате",
|
||||
"send_emotes_this_room": "Отправляйте эмоции от своего имени в эту комнату",
|
||||
"send_emotes_active_room": "Отправляйте эмоции от своего имени в активную комнату",
|
||||
"see_sent_emotes_this_room": "Посмотрите эмоции, размещённые в этой комнате",
|
||||
"see_sent_emotes_active_room": "Посмотрите эмоции, размещённые в вашей активной комнате",
|
||||
"send_images_this_room": "Отправьте изображения от своего имени в эту комнату",
|
||||
"send_images_active_room": "Отправьте изображения от своего имени в свою активную комнату",
|
||||
"see_images_sent_this_room": "Посмотрите изображения, размещённые в этой комнате",
|
||||
"see_images_sent_active_room": "Посмотрите изображения, размещённые в вашей активной комнате",
|
||||
"send_videos_this_room": "Отправьте видео от своего имени в этой комнате",
|
||||
"send_videos_active_room": "Отправьте видео от своего имени в вашей активной комнате",
|
||||
"see_videos_sent_this_room": "Посмотрите видео размещённые в этой комнате",
|
||||
"see_videos_sent_active_room": "Посмотрите видео размещённые в вашей активной комнате",
|
||||
"send_files_this_room": "Отправьте файлы от своего имени в этой комнате",
|
||||
"send_files_active_room": "Отправьте файлы от своего имени в активной комнате",
|
||||
"see_sent_files_this_room": "Посмотрите файлы, размещённые в этой комнате",
|
||||
"see_sent_files_active_room": "Посмотрите файлы, размещённые в вашей активной комнате",
|
||||
"send_msgtype_this_room": "Отправьте <b>%(msgtype)s</b> сообщения от своего имени в эту комнату",
|
||||
"send_msgtype_active_room": "Отправьте <b>%(msgtype)s</b> сообщения от своего имени в вашу активную комнату",
|
||||
"see_msgtype_sent_this_room": "Посмотрите <b>%(msgtype)s</b> сообщения размещённые в этой комнате",
|
||||
"see_msgtype_sent_active_room": "Посмотрите <b>%(msgtype)s</b> сообщения, размещённые в вашей активной комнате"
|
||||
}
|
||||
},
|
||||
"feedback": {
|
||||
"sent": "Отзыв отправлен",
|
||||
"comment_label": "Комментарий",
|
||||
"platform_username": "Ваша платформа и имя пользователя будут отмечены, чтобы мы могли максимально использовать ваш отзыв.",
|
||||
"may_contact_label": "Вы можете связаться со мной, за дальнейшими действиями или помощью с испытанием идей",
|
||||
"pro_type": "СОВЕТ ДЛЯ ПРОФЕССИОНАЛОВ: если вы запустите ошибку, отправьте <debugLogsLink>журналы отладки</debugLogsLink>, чтобы помочь нам отследить проблему.",
|
||||
"existing_issue_link": "Пожалуйста, сначала просмотрите <existingIssuesLink>существующие ошибки на Github</existingIssuesLink>. Нет совпадений? <newIssueLink>Сообщите о новой</newIssueLink>.",
|
||||
"send_feedback_action": "Отправить отзыв"
|
||||
}
|
||||
}
|
||||
|
|
|
@ -5,10 +5,12 @@
|
|||
"Confirm adding this email address by using Single Sign On to prove your identity.": "ඔබගේ අනන්යතාවය සනාථ කිරීම සඳහා තනි පුරනය භාවිතා කිරීමෙන් මෙම විද්යුත් තැපැල් ලිපිනය එක් කිරීම තහවුරු කරන්න.",
|
||||
"Add Email Address": "වි-තැපැල් ලිපිනය එකතු කරන්න",
|
||||
"Explore rooms": "කාමර බලන්න",
|
||||
"Create Account": "ගිණුමක් සාදන්න",
|
||||
"action": {
|
||||
"confirm": "තහවුරු කරන්න",
|
||||
"dismiss": "ඉවතලන්න",
|
||||
"sign_in": "පිවිසෙන්න"
|
||||
},
|
||||
"auth": {
|
||||
"register_action": "ගිණුමක් සාදන්න"
|
||||
}
|
||||
}
|
||||
|
|
|
@ -145,7 +145,6 @@
|
|||
"A text message has been sent to %(msisdn)s": "Na číslo %(msisdn)s bola odoslaná textová správa",
|
||||
"Please enter the code it contains:": "Prosím, zadajte kód z tejto správy:",
|
||||
"Start authentication": "Spustiť overenie",
|
||||
"powered by Matrix": "používa protokol Matrix",
|
||||
"Sign in with": "Na prihlásenie sa použije",
|
||||
"Email address": "Emailová adresa",
|
||||
"Something went wrong!": "Niečo sa pokazilo!",
|
||||
|
@ -165,7 +164,6 @@
|
|||
},
|
||||
"Confirm Removal": "Potvrdiť odstránenie",
|
||||
"Unknown error": "Neznáma chyba",
|
||||
"Incorrect password": "Nesprávne heslo",
|
||||
"Deactivate Account": "Deaktivovať účet",
|
||||
"An error has occurred.": "Vyskytla sa chyba.",
|
||||
"Unable to restore session": "Nie je možné obnoviť reláciu",
|
||||
|
@ -217,16 +215,12 @@
|
|||
"Notifications": "Oznámenia",
|
||||
"Profile": "Profil",
|
||||
"Account": "Účet",
|
||||
"The email address linked to your account must be entered.": "Musíte zadať emailovú adresu prepojenú s vašim účtom.",
|
||||
"A new password must be entered.": "Musíte zadať nové heslo.",
|
||||
"New passwords must match each other.": "Obe nové heslá musia byť zhodné.",
|
||||
"Return to login screen": "Vrátiť sa na prihlasovaciu obrazovku",
|
||||
"Incorrect username and/or password.": "Nesprávne meno používateľa a / alebo heslo.",
|
||||
"Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or <a>enable unsafe scripts</a>.": "K domovskému serveru nie je možné pripojiť sa použitím protokolu HTTP keďže v adresnom riadku prehliadača máte HTTPS adresu. Použite protokol HTTPS alebo <a>povolte nezabezpečené skripty</a>.",
|
||||
"Can't connect to homeserver - please check your connectivity, ensure your <a>homeserver's SSL certificate</a> is trusted, and that a browser extension is not blocking requests.": "Nie je možné pripojiť sa k domovskému serveru - skontrolujte prosím funkčnosť vášho pripojenia na internet. Uistite sa že <a>certifikát domovského servera</a> je dôveryhodný a že žiaden doplnok nainštalovaný v prehliadači nemôže blokovať požiadavky.",
|
||||
"This server does not support authentication with a phone number.": "Tento server nepodporuje overenie telefónnym číslom.",
|
||||
"Define the power level of a user": "Definovať úrovne oprávnenia používateľa",
|
||||
"Deops user with given id": "Zruší stav moderátor používateľovi so zadaným ID",
|
||||
"Commands": "Príkazy",
|
||||
"Notify the whole room": "Oznamovať celú miestnosť",
|
||||
"Room Notification": "Oznámenie miestnosti",
|
||||
|
@ -244,8 +238,6 @@
|
|||
"File to import": "Importovať zo súboru",
|
||||
"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é",
|
||||
"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",
|
||||
"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 disabled by default for participants in this room.": "Náhľady URL adries sú predvolene zakázané pre členov tejto miestnosti.",
|
||||
"Send": "Odoslať",
|
||||
|
@ -407,7 +399,6 @@
|
|||
"Invalid homeserver discovery response": "Neplatná odpoveď pri zisťovaní domovského servera",
|
||||
"Invalid identity server discovery response": "Neplatná odpoveď pri zisťovaní servera totožností",
|
||||
"General failure": "Všeobecná chyba",
|
||||
"Failed to perform homeserver discovery": "Nepodarilo sa zistiť adresu domovského servera",
|
||||
"That matches!": "Zhoda!",
|
||||
"That doesn't match.": "To sa nezhoduje.",
|
||||
"Go back to set it again.": "Vráťte sa späť a nastavte to znovu.",
|
||||
|
@ -547,10 +538,7 @@
|
|||
"Couldn't load page": "Nie je možné načítať stránku",
|
||||
"Could not load user profile": "Nie je možné načítať profil používateľa",
|
||||
"Your password has been reset.": "Vaše heslo bolo obnovené.",
|
||||
"This homeserver does not support login using email address.": "Tento domovský server nepodporuje prihlásenie sa zadaním emailovej adresy.",
|
||||
"Create account": "Vytvoriť účet",
|
||||
"Registration has been disabled on this homeserver.": "Na tomto domovskom serveri nie je povolená registrácia.",
|
||||
"Unable to query for supported registration methods.": "Nie je možné požiadať o podporované metódy registrácie.",
|
||||
"Your keys are being backed up (the first backup could take a few minutes).": "Zálohovanie kľúčov máte aktívne (prvé zálohovanie môže trvať niekoľko minút).",
|
||||
"Success!": "Úspech!",
|
||||
"Recovery Method Removed": "Odstránený spôsob obnovenia",
|
||||
|
@ -638,10 +626,6 @@
|
|||
"Encryption upgrade available": "Je dostupná aktualizácia šifrovania",
|
||||
"New login. Was this you?": "Nové prihlásenie. Boli ste to vy?",
|
||||
"%(name)s is requesting verification": "%(name)s žiada o overenie",
|
||||
"Sign In or Create Account": "Prihlásiť sa alebo vytvoriť nový účet",
|
||||
"Use your account or create a new one to continue.": "Použite váš existujúci účet alebo si vytvorte nový, aby ste mohli pokračovať.",
|
||||
"Create Account": "Vytvoriť účet",
|
||||
"Could not find user in room": "Nepodarilo sa nájsť používateľa v miestnosti",
|
||||
"Verifies a user, session, and pubkey tuple": "Overí používateľa, reláciu a verejné kľúče",
|
||||
"Session already verified!": "Relácia je už overená!",
|
||||
"WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and session %(deviceId)s is \"%(fprint)s\" which does not match the provided key \"%(fingerprint)s\". This could mean your communications are being intercepted!": "VAROVANIE: OVERENIE KĽÚČOV ZLYHALO! Podpisový kľúč používateľa %(userId)s a relácia %(deviceId)s je \"%(fprint)s\" čo nezodpovedá zadanému kľúču \"%(fingerprint)s\". Môže to znamenať, že vaša komunikácia je odpočúvaná!",
|
||||
|
@ -661,18 +645,12 @@
|
|||
"a device cross-signing signature": "krížový podpis zariadenia",
|
||||
"Removing…": "Odstraňovanie…",
|
||||
"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ť",
|
||||
"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",
|
||||
"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ť.",
|
||||
"Manually verify all remote sessions": "Manuálne overiť všetky relácie",
|
||||
"IRC display name width": "Šírka zobrazovaného mena IRC",
|
||||
"Enter your password to sign in and regain access to your account.": "Zadaním hesla sa prihláste a obnovte prístup k svojmu účtu.",
|
||||
"Forgotten your password?": "Zabudli ste heslo?",
|
||||
"Sign in and regain access to your account.": "Prihláste sa a znovuzískajte prístup k vášmu účtu.",
|
||||
"You cannot sign in to your account. Please contact your homeserver admin for more information.": "Nemôžete sa prihlásiť do vášho účtu. Kontaktujte prosím vášho správcu domovského servera pre viac informácií.",
|
||||
"You're signed out": "Ste odhlásený",
|
||||
"Clear personal data": "Zmazať osobné dáta",
|
||||
"Command Autocomplete": "Automatické dopĺňanie príkazov",
|
||||
"Emoji Autocomplete": "Automatické dopĺňanie emotikonov",
|
||||
|
@ -688,7 +666,6 @@
|
|||
"Later": "Neskôr",
|
||||
"Other users may not trust it": "Ostatní používatelia jej nemusia dôverovať",
|
||||
"This bridge was provisioned by <user />.": "Toto premostenie poskytuje <user />.",
|
||||
"Joins room with given address": "Pridať sa do miestnosti s danou adresou",
|
||||
"This bridge is managed by <user />.": "Toto premostenie spravuje <user />.",
|
||||
"Show more": "Zobraziť viac",
|
||||
"well formed": "správne vytvorené",
|
||||
|
@ -791,7 +768,6 @@
|
|||
"Show advanced": "Ukázať pokročilé možnosti",
|
||||
"Explore rooms": "Preskúmať miestnosti",
|
||||
"All settings": "Všetky nastavenia",
|
||||
"Feedback": "Spätná väzba",
|
||||
"Indexed rooms:": "Indexované miestnosti:",
|
||||
"Unexpected server error trying to leave the room": "Neočakávaná chyba servera pri pokuse opustiť miestnosť",
|
||||
"Italics": "Kurzíva",
|
||||
|
@ -1064,7 +1040,6 @@
|
|||
"You cancelled verification.": "Zrušili ste overenie.",
|
||||
"%(name)s wants to verify": "%(name)s chce overiť",
|
||||
"View source": "Zobraziť zdroj",
|
||||
"Your server requires encryption to be enabled in private rooms.": "Váš server vyžaduje zapnuté šifrovanie v súkromných miestnostiach.",
|
||||
"Encryption not enabled": "Šifrovanie nie je zapnuté",
|
||||
"End-to-end encryption isn't enabled": "End-to-end šifrovanie nie je zapnuté",
|
||||
"Unencrypted": "Nešifrované",
|
||||
|
@ -1118,7 +1093,6 @@
|
|||
"Unable to copy room link": "Nie je možné skopírovať odkaz na miestnosť",
|
||||
"Remove recent messages": "Odstrániť posledné správy",
|
||||
"Remove recent messages by %(user)s": "Odstrániť posledné správy používateľa %(user)s",
|
||||
"Got an account? <a>Sign in</a>": "Máte účet? <a>Prihláste sa</a>",
|
||||
"Go to my space": "Prejsť do môjho priestoru",
|
||||
"Go to my first room": "Prejsť do mojej prvej miestnosti",
|
||||
"Looks good!": "Vyzerá to super!",
|
||||
|
@ -1133,7 +1107,6 @@
|
|||
"You can change these anytime.": "Tieto môžete kedykoľvek zmeniť.",
|
||||
"Add some details to help people recognise it.": "Pridajte niekoľko podrobností, ktoré ho pomôžu ľuďom rozpoznať.",
|
||||
"Private space (invite only)": "Súkromný priestor (len pre pozvaných)",
|
||||
"Private room (invite only)": "Súkromná miestnosť (len pre pozvaných)",
|
||||
"Private (invite only)": "Súkromné (len pre pozvaných)",
|
||||
"Invite only, best for yourself or teams": "Len pre pozvaných, najlepšie pre seba alebo tímy",
|
||||
"Public space": "Verejný priestor",
|
||||
|
@ -1189,7 +1162,6 @@
|
|||
"Room ID": "ID miestnosti",
|
||||
"Room %(name)s": "Miestnosť %(name)s",
|
||||
"Show image": "Zobraziť obrázok",
|
||||
"Topic (optional)": "Téma (voliteľné)",
|
||||
"e.g. my-room": "napr. moja-miestnost",
|
||||
"Deactivate user?": "Deaktivovať používateľa?",
|
||||
"Upload all": "Nahrať všetko",
|
||||
|
@ -1218,13 +1190,11 @@
|
|||
"Sending": "Odosielanie",
|
||||
"Avatar": "Obrázok",
|
||||
"Suggested": "Navrhované",
|
||||
"Comment": "Komentár",
|
||||
"Accepting…": "Akceptovanie…",
|
||||
"Document": "Dokument",
|
||||
"Summary": "Zhrnutie",
|
||||
"Notes": "Poznámky",
|
||||
"Service": "Služba",
|
||||
"The email address doesn't appear to be valid.": "Zdá sa, že e-mailová adresa nie je platná.",
|
||||
"Enter email address (required on this homeserver)": "Zadajte e-mailovú adresu (vyžaduje sa na tomto domovskom serveri)",
|
||||
"Use an email address to recover your account": "Použite e-mailovú adresu na obnovenie svojho konta",
|
||||
"Doesn't look like a valid email address": "Nevyzerá to ako platná e-mailová adresa",
|
||||
|
@ -1291,17 +1261,14 @@
|
|||
"one": "%(count)s relácia",
|
||||
"other": "%(count)s relácie"
|
||||
},
|
||||
"About homeservers": "O domovských serveroch",
|
||||
"<a>Add a topic</a> to help people know what it is about.": "<a>Pridajte tému</a>, aby ľudia vedeli, o čo ide.",
|
||||
"Attach files from chat or just drag and drop them anywhere in a room.": "Pripojte súbory z konverzácie alebo ich jednoducho pretiahnite kamkoľvek do miestnosti.",
|
||||
"This file is <b>too large</b> to upload. The file size limit is %(limit)s but this file is %(sizeOfThisFile)s.": "Tento súbor je <b>príliš veľký</b> na odoslanie. Limit veľkosti súboru je %(limit)s, ale tento súbor má %(sizeOfThisFile)s.",
|
||||
"Information": "Informácie",
|
||||
"Space information": "Informácie o priestore",
|
||||
"You can change this at any time from room settings.": "Túto možnosť môžete kedykoľvek zmeniť v nastaveniach miestnosti.",
|
||||
"Room settings": "Nastavenia miestnosti",
|
||||
"Room address": "Adresa miestnosti",
|
||||
"Get notifications as set up in your <a>settings</a>": "Dostávajte oznámenia podľa nastavenia v <a>nastaveniach</a>",
|
||||
"Visible to space members": "Viditeľné pre členov priestoru",
|
||||
"Space members": "Členovia priestoru",
|
||||
"Set addresses for this room so users can find this room through your homeserver (%(localDomain)s)": "Nastavte adresy pre túto miestnosť, aby ju používatelia mohli nájsť prostredníctvom vášho domovského servera (%(localDomain)s)",
|
||||
"You won't get any notifications": "Nebudete dostávať žiadne oznámenia",
|
||||
|
@ -1375,7 +1342,6 @@
|
|||
"Error removing address": "Chyba pri odstraňovaní adresy",
|
||||
"Error creating address": "Chyba pri vytváraní adresy",
|
||||
"Confirm to continue": "Potvrďte, ak chcete pokračovať",
|
||||
"Enable end-to-end encryption": "Zapnúť end-to-end šifrovanie",
|
||||
"Confirm account deactivation": "Potvrdiť deaktiváciu účtu",
|
||||
"Signature upload failed": "Nahrávanie podpisu zlyhalo",
|
||||
"Signature upload success": "Úspešné nahratie podpisu",
|
||||
|
@ -1407,9 +1373,7 @@
|
|||
"Switch theme": "Prepnúť motív",
|
||||
"Switch to dark mode": "Prepnúť na tmavý režim",
|
||||
"Switch to light mode": "Prepnúť na svetlý režim",
|
||||
"Send feedback": "Odoslať spätnú väzbu",
|
||||
"You may contact me if you have any follow up questions": "V prípade ďalších otázok ma môžete kontaktovať",
|
||||
"Your platform and username will be noted to help us use your feedback as much as we can.": "Vaša platforma a používateľské meno budú zaznamenané, aby sme mohli čo najlepšie využiť vašu spätnú väzbu.",
|
||||
"Search names and descriptions": "Vyhľadávanie názvov a popisov",
|
||||
"You may want to try a different search or check for typos.": "Možno by ste mali vyskúšať iné vyhľadávanie alebo skontrolovať preklepy.",
|
||||
"Recent searches": "Nedávne vyhľadávania",
|
||||
|
@ -1449,11 +1413,6 @@
|
|||
"Add a photo, so people can easily spot your room.": "Pridajte fotografiu, aby si ľudia mohli ľahko všimnúť vašu miestnosť.",
|
||||
"Enable encryption in settings.": "Zapnúť šifrovanie v nastaveniach.",
|
||||
"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.": "Vaše súkromné správy sú bežne šifrované, ale táto miestnosť nie je. Zvyčajne je to spôsobené nepodporovaným zariadením alebo použitou metódou, ako napríklad e-mailové pozvánky.",
|
||||
"You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "Túto funkciu môžete povoliť, ak sa miestnosť bude používať len na spoluprácu s internými tímami na vašom domovskom serveri. Neskôr sa to nedá zmeniť.",
|
||||
"Block anyone not part of %(serverName)s from ever joining this room.": "Zablokovať vstup do tejto miestnosti každému, kto nie je súčasťou %(serverName)s.",
|
||||
"Only people invited will be able to find and join this room.": "Len pozvaní ľudia budú môcť nájsť túto miestnosť a pripojiť sa k nej.",
|
||||
"You can't disable this later. Bridges & most bots won't work yet.": "Toto neskôr nemôžete vypnúť. Premostenia a väčšina botov zatiaľ nebudú fungovať.",
|
||||
"Specify a homeserver": "Zadajte domovský server",
|
||||
"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.",
|
||||
"Upgrade required": "Vyžaduje sa aktualizácia",
|
||||
|
@ -1462,17 +1421,12 @@
|
|||
"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.": "Zvyčajne to ovplyvňuje len spôsob spracovania miestnosti na serveri. Ak máte problémy s %(brand)s, nahláste prosím chybu.",
|
||||
"<b>Please note upgrading will make a new version of the room</b>. All current messages will stay in this archived room.": "<b>Vezmite prosím na vedomie, že aktualizácia vytvorí novú verziu miestnosti</b>. Všetky aktuálne správy zostanú v tejto archivovanej miestnosti.",
|
||||
"This upgrade will allow members of selected spaces access to this room without an invite.": "Táto aktualizácia umožní členom vybraných priestorov prístup do tejto miestnosti bez pozvánky.",
|
||||
"Change the topic of your active room": "Zmeňte tému vašej aktívnej miestnosti",
|
||||
"See when the topic changes in this room": "Zobraziť, kedy sa zmení téma v tejto miestnosti",
|
||||
"Change the topic of this room": "Zmeniť tému tejto miestnosti",
|
||||
"%(name)s cancelled": "%(name)s zrušil/a",
|
||||
"The poll has ended. No votes were cast.": "Anketa sa skončila. Nebol odovzdaný žiadny hlas.",
|
||||
"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é.",
|
||||
"Anyone in <SpaceName/> will be able to find and join.": "Ktokoľvek v <SpaceName/> bude môcť nájsť a pripojiť sa.",
|
||||
"Space visibility": "Viditeľnosť priestoru",
|
||||
"Anyone will be able to find and join this room.": "Ktokoľvek môže nájsť túto miestnosť a pripojiť sa k nej.",
|
||||
"Room visibility": "Viditeľnosť miestnosti",
|
||||
"Reason (optional)": "Dôvod (voliteľný)",
|
||||
"Confirm your Security Phrase": "Potvrďte svoju bezpečnostnú frázu",
|
||||
"Set a Security Phrase": "Nastaviť bezpečnostnú frázu",
|
||||
|
@ -1486,8 +1440,6 @@
|
|||
"This room isn't bridging messages to any platforms. <a>Learn more.</a>": "Táto miestnosť nepremosťuje správy so žiadnymi platformami. <a>Viac informácií</a>",
|
||||
"Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Zdieľajte anonymné údaje, ktoré nám pomôžu identifikovať problémy. Nič osobné. Žiadne tretie strany.",
|
||||
"Backup key cached:": "Záložný kľúč v medzipamäti:",
|
||||
"You may contact me if you want to follow up or to let me test out upcoming ideas": "Môžete ma kontaktovať, ak budete potrebovať nejaké ďalšie podrobnosti alebo otestovať chystané nápady",
|
||||
"Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.": "Najprv si prosím pozrite <existingIssuesLink>existujúce chyby na Githube</existingIssuesLink>. Žiadna zhoda? <newIssueLink>Založte novú</newIssueLink>.",
|
||||
"Home options": "Možnosti domovskej obrazovky",
|
||||
"Failed to connect to integration manager": "Nepodarilo sa pripojiť k správcovi integrácie",
|
||||
"You accepted": "Prijali ste",
|
||||
|
@ -1569,8 +1521,6 @@
|
|||
},
|
||||
"Allow people to preview your space before they join.": "Umožnite ľuďom prezrieť si váš priestor predtým, ako sa k vám pripoja.",
|
||||
"Preview Space": "Prehľad priestoru",
|
||||
"Anyone will be able to find and join this room, not just members of <SpaceName/>.": "Ktokoľvek bude môcť nájsť túto miestnosť a pripojiť sa k nej, nielen členovia <SpaceName/>.",
|
||||
"Everyone in <SpaceName/> will be able to find and join this room.": "Každý v <SpaceName/> bude môcť nájsť túto miestnosť a pripojiť sa k nej.",
|
||||
"Start new chat": "Spustiť novú konverzáciu",
|
||||
"Welcome to <name/>": "Vitajte v <name/>",
|
||||
"Pick rooms or conversations to add. This is just a space for you, no one will be informed. You can add more later.": "Vyberte miestnosti alebo konverzácie, ktoré chcete pridať. Toto je len priestor pre vás, nikto nebude informovaný. Neskôr môžete pridať ďalšie.",
|
||||
|
@ -1633,11 +1583,9 @@
|
|||
"Channel: <channelLink/>": "Kanál: <channelLink/>",
|
||||
"Workspace: <networkLink/>": "Pracovný priestor: <networkLink/>",
|
||||
"Dial pad": "Číselník",
|
||||
"Invalid URL": "Neplatná adresa URL",
|
||||
"Decline All": "Zamietnuť všetky",
|
||||
"Topic: %(topic)s ": "Téma: %(topic)s ",
|
||||
"Update %(brand)s": "Aktualizovať %(brand)s",
|
||||
"Feedback sent": "Spätná väzba odoslaná",
|
||||
"Unknown App": "Neznáma aplikácia",
|
||||
"Security Key": "Bezpečnostný kľúč",
|
||||
"Security Phrase": "Bezpečnostná fráza",
|
||||
|
@ -1698,7 +1646,6 @@
|
|||
"Suggested Rooms": "Navrhované miestnosti",
|
||||
"Share invite link": "Zdieľať odkaz na pozvánku",
|
||||
"Click to copy": "Kliknutím skopírujete",
|
||||
"We call the places where you can host your account 'homeservers'.": "Miesta, kde môžete hosťovať svoj účet, nazývame \" domovské servery\".",
|
||||
"Other rooms in %(spaceName)s": "Ostatné miestnosti v %(spaceName)s",
|
||||
"Other rooms": "Ostatné miestnosti",
|
||||
"There was an error creating that address. It may not be allowed by the server or a temporary failure occurred.": "Pri vytváraní tejto adresy došlo k chybe. Je možné, že ju server nepovoľuje alebo došlo k dočasnému zlyhaniu.",
|
||||
|
@ -1781,11 +1728,6 @@
|
|||
"Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Čaká sa na overenie na vašom druhom zariadení, %(deviceName)s (%(deviceId)s)…",
|
||||
"Waiting for you to verify on your other device…": "Čaká sa na overenie na vašom druhom zariadení…",
|
||||
"Forgotten or lost all recovery methods? <a>Reset all</a>": "Zabudli ste alebo ste stratili všetky metódy obnovy? <a>Resetovať všetko</a>",
|
||||
"New? <a>Create account</a>": "Ste tu nový? <a>Vytvorte si účet</a>",
|
||||
"Sign into your homeserver": "Prihláste sa do svojho domovského servera",
|
||||
"Use your preferred Matrix homeserver if you have one, or host your own.": "Použite preferovaný domovský server Matrixu, ak ho máte, alebo si vytvorte vlastný.",
|
||||
"Other homeserver": "Iný domovský server",
|
||||
"Matrix.org is the biggest public homeserver in the world, so it's a good place for many.": "Matrix.org je najväčší verejný domovský server na svete, takže je vhodným miestom pre mnohých.",
|
||||
"%(spaceName)s and %(count)s others": {
|
||||
"one": "%(spaceName)s a %(count)s ďalší",
|
||||
"other": "%(spaceName)s a %(count)s ďalší"
|
||||
|
@ -1794,8 +1736,6 @@
|
|||
"Enter your Security Phrase a second time to confirm it.": "Zadajte svoju bezpečnostnú frázu znova, aby ste ju potvrdili.",
|
||||
"Enter a Security Phrase": "Zadajte bezpečnostnú frázu",
|
||||
"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.",
|
||||
"Please enter a name for the room": "Zadajte prosím názov miestnosti",
|
||||
"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.",
|
||||
"Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Neznámy pár (používateľ, relácia): (%(userId)s, %(deviceId)s)",
|
||||
"Automatically send debug logs on decryption errors": "Automatické odosielanie záznamov ladenia pri chybe dešifrovania",
|
||||
"You were removed from %(roomName)s by %(memberName)s": "Boli ste odstránení z %(roomName)s používateľom %(memberName)s",
|
||||
|
@ -1841,7 +1781,6 @@
|
|||
"Join the conversation with an account": "Pripojte sa ku konverzácii pomocou účtu",
|
||||
"User Busy": "Používateľ je obsadený",
|
||||
"The operation could not be completed": "Operáciu nebolo možné dokončiť",
|
||||
"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.": "Túto funkciu môžete vypnúť, ak sa miestnosť bude používať na spoluprácu s externými tímami, ktoré majú vlastný domovský server. Neskôr sa to nedá zmeniť.",
|
||||
"Show all threads": "Zobraziť všetky vlákna",
|
||||
"Recently viewed": "Nedávno zobrazené",
|
||||
"Link to room": "Odkaz na miestnosť",
|
||||
|
@ -1863,16 +1802,11 @@
|
|||
"Your new device is now verified. Other users will see it as trusted.": "Vaše nové zariadenie je teraz overené. Ostatní používatelia ho budú vidieť ako dôveryhodné.",
|
||||
"Expand map": "Zväčšiť mapu",
|
||||
"Unrecognised room address: %(roomAlias)s": "Nerozpoznaná adresa miestnosti: %(roomAlias)s",
|
||||
"Command failed: Unable to find room (%(roomId)s": "Príkaz zlyhal: Nepodarilo sa nájsť miestnosť (%(roomId)s",
|
||||
"Could not fetch location": "Nepodarilo sa načítať polohu",
|
||||
"Unknown error fetching location. Please try again later.": "Neznáma chyba pri načítavaní polohy. Skúste to prosím neskôr.",
|
||||
"Failed to fetch your location. Please try again later.": "Nepodarilo sa načítať vašu polohu. Skúste to prosím neskôr.",
|
||||
"Timed out trying to fetch your location. Please try again later.": "Pri pokuse o načítanie vašej polohy došlo k vypršaniu času. Skúste to prosím neskôr.",
|
||||
"Message pending moderation": "Správa čaká na moderovanie",
|
||||
"You don't have permission to view messages from before you were invited.": "Nemáte povolenie na zobrazenie správ z obdobia pred vaším pozvaním.",
|
||||
"You don't have permission to view messages from before you joined.": "Nemáte oprávnenie na zobrazenie správ z obdobia pred vaším vstupom.",
|
||||
"Encrypted messages before this point are unavailable.": "Šifrované správy pred týmto bodom nie sú k dispozícii.",
|
||||
"You can't see earlier messages": "Nemôžete vidieť predchádzajúce správy",
|
||||
"Internal room ID": "Interné ID miestnosti",
|
||||
"Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "Priestory sú spôsoby zoskupovania miestností a ľudí. Popri priestoroch, v ktorých sa nachádzate, môžete použiť aj niektoré predpripravené priestory.",
|
||||
"Group all your favourite rooms and people in one place.": "Zoskupte všetky vaše obľúbené miestnosti a ľudí na jednom mieste.",
|
||||
|
@ -1898,10 +1832,7 @@
|
|||
"Great! This Security Phrase looks strong enough.": "Skvelé! Táto bezpečnostná fráza vyzerá dostatočne silná.",
|
||||
"Regain access to your account and recover encryption keys stored in this session. Without them, you won't be able to read all of your secure messages in any session.": "Obnovte prístup k svojmu účtu a obnovte šifrovacie kľúče uložené v tejto relácii. Bez nich nebudete môcť čítať všetky svoje zabezpečené správy v žiadnej relácii.",
|
||||
"Without verifying, you won't have access to all your messages and may appear as untrusted to others.": "Bez overenia nebudete mať prístup ku všetkým svojim správam a pre ostatných sa môžete javiť ako nedôveryhodní.",
|
||||
"Someone already has that username, please try another.": "Toto používateľské meno už niekto má, skúste iné.",
|
||||
"If you've joined lots of rooms, this might take a while": "Ak ste sa pripojili k mnohým miestnostiam, môže to chvíľu trvať",
|
||||
"There was a problem communicating with the homeserver, please try again later.": "Nastal problém pri komunikácii s domovským serverom. Skúste to prosím znova.",
|
||||
"New here? <a>Create an account</a>": "Ste tu nový? <a>Vytvorte si účet</a>",
|
||||
"What projects are your team working on?": "Na akých projektoch pracuje váš tím?",
|
||||
"You can add more later too, including already existing ones.": "Neskôr môžete pridať aj ďalšie, vrátane už existujúcich.",
|
||||
"Let's create a room for each of them.": "Vytvorme pre každú z nich miestnosť.",
|
||||
|
@ -1977,25 +1908,6 @@
|
|||
"Review to ensure your account is safe": "Skontrolujte, či je vaše konto bezpečné",
|
||||
"That's fine": "To je v poriadku",
|
||||
"This homeserver has been blocked by its administrator.": "Tento domovský server bol zablokovaný jeho správcom.",
|
||||
"See general files posted to your active room": "Zobraziť všeobecné súbory zverejnené vo vašej aktívnej miestnosti",
|
||||
"See videos posted to your active room": "Zobraziť videá zverejnené vo vašej aktívnej miestnosti",
|
||||
"See videos posted to this room": "Zobraziť videá zverejnené v tejto miestnosti",
|
||||
"See images posted to your active room": "Zobraziť obrázky zverejnené vo vašej aktívnej miestnosti",
|
||||
"See images posted to this room": "Zobraziť obrázky zverejnené v tejto miestnosti",
|
||||
"Send stickers to this room as you": "Poslať nálepky do tejto miestnosti pod vaším menom",
|
||||
"See when people join, leave, or are invited to your active room": "Zobraziť, keď sa ľudia pridajú, odídu alebo sú pozvaní do vašej aktívnej miestnosti",
|
||||
"See when the avatar changes in your active room": "Zobraziť, keď sa zmení obrázok vo vašej aktívnej miestnosti",
|
||||
"Change the avatar of your active room": "Zmeniť obrázok vašej aktívnej miestnosti",
|
||||
"See when the avatar changes in this room": "Zobraziť, keď sa zmení obrázok tejto miestnosti",
|
||||
"Change the avatar of this room": "Zmeniť obrázok tejto miestnosti",
|
||||
"See when the name changes in your active room": "Zobraziť, keď sa zmení názov vo vašej aktívnej miestnosti",
|
||||
"Change the name of your active room": "Zmeňte názov vo vašej aktívnej miestnosti",
|
||||
"See when the name changes in this room": "Zobraziť, kedy sa zmení názov v tejto miestnosti",
|
||||
"Change the name of this room": "Zmeniť názov tejto miestnosti",
|
||||
"Send stickers into your active room": "Poslať nálepky do vašej aktívnej miestnosti",
|
||||
"Send stickers into this room": "Poslať nálepky do tejto miestnosti",
|
||||
"Remain on your screen while running": "Zostať na vašej obrazovke počas spustenia",
|
||||
"Remain on your screen when viewing another room, when running": "Zostať na obrazovke pri sledovaní inej miestnosti, počas spustenia",
|
||||
"Cross-signing is not set up.": "Krížové podpisovanie nie je nastavené.",
|
||||
"Join the conference from the room information card on the right": "Pripojte sa ku konferencii z informačnej karty miestnosti vpravo",
|
||||
"Join the conference at the top of this room": "Pripojte sa ku konferencii v hornej časti tejto miestnosti",
|
||||
|
@ -2008,7 +1920,6 @@
|
|||
},
|
||||
"No answer": "Žiadna odpoveď",
|
||||
"Cross-signing is ready but keys are not backed up.": "Krížové podpisovanie je pripravené, ale kľúče nie sú zálohované.",
|
||||
"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",
|
||||
"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.",
|
||||
"Just a heads up, if you don't add an email and forget your password, you could <b>permanently lose access to your account</b>.": "Len upozorňujeme, že ak si nepridáte e-mail a zabudnete heslo, môžete <b>navždy stratiť prístup k svojmu účtu</b>.",
|
||||
"Data on this screen is shared with %(widgetDomain)s": "Údaje na tejto obrazovke sú zdieľané s %(widgetDomain)s",
|
||||
|
@ -2060,7 +1971,6 @@
|
|||
"A browser extension is preventing the request.": "Požiadavke bráni rozšírenie prehliadača.",
|
||||
"The server (%(serverName)s) took too long to respond.": "Serveru (%(serverName)s) trvalo príliš dlho, kým odpovedal.",
|
||||
"Your server isn't responding to some of your requests. Below are some of the most likely reasons.": "Váš server neodpovedá na niektoré vaše požiadavky. Nižšie sú uvedené niektoré z najpravdepodobnejších dôvodov.",
|
||||
"Unable to validate homeserver": "Nie je možné overiť domovský server",
|
||||
"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",
|
||||
"Mark as not suggested": "Označiť ako neodporúčaný",
|
||||
|
@ -2081,7 +1991,6 @@
|
|||
"Failed to transfer call": "Nepodarilo sa presmerovať hovor",
|
||||
"Transfer Failed": "Presmerovanie zlyhalo",
|
||||
"Unable to transfer call": "Nie je možné presmerovať hovor",
|
||||
"Change which room, message, or user you're viewing": "Zmeniť zobrazovanú miestnosť, správu alebo používateľa",
|
||||
"Move right": "Presun doprava",
|
||||
"Move left": "Presun doľava",
|
||||
"Unban from %(roomName)s": "Zrušiť zákaz vstup do %(roomName)s",
|
||||
|
@ -2124,42 +2033,7 @@
|
|||
"one": "Potvrďte odhlásenie tohto zariadenia pomocou jednotného prihlásenia (SSO) na preukázanie svojej totožnosti."
|
||||
},
|
||||
"Automatically send debug logs when key backup is not functioning": "Automaticky odosielať záznamy o ladení, ak zálohovanie kľúčov nefunguje",
|
||||
"See <b>%(msgtype)s</b> messages posted to your active room": "Zobraziť <b>%(msgtype)s</b> správy zverejnené vo vašej aktívnej miestnosti",
|
||||
"See <b>%(msgtype)s</b> messages posted to this room": "Zobraziť <b>%(msgtype)s</b> správy zverejnené v tejto miestnosti",
|
||||
"Send <b>%(msgtype)s</b> messages as you in your active room": "Odoslať <b>%(msgtype)s</b> správy pod vaším menom vo vašej aktívnej miestnosti",
|
||||
"Send <b>%(msgtype)s</b> messages as you in this room": "Odoslať <b>%(msgtype)s</b> správy pod vaším menom v tejto miestnosti",
|
||||
"See general files posted to this room": "Zobraziť všeobecné súbory zverejnené v tejto miestnosti",
|
||||
"Send general files as you in your active room": "Posielať všeobecné súbory pod vaším menom vo vašej aktívnej miestnosti",
|
||||
"Send general files as you in this room": "Posielať všeobecné súbory pod vaším menom v tejto miestnosti",
|
||||
"Send videos as you in your active room": "Posielať videá pod vaším menom vo vašej aktívnej miestnosti",
|
||||
"Send videos as you in this room": "Posielať videá pod vaším menom v tejto miestnosti",
|
||||
"Send images as you in your active room": "Posielať obrázky pod vaším menom vo vašej aktívnej miestnosti",
|
||||
"Send images as you in this room": "Posielať obrázky pod vaším menom v tejto miestnosti",
|
||||
"See emotes posted to your active room": "Zobraziť emotikony zverejnené vo vašej aktívnej miestnosti",
|
||||
"See emotes posted to this room": "Zobraziť emotikony zverejnené v tejto miestnosti",
|
||||
"Send emotes as you in your active room": "Posielať emotikony pod vaším menom vo vašej aktívnej miestnosti",
|
||||
"Send emotes as you in this room": "Posielať emotikony pod vaším menom v tejto miestnosti",
|
||||
"See text messages posted to your active room": "Zobraziť textové správy zverejnené vo vašej aktívnej miestnosti",
|
||||
"See text messages posted to this room": "Zobraziť textové správy zverejnené v tejto miestnosti",
|
||||
"Send text messages as you in this room": "Posielať textové správy pod vaším menom v tejto miestnosti",
|
||||
"Send text messages as you in your active room": "Posielať textové správy pod vaším menom vo vašej aktívnej miestnosti",
|
||||
"See messages posted to your active room": "Zobraziť správy zverejnené vo vašej aktívnej miestnosti",
|
||||
"See messages posted to this room": "Zobraziť správy zverejnené v tejto miestnosti",
|
||||
"Send messages as you in your active room": "Posielať správy pod vaším menom vo vašej aktívnej miestnosti",
|
||||
"Send messages as you in this room": "Posielať správy pod vaším menom v tejto miestnosti",
|
||||
"See <b>%(eventType)s</b> events posted to your active room": "Zobraziť <b>%(eventType)s</b> udalosti zverejnené vo vašej aktívnej miestnosti",
|
||||
"Send <b>%(eventType)s</b> events as you in your active room": "Odoslať <b>%(eventType)s</b> udalosti pod vaším menom vo vašej aktívnej miestnosti",
|
||||
"See <b>%(eventType)s</b> events posted to this room": "Zobraziť <b>%(eventType)s</b> udalosti zverejnené v tejto miestnosti",
|
||||
"Send <b>%(eventType)s</b> events as you in this room": "Odoslať <b>%(eventType)s</b> udalosti pod vaším menom v tejto miestnosti",
|
||||
"See when anyone posts a sticker to your active room": "Zobraziť, keď niekto zverejní nálepku vo vašej aktívnej miestnosti",
|
||||
"Send stickers to your active room as you": "Poslať nálepky do tejto miestnosti pod vaším menom",
|
||||
"See when a sticker is posted in this room": "Zobraziť, keď sa v tejto miestnosti zverejní nálepka",
|
||||
"See when people join, leave, or are invited to this room": "Zobraziť, keď sa ľudia pridajú, odídu alebo sú pozvaní do tejto miestnosti",
|
||||
"See when the topic changes in your active room": "Zobraziť, keď sa zmení téma vo vašej aktívnej miestnosti",
|
||||
"Change which room you're viewing": "Zmeniť zobrazovanú miestnosť",
|
||||
"Light high contrast": "Ľahký vysoký kontrast",
|
||||
"Command error: Unable to find rendering type (%(renderingType)s)": "Chyba príkazu: Nie je možné nájsť typ vykresľovania (%(renderingType)s)",
|
||||
"Command error: Unable to handle slash command.": "Chyba príkazu: Nie je možné spracovať lomkový príkaz.",
|
||||
"Command Help": "Pomocník príkazov",
|
||||
"My live location": "Moja poloha v reálnom čase",
|
||||
"My current location": "Moja aktuálna poloha",
|
||||
|
@ -2184,7 +2058,6 @@
|
|||
"Ban them from everything I'm able to": "Zakázať im všetko, na čo mám oprávnenie",
|
||||
"Unban them from specific things I'm able to": "Zrušiť im zákaz z konkrétnych právomocí, na ktoré mám oprávnenie",
|
||||
"Ban them from specific things I'm able to": "Zakázať im konkrétne právomoci, na ktoré mám oprávnenie",
|
||||
"Remove, ban, or invite people to this room, and make you leave": "Odstrániť, zakázať alebo pozvať ľudí do tejto miestnosti, a odísť",
|
||||
"Unable to load map": "Nie je možné načítať mapu",
|
||||
"Shared their location: ": "Zdieľali svoju polohu: ",
|
||||
"Shared a location: ": "Zdieľal/a polohu: ",
|
||||
|
@ -2192,16 +2065,11 @@
|
|||
"This homeserver is not configured correctly to display maps, or the configured map server may be unreachable.": "Tento domovský server nie je správne nastavený na zobrazovanie máp alebo nastavený mapový server môže byť nedostupný.",
|
||||
"Can't create a thread from an event with an existing relation": "Nie je možné vytvoriť vlákno z udalosti s existujúcim vzťahom",
|
||||
"Match system": "Zhoda so systémom",
|
||||
"The <b>%(capability)s</b> capability": "Schopnosť <b>%(capability)s</b>",
|
||||
"Joined": "Ste pripojený",
|
||||
"Resend %(unsentCount)s reaction(s)": "Opätovné odoslanie %(unsentCount)s reakcií",
|
||||
"Consult first": "Najprv konzultovať",
|
||||
"Disinvite from %(roomName)s": "Zrušenie pozvania z %(roomName)s",
|
||||
"Don't miss a reply": "Nezmeškajte odpoveď",
|
||||
"The above, but in <Room /> as well": "Vyššie uvedené, ale aj v <Room />",
|
||||
"The above, but in any room you are joined or invited to as well": "Vyššie uvedené, ale tiež v akejkoľvek miestnosti do ktorej ste sa pripojili alebo do ktorej ste boli prizvaný",
|
||||
"with state key %(stateKey)s": "so stavovým kľúčom %(stateKey)s",
|
||||
"with an empty state key": "s prázdnym stavovým kľúčom",
|
||||
"You are sharing your live location": "Zdieľate svoju polohu v reálnom čase",
|
||||
"%(displayName)s's live location": "Poloha používateľa %(displayName)s v reálnom čase",
|
||||
"Uncheck if you also want to remove system messages on this user (e.g. membership change, profile change…)": "Zrušte označenie, ak chcete odstrániť aj systémové správy o tomto používateľovi (napr. zmena členstva, zmena profilu...)",
|
||||
|
@ -2361,7 +2229,6 @@
|
|||
"Show spaces": "Zobraziť priestory",
|
||||
"Show rooms": "Zobraziť miestnosti",
|
||||
"Explore public spaces in the new search dialog": "Preskúmajte verejné priestory v novom okne vyhľadávania",
|
||||
"You can't disable this later. The room will be encrypted but the embedded call will not.": "Toto nebude možné neskôr vypnúť. Miestnosť bude zašifrovaná, ale vložený hovor nie.",
|
||||
"Join the room to participate": "Pripojte sa k miestnosti a zúčastnite sa",
|
||||
"Reset bearing to north": "Obnoviť smer na sever",
|
||||
"Mapbox logo": "Logo Mapbox",
|
||||
|
@ -2541,20 +2408,13 @@
|
|||
"When enabled, the other party might be able to see your IP address": "Ak je táto možnosť povolená, druhá strana môže vidieť vašu IP adresu",
|
||||
"Allow Peer-to-Peer for 1:1 calls": "Povolenie Peer-to-Peer pre hovory 1:1",
|
||||
"Go live": "Prejsť naživo",
|
||||
"That e-mail address or phone number is already in use.": "Táto e-mailová adresa alebo telefónne číslo sa už používa.",
|
||||
"This means that you have all the keys needed to unlock your encrypted messages and confirm to other users that you trust this session.": "Toto znamená, že máte všetky kľúče potrebné na odomknutie zašifrovaných správ a potvrdzujete ostatným používateľom, že tejto relácii dôverujete.",
|
||||
"Verified sessions are anywhere you are using this account after entering your passphrase or confirming your identity with another verified session.": "Overené relácie sú všade tam, kde používate toto konto po zadaní svojho prístupového hesla alebo po potvrdení vašej totožnosti inou overenou reláciou.",
|
||||
"Show details": "Zobraziť podrobnosti",
|
||||
"Hide details": "Skryť podrobnosti",
|
||||
"30s forward": "30s dopredu",
|
||||
"30s backward": "30s späť",
|
||||
"Verify your email to continue": "Overte svoj e-mail a pokračujte",
|
||||
"<b>%(homeserver)s</b> will send you a verification link to let you reset your password.": "<b>%(homeserver)s</b> vám pošle overovací odkaz, ktorý vám umožní obnoviť heslo.",
|
||||
"Enter your email to reset password": "Zadajte svoj e-mail na obnovenie hesla",
|
||||
"Send email": "Poslať e-mail",
|
||||
"Verification link email resent!": "E-mail s overovacím odkazom bol znovu odoslaný!",
|
||||
"Did not receive it?": "Nedostali ste ho?",
|
||||
"Follow the instructions sent to <b>%(email)s</b>": "Postupujte podľa pokynov zaslaných na <b>%(email)s</b>",
|
||||
"Sign out of all devices": "Odhlásiť sa zo všetkých zariadení",
|
||||
"Confirm new password": "Potvrdiť nové heslo",
|
||||
"Too many attempts in a short time. Retry after %(timeout)s.": "Príliš veľa pokusov v krátkom čase. Opakujte pokus po %(timeout)s.",
|
||||
|
@ -2573,9 +2433,6 @@
|
|||
"Low bandwidth mode": "Režim nízkej šírky pásma",
|
||||
"You have unverified sessions": "Máte neoverené relácie",
|
||||
"Change layout": "Zmeniť rozloženie",
|
||||
"Sign in instead": "Radšej sa prihlásiť",
|
||||
"Re-enter email address": "Znovu zadajte e-mailovú adresu",
|
||||
"Wrong email address?": "Nesprávna e-mailová adresa?",
|
||||
"Search users in this room…": "Vyhľadať používateľov v tejto miestnosti…",
|
||||
"Give one or multiple users in this room more privileges": "Prideliť jednému alebo viacerým používateľom v tejto miestnosti viac oprávnení",
|
||||
"Add privileged users": "Pridať oprávnených používateľov",
|
||||
|
@ -2603,7 +2460,6 @@
|
|||
"Your current session is ready for secure messaging.": "Vaša aktuálna relácia je pripravená na bezpečné zasielanie správ.",
|
||||
"Text": "Text",
|
||||
"Create a link": "Vytvoriť odkaz",
|
||||
"Force 15s voice broadcast chunk length": "Vynútiť 15s dĺžku sekcie hlasového vysielania",
|
||||
"Sign out of %(count)s sessions": {
|
||||
"one": "Odhlásiť sa z %(count)s relácie",
|
||||
"other": "Odhlásiť sa z %(count)s relácií"
|
||||
|
@ -2638,11 +2494,8 @@
|
|||
"Declining…": "Odmietanie …",
|
||||
"Enter a Security Phrase only you know, as it's used to safeguard your data. To be secure, you shouldn't re-use your account password.": "Zadajte bezpečnostnú frázu, ktorú poznáte len vy, keďže sa používa na ochranu vašich údajov. V záujme bezpečnosti by ste nemali heslo k účtu používať opakovane.",
|
||||
"Starting backup…": "Začína sa zálohovanie…",
|
||||
"We need to know it’s you before resetting your password. Click the link in the email we just sent to <b>%(email)s</b>": "Pred obnovením hesla potrebujeme vedieť, že ste to naozaj vy. Kliknite na odkaz v e-maile, ktorý sme vám práve poslali <b>%(email)s</b>",
|
||||
"Warning: your personal data (including encryption keys) is still stored in this session. Clear it if you're finished using this session, or want to sign in to another account.": "Varovanie: Vaše osobné údaje (vrátane šifrovacích kľúčov) sú stále uložené v tejto relácií. Vymažte ich, ak ste ukončili používanie tejto relácie alebo sa chcete prihlásiť do iného konta.",
|
||||
"Please only proceed if you're sure you've lost all of your other devices and your Security Key.": "Pokračujte prosím iba vtedy, ak ste si istí, že ste stratili všetky ostatné zariadenia a váš bezpečnostný kľúč.",
|
||||
"Signing In…": "Prihlasovanie…",
|
||||
"Syncing…": "Synchronizácia…",
|
||||
"Inviting…": "Pozývanie…",
|
||||
"Creating rooms…": "Vytváranie miestností…",
|
||||
"Keep going…": "Pokračujte…",
|
||||
|
@ -2707,7 +2560,6 @@
|
|||
"Once everyone has joined, you’ll be able to chat": "Keď sa všetci pridajú, budete môcť konverzovať",
|
||||
"An error occurred when updating your notification preferences. Please try to toggle your option again.": "Pri aktualizácii vašich predvolieb oznámení došlo k chybe. Skúste prosím prepnúť možnosť znova.",
|
||||
"Desktop app logo": "Logo aplikácie pre stolové počítače",
|
||||
"Use your account to continue.": "Ak chcete pokračovať, použite svoje konto.",
|
||||
"Log out and back in to disable": "Odhláste sa a znova sa prihláste, aby sa to vyplo",
|
||||
"Can currently only be enabled via config.json": "V súčasnosti sa dá povoliť len prostredníctvom súboru config.json",
|
||||
"Requires your server to support the stable version of MSC3827": "Vyžaduje, aby váš server podporoval stabilnú verziu MSC3827",
|
||||
|
@ -2757,7 +2609,6 @@
|
|||
"Try using %(server)s": "Skúste použiť %(server)s",
|
||||
"User is not logged in": "Používateľ nie je prihlásený",
|
||||
"Allow fallback call assist server (%(server)s)": "Povoliť náhradnú službu hovorov asistenčného servera (%(server)s)",
|
||||
"Enable new native OIDC flows (Under active development)": "Povoliť nové natívne toky OIDC (v štádiu aktívneho vývoja)",
|
||||
"Your server requires encryption to be disabled.": "Váš server vyžaduje vypnuté šifrovanie.",
|
||||
"Are you sure you wish to remove (delete) this event?": "Ste si istí, že chcete túto udalosť odstrániť (vymazať)?",
|
||||
"Note that removing room changes like this could undo the change.": "Upozorňujeme, že odstránením takýchto zmien v miestnosti by sa zmena mohla zvrátiť.",
|
||||
|
@ -2770,8 +2621,6 @@
|
|||
"Show a badge <badge/> when keywords are used in a room.": "Zobraziť odznak <badge/> pri použití kľúčových slov v miestnosti.",
|
||||
"Something went wrong.": "Niečo sa pokazilo.",
|
||||
"User cannot be invited until they are unbanned": "Používateľ nemôže byť pozvaný, kým nie je zrušený jeho zákaz",
|
||||
"Views room with given address": "Zobrazí miestnosti s danou adresou",
|
||||
"Notification Settings": "Nastavenia oznámení",
|
||||
"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.",
|
||||
"Email summary": "Emailový súhrn",
|
||||
|
@ -2790,9 +2639,7 @@
|
|||
"Messages here are end-to-end encrypted. Verify %(displayName)s in their profile - tap on their profile picture.": "Správy sú tu end-to-end šifrované. Overte %(displayName)s v ich profile - ťuknite na ich profilový obrázok.",
|
||||
"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.": "Správy v tejto miestnosti sú šifrované od vás až k príjemcovi. Keď sa ľudia pridajú, môžete ich overiť v ich profile, stačí len ťuknúť na ich profilový obrázok.",
|
||||
"Your profile picture URL": "Vaša URL adresa profilového obrázka",
|
||||
"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ť.",
|
||||
"Upgrade room": "Aktualizovať miestnosť",
|
||||
"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 @displayname or %(mxid)s": "Upozorniť, keď sa niekto zmieni použitím @zobrazovanemeno alebo %(mxid)s",
|
||||
"Notify when someone uses a keyword": "Upozorniť, keď niekto použije kľúčové slovo",
|
||||
|
@ -2906,7 +2753,8 @@
|
|||
"cross_signing": "Krížové podpisovanie",
|
||||
"identity_server": "Server totožností",
|
||||
"integration_manager": "Správca integrácie",
|
||||
"qr_code": "QR kód"
|
||||
"qr_code": "QR kód",
|
||||
"feedback": "Spätná väzba"
|
||||
},
|
||||
"action": {
|
||||
"continue": "Pokračovať",
|
||||
|
@ -3079,7 +2927,10 @@
|
|||
"leave_beta_reload": "Po opustení beta verzie sa znovu načíta aplikácia %(brand)s.",
|
||||
"join_beta_reload": "Vstupom do beta verzie sa %(brand)s znovu načíta.",
|
||||
"leave_beta": "Opustiť beta verziu",
|
||||
"join_beta": "Pripojte sa k beta verzii"
|
||||
"join_beta": "Pripojte sa k beta verzii",
|
||||
"notification_settings_beta_title": "Nastavenia oznámení",
|
||||
"voice_broadcast_force_small_chunks": "Vynútiť 15s dĺžku sekcie hlasového vysielania",
|
||||
"oidc_native_flow": "Povoliť nové natívne toky OIDC (v štádiu aktívneho vývoja)"
|
||||
},
|
||||
"keyboard": {
|
||||
"home": "Domov",
|
||||
|
@ -3367,7 +3218,9 @@
|
|||
"timeline_image_size": "Veľkosť obrázku na časovej osi",
|
||||
"timeline_image_size_default": "Predvolené",
|
||||
"timeline_image_size_large": "Veľký"
|
||||
}
|
||||
},
|
||||
"inline_url_previews_room_account": "Povoliť náhľady URL adries pre túto miestnosť (ovplyvňuje len vás)",
|
||||
"inline_url_previews_room": "Predvolene povoliť náhľady URL adries pre členov tejto miestnosti"
|
||||
},
|
||||
"devtools": {
|
||||
"send_custom_account_data_event": "Odoslať vlastnú udalosť s údajmi o účte",
|
||||
|
@ -3526,7 +3379,25 @@
|
|||
"title_public_room": "Vytvoriť verejnú miestnosť",
|
||||
"title_private_room": "Vytvoriť súkromnú miestnosť",
|
||||
"action_create_video_room": "Vytvoriť video miestnosť",
|
||||
"action_create_room": "Vytvoriť miestnosť"
|
||||
"action_create_room": "Vytvoriť miestnosť",
|
||||
"name_validation_required": "Zadajte prosím názov miestnosti",
|
||||
"join_rule_restricted_label": "Každý v <SpaceName/> bude môcť nájsť túto miestnosť a pripojiť sa k nej.",
|
||||
"join_rule_change_notice": "Túto možnosť môžete kedykoľvek zmeniť v nastaveniach miestnosti.",
|
||||
"join_rule_public_parent_space_label": "Ktokoľvek bude môcť nájsť túto miestnosť a pripojiť sa k nej, nielen členovia <SpaceName/>.",
|
||||
"join_rule_public_label": "Ktokoľvek môže nájsť túto miestnosť a pripojiť sa k nej.",
|
||||
"join_rule_invite_label": "Len pozvaní ľudia budú môcť nájsť túto miestnosť a pripojiť sa k nej.",
|
||||
"join_rule_knock_label": "O pripojenie môže požiadať ktokoľvek, ale administrátori alebo moderátori musia udeliť prístup. Toto môžete neskôr zmeniť.",
|
||||
"encrypted_video_room_warning": "Toto nebude možné neskôr vypnúť. Miestnosť bude zašifrovaná, ale vložený hovor nie.",
|
||||
"encrypted_warning": "Toto neskôr nemôžete vypnúť. Premostenia a väčšina botov zatiaľ nebudú fungovať.",
|
||||
"encryption_forced": "Váš server vyžaduje zapnuté šifrovanie v súkromných miestnostiach.",
|
||||
"encryption_label": "Zapnúť end-to-end šifrovanie",
|
||||
"unfederated_label_default_off": "Túto funkciu môžete povoliť, ak sa miestnosť bude používať len na spoluprácu s internými tímami na vašom domovskom serveri. Neskôr sa to nedá zmeniť.",
|
||||
"unfederated_label_default_on": "Túto funkciu môžete vypnúť, ak sa miestnosť bude používať na spoluprácu s externými tímami, ktoré majú vlastný domovský server. Neskôr sa to nedá zmeniť.",
|
||||
"topic_label": "Téma (voliteľné)",
|
||||
"room_visibility_label": "Viditeľnosť miestnosti",
|
||||
"join_rule_invite": "Súkromná miestnosť (len pre pozvaných)",
|
||||
"join_rule_restricted": "Viditeľné pre členov priestoru",
|
||||
"unfederated": "Zablokovať vstup do tejto miestnosti každému, kto nie je súčasťou %(serverName)s."
|
||||
},
|
||||
"timeline": {
|
||||
"m.call": {
|
||||
|
@ -3808,7 +3679,11 @@
|
|||
"changed_rule_rooms": "%(senderName)s zmenil pravidlo zakázať vstúpiť do miestností pôvodne zhodujúcich sa s %(oldGlob)s na miestnosti zhodujúce sa s %(newGlob)s, dôvod: %(reason)s",
|
||||
"changed_rule_servers": "%(senderName)s zmenil pravidlo, ktoré zakazovalo servery zodpovedajúce %(oldGlob)s na zodpovedajúce %(newGlob)s z %(reason)s",
|
||||
"changed_rule_glob": "%(senderName)s aktualizoval pravidlo zakázať vstúpiť pôvodne sa zhodujúce s %(oldGlob)s na %(newGlob)s, dôvod: %(reason)s"
|
||||
}
|
||||
},
|
||||
"no_permission_messages_before_invite": "Nemáte povolenie na zobrazenie správ z obdobia pred vaším pozvaním.",
|
||||
"no_permission_messages_before_join": "Nemáte oprávnenie na zobrazenie správ z obdobia pred vaším vstupom.",
|
||||
"encrypted_historical_messages_unavailable": "Šifrované správy pred týmto bodom nie sú k dispozícii.",
|
||||
"historical_messages_unavailable": "Nemôžete vidieť predchádzajúce správy"
|
||||
},
|
||||
"slash_command": {
|
||||
"spoiler": "Odošle danú správu ako spojler",
|
||||
|
@ -3868,7 +3743,15 @@
|
|||
"holdcall": "Podrží hovor v aktuálnej miestnosti",
|
||||
"no_active_call": "V tejto miestnosti nie je aktívny žiadny hovor",
|
||||
"unholdcall": "Zruší podržanie hovoru v aktuálnej miestnosti",
|
||||
"me": "Zobrazí akciu"
|
||||
"me": "Zobrazí akciu",
|
||||
"error_invalid_runfn": "Chyba príkazu: Nie je možné spracovať lomkový príkaz.",
|
||||
"error_invalid_rendering_type": "Chyba príkazu: Nie je možné nájsť typ vykresľovania (%(renderingType)s)",
|
||||
"join": "Pridať sa do miestnosti s danou adresou",
|
||||
"view": "Zobrazí miestnosti s danou adresou",
|
||||
"failed_find_room": "Príkaz zlyhal: Nepodarilo sa nájsť miestnosť (%(roomId)s",
|
||||
"failed_find_user": "Nepodarilo sa nájsť používateľa v miestnosti",
|
||||
"op": "Definovať úrovne oprávnenia používateľa",
|
||||
"deop": "Zruší stav moderátor používateľovi so zadaným ID"
|
||||
},
|
||||
"presence": {
|
||||
"busy": "Obsadený/zaneprázdnený",
|
||||
|
@ -4052,13 +3935,57 @@
|
|||
"reset_password_title": "Obnovte svoje heslo",
|
||||
"continue_with_sso": "Pokračovať s %(ssoButtons)s",
|
||||
"sso_or_username_password": "%(ssoButtons)s alebo %(usernamePassword)s",
|
||||
"sign_in_instead": "Už máte účet? <a>Prihláste sa tu</a>",
|
||||
"sign_in_instead": "Radšej sa prihlásiť",
|
||||
"account_clash": "Váš nový účet (%(newAccountId)s) je registrovaný, ale už ste prihlásený pod iným účtom (%(loggedInUserId)s).",
|
||||
"account_clash_previous_account": "Pokračovať s predošlým účtom",
|
||||
"log_in_new_account": "<a>Prihláste sa</a> do vášho nového účtu.",
|
||||
"registration_successful": "Úspešná registrácia",
|
||||
"server_picker_title": "Hostiteľský účet na",
|
||||
"server_picker_dialog_title": "Rozhodnite sa, kde bude váš účet hostovaný"
|
||||
"server_picker_title": "Prihláste sa do svojho domovského servera",
|
||||
"server_picker_dialog_title": "Rozhodnite sa, kde bude váš účet hostovaný",
|
||||
"footer_powered_by_matrix": "používa protokol Matrix",
|
||||
"failed_homeserver_discovery": "Nepodarilo sa zistiť adresu domovského servera",
|
||||
"sync_footer_subtitle": "Ak ste sa pripojili k mnohým miestnostiam, môže to chvíľu trvať",
|
||||
"syncing": "Synchronizácia…",
|
||||
"signing_in": "Prihlasovanie…",
|
||||
"unsupported_auth_msisdn": "Tento server nepodporuje overenie telefónnym číslom.",
|
||||
"unsupported_auth_email": "Tento domovský server nepodporuje prihlásenie sa zadaním emailovej adresy.",
|
||||
"unsupported_auth": "Tento domovský server neponúka žiadne prihlasovacie toky podporované týmto klientom.",
|
||||
"registration_disabled": "Na tomto domovskom serveri nie je povolená registrácia.",
|
||||
"failed_query_registration_methods": "Nie je možné požiadať o podporované metódy registrácie.",
|
||||
"username_in_use": "Toto používateľské meno už niekto má, skúste iné.",
|
||||
"3pid_in_use": "Táto e-mailová adresa alebo telefónne číslo sa už používa.",
|
||||
"incorrect_password": "Nesprávne heslo",
|
||||
"failed_soft_logout_auth": "Nepodarilo sa opätovne overiť",
|
||||
"soft_logout_heading": "Ste odhlásený",
|
||||
"forgot_password_email_required": "Musíte zadať emailovú adresu prepojenú s vašim účtom.",
|
||||
"forgot_password_email_invalid": "Zdá sa, že e-mailová adresa nie je platná.",
|
||||
"sign_in_prompt": "Máte účet? <a>Prihláste sa</a>",
|
||||
"verify_email_heading": "Overte svoj e-mail a pokračujte",
|
||||
"forgot_password_prompt": "Zabudli ste heslo?",
|
||||
"soft_logout_intro_password": "Zadaním hesla sa prihláste a obnovte prístup k svojmu účtu.",
|
||||
"soft_logout_intro_sso": "Prihláste sa a znovuzískajte prístup k vášmu účtu.",
|
||||
"soft_logout_intro_unsupported_auth": "Nemôžete sa prihlásiť do vášho účtu. Kontaktujte prosím vášho správcu domovského servera pre viac informácií.",
|
||||
"check_email_explainer": "Postupujte podľa pokynov zaslaných na <b>%(email)s</b>",
|
||||
"check_email_wrong_email_prompt": "Nesprávna e-mailová adresa?",
|
||||
"check_email_wrong_email_button": "Znovu zadajte e-mailovú adresu",
|
||||
"check_email_resend_prompt": "Nedostali ste ho?",
|
||||
"check_email_resend_tooltip": "E-mail s overovacím odkazom bol znovu odoslaný!",
|
||||
"enter_email_heading": "Zadajte svoj e-mail na obnovenie hesla",
|
||||
"enter_email_explainer": "<b>%(homeserver)s</b> vám pošle overovací odkaz, ktorý vám umožní obnoviť heslo.",
|
||||
"verify_email_explainer": "Pred obnovením hesla potrebujeme vedieť, že ste to naozaj vy. Kliknite na odkaz v e-maile, ktorý sme vám práve poslali <b>%(email)s</b>",
|
||||
"create_account_prompt": "Ste tu nový? <a>Vytvorte si účet</a>",
|
||||
"sign_in_or_register": "Prihlásiť sa alebo vytvoriť nový účet",
|
||||
"sign_in_or_register_description": "Použite váš existujúci účet alebo si vytvorte nový, aby ste mohli pokračovať.",
|
||||
"sign_in_description": "Ak chcete pokračovať, použite svoje konto.",
|
||||
"register_action": "Vytvoriť účet",
|
||||
"server_picker_failed_validate_homeserver": "Nie je možné overiť domovský server",
|
||||
"server_picker_invalid_url": "Neplatná adresa URL",
|
||||
"server_picker_required": "Zadajte domovský server",
|
||||
"server_picker_matrix.org": "Matrix.org je najväčší verejný domovský server na svete, takže je vhodným miestom pre mnohých.",
|
||||
"server_picker_intro": "Miesta, kde môžete hosťovať svoj účet, nazývame \" domovské servery\".",
|
||||
"server_picker_custom": "Iný domovský server",
|
||||
"server_picker_explainer": "Použite preferovaný domovský server Matrixu, ak ho máte, alebo si vytvorte vlastný.",
|
||||
"server_picker_learn_more": "O domovských serveroch"
|
||||
},
|
||||
"room_list": {
|
||||
"sort_unread_first": "Najprv ukázať miestnosti s neprečítanými správami",
|
||||
|
@ -4109,5 +4036,81 @@
|
|||
"access_token_detail": "Váš prístupový token poskytuje úplný prístup k vášmu účtu. S nikým ho nezdieľajte.",
|
||||
"clear_cache_reload": "Vymazať vyrovnávaciu pamäť a načítať znovu"
|
||||
}
|
||||
},
|
||||
"widget": {
|
||||
"capability": {
|
||||
"send_stickers_this_room": "Poslať nálepky do tejto miestnosti",
|
||||
"send_stickers_active_room": "Poslať nálepky do vašej aktívnej miestnosti",
|
||||
"send_stickers_this_room_as_you": "Poslať nálepky do tejto miestnosti pod vaším menom",
|
||||
"send_stickers_active_room_as_you": "Poslať nálepky do tejto miestnosti pod vaším menom",
|
||||
"see_sticker_posted_this_room": "Zobraziť, keď sa v tejto miestnosti zverejní nálepka",
|
||||
"see_sticker_posted_active_room": "Zobraziť, keď niekto zverejní nálepku vo vašej aktívnej miestnosti",
|
||||
"always_on_screen_viewing_another_room": "Zostať na obrazovke pri sledovaní inej miestnosti, počas spustenia",
|
||||
"always_on_screen_generic": "Zostať na vašej obrazovke počas spustenia",
|
||||
"switch_room": "Zmeniť zobrazovanú miestnosť",
|
||||
"switch_room_message_user": "Zmeniť zobrazovanú miestnosť, správu alebo používateľa",
|
||||
"change_topic_this_room": "Zmeniť tému tejto miestnosti",
|
||||
"see_topic_change_this_room": "Zobraziť, kedy sa zmení téma v tejto miestnosti",
|
||||
"change_topic_active_room": "Zmeňte tému vašej aktívnej miestnosti",
|
||||
"see_topic_change_active_room": "Zobraziť, keď sa zmení téma vo vašej aktívnej miestnosti",
|
||||
"change_name_this_room": "Zmeniť názov tejto miestnosti",
|
||||
"see_name_change_this_room": "Zobraziť, kedy sa zmení názov v tejto miestnosti",
|
||||
"change_name_active_room": "Zmeňte názov vo vašej aktívnej miestnosti",
|
||||
"see_name_change_active_room": "Zobraziť, keď sa zmení názov vo vašej aktívnej miestnosti",
|
||||
"change_avatar_this_room": "Zmeniť obrázok tejto miestnosti",
|
||||
"see_avatar_change_this_room": "Zobraziť, keď sa zmení obrázok tejto miestnosti",
|
||||
"change_avatar_active_room": "Zmeniť obrázok vašej aktívnej miestnosti",
|
||||
"see_avatar_change_active_room": "Zobraziť, keď sa zmení obrázok vo vašej aktívnej miestnosti",
|
||||
"remove_ban_invite_leave_this_room": "Odstrániť, zakázať alebo pozvať ľudí do tejto miestnosti, a odísť",
|
||||
"receive_membership_this_room": "Zobraziť, keď sa ľudia pridajú, odídu alebo sú pozvaní do tejto miestnosti",
|
||||
"remove_ban_invite_leave_active_room": "Odstráňte, zakážte alebo pozvite ľudí do svojej aktívnej miestnosti and make you leave",
|
||||
"receive_membership_active_room": "Zobraziť, keď sa ľudia pridajú, odídu alebo sú pozvaní do vašej aktívnej miestnosti",
|
||||
"byline_empty_state_key": "s prázdnym stavovým kľúčom",
|
||||
"byline_state_key": "so stavovým kľúčom %(stateKey)s",
|
||||
"any_room": "Vyššie uvedené, ale tiež v akejkoľvek miestnosti do ktorej ste sa pripojili alebo do ktorej ste boli prizvaný",
|
||||
"specific_room": "Vyššie uvedené, ale aj v <Room />",
|
||||
"send_event_type_this_room": "Odoslať <b>%(eventType)s</b> udalosti pod vaším menom v tejto miestnosti",
|
||||
"see_event_type_sent_this_room": "Zobraziť <b>%(eventType)s</b> udalosti zverejnené v tejto miestnosti",
|
||||
"send_event_type_active_room": "Odoslať <b>%(eventType)s</b> udalosti pod vaším menom vo vašej aktívnej miestnosti",
|
||||
"see_event_type_sent_active_room": "Zobraziť <b>%(eventType)s</b> udalosti zverejnené vo vašej aktívnej miestnosti",
|
||||
"capability": "Schopnosť <b>%(capability)s</b>",
|
||||
"send_messages_this_room": "Posielať správy pod vaším menom v tejto miestnosti",
|
||||
"send_messages_active_room": "Posielať správy pod vaším menom vo vašej aktívnej miestnosti",
|
||||
"see_messages_sent_this_room": "Zobraziť správy zverejnené v tejto miestnosti",
|
||||
"see_messages_sent_active_room": "Zobraziť správy zverejnené vo vašej aktívnej miestnosti",
|
||||
"send_text_messages_this_room": "Posielať textové správy pod vaším menom v tejto miestnosti",
|
||||
"send_text_messages_active_room": "Posielať textové správy pod vaším menom vo vašej aktívnej miestnosti",
|
||||
"see_text_messages_sent_this_room": "Zobraziť textové správy zverejnené v tejto miestnosti",
|
||||
"see_text_messages_sent_active_room": "Zobraziť textové správy zverejnené vo vašej aktívnej miestnosti",
|
||||
"send_emotes_this_room": "Posielať emotikony pod vaším menom v tejto miestnosti",
|
||||
"send_emotes_active_room": "Posielať emotikony pod vaším menom vo vašej aktívnej miestnosti",
|
||||
"see_sent_emotes_this_room": "Zobraziť emotikony zverejnené v tejto miestnosti",
|
||||
"see_sent_emotes_active_room": "Zobraziť emotikony zverejnené vo vašej aktívnej miestnosti",
|
||||
"send_images_this_room": "Posielať obrázky pod vaším menom v tejto miestnosti",
|
||||
"send_images_active_room": "Posielať obrázky pod vaším menom vo vašej aktívnej miestnosti",
|
||||
"see_images_sent_this_room": "Zobraziť obrázky zverejnené v tejto miestnosti",
|
||||
"see_images_sent_active_room": "Zobraziť obrázky zverejnené vo vašej aktívnej miestnosti",
|
||||
"send_videos_this_room": "Posielať videá pod vaším menom v tejto miestnosti",
|
||||
"send_videos_active_room": "Posielať videá pod vaším menom vo vašej aktívnej miestnosti",
|
||||
"see_videos_sent_this_room": "Zobraziť videá zverejnené v tejto miestnosti",
|
||||
"see_videos_sent_active_room": "Zobraziť videá zverejnené vo vašej aktívnej miestnosti",
|
||||
"send_files_this_room": "Posielať všeobecné súbory pod vaším menom v tejto miestnosti",
|
||||
"send_files_active_room": "Posielať všeobecné súbory pod vaším menom vo vašej aktívnej miestnosti",
|
||||
"see_sent_files_this_room": "Zobraziť všeobecné súbory zverejnené v tejto miestnosti",
|
||||
"see_sent_files_active_room": "Zobraziť všeobecné súbory zverejnené vo vašej aktívnej miestnosti",
|
||||
"send_msgtype_this_room": "Odoslať <b>%(msgtype)s</b> správy pod vaším menom v tejto miestnosti",
|
||||
"send_msgtype_active_room": "Odoslať <b>%(msgtype)s</b> správy pod vaším menom vo vašej aktívnej miestnosti",
|
||||
"see_msgtype_sent_this_room": "Zobraziť <b>%(msgtype)s</b> správy zverejnené v tejto miestnosti",
|
||||
"see_msgtype_sent_active_room": "Zobraziť <b>%(msgtype)s</b> správy zverejnené vo vašej aktívnej miestnosti"
|
||||
}
|
||||
},
|
||||
"feedback": {
|
||||
"sent": "Spätná väzba odoslaná",
|
||||
"comment_label": "Komentár",
|
||||
"platform_username": "Vaša platforma a používateľské meno budú zaznamenané, aby sme mohli čo najlepšie využiť vašu spätnú väzbu.",
|
||||
"may_contact_label": "Môžete ma kontaktovať, ak budete potrebovať nejaké ďalšie podrobnosti alebo otestovať chystané nápady",
|
||||
"pro_type": "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.",
|
||||
"existing_issue_link": "Najprv si prosím pozrite <existingIssuesLink>existujúce chyby na Githube</existingIssuesLink>. Žiadna zhoda? <newIssueLink>Založte novú</newIssueLink>.",
|
||||
"send_feedback_action": "Odoslať spätnú väzbu"
|
||||
}
|
||||
}
|
||||
|
|
|
@ -2,7 +2,6 @@
|
|||
"This email address is already in use": "Ta e-poštni naslov je že v uporabi",
|
||||
"This phone number is already in use": "Ta telefonska številka je že v uporabi",
|
||||
"Failed to verify email address: make sure you clicked the link in the email": "E-poštnega naslova ni bilo mogoče preveriti: preverite, ali ste kliknili povezavo v e-poštnem sporočilu",
|
||||
"powered by Matrix": "poganja Matrix",
|
||||
"Use Single Sign On to continue": "Uporabi Single Sign On za prijavo",
|
||||
"Confirm adding this email address by using Single Sign On to prove your identity.": "Potrdite dodajanje tega e-poštnega naslova z enkratno prijavo, da dokažete svojo identiteto.",
|
||||
"Confirm adding email": "Potrdi dodajanje e-poštnega naslova",
|
||||
|
@ -13,7 +12,6 @@
|
|||
"Click the button below to confirm adding this phone number.": "Pritisnite gumb spodaj da potrdite dodajanje te telefonske številke.",
|
||||
"Add Phone Number": "Dodaj telefonsko številko",
|
||||
"Explore rooms": "Raziščite sobe",
|
||||
"Create Account": "Registracija",
|
||||
"Identity server has no terms of service": "Identifikacijski strežnik nima pogojev storitve",
|
||||
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s",
|
||||
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s",
|
||||
|
@ -71,7 +69,9 @@
|
|||
"call_failed": "Klic ni uspel"
|
||||
},
|
||||
"auth": {
|
||||
"sso": "Enkratna prijava"
|
||||
"sso": "Enkratna prijava",
|
||||
"footer_powered_by_matrix": "poganja Matrix",
|
||||
"register_action": "Registracija"
|
||||
},
|
||||
"setting": {
|
||||
"help_about": {
|
||||
|
|
|
@ -64,7 +64,6 @@
|
|||
"Failed to send logs: ": "S’u arrit të dërgoheshin regjistra: ",
|
||||
"This Room": "Këtë Dhomë",
|
||||
"Unavailable": "Jo i passhëm",
|
||||
"powered by Matrix": "bazuar në Matrix",
|
||||
"Favourite": "Bëje të parapëlqyer",
|
||||
"All Rooms": "Krejt Dhomat",
|
||||
"Source URL": "URL Burimi",
|
||||
|
@ -162,7 +161,6 @@
|
|||
"<a>In reply to</a> <pill>": "<a>Në Përgjigje të</a> <pill>",
|
||||
"Confirm Removal": "Ripohoni Heqjen",
|
||||
"Unknown error": "Gabim i panjohur",
|
||||
"Incorrect password": "Fjalëkalim i pasaktë",
|
||||
"Deactivate Account": "Çaktivizoje Llogarinë",
|
||||
"An error has occurred.": "Ndodhi një gabim.",
|
||||
"Invalid Email Address": "Adresë Email e Pavlefshme",
|
||||
|
@ -191,10 +189,8 @@
|
|||
"Email": "Email",
|
||||
"Profile": "Profil",
|
||||
"Account": "Llogari",
|
||||
"The email address linked to your account must be entered.": "Duhet dhënë adresa email e lidhur me llogarinë tuaj.",
|
||||
"Return to login screen": "Kthehuni te skena e hyrjeve",
|
||||
"Incorrect username and/or password.": "Emër përdoruesi dhe/ose fjalëkalim i pasaktë.",
|
||||
"This server does not support authentication with a phone number.": "Ky shërbyes nuk mbulon mirëfilltësim me një numër telefoni.",
|
||||
"Commands": "Urdhra",
|
||||
"Notify the whole room": "Njofto krejt dhomën",
|
||||
"Room Notification": "Njoftim Dhome",
|
||||
|
@ -251,8 +247,6 @@
|
|||
"Connectivity to the server has been lost.": "Humbi lidhja me shërbyesin.",
|
||||
"<not supported>": "<nuk mbulohet>",
|
||||
"A new password must be entered.": "Duhet dhënë një fjalëkalim i ri.",
|
||||
"Define the power level of a user": "Përcaktoni shkallë pushteti të një përdoruesi",
|
||||
"Deops user with given id": "I heq cilësinë e operatorit përdoruesit me ID-në e dhënë",
|
||||
"You are no longer ignoring %(userId)s": "Nuk e shpërfillni më %(userId)s",
|
||||
"Authentication check failed: incorrect password?": "Dështoi kontrolli i mirëfilltësimit: fjalëkalim i pasaktë?",
|
||||
"%(roomName)s is not accessible at this time.": "Te %(roomName)s s’hyhet dot tani.",
|
||||
|
@ -298,8 +292,6 @@
|
|||
"Upgrade this room to version %(version)s": "Përmirësojeni këtë dhomë me versionin %(version)s",
|
||||
"Share Room": "Ndani Dhomë Me të Tjerë",
|
||||
"Share Room Message": "Ndani Me të Tjerë Mesazh Dhome",
|
||||
"Enable URL previews for this room (only affects you)": "Aktivizo paraparje URL-sh për këtë dhomë (prek vetëm ju)",
|
||||
"Enable URL previews by default for participants in this room": "Aktivizo, si parazgjedhje, paraparje URL-sh për pjesëmarrësit në këtë dhomë",
|
||||
"A text message has been sent to %(msisdn)s": "Te %(msisdn)s u dërgua një mesazh tekst",
|
||||
"Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Fshirja e një widget-i e heq atë për krejt përdoruesit në këtë dhomë. Jeni i sigurt se doni të fshihet ky widget?",
|
||||
"Before submitting logs, you must <a>create a GitHub issue</a> to describe your problem.": "Përpara se të parashtroni regjistra, duhet <a>të krijoni një çështje në GitHub issue</a> që të përshkruani problemin tuaj.",
|
||||
|
@ -372,7 +364,6 @@
|
|||
"Unable to restore backup": "S’arrihet të rikthehet kopjeruajtje",
|
||||
"No backup found!": "S’u gjet kopjeruajtje!",
|
||||
"Failed to decrypt %(failedCount)s sessions!": "S’u arrit të shfshehtëzohet sesioni %(failedCount)s!",
|
||||
"Failed to perform homeserver discovery": "S’u arrit të kryhej zbulim shërbyesi Home",
|
||||
"Invalid homeserver discovery response": "Përgjigje e pavlefshme zbulimi shërbyesi Home",
|
||||
"Use a few words, avoid common phrases": "Përdorni ca fjalë, shmangni fraza të rëndomta",
|
||||
"No need for symbols, digits, or uppercase letters": "S’ka nevojë për simbole, shifra apo shkronja të mëdha",
|
||||
|
@ -523,9 +514,6 @@
|
|||
"This homeserver would like to make sure you are not a robot.": "Ky Shërbyes Home do të donte të sigurohej se s’jeni robot.",
|
||||
"Couldn't load page": "S’u ngarkua dot faqja",
|
||||
"Your password has been reset.": "Fjalëkalimi juaj u ricaktua.",
|
||||
"This homeserver does not support login using email address.": "Ky shërbyes Home nuk mbulon hyrje përmes adresash email.",
|
||||
"Registration has been disabled on this homeserver.": "Në këtë shërbyes Home regjistrimi është çaktivizuar.",
|
||||
"Unable to query for supported registration methods.": "S’arrihet të kërkohet për metoda regjistrimi që mbulohen.",
|
||||
"Unable to find a supported verification method.": "S’arrihet të gjendet metodë verifikimi e mbuluar.",
|
||||
"Santa": "Babagjyshi i Vitit të Ri",
|
||||
"Hourglass": "Klepsidër",
|
||||
|
@ -649,7 +637,6 @@
|
|||
"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:": "Përmirësimi i kësaj dhome lyp mbylljen e instancës së tanishme të dhomës dhe krijimin e një dhome të re në vend të saj. Për t’u dhënë anëtarëve të dhomës më të mirën, do të:",
|
||||
"Resend %(unsentCount)s reaction(s)": "Ridërgo %(unsentCount)s reagim(e)",
|
||||
"Your homeserver doesn't seem to support this feature.": "Shërbyesi juaj Home nuk duket se e mbulon këtë veçori.",
|
||||
"You're signed out": "Keni bërë dalje",
|
||||
"Clear all data": "Spastro krejt të dhënat",
|
||||
"Deactivate account": "Çaktivizoje llogarinë",
|
||||
"Always show the window menu bar": "Shfaqe përherë shtyllën e menusë së dritares",
|
||||
|
@ -671,11 +658,6 @@
|
|||
"Summary": "Përmbledhje",
|
||||
"This account has been deactivated.": "Kjo llogari është çaktivizuar.",
|
||||
"Failed to re-authenticate due to a homeserver problem": "S’u arrit të ribëhej mirëfilltësimi, për shkak të një problemi me shërbyesin Home",
|
||||
"Failed to re-authenticate": "S’u arrit të ribëhej mirëfilltësimi",
|
||||
"Enter your password to sign in and regain access to your account.": "Jepni fjalëkalimin tuaj që të bëhet hyrja dhe të rifitoni hyrje në llogarinë tuaj.",
|
||||
"Forgotten your password?": "Harruat fjalëkalimin tuaj?",
|
||||
"Sign in and regain access to your account.": "Bëni hyrjen dhe rifitoni hyrje në llogarinë tuaj.",
|
||||
"You cannot sign in to your account. Please contact your homeserver admin for more information.": "S’mund të bëni hyrjen në llogarinë tuaj. Ju lutemi, për më tepër hollësi, lidhuni me përgjegjësin e shërbyesit tuaj Home.",
|
||||
"Clear personal data": "Spastro të dhëna personale",
|
||||
"Spanner": "Çelës",
|
||||
"Checking server": "Po kontrollohet shërbyesi",
|
||||
|
@ -739,8 +721,6 @@
|
|||
"Verify the link in your inbox": "Verifikoni lidhjen te mesazhet tuaj",
|
||||
"e.g. my-room": "p.sh., dhoma-ime",
|
||||
"Close dialog": "Mbylle dialogun",
|
||||
"Please enter a name for the room": "Ju lutemi, jepni një emër për dhomën",
|
||||
"Topic (optional)": "Temë (në daçi)",
|
||||
"Hide advanced": "Fshihi të mëtejshmet",
|
||||
"Show advanced": "Shfaqi të mëtejshmet",
|
||||
"To continue you need to accept the terms of this service.": "Që të vazhdohet, lypset të pranoni kushtet e këtij shërbimi.",
|
||||
|
@ -965,9 +945,6 @@
|
|||
"Homeserver feature support:": "Mbulim veçorish nga shërbyesi Home:",
|
||||
"exists": "ekziston",
|
||||
"Accepting…": "Po pranohet…",
|
||||
"Sign In or Create Account": "Hyni ose Krijoni një Llogari",
|
||||
"Use your account or create a new one to continue.": "Që të vazhdohet, përdorni llogarinë tuaj të përdoruesit ose krijoni një të re.",
|
||||
"Create Account": "Krijoni Llogari",
|
||||
"To report a Matrix-related security issue, please read the Matrix.org <a>Security Disclosure Policy</a>.": "Që të njoftoni një problem sigurie lidhur me Matrix-in, ju lutemi, lexoni <a>Rregulla Tregimi Çështjes Sigurie</a> te Matrix.org.",
|
||||
"Mark all as read": "Vëru të tërave shenjë si të lexuara",
|
||||
"Not currently indexing messages for any room.": "Pa indeksuar aktualisht mesazhe nga ndonjë dhomë.",
|
||||
|
@ -1026,16 +1003,13 @@
|
|||
"Sign in with SSO": "Hyni me HNj",
|
||||
"%(name)s is requesting verification": "%(name)s po kërkon verifikim",
|
||||
"unexpected type": "lloj i papritur",
|
||||
"Could not find user in room": "S’u gjet përdorues në dhomë",
|
||||
"well formed": "e mirëformuar",
|
||||
"Enable end-to-end encryption": "Aktivizo fshehtëzim skaj-më-skaj",
|
||||
"Confirm your account deactivation by using Single Sign On to prove your identity.": "Ripohoni çaktivizimin e llogarisë tuaj duke përdorur Hyrje Njëshe që të dëshmoni identitetin tuaj.",
|
||||
"Are you sure you want to deactivate your account? This is irreversible.": "Jeni i sigurt se doni të çaktivizohet llogaria juaj? Kjo është e pakthyeshme.",
|
||||
"Confirm account deactivation": "Ripohoni çaktivizim llogarie",
|
||||
"Server did not require any authentication": "Shërbyesi s’kërkoi ndonjë mirëfilltësim",
|
||||
"Server did not return valid authentication information.": "Shërbyesi s’ktheu ndonjë të dhënë të vlefshme mirëfilltësimi.",
|
||||
"There was a problem communicating with the server. Please try again.": "Pati një problem në komunikimin me shërbyesin. Ju lutemi, riprovoni.",
|
||||
"If you've joined lots of rooms, this might take a while": "Nëse jeni pjesë e shumë dhomave, kjo mund të zgjasë ca",
|
||||
"New login. Was this you?": "Hyrje e re. Ju qetë?",
|
||||
"You signed in to a new session without verifying it:": "Bëtë hyrjen në një sesion të ri pa e verifikuar:",
|
||||
"Verify your other session using one of the options below.": "Verifikoni sesionit tuaj tjetër duke përdorur një nga mundësitë më poshtë.",
|
||||
|
@ -1060,7 +1034,6 @@
|
|||
"Size must be a number": "Madhësia duhet të jetë një numër",
|
||||
"Custom font size can only be between %(min)s pt and %(max)s pt": "Madhësia vetjake për shkronjat mund të jetë vetëm mes vlerave %(min)s pt dhe %(max)s pt",
|
||||
"Use between %(min)s pt and %(max)s pt": "Përdor me %(min)s pt dhe %(max)s pt",
|
||||
"Joins room with given address": "Hyhet në dhomën me adresën e dhënë",
|
||||
"Your homeserver has exceeded its user limit.": "Shërbyesi juaj Home ka tejkaluar kufijtë e tij të përdorimit.",
|
||||
"Your homeserver has exceeded one of its resource limits.": "Shërbyesi juaj Home ka tejkaluar një nga kufijtë e tij të burimeve.",
|
||||
"Contact your <a>server admin</a>.": "Lidhuni me <a>përgjegjësin e shërbyesit tuaj</a>.",
|
||||
|
@ -1085,7 +1058,6 @@
|
|||
"Switch to dark mode": "Kalo nën mënyrën e errët",
|
||||
"Switch theme": "Ndërroni temën",
|
||||
"All settings": "Krejt rregullimet",
|
||||
"Feedback": "Mendime",
|
||||
"No recently visited rooms": "S’ka dhoma të vizituara së fundi",
|
||||
"Message preview": "Paraparje mesazhi",
|
||||
"Room options": "Mundësi dhome",
|
||||
|
@ -1139,9 +1111,6 @@
|
|||
"Room settings": "Rregullime dhome",
|
||||
"Take a picture": "Bëni një foto",
|
||||
"Information": "Informacion",
|
||||
"You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "Këtë mund ta aktivizonit, nëse kjo dhomë do të përdoret vetëm për bashkëpunim me ekipe të brendshëm në shërbyesin tuaj Home. Kjo s’mund të ndryshohet më vonë.",
|
||||
"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.": "Këtë mund të çaktivizonit, nëse dhoma do të përdoret për bashkëpunim me ekipe të jashtëm që kanë shërbyesin e tyre Home. Kjo s’mund të ndryshohet më vonë.",
|
||||
"Block anyone not part of %(serverName)s from ever joining this room.": "Bllokoji cilitdo që s’është pjesë e %(serverName)s marrjen pjesë në këtë dhomë.",
|
||||
"Safeguard against losing access to encrypted messages & data": "Mbrohuni nga humbja e hyrjes te mesazhe & të dhëna të fshehtëzuara",
|
||||
"not found in storage": "s’u gjet në depozitë",
|
||||
"Backup version:": "Version kopjeruajtjeje:",
|
||||
|
@ -1154,7 +1123,6 @@
|
|||
"Widgets": "Widget-e",
|
||||
"Edit widgets, bridges & bots": "Përpunoni widget-e, ura & robotë",
|
||||
"Add widgets, bridges & bots": "Shtoni widget-e, ura & robotë",
|
||||
"Your server requires encryption to be enabled in private rooms.": "Shërbyesi juaj lyp që fshehtëzimi të jetë i aktivizuar në dhoma private.",
|
||||
"Start a conversation with someone using their name or username (like <userId/>).": "Nisni një bisedë me dikë duke përdorur emrin e tij ose emrin e tij të përdoruesit (bie fjala, <userId/>).",
|
||||
"Invite someone using their name, username (like <userId/>) or <a>share this room</a>.": "Ftoni dikë duke përdorur emrin e tij, emrin e tij të përdoruesit (bie fjala, <userId/>) ose <a>ndani me të këtë dhomë</a>.",
|
||||
"Unable to set up keys": "S’arrihet të ujdisen kyçe",
|
||||
|
@ -1185,11 +1153,6 @@
|
|||
"Answered Elsewhere": "Përgjigjur Gjetkë",
|
||||
"Data on this screen is shared with %(widgetDomain)s": "Të dhënat në këtë skenë ndahen me %(widgetDomain)s",
|
||||
"Modal Widget": "Widget Modal",
|
||||
"Send feedback": "Dërgoni përshtypjet",
|
||||
"PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "NDIHMËZ PROFESIONISTËSH: Nëse nisni një njoftim të mete, ju lutemi, parashtroni <debugLogsLink>regjistra diagnostikimi</debugLogsLink>, që të na ndihmoni të gjejmë problemin.",
|
||||
"Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.": "Ju lutemi, shihni <existingIssuesLink>të meta ekzistuese në Github</existingIssuesLink> së pari. S’ka përputhje? <newIssueLink>Nisni një të re</newIssueLink>.",
|
||||
"Comment": "Koment",
|
||||
"Feedback sent": "Përshtypjet u dërguan",
|
||||
"Invite someone using their name, email address, username (like <userId/>) or <a>share this room</a>.": "Ftoni dikë duke përdorur emrin e tij, adresën email, emrin e përdoruesit (bie fjala, <userId/>) ose <a>ndani me të këtë dhomë</a>.",
|
||||
"Start a conversation with someone using their name, email address or username (like <userId/>).": "Nisni një bisedë me dikë duke përdorur emrin e tij, adresën email ose emrin e përdoruesit (bie fjala, <userId/>).",
|
||||
"Invite by email": "Ftojeni me email",
|
||||
|
@ -1460,85 +1423,21 @@
|
|||
"one": "Ruajini lokalisht në fshehtinë në mënyrë të sigurt mesazhet e fshehtëzuar, që të shfaqen në përfundime kërkimi, duke përdorur %(size)s që të depozitoni mesazhe nga %(rooms)s dhomë.",
|
||||
"other": "Ruajini lokalisht në fshehtinë në mënyrë të sigurt mesazhet e fshehtëzuar, që të shfaqen në përfundime kërkimi, duke përdorur %(size)s që të depozitoni mesazhe nga %(rooms)s dhoma."
|
||||
},
|
||||
"See emotes posted to your active room": "Shihni emotikonë postuar në dhomën tuaj aktive",
|
||||
"See emotes posted to this room": "Shihni emotikone postuar në këtë dhomë",
|
||||
"Send emotes as you in your active room": "Dërgoni emotikone si ju në këtë dhomë",
|
||||
"Send emotes as you in this room": "Dërgoni emotikone si ju në këtë dhomë",
|
||||
"See text messages posted to your active room": "Shihni mesazhe tekst postuar në dhomën tuaj aktive",
|
||||
"See text messages posted to this room": "Shihni mesazhe tekst postuar në këtë dhomë",
|
||||
"Send text messages as you in your active room": "Dërgoni mesazhe tekst si ju në dhomën tuaj aktive",
|
||||
"Send text messages as you in this room": "Dërgoni mesazhe tekst si ju në këtë dhomë",
|
||||
"See messages posted to your active room": "Shihni mesazhe të postuar në dhomën tuaj aktive",
|
||||
"See messages posted to this room": "Shihni mesazhe të postuar në këtë dhomë",
|
||||
"Send messages as you in your active room": "Dërgoni mesazhe si ju në dhomën tuaj aktive",
|
||||
"Send messages as you in this room": "Dërgoni mesazhi si ju në këtë dhomë",
|
||||
"The <b>%(capability)s</b> capability": "Aftësia <b>%(capability)s</b>",
|
||||
"See <b>%(eventType)s</b> events posted to your active room": "Shihni akte <b>%(eventType)s</b> postuar në dhomën tuaj aktive",
|
||||
"Send <b>%(eventType)s</b> events as you in your active room": "Shihni akte <b>%(eventType)s</b> si ju në këtë dhomë",
|
||||
"See <b>%(eventType)s</b> events posted to this room": "Shihni akte <b>%(eventType)s</b> postuar në këtë dhomë",
|
||||
"Send <b>%(eventType)s</b> events as you in this room": "Dërgoni akte <b>%(eventType)s</b> në këtë dhomë si ju",
|
||||
"with state key %(stateKey)s": "me kyç gjendjeje %(stateKey)s",
|
||||
"with an empty state key": "me një kyç të zbrazët gjendjeje",
|
||||
"See when anyone posts a sticker to your active room": "Shihni kur dikush poston një ngjitës në dhomën tuaj aktive",
|
||||
"Send stickers to your active room as you": "Dërgoni ngjitës në dhomën tuaj aktive si ju",
|
||||
"See when a sticker is posted in this room": "Shihni kur postohet një ngjitës në këtë dhomë",
|
||||
"Send stickers to this room as you": "Dërgoni ngjitës në këtë dhomë si ju",
|
||||
"See when the avatar changes in your active room": "Shihni kur ndryshon avatari në dhomën tuaj aktive",
|
||||
"Change the avatar of your active room": "Ndryshoni avatarin në dhomën tuaj aktive",
|
||||
"See when the avatar changes in this room": "Shihni kur ndryshon avatari në këtë dhomë",
|
||||
"Change the avatar of this room": "Ndryshoni avatarin e kësaj dhome",
|
||||
"See when the name changes in your active room": "Shihni kur ndryshon emri në dhomën tuaj aktive",
|
||||
"Change the name of your active room": "Ndryshoni emrin e dhomës tuaj aktive",
|
||||
"See when the name changes in this room": "Shihni kur ndryshohet emri në këtë dhomë",
|
||||
"Change the name of this room": "Ndryshoni emrin e kësaj dhome",
|
||||
"See when the topic changes in your active room": "Shihni kur ndryshon tema në dhomën tuaj aktive",
|
||||
"Change the topic of your active room": "Ndryshoni temën në dhomën tuaj aktive",
|
||||
"See when the topic changes in this room": "Shihni kur ndryshohet tema në këtë dhomë",
|
||||
"Change the topic of this room": "Ndryshoni temën e kësaj dhome",
|
||||
"Change which room you're viewing": "Ndryshoni cilën dhomë shihni",
|
||||
"Send stickers into your active room": "Dërgoni ngjitës në dhomën tuaj aktive",
|
||||
"Send stickers into this room": "Dërgoni ngjitës në këtë dhomë",
|
||||
"Enter phone number": "Jepni numër telefoni",
|
||||
"Enter email address": "Jepni adresë email-i",
|
||||
"Decline All": "Hidhi Krejt Poshtë",
|
||||
"This widget would like to:": "Ky widget do të donte të:",
|
||||
"Approve widget permissions": "Miratoni leje widget-i",
|
||||
"See <b>%(msgtype)s</b> messages posted to your active room": "Shihni mesazhe <b>%(msgtype)s</b> postuar në dhomën tuaj aktive",
|
||||
"See <b>%(msgtype)s</b> messages posted to this room": "Shihni mesazhe <b>%(msgtype)s</b> postuar në këtë dhomë",
|
||||
"Send <b>%(msgtype)s</b> messages as you in your active room": "Dërgoni mesazhe <b>%(msgtype)s</b> si ju në dhomën tuaj aktive",
|
||||
"Send <b>%(msgtype)s</b> messages as you in this room": "Dërgoni mesazhe <b>%(msgtype)s</b> si ju në këtë dhomë",
|
||||
"See general files posted to your active room": "Shihni kartela të përgjithshme postuar në dhomën tuaj aktive",
|
||||
"See general files posted to this room": "Shihni kartela të përgjithshme postuar në këtë dhomë",
|
||||
"Send general files as you in your active room": "Dërgoni kartela të përgjithshme si ju në dhomën tuaj aktive",
|
||||
"Send general files as you in this room": "Dërgoni kartela të përgjithshme si ju në këtë dhomë",
|
||||
"See videos posted to your active room": "Shihni video të postuara në dhomën tuaj aktive",
|
||||
"See videos posted to this room": "Shihni video të postuara në këtë dhomë",
|
||||
"Send videos as you in your active room": "Dërgoni video si ju në dhomën tuaj aktive",
|
||||
"Send videos as you in this room": "Dërgoni video si ju në këtë dhomë",
|
||||
"See images posted to your active room": "Shihni figura postuar te dhoma juaj aktive",
|
||||
"See images posted to this room": "Shihni figura postuar në këtë dhomë",
|
||||
"Send images as you in your active room": "Dërgoni figura si ju në dhomën tuaj aktive",
|
||||
"New here? <a>Create an account</a>": "I sapoardhur? <a>Krijoni një llogari</a>",
|
||||
"Got an account? <a>Sign in</a>": "Keni një llogari? <a>Hyni</a>",
|
||||
"Send images as you in this room": "Dërgoni figura si ju, në këtë dhomë",
|
||||
"New? <a>Create account</a>": "I ri? <a>Krijoni llogari</a>",
|
||||
"There was a problem communicating with the homeserver, please try again later.": "Pati një problem në komunikimin me shërbyesin Home, ju lutemi, riprovoni më vonë.",
|
||||
"Use email to optionally be discoverable by existing contacts.": "Përdorni email që, nëse doni, të mund t’ju gjejnë kontaktet ekzistues.",
|
||||
"Use email or phone to optionally be discoverable by existing contacts.": "Përdorni email ose telefon që, nëse doni, të mund t’ju gjejnë kontaktet ekzistues.",
|
||||
"Add an email to be able to reset your password.": "Shtoni një email, që të jeni në gjendje të ricaktoni fjalëkalimin tuaj.",
|
||||
"That phone number doesn't look quite right, please check and try again": "Ai numër telefoni s’duket i saktë, ju lutemi, rikontrollojeni dhe riprovojeni",
|
||||
"About homeservers": "Mbi shërbyesit Home",
|
||||
"Use your preferred Matrix homeserver if you have one, or host your own.": "Përdorni shërbyesin tuaj Home të parapëlqyer Matrix, nëse keni një të tillë, ose strehoni një tuajin.",
|
||||
"Other homeserver": "Tjetër shërbyes home",
|
||||
"Sign into your homeserver": "Bëni hyrjen te shërbyesi juaj Home",
|
||||
"Specify a homeserver": "Tregoni një shërbyes Home",
|
||||
"Just a heads up, if you don't add an email and forget your password, you could <b>permanently lose access to your account</b>.": "Që mos thoni nuk e dinim, nëse s’shtoni një email dhe harroni fjalëkalimin tuaj, mund <b>të humbi përgjithmonë hyrjen në llogarinë tuaj</b>.",
|
||||
"Continuing without email": "Vazhdim pa email",
|
||||
"Server Options": "Mundësi Shërbyesi",
|
||||
"Hold": "Mbaje",
|
||||
"Resume": "Rimerre",
|
||||
"Invalid URL": "URL e pavlefshme",
|
||||
"Unable to validate homeserver": "S’arrihet të vlerësohet shërbyesi Home",
|
||||
"Reason (optional)": "Arsye (opsionale)",
|
||||
"You've reached the maximum number of simultaneous calls.": "Keni mbërritur në numrin maksimum të thirrjeve të njëkohshme.",
|
||||
"Too Many Calls": "Shumë Thirrje",
|
||||
|
@ -1572,7 +1471,6 @@
|
|||
"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.": "Kopjeruani kyçet tuaj të fshehtëzimit me të dhënat e llogarisë tuaj, për ditën kur mund të humbni hyrje në sesionet tuaja. Kyçet tuaj do të jenë të siguruar me një Kyç unik Sigurie.",
|
||||
"Channel: <channelLink/>": "Kanal: <channelLink/>",
|
||||
"Workspace: <networkLink/>": "Hapësirë pune: <networkLink/>",
|
||||
"Change which room, message, or user you're viewing": "Ndryshoni cilën dhomë, mesazh ose përdorues po shihni",
|
||||
"Something went wrong in confirming your identity. Cancel and try again.": "Diç shkoi ters me ripohimin e identitetit tuaj. Anulojeni dhe riprovoni.",
|
||||
"Remember this": "Mbaje mend këtë",
|
||||
"The widget will verify your user ID, but won't be able to perform actions for you:": "Ky widget do të verifikojë ID-në tuaj të përdoruesit, por s’do të jetë në gjendje të kryejë veprime për ju:",
|
||||
|
@ -1706,7 +1604,6 @@
|
|||
"Select a room below first": "Së pari, përzgjidhni më poshtë një dhomë",
|
||||
"You may contact me if you have any follow up questions": "Mund të lidheni me mua, nëse keni pyetje të mëtejshme",
|
||||
"To leave the beta, visit your settings.": "Që të braktisni beta-n, vizitoni rregullimet tuaja.",
|
||||
"Your platform and username will be noted to help us use your feedback as much as we can.": "Platforma dhe emri juaj i përdoruesit do të mbahen shënim, për të na ndihmuar t’i përdorim përshtypjet tuaja sa më shumë që të mundemi.",
|
||||
"Want to add a new room instead?": "Doni të shtohet një dhomë e re, në vend të kësaj?",
|
||||
"Adding rooms... (%(progress)s out of %(count)s)": {
|
||||
"one": "Po shtohet dhomë…",
|
||||
|
@ -1724,8 +1621,6 @@
|
|||
"Connecting": "Po lidhet",
|
||||
"Message search initialisation failed": "Dështoi gatitje kërkimi mesazhesh",
|
||||
"Go to my space": "Kalo te hapësira ime",
|
||||
"See when people join, leave, or are invited to your active room": "Shihni kur persona vijnë, ikin ose janë ftuar në dhomën tuaj aktive",
|
||||
"See when people join, leave, or are invited to this room": "Shihni kur persona vijnë, ikin ose janë ftuar në këtë dhomë",
|
||||
"Space Autocomplete": "Vetëplotësim Hapësire",
|
||||
"Currently joining %(count)s rooms": {
|
||||
"one": "Aktualisht duke hyrë në %(count)s dhomë",
|
||||
|
@ -1817,14 +1712,7 @@
|
|||
"Search spaces": "Kërkoni në hapësira",
|
||||
"Decide which spaces can access this room. If a space is selected, its members can find and join <RoomName/>.": "Vendosni se prej cilave hapësira mund të hyhet në këtë dhomë. Nëse përzgjidhet një hapësirë, anëtarët e saj do të mund ta gjejnë dhe hyjnë te <RoomName/>.",
|
||||
"Select spaces": "Përzgjidhni hapësira",
|
||||
"Room visibility": "Dukshmëri dhome",
|
||||
"Visible to space members": "I dukshëm për anëtarë të hapësirë",
|
||||
"Public room": "Dhomë publike",
|
||||
"Private room (invite only)": "Dhomë private (vetëm me ftesa)",
|
||||
"Only people invited will be able to find and join this room.": "Vetëm personat e ftuar do të jenë në gjendje ta gjejnë dhe hyjnë në këtë dhomë.",
|
||||
"Anyone will be able to find and join this room, not just members of <SpaceName/>.": "Cilido do të jetë në gjendje të gjejë dhe hyjë në këtë dhomë, jo thjesht vetëm anëtarët e <SpaceName/>.",
|
||||
"You can change this at any time from room settings.": "Këtë mund ta ndryshoni kurdo, që nga rregullimet e dhomës.",
|
||||
"Everyone in <SpaceName/> will be able to find and join this room.": "Cilido te <SpaceName/> do të jetë në gjendje të gjejë dhe hyjë në këtë dhomë.",
|
||||
"Access": "Hyrje",
|
||||
"People with supported clients will be able to join the room without having a registered account.": "Persona me klientë të mbuluar do të jenë në gjendje të hyjnë te dhoma pa pasur ndonjë llogari të regjistruar.",
|
||||
"Decide who can join %(roomName)s.": "Vendosni se cilët mund të hyjnë te %(roomName)s.",
|
||||
|
@ -1846,7 +1734,6 @@
|
|||
"Private (invite only)": "Private (vetëm me ftesa)",
|
||||
"This upgrade will allow members of selected spaces access to this room without an invite.": "Ky përmirësim do t’u lejojë anëtarëve të hapësirave të përzgjedhura të hyjnë në këtë dhomë pa ndonjë ftesë.",
|
||||
"You're removing all spaces. Access will default to invite only": "Po hiqni krejt hapësirat. Hyrja do të kthehet te parazgjedhja, pra vetëm me ftesa",
|
||||
"Anyone will be able to find and join this room.": "Gjithkush do të jetë në gjendje të gjejë dhe hyjë në këtë dhomë.",
|
||||
"Share content": "Ndani lëndë",
|
||||
"Application window": "Dritare aplikacioni",
|
||||
"Share entire screen": "Nda krejt ekranin",
|
||||
|
@ -1888,14 +1775,10 @@
|
|||
"Results": "Përfundime",
|
||||
"Are you sure you want to add encryption to this public room?": "A jeni i sigurt se doni të shtohet fshehtëzim në këtë dhomë publike?",
|
||||
"Thumbs up": "Thumbs up",
|
||||
"Remain on your screen while running": "Rrini në ekran për deri sa është hapur",
|
||||
"Remain on your screen when viewing another room, when running": "Të mbesë në ekranin tuaj, kur shihet një tjetër dhomë dhe widget-i është në punë",
|
||||
"<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>Nuk rekomandohet të bëhen publike dhoma të fshehtëzuara.</b> Kjo do të thoshte se cilido mund të gjejë dhe hyjë te dhoma, pra cilido mund të lexojë mesazhet. S’do të përfitoni asnjë nga të mirat e fshehtëzimit. Fshehtëzimi i mesazheve në një dhomë publike do ta ngadalësojë marrjen dhe dërgimin e tyre.",
|
||||
"Are you sure you want to make this encrypted room public?": "Jeni i sigurt se doni ta bëni publike këtë dhomë të fshehtëzuar?",
|
||||
"To avoid these issues, create a <a>new encrypted room</a> for the conversation you plan to have.": "Për të shmangur këto probleme, krijoni një <a>dhomë të re të fshehtëzuar</a> për bisedën që keni në plan të bëni.",
|
||||
"To avoid these issues, create a <a>new public room</a> for the conversation you plan to have.": "Për të shmangur këto probleme, krijoni për bisedën që keni në plan një <a>dhomë të re publike</a>.",
|
||||
"The above, but in <Room /> as well": "Atë më sipër, por edhe te <Room />",
|
||||
"The above, but in any room you are joined or invited to as well": "Atë më sipër, por edhe në çfarëdo dhome ku keni hyrë ose jeni ftuar",
|
||||
"Some encryption parameters have been changed.": "Janë ndryshuar disa parametra fshehtëzimi.",
|
||||
"Role in <RoomName/>": "Rol në <RoomName/>",
|
||||
"Unknown failure": "Dështim i panjohur",
|
||||
|
@ -1953,7 +1836,6 @@
|
|||
"What projects are your team working on?": "Me cilat projekte po merret ekipi juaj?",
|
||||
"View in room": "Shiheni në dhomë",
|
||||
"Enter your Security Phrase or <button>use your Security Key</button> to continue.": "Që të vazhdohet, jepni Frazën tuaj të Sigurisë, ose <button>përdorni Kyçin tuaj të Sigurisë</button>.",
|
||||
"The email address doesn't appear to be valid.": "Adresa email s’duket të jetë e vlefshme.",
|
||||
"See room timeline (devtools)": "Shihni rrjedhë kohore të dhomës (mjete zhvilluesi)",
|
||||
"Developer mode": "Mënyra zhvillues",
|
||||
"Joined": "Hyri",
|
||||
|
@ -1966,10 +1848,7 @@
|
|||
"Shows all threads you've participated in": "Shfaq krejt rrjedhat ku keni marrë pjesë",
|
||||
"Joining": "Po hyhet",
|
||||
"You're all caught up": "Po ecni mirë",
|
||||
"We call the places where you can host your account 'homeservers'.": "Vendet ku mund të strehoni llogarinë tuaj i quajmë ‘shërbyes Home’.",
|
||||
"Matrix.org is the biggest public homeserver in the world, so it's a good place for many.": "Matrix.org është shërbyesi Home publik më i madh në botë, ndaj është një vend i mirë për shumë vetë.",
|
||||
"If you can't see who you're looking for, send them your invite link below.": "Nëse s’e shihni atë që po kërkoni, dërgojini nga më poshtë një lidhje ftese.",
|
||||
"You can't disable this later. Bridges & most bots won't work yet.": "Këtë s’mund ta çaktivizoni dot më vonë. Urat & shumica e robotëve ende s’do të funksionojnë.",
|
||||
"In encrypted rooms, verify all users to ensure it's secure.": "Në dhoma të fshehtëzuara, verifikoni krejt përdoruesit për të garantuar se është e sigurt.",
|
||||
"Yours, or the other users' session": "Sesioni juaj, ose i përdoruesve të tjerë",
|
||||
"Yours, or the other users' internet connection": "Lidhja internet e juaja, ose e përdoruesve të tjerë",
|
||||
|
@ -2002,7 +1881,6 @@
|
|||
"You do not have permission to start polls in this room.": "S’keni leje të nisni anketime në këtë dhomë.",
|
||||
"Copy link to thread": "Kopjoje lidhjen te rrjedha",
|
||||
"Thread options": "Mundësi rrjedhe",
|
||||
"Someone already has that username, please try another.": "Dikush e ka atë emër përdoruesi, ju lutemi, provoni tjetër.",
|
||||
"Someone already has that username. Try another or if it is you, sign in below.": "Dikush e ka tashmë këtë emër përdoruesi. Provoni një tjetër, ose nëse jeni ju, bëni hyrjen më poshtë.",
|
||||
"Show tray icon and minimise window to it on close": "Shfaq ikonë paneli dhe minimizo dritaren në të, kur bëhet mbyllje",
|
||||
"Show all threads": "Shfaqi krejt rrjedhat",
|
||||
|
@ -2051,7 +1929,6 @@
|
|||
"Moderation": "Moderim",
|
||||
"Messaging": "Shkëmbim mesazhes",
|
||||
"Spaces you know that contain this space": "Hapësira që e dini se përmbajnë këtë hapësirë",
|
||||
"You may contact me if you want to follow up or to let me test out upcoming ideas": "Mund të lidheni me mua për vazhdimin, ose për të më lejuar të testoj ide të ardhshme",
|
||||
"Chat": "Fjalosje",
|
||||
"Home options": "Mundësi kreu",
|
||||
"%(spaceName)s menu": "Menu %(spaceName)s",
|
||||
|
@ -2119,9 +1996,7 @@
|
|||
"Confirm the emoji below are displayed on both devices, in the same order:": "Ripohoni se emoji-t më poshtë shfaqen në të dyja pajisjet, sipas të njëjtës radhë:",
|
||||
"Expand map": "Zgjeroje hartën",
|
||||
"Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Çift (përdorues, sesion) i pavlefshëm: (%(userId)s, %(deviceId)s)",
|
||||
"Command failed: Unable to find room (%(roomId)s": "Urdhri dështoi: S’arrihet të gjendet dhoma (%(roomId)s",
|
||||
"Unrecognised room address: %(roomAlias)s": "Adresë e panjohur dhome: %(roomAlias)s",
|
||||
"Command error: Unable to find rendering type (%(renderingType)s)": "Gabim urdhri: S’arrihet të gjendet lloj vizatimi (%(renderingType)s)",
|
||||
"From a thread": "Nga një rrjedhë",
|
||||
"Unknown error fetching location. Please try again later.": "Gabim i panjohur në sjelljen e vendndodhjes. Ju lutemi, riprovoni më vonë.",
|
||||
"Timed out trying to fetch your location. Please try again later.": "Mbaroi koha duke provuar të sillet vendndodhja juaj. Ju lutemi, riprovoni më vonë.",
|
||||
|
@ -2134,17 +2009,11 @@
|
|||
"Remove them from everything I'm able to": "Hiqi prej gjithçkaje ku mundem ta bëj këtë",
|
||||
"Remove from %(roomName)s": "Hiqe nga %(roomName)s",
|
||||
"You were removed from %(roomName)s by %(memberName)s": "U hoqët %(roomName)s nga %(memberName)s",
|
||||
"Remove, ban, or invite people to your active room, and make you leave": "Hiqni, dëboni, ose ftoni persona te dhoma juaj aktive dhe bëni largimin tuaj",
|
||||
"Remove, ban, or invite people to this room, and make you leave": "Hiqni, dëboni, ose ftoni persona në këtë dhomë dhe bëni largimin tuaj",
|
||||
"Message pending moderation": "Mesazh në pritje të moderimit",
|
||||
"Message pending moderation: %(reason)s": "Mesazh në pritje të moderimit: %(reason)s",
|
||||
"Keyboard": "Tastierë",
|
||||
"Space home": "Shtëpia e hapësirës",
|
||||
"You don't have permission to view messages from before you joined.": "S’keni leje të shihni mesazhe nga koha para se të merrnit pjesë.",
|
||||
"You don't have permission to view messages from before you were invited.": "S’keni leje të shihni mesazhe nga koha para se t’ju ftonin.",
|
||||
"Internal room ID": "ID e brendshme dhome",
|
||||
"Encrypted messages before this point are unavailable.": "S’mund të kihen më mesazhe të fshehtëzuar para kësaj pike.",
|
||||
"You can't see earlier messages": "S’mund të shihni mesazhe më të hershëm",
|
||||
"Group all your rooms that aren't part of a space in one place.": "Gruponi në një vend krejt dhomat tuaja që s’janë pjesë e një hapësire.",
|
||||
"Group all your people in one place.": "Gruponi krejt personat tuaj në një vend.",
|
||||
"Group all your favourite rooms and people in one place.": "Gruponi në një vend krejt dhomat tuaja të parapëlqyera dhe personat e parapëlqyer.",
|
||||
|
@ -2213,7 +2082,6 @@
|
|||
},
|
||||
"Shared a location: ": "Dha një vendndodhje: ",
|
||||
"Shared their location: ": "Dha vendndodhjen e vet: ",
|
||||
"Command error: Unable to handle slash command.": "Gabim urdhri: S’arrihet të trajtohet urdhër i dhënë me / .",
|
||||
"Unsent": "Të padërguar",
|
||||
"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.": "Që të bëni hyrjen te shërbyes të tjerë Matrix, duke specifikuar një URL të një shërbyesi Home tjetër, mund të përdorni mundësitë vetjake për shërbyesin. Kjo ju lejon të përdorni %(brand)s në një tjetër shërbyes Home me një llogari Matrix ekzistuese.",
|
||||
"%(brand)s was denied permission to fetch your location. Please allow location access in your browser settings.": "%(brand)s iu mohua leja për të sjellë vendndodhjen tuaj. Ju lutemi, lejoni përdorim vendndodhjeje, te rregullimet e shfletuesit tuaj.",
|
||||
|
@ -2351,7 +2219,6 @@
|
|||
"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.": "Kur dilni nga llogaria, këto kyçe do të fshihen te kjo pajisje, që do të thotë se s’do të jeni në gjendje të lexoni mesazhe të fshehtëzuar, veç në paçi kyçet për ta në pajisjet tuaja të tjera, ose të kopjeruajtur te shërbyesi.",
|
||||
"Your old messages will still be visible to people who received them, just like emails you sent in the past. Would you like to hide your sent messages from people who join rooms in the future?": "Mesazhet tuaj të dikurshëm do të jenë ende të dukshëm për personat që i morën, njësoj si email-et që dërgonit dikur. Doni që mesazhet të jenë të fshehur për persona që hyjnë në dhomë në të ardhmen?",
|
||||
"You will be removed from the identity server: your friends will no longer be able to find you with your email or phone number": "Do të hiqeni nga shërbyesi i identiteteve: shokët tuaj s’do të jenë më në gjendje t’ju gjejnë përmes email-it apo numrit tuaj të telefonit",
|
||||
"You can't disable this later. The room will be encrypted but the embedded call will not.": "Këtë s’mund ta çaktivizoni më vonë. Dhoma do të jetë e fshehtëzuar, por jo thirrja e trupëzuar.",
|
||||
"Online community members": "Anëtarë bashkësie internetore",
|
||||
"Coworkers and teams": "Kolegë dhe ekipe",
|
||||
"Friends and family": "Shokë dhe familje",
|
||||
|
@ -2520,14 +2387,7 @@
|
|||
"Your server doesn't support disabling sending read receipts.": "Shërbyesi juaj nuk mbulon çaktivizimin e dërgimit të dëftesave të leximit.",
|
||||
"Share your activity and status with others.": "Ndani me të tjerët veprimtarinë dhe gjendjen tuaj.",
|
||||
"Show shortcut to welcome checklist above the room list": "Shhkurtoren e listës së hapave të mirëseardhjes shfaqe mbi listën e dhomave",
|
||||
"Verify your email to continue": "Që të vazhdohet, verifikoni email-in tuaj",
|
||||
"<b>%(homeserver)s</b> will send you a verification link to let you reset your password.": "<b>%(homeserver)s</b> do t’ju dërgojë një lidhje verifikimi, që t’ju lejojë të ricaktoni fjalëkalimin tuaj.",
|
||||
"Enter your email to reset password": "Që të ricaktoni fjalëkalimin, jepni email-in tuaj",
|
||||
"Send email": "Dërgo email",
|
||||
"Verification link email resent!": "U ridërgua email lidhjeje verifikimi!",
|
||||
"Did not receive it?": "S’e morët?",
|
||||
"Follow the instructions sent to <b>%(email)s</b>": "Ndiqni udhëzimet e dërguara te <b>%(email)s</b>",
|
||||
"That e-mail address or phone number is already in use.": "Ajo adresë email, apo numër telefoni, është tashmë e përdorur.",
|
||||
"Sign out of all devices": "Dilni nga llogaria në krejt pajisjet",
|
||||
"Confirm new password": "Ripohoni fjalëkalimin e ri",
|
||||
"Too many attempts in a short time. Retry after %(timeout)s.": "Shumë përpjekje brenda një kohe të shkurtër. Riprovoni pas %(timeout)s.",
|
||||
|
@ -2567,9 +2427,6 @@
|
|||
"Low bandwidth mode": "Mënyra gjerësi e ulët bande",
|
||||
"You have unverified sessions": "Keni sesioni të paverifikuar",
|
||||
"Change layout": "Ndryshoni skemë",
|
||||
"Sign in instead": "Në vend të kësaj, hyni",
|
||||
"Re-enter email address": "Rijepeni adresën email",
|
||||
"Wrong email address?": "Adresë email e gabuar?",
|
||||
"This session doesn't support encryption and thus can't be verified.": "Ky sesion s’mbulon fshehtëzim, ndaj s’mund të verifikohet.",
|
||||
"For best security and privacy, it is recommended to use Matrix clients that support encryption.": "Për sigurinë dhe privatësinë më të mirë, rekomandohet të përdoren klientë Matrix që mbulojnë fshehtëzim.",
|
||||
"You won't be able to participate in rooms where encryption is enabled when using this session.": "S’do të jeni në gjendje të merrni pjesë në dhoma ku fshehtëzimi është aktivizuar, kur përdoret ky sesion.",
|
||||
|
@ -2602,7 +2459,6 @@
|
|||
"Verify your current session for enhanced secure messaging.": "Verifikoni sesionin tuaj të tanishëm për shkëmbim me siguri të thelluar mesazhesh.",
|
||||
"Your current session is ready for secure messaging.": "Sesioni juaj i tanishëm është gati për shkëmbim të siguruar mesazhesh.",
|
||||
"Sign out of all other sessions (%(otherSessionsCount)s)": "Dil nga krejt sesionet e tjerë (%(otherSessionsCount)s)",
|
||||
"Force 15s voice broadcast chunk length": "Detyro gjatësi copëzash transmetimi zanor prej 15s",
|
||||
"Yes, end my recording": "Po, përfundoje regjistrimin tim",
|
||||
"If you start listening to this live broadcast, your current live broadcast recording will be ended.": "Nëse filloni të dëgjoni te ky transmetim i drejtpërdrejtë, regjistrimi juaj i tanishëm i një transmetimi të drejtpërdrejtë do të përfundojë.",
|
||||
"Listen to live broadcast?": "Të dëgjohet te transmetimi i drejtpërdrejtë?",
|
||||
|
@ -2631,11 +2487,8 @@
|
|||
"Your keys are now being backed up from this device.": "Kyçet tuaj tani po kopjeruhen nga kjo pajisje.",
|
||||
"Enter a Security Phrase only you know, as it's used to safeguard your data. To be secure, you shouldn't re-use your account password.": "Jepni një Frazë Sigurie që e dini vetëm ju, ngaqë përdoret për të mbrojtur të dhënat tuaja. Që të jeni të sigurt, s’duhet të ripërdorni fjalëkalimin e llogarisë tuaj.",
|
||||
"Starting backup…": "Po fillohet kopjeruajtje…",
|
||||
"We need to know it’s you before resetting your password. Click the link in the email we just sent to <b>%(email)s</b>": "Duhet të dimë se jeni ju, përpara ricaktimit të fjalëkalimt. Klikoni lidhjen te email-i që sapo ju dërguam te <b>%(email)s</b>",
|
||||
"Warning: your personal data (including encryption keys) is still stored in this session. Clear it if you're finished using this session, or want to sign in to another account.": "Kujdes: të dhënat tuaja personale (përfshi kyçe fshehtëzimi) janë ende të depozituara në këtë sesion. Spastrojini, nëse keni përfunduar së përdoruri këtë sesion, ose dëshironi të bëni hyrjen në një tjetër llogari.",
|
||||
"Please only proceed if you're sure you've lost all of your other devices and your Security Key.": "Ju lutemi, ecni më tej vetëm nëse jeni i sigurt se keni humbur krejt pajisjet tuaja të tjera dhe Kyçin tuaj të Sigurisë.",
|
||||
"Signing In…": "Po hyhet…",
|
||||
"Syncing…": "Po njëkohësohet…",
|
||||
"Inviting…": "Po ftohen…",
|
||||
"Creating rooms…": "Po krijohen dhoma…",
|
||||
"Keep going…": "Vazhdoni…",
|
||||
|
@ -2701,7 +2554,6 @@
|
|||
"Invites by email can only be sent one at a time": "Ftesat me email mund të dërgohen vetëm një në herë",
|
||||
"An error occurred when updating your notification preferences. Please try to toggle your option again.": "Ndodhi një gabim teksa përditësoheshin parapëlqimet tuaja për njoftime. Ju lutemi, provoni ta riaktivizoni mundësinë tuaj.",
|
||||
"Desktop app logo": "Stemë aplikacioni Desktop",
|
||||
"Use your account to continue.": "Që të vazhdohet, përdorni llogarinë tuaj.",
|
||||
"Message from %(user)s": "Mesazh nga %(user)s",
|
||||
"Message in %(room)s": "Mesazh në %(room)s",
|
||||
"Log out and back in to disable": "Që të çaktivizohet, dilni dhe rihyni në llogari",
|
||||
|
@ -2833,7 +2685,8 @@
|
|||
"cross_signing": "<em>Cross-signing</em>",
|
||||
"identity_server": "Shërbyes identitetesh",
|
||||
"integration_manager": "Përgjegjës integrimesh",
|
||||
"qr_code": "Kod QR"
|
||||
"qr_code": "Kod QR",
|
||||
"feedback": "Mendime"
|
||||
},
|
||||
"action": {
|
||||
"continue": "Vazhdo",
|
||||
|
@ -2997,7 +2850,8 @@
|
|||
"leave_beta_reload": "Braktisja e programit beta do të sjellë ringarkim të %(brand)s.",
|
||||
"join_beta_reload": "Pjesëmarrja në beta do të sjellë ringarkim të %(brand)s.",
|
||||
"leave_beta": "Braktiseni beta-n",
|
||||
"join_beta": "Merrni pjesë te beta"
|
||||
"join_beta": "Merrni pjesë te beta",
|
||||
"voice_broadcast_force_small_chunks": "Detyro gjatësi copëzash transmetimi zanor prej 15s"
|
||||
},
|
||||
"keyboard": {
|
||||
"home": "Kreu",
|
||||
|
@ -3283,7 +3137,9 @@
|
|||
"timeline_image_size": "Madhësi figure në rrjedhën kohore",
|
||||
"timeline_image_size_default": "Parazgjedhje",
|
||||
"timeline_image_size_large": "E madhe"
|
||||
}
|
||||
},
|
||||
"inline_url_previews_room_account": "Aktivizo paraparje URL-sh për këtë dhomë (prek vetëm ju)",
|
||||
"inline_url_previews_room": "Aktivizo, si parazgjedhje, paraparje URL-sh për pjesëmarrësit në këtë dhomë"
|
||||
},
|
||||
"devtools": {
|
||||
"send_custom_account_data_event": "Dërgoni akt vetjak të dhënash llogarie",
|
||||
|
@ -3431,7 +3287,24 @@
|
|||
"title_public_room": "Krijoni një dhomë publike",
|
||||
"title_private_room": "Krijoni një dhomë private",
|
||||
"action_create_video_room": "Krijoni dhomë me video",
|
||||
"action_create_room": "Krijoje dhomën"
|
||||
"action_create_room": "Krijoje dhomën",
|
||||
"name_validation_required": "Ju lutemi, jepni një emër për dhomën",
|
||||
"join_rule_restricted_label": "Cilido te <SpaceName/> do të jetë në gjendje të gjejë dhe hyjë në këtë dhomë.",
|
||||
"join_rule_change_notice": "Këtë mund ta ndryshoni kurdo, që nga rregullimet e dhomës.",
|
||||
"join_rule_public_parent_space_label": "Cilido do të jetë në gjendje të gjejë dhe hyjë në këtë dhomë, jo thjesht vetëm anëtarët e <SpaceName/>.",
|
||||
"join_rule_public_label": "Gjithkush do të jetë në gjendje të gjejë dhe hyjë në këtë dhomë.",
|
||||
"join_rule_invite_label": "Vetëm personat e ftuar do të jenë në gjendje ta gjejnë dhe hyjnë në këtë dhomë.",
|
||||
"encrypted_video_room_warning": "Këtë s’mund ta çaktivizoni më vonë. Dhoma do të jetë e fshehtëzuar, por jo thirrja e trupëzuar.",
|
||||
"encrypted_warning": "Këtë s’mund ta çaktivizoni dot më vonë. Urat & shumica e robotëve ende s’do të funksionojnë.",
|
||||
"encryption_forced": "Shërbyesi juaj lyp që fshehtëzimi të jetë i aktivizuar në dhoma private.",
|
||||
"encryption_label": "Aktivizo fshehtëzim skaj-më-skaj",
|
||||
"unfederated_label_default_off": "Këtë mund ta aktivizonit, nëse kjo dhomë do të përdoret vetëm për bashkëpunim me ekipe të brendshëm në shërbyesin tuaj Home. Kjo s’mund të ndryshohet më vonë.",
|
||||
"unfederated_label_default_on": "Këtë mund të çaktivizonit, nëse dhoma do të përdoret për bashkëpunim me ekipe të jashtëm që kanë shërbyesin e tyre Home. Kjo s’mund të ndryshohet më vonë.",
|
||||
"topic_label": "Temë (në daçi)",
|
||||
"room_visibility_label": "Dukshmëri dhome",
|
||||
"join_rule_invite": "Dhomë private (vetëm me ftesa)",
|
||||
"join_rule_restricted": "I dukshëm për anëtarë të hapësirë",
|
||||
"unfederated": "Bllokoji cilitdo që s’është pjesë e %(serverName)s marrjen pjesë në këtë dhomë."
|
||||
},
|
||||
"timeline": {
|
||||
"m.call": {
|
||||
|
@ -3704,7 +3577,11 @@
|
|||
"changed_rule_rooms": "%(senderName)s ndryshoi një rregull që dëbonte dhoma me përputhje me %(oldGlob)s për përputhje me %(newGlob)s për %(reason)s",
|
||||
"changed_rule_servers": "%(senderName)s ndryshoi një rregull që dëbonte shërbyes me përputhje me %(oldGlob)s për përputhje me %(newGlob)s për %(reason)s",
|
||||
"changed_rule_glob": "%(senderName)s përditësoi një rregull dëbimesh mbi përputhje me %(oldGlob)s për përputhje me %(newGlob)s për %(reason)s"
|
||||
}
|
||||
},
|
||||
"no_permission_messages_before_invite": "S’keni leje të shihni mesazhe nga koha para se t’ju ftonin.",
|
||||
"no_permission_messages_before_join": "S’keni leje të shihni mesazhe nga koha para se të merrnit pjesë.",
|
||||
"encrypted_historical_messages_unavailable": "S’mund të kihen më mesazhe të fshehtëzuar para kësaj pike.",
|
||||
"historical_messages_unavailable": "S’mund të shihni mesazhe më të hershëm"
|
||||
},
|
||||
"slash_command": {
|
||||
"spoiler": "E dërgon mesazhin e dhënë si <em>spoiler</em>",
|
||||
|
@ -3762,7 +3639,14 @@
|
|||
"holdcall": "E kalon në pritje thirrjen në dhomën aktuale",
|
||||
"no_active_call": "S’ka thirrje aktive në këtë dhomë",
|
||||
"unholdcall": "E heq nga pritja thirrjen në dhomën aktuale",
|
||||
"me": "Shfaq veprimin"
|
||||
"me": "Shfaq veprimin",
|
||||
"error_invalid_runfn": "Gabim urdhri: S’arrihet të trajtohet urdhër i dhënë me / .",
|
||||
"error_invalid_rendering_type": "Gabim urdhri: S’arrihet të gjendet lloj vizatimi (%(renderingType)s)",
|
||||
"join": "Hyhet në dhomën me adresën e dhënë",
|
||||
"failed_find_room": "Urdhri dështoi: S’arrihet të gjendet dhoma (%(roomId)s",
|
||||
"failed_find_user": "S’u gjet përdorues në dhomë",
|
||||
"op": "Përcaktoni shkallë pushteti të një përdoruesi",
|
||||
"deop": "I heq cilësinë e operatorit përdoruesit me ID-në e dhënë"
|
||||
},
|
||||
"presence": {
|
||||
"busy": "I zënë",
|
||||
|
@ -3945,13 +3829,56 @@
|
|||
"reset_password_title": "Ricaktoni fjalëkalimin tuaj",
|
||||
"continue_with_sso": "Vazhdo me %(ssoButtons)s",
|
||||
"sso_or_username_password": "%(ssoButtons)s Ose %(usernamePassword)s",
|
||||
"sign_in_instead": "Keni tashmë një llogari? <a>Bëni hyrjen këtu</a>",
|
||||
"sign_in_instead": "Në vend të kësaj, hyni",
|
||||
"account_clash": "Llogaria juaj e re (%(newAccountId)s) është e regjistruar, por jeni i futur në një tjetër llogari (%(loggedInUserId)s).",
|
||||
"account_clash_previous_account": "Vazhdoni me llogarinë e mëparshme",
|
||||
"log_in_new_account": "<a>Bëni hyrjen</a> te llogaria juaj e re.",
|
||||
"registration_successful": "Regjistrim i Suksesshëm",
|
||||
"server_picker_title": "Strehoni llogari në",
|
||||
"server_picker_dialog_title": "Vendosni se ku të ruhet llogaria juaj"
|
||||
"server_picker_title": "Bëni hyrjen te shërbyesi juaj Home",
|
||||
"server_picker_dialog_title": "Vendosni se ku të ruhet llogaria juaj",
|
||||
"footer_powered_by_matrix": "bazuar në Matrix",
|
||||
"failed_homeserver_discovery": "S’u arrit të kryhej zbulim shërbyesi Home",
|
||||
"sync_footer_subtitle": "Nëse jeni pjesë e shumë dhomave, kjo mund të zgjasë ca",
|
||||
"syncing": "Po njëkohësohet…",
|
||||
"signing_in": "Po hyhet…",
|
||||
"unsupported_auth_msisdn": "Ky shërbyes nuk mbulon mirëfilltësim me një numër telefoni.",
|
||||
"unsupported_auth_email": "Ky shërbyes Home nuk mbulon hyrje përmes adresash email.",
|
||||
"registration_disabled": "Në këtë shërbyes Home regjistrimi është çaktivizuar.",
|
||||
"failed_query_registration_methods": "S’arrihet të kërkohet për metoda regjistrimi që mbulohen.",
|
||||
"username_in_use": "Dikush e ka atë emër përdoruesi, ju lutemi, provoni tjetër.",
|
||||
"3pid_in_use": "Ajo adresë email, apo numër telefoni, është tashmë e përdorur.",
|
||||
"incorrect_password": "Fjalëkalim i pasaktë",
|
||||
"failed_soft_logout_auth": "S’u arrit të ribëhej mirëfilltësimi",
|
||||
"soft_logout_heading": "Keni bërë dalje",
|
||||
"forgot_password_email_required": "Duhet dhënë adresa email e lidhur me llogarinë tuaj.",
|
||||
"forgot_password_email_invalid": "Adresa email s’duket të jetë e vlefshme.",
|
||||
"sign_in_prompt": "Keni një llogari? <a>Hyni</a>",
|
||||
"verify_email_heading": "Që të vazhdohet, verifikoni email-in tuaj",
|
||||
"forgot_password_prompt": "Harruat fjalëkalimin tuaj?",
|
||||
"soft_logout_intro_password": "Jepni fjalëkalimin tuaj që të bëhet hyrja dhe të rifitoni hyrje në llogarinë tuaj.",
|
||||
"soft_logout_intro_sso": "Bëni hyrjen dhe rifitoni hyrje në llogarinë tuaj.",
|
||||
"soft_logout_intro_unsupported_auth": "S’mund të bëni hyrjen në llogarinë tuaj. Ju lutemi, për më tepër hollësi, lidhuni me përgjegjësin e shërbyesit tuaj Home.",
|
||||
"check_email_explainer": "Ndiqni udhëzimet e dërguara te <b>%(email)s</b>",
|
||||
"check_email_wrong_email_prompt": "Adresë email e gabuar?",
|
||||
"check_email_wrong_email_button": "Rijepeni adresën email",
|
||||
"check_email_resend_prompt": "S’e morët?",
|
||||
"check_email_resend_tooltip": "U ridërgua email lidhjeje verifikimi!",
|
||||
"enter_email_heading": "Që të ricaktoni fjalëkalimin, jepni email-in tuaj",
|
||||
"enter_email_explainer": "<b>%(homeserver)s</b> do t’ju dërgojë një lidhje verifikimi, që t’ju lejojë të ricaktoni fjalëkalimin tuaj.",
|
||||
"verify_email_explainer": "Duhet të dimë se jeni ju, përpara ricaktimit të fjalëkalimt. Klikoni lidhjen te email-i që sapo ju dërguam te <b>%(email)s</b>",
|
||||
"create_account_prompt": "I sapoardhur? <a>Krijoni një llogari</a>",
|
||||
"sign_in_or_register": "Hyni ose Krijoni një Llogari",
|
||||
"sign_in_or_register_description": "Që të vazhdohet, përdorni llogarinë tuaj të përdoruesit ose krijoni një të re.",
|
||||
"sign_in_description": "Që të vazhdohet, përdorni llogarinë tuaj.",
|
||||
"register_action": "Krijoni Llogari",
|
||||
"server_picker_failed_validate_homeserver": "S’arrihet të vlerësohet shërbyesi Home",
|
||||
"server_picker_invalid_url": "URL e pavlefshme",
|
||||
"server_picker_required": "Tregoni një shërbyes Home",
|
||||
"server_picker_matrix.org": "Matrix.org është shërbyesi Home publik më i madh në botë, ndaj është një vend i mirë për shumë vetë.",
|
||||
"server_picker_intro": "Vendet ku mund të strehoni llogarinë tuaj i quajmë ‘shërbyes Home’.",
|
||||
"server_picker_custom": "Tjetër shërbyes home",
|
||||
"server_picker_explainer": "Përdorni shërbyesin tuaj Home të parapëlqyer Matrix, nëse keni një të tillë, ose strehoni një tuajin.",
|
||||
"server_picker_learn_more": "Mbi shërbyesit Home"
|
||||
},
|
||||
"room_list": {
|
||||
"sort_unread_first": "Së pari shfaq dhoma me mesazhe të palexuar",
|
||||
|
@ -4002,5 +3929,81 @@
|
|||
"access_token_detail": "Tokeni-i juaj i hyrjeve jep hyrje të plotë në llogarinë tuaj. Mos ia jepni kujt.",
|
||||
"clear_cache_reload": "Spastro fshehtinën dhe ringarko"
|
||||
}
|
||||
},
|
||||
"widget": {
|
||||
"capability": {
|
||||
"send_stickers_this_room": "Dërgoni ngjitës në këtë dhomë",
|
||||
"send_stickers_active_room": "Dërgoni ngjitës në dhomën tuaj aktive",
|
||||
"send_stickers_this_room_as_you": "Dërgoni ngjitës në këtë dhomë si ju",
|
||||
"send_stickers_active_room_as_you": "Dërgoni ngjitës në dhomën tuaj aktive si ju",
|
||||
"see_sticker_posted_this_room": "Shihni kur postohet një ngjitës në këtë dhomë",
|
||||
"see_sticker_posted_active_room": "Shihni kur dikush poston një ngjitës në dhomën tuaj aktive",
|
||||
"always_on_screen_viewing_another_room": "Të mbesë në ekranin tuaj, kur shihet një tjetër dhomë dhe widget-i është në punë",
|
||||
"always_on_screen_generic": "Rrini në ekran për deri sa është hapur",
|
||||
"switch_room": "Ndryshoni cilën dhomë shihni",
|
||||
"switch_room_message_user": "Ndryshoni cilën dhomë, mesazh ose përdorues po shihni",
|
||||
"change_topic_this_room": "Ndryshoni temën e kësaj dhome",
|
||||
"see_topic_change_this_room": "Shihni kur ndryshohet tema në këtë dhomë",
|
||||
"change_topic_active_room": "Ndryshoni temën në dhomën tuaj aktive",
|
||||
"see_topic_change_active_room": "Shihni kur ndryshon tema në dhomën tuaj aktive",
|
||||
"change_name_this_room": "Ndryshoni emrin e kësaj dhome",
|
||||
"see_name_change_this_room": "Shihni kur ndryshohet emri në këtë dhomë",
|
||||
"change_name_active_room": "Ndryshoni emrin e dhomës tuaj aktive",
|
||||
"see_name_change_active_room": "Shihni kur ndryshon emri në dhomën tuaj aktive",
|
||||
"change_avatar_this_room": "Ndryshoni avatarin e kësaj dhome",
|
||||
"see_avatar_change_this_room": "Shihni kur ndryshon avatari në këtë dhomë",
|
||||
"change_avatar_active_room": "Ndryshoni avatarin në dhomën tuaj aktive",
|
||||
"see_avatar_change_active_room": "Shihni kur ndryshon avatari në dhomën tuaj aktive",
|
||||
"remove_ban_invite_leave_this_room": "Hiqni, dëboni, ose ftoni persona në këtë dhomë dhe bëni largimin tuaj",
|
||||
"receive_membership_this_room": "Shihni kur persona vijnë, ikin ose janë ftuar në këtë dhomë",
|
||||
"remove_ban_invite_leave_active_room": "Hiqni, dëboni, ose ftoni persona te dhoma juaj aktive dhe bëni largimin tuaj",
|
||||
"receive_membership_active_room": "Shihni kur persona vijnë, ikin ose janë ftuar në dhomën tuaj aktive",
|
||||
"byline_empty_state_key": "me një kyç të zbrazët gjendjeje",
|
||||
"byline_state_key": "me kyç gjendjeje %(stateKey)s",
|
||||
"any_room": "Atë më sipër, por edhe në çfarëdo dhome ku keni hyrë ose jeni ftuar",
|
||||
"specific_room": "Atë më sipër, por edhe te <Room />",
|
||||
"send_event_type_this_room": "Dërgoni akte <b>%(eventType)s</b> në këtë dhomë si ju",
|
||||
"see_event_type_sent_this_room": "Shihni akte <b>%(eventType)s</b> postuar në këtë dhomë",
|
||||
"send_event_type_active_room": "Shihni akte <b>%(eventType)s</b> si ju në këtë dhomë",
|
||||
"see_event_type_sent_active_room": "Shihni akte <b>%(eventType)s</b> postuar në dhomën tuaj aktive",
|
||||
"capability": "Aftësia <b>%(capability)s</b>",
|
||||
"send_messages_this_room": "Dërgoni mesazhi si ju në këtë dhomë",
|
||||
"send_messages_active_room": "Dërgoni mesazhe si ju në dhomën tuaj aktive",
|
||||
"see_messages_sent_this_room": "Shihni mesazhe të postuar në këtë dhomë",
|
||||
"see_messages_sent_active_room": "Shihni mesazhe të postuar në dhomën tuaj aktive",
|
||||
"send_text_messages_this_room": "Dërgoni mesazhe tekst si ju në këtë dhomë",
|
||||
"send_text_messages_active_room": "Dërgoni mesazhe tekst si ju në dhomën tuaj aktive",
|
||||
"see_text_messages_sent_this_room": "Shihni mesazhe tekst postuar në këtë dhomë",
|
||||
"see_text_messages_sent_active_room": "Shihni mesazhe tekst postuar në dhomën tuaj aktive",
|
||||
"send_emotes_this_room": "Dërgoni emotikone si ju në këtë dhomë",
|
||||
"send_emotes_active_room": "Dërgoni emotikone si ju në këtë dhomë",
|
||||
"see_sent_emotes_this_room": "Shihni emotikone postuar në këtë dhomë",
|
||||
"see_sent_emotes_active_room": "Shihni emotikonë postuar në dhomën tuaj aktive",
|
||||
"send_images_this_room": "Dërgoni figura si ju, në këtë dhomë",
|
||||
"send_images_active_room": "Dërgoni figura si ju në dhomën tuaj aktive",
|
||||
"see_images_sent_this_room": "Shihni figura postuar në këtë dhomë",
|
||||
"see_images_sent_active_room": "Shihni figura postuar te dhoma juaj aktive",
|
||||
"send_videos_this_room": "Dërgoni video si ju në këtë dhomë",
|
||||
"send_videos_active_room": "Dërgoni video si ju në dhomën tuaj aktive",
|
||||
"see_videos_sent_this_room": "Shihni video të postuara në këtë dhomë",
|
||||
"see_videos_sent_active_room": "Shihni video të postuara në dhomën tuaj aktive",
|
||||
"send_files_this_room": "Dërgoni kartela të përgjithshme si ju në këtë dhomë",
|
||||
"send_files_active_room": "Dërgoni kartela të përgjithshme si ju në dhomën tuaj aktive",
|
||||
"see_sent_files_this_room": "Shihni kartela të përgjithshme postuar në këtë dhomë",
|
||||
"see_sent_files_active_room": "Shihni kartela të përgjithshme postuar në dhomën tuaj aktive",
|
||||
"send_msgtype_this_room": "Dërgoni mesazhe <b>%(msgtype)s</b> si ju në këtë dhomë",
|
||||
"send_msgtype_active_room": "Dërgoni mesazhe <b>%(msgtype)s</b> si ju në dhomën tuaj aktive",
|
||||
"see_msgtype_sent_this_room": "Shihni mesazhe <b>%(msgtype)s</b> postuar në këtë dhomë",
|
||||
"see_msgtype_sent_active_room": "Shihni mesazhe <b>%(msgtype)s</b> postuar në dhomën tuaj aktive"
|
||||
}
|
||||
},
|
||||
"feedback": {
|
||||
"sent": "Përshtypjet u dërguan",
|
||||
"comment_label": "Koment",
|
||||
"platform_username": "Platforma dhe emri juaj i përdoruesit do të mbahen shënim, për të na ndihmuar t’i përdorim përshtypjet tuaja sa më shumë që të mundemi.",
|
||||
"may_contact_label": "Mund të lidheni me mua për vazhdimin, ose për të më lejuar të testoj ide të ardhshme",
|
||||
"pro_type": "NDIHMËZ PROFESIONISTËSH: Nëse nisni një njoftim të mete, ju lutemi, parashtroni <debugLogsLink>regjistra diagnostikimi</debugLogsLink>, që të na ndihmoni të gjejmë problemin.",
|
||||
"existing_issue_link": "Ju lutemi, shihni <existingIssuesLink>të meta ekzistuese në Github</existingIssuesLink> së pari. S’ka përputhje? <newIssueLink>Nisni një të re</newIssueLink>.",
|
||||
"send_feedback_action": "Dërgoni përshtypjet"
|
||||
}
|
||||
}
|
||||
|
|
|
@ -63,8 +63,6 @@
|
|||
"Not a valid %(brand)s keyfile": "Није исправана %(brand)s кључ-датотека",
|
||||
"Authentication check failed: incorrect password?": "Провера идентитета није успела: нетачна лозинка?",
|
||||
"Mirror local video feed": "Копирај довод локалног видеа",
|
||||
"Enable URL previews for this room (only affects you)": "Укључи УРЛ прегледе у овој соби (утиче само на вас)",
|
||||
"Enable URL previews by default for participants in this room": "Подразумевано омогући прегледе адреса за чланове ове собе",
|
||||
"Incorrect verification code": "Нетачни потврдни код",
|
||||
"Phone": "Телефон",
|
||||
"No display name": "Нема приказног имена",
|
||||
|
@ -159,7 +157,6 @@
|
|||
"A text message has been sent to %(msisdn)s": "Текстуална порука је послата на %(msisdn)s",
|
||||
"Please enter the code it contains:": "Унесите код који се налази у њој:",
|
||||
"Start authentication": "Започните идентификацију",
|
||||
"powered by Matrix": "покреће га Матрикс",
|
||||
"Sign in with": "Пријавите се преко",
|
||||
"Email address": "Мејл адреса",
|
||||
"Something went wrong!": "Нешто је пошло наопако!",
|
||||
|
@ -181,7 +178,6 @@
|
|||
},
|
||||
"Confirm Removal": "Потврди уклањање",
|
||||
"Unknown error": "Непозната грешка",
|
||||
"Incorrect password": "Нетачна лозинка",
|
||||
"Deactivate Account": "Деактивирај налог",
|
||||
"An error has occurred.": "Догодила се грешка.",
|
||||
"Unable to restore session": "Не могу да повратим сесију",
|
||||
|
@ -239,7 +235,6 @@
|
|||
"Notifications": "Обавештења",
|
||||
"Profile": "Профил",
|
||||
"Account": "Налог",
|
||||
"The email address linked to your account must be entered.": "Морате унети мејл адресу која је везана за ваш налог.",
|
||||
"A new password must be entered.": "Морате унети нову лозинку.",
|
||||
"New passwords must match each other.": "Нове лозинке се морају подударати.",
|
||||
"Return to login screen": "Врати ме на екран за пријаву",
|
||||
|
@ -247,9 +242,6 @@
|
|||
"Please note you are logging into the %(hs)s server, not matrix.org.": "Знајте да се пријављујете на сервер %(hs)s, не на matrix.org.",
|
||||
"Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or <a>enable unsafe scripts</a>.": "Не могу да се повежем на сервер преко ХТТП када је ХТТПС УРЛ у траци вашег прегледача. Или користите HTTPS или <a>омогућите небезбедне скрипте</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>ССЛ сертификат сервера</a> од поверења и да проширење прегледача не блокира захтеве.",
|
||||
"This server does not support authentication with a phone number.": "Овај сервер не подржава идентификацију преко броја мобилног.",
|
||||
"Define the power level of a user": "Дефинише снагу корисника",
|
||||
"Deops user with given id": "Укида админа за корисника са датим ИД",
|
||||
"Commands": "Наредбе",
|
||||
"Notify the whole room": "Обавести све у соби",
|
||||
"Room Notification": "Собно обавештење",
|
||||
|
@ -384,7 +376,6 @@
|
|||
"The encryption used by this room isn't supported.": "Начин шифровања унутар ове собе није подржан.",
|
||||
"<reactors/><reactedWith>reacted with %(shortName)s</reactedWith>": "<reactors/><reactedWith>реаговали са %(shortName)s</reactedWith>",
|
||||
"Widgets do not use message encryption.": "Виџети не користе шифровање порука.",
|
||||
"Enable end-to-end encryption": "Омогући шифровање с краја на крај",
|
||||
"Room Settings - %(roomName)s": "Подешавања собе - %(roomName)s",
|
||||
"Terms of Service": "Услови коришћења",
|
||||
"To continue you need to accept the terms of this service.": "За наставак, морате прихватити услове коришћења ове услуге.",
|
||||
|
@ -396,7 +387,6 @@
|
|||
"Switch to light mode": "Пребаци на светлу тему",
|
||||
"Switch to dark mode": "Пребаци на тамну тему",
|
||||
"All settings": "Сва подешавања",
|
||||
"Feedback": "Повратни подаци",
|
||||
"General failure": "Општа грешка",
|
||||
"Use custom size": "Користи прилагођену величину",
|
||||
"Got It": "Разумем",
|
||||
|
@ -421,9 +411,6 @@
|
|||
"Setting up keys": "Постављам кључеве",
|
||||
"Are you sure you want to cancel entering passphrase?": "Заиста желите да откажете унос фразе?",
|
||||
"Cancel entering passphrase?": "Отказати унос фразе?",
|
||||
"Create Account": "Направи налог",
|
||||
"Use your account or create a new one to continue.": "Користите постојећи или направите нови да наставите.",
|
||||
"Sign In or Create Account": "Пријавите се или направите налог",
|
||||
"Zimbabwe": "Зимбабве",
|
||||
"Zambia": "Замбија",
|
||||
"Yemen": "Јемен",
|
||||
|
@ -696,8 +683,6 @@
|
|||
"No homeserver URL provided": "Није наведен УРЛ сервера",
|
||||
"Cannot reach homeserver": "Сервер недоступан",
|
||||
"Session already verified!": "Сесија је већ верификована!",
|
||||
"Could not find user in room": "Не налазим корисника у соби",
|
||||
"Joins room with given address": "Придружује се соби са датом адресом",
|
||||
"Use an identity server to invite by email. Manage in Settings.": "Користите сервер идентитета за позивнице е-поштом. Управљајте у поставкама.",
|
||||
"Use an identity server": "Користи сервер идентитета",
|
||||
"Removing…": "Уклањам…",
|
||||
|
@ -820,63 +805,6 @@
|
|||
"Cannot reach identity server": "Није могуће приступити серверу идентитета",
|
||||
"Your %(brand)s is misconfigured": "Ваш %(brand)s је погрешно конфигурисан",
|
||||
"Ensure you have a stable internet connection, or get in touch with the server admin": "Уверите се да имате стабилну интернет везу или контактирајте администратора сервера",
|
||||
"See <b>%(msgtype)s</b> messages posted to your active room": "Видите <b>%(msgtype)s</b> поруке објављене у Вашој активној соби",
|
||||
"See <b>%(msgtype)s</b> messages posted to this room": "Видите <b>%(msgtype)s</b> поруке објављене у овој соби",
|
||||
"Send <b>%(msgtype)s</b> messages as you in your active room": "Пошаљи <b>%(msgtype)s</b> поруке као Ви у активној соби",
|
||||
"Send <b>%(msgtype)s</b> messages as you in this room": "Пошаљи <b>%(msgtype)s</b> поруке као Ви у овој соби",
|
||||
"See general files posted to your active room": "Погледајте опште датотеке објављене у Вашој активној соби",
|
||||
"See general files posted to this room": "Погледајте опште датотеке објављене у овој соби",
|
||||
"Send general files as you in your active room": "Шаљите опште датотеке као у активној соби",
|
||||
"Send general files as you in this room": "Шаљите опште датотеке као у овој соби",
|
||||
"See videos posted to your active room": "Погледајте видео снимке објављене у вашој активној соби",
|
||||
"See videos posted to this room": "Погледајте видео снимке објављене у овој соби",
|
||||
"Send videos as you in your active room": "Шаљите видео снимке као Ви у активној соби",
|
||||
"Send videos as you in this room": "Шаљите видео записе као Ви у овој соби",
|
||||
"See images posted to your active room": "Погледајте слике објављене у вашој активној соби",
|
||||
"See images posted to this room": "Погледајте слике објављене у овој соби",
|
||||
"Send images as you in your active room": "Пошаљите слике као Ви у активној соби",
|
||||
"Send images as you in this room": "Пошаљите слике као Ви у овој соби",
|
||||
"See emotes posted to your active room": "Погледајте емоције објављене у Вашој активној соби",
|
||||
"See emotes posted to this room": "Погледајте емоције објављене у овој соби",
|
||||
"Send emotes as you in your active room": "Шаљите емоције као у активној соби",
|
||||
"Send emotes as you in this room": "Пошаљите емоције као Ви у ову собу",
|
||||
"See text messages posted to your active room": "Погледајте текстуалне поруке објављене у Вашој активној соби",
|
||||
"See text messages posted to this room": "Погледајте текстуалне поруке објављене у овој соби",
|
||||
"Send text messages as you in your active room": "Шаљите текстуалне поруке као Ви у активној соби",
|
||||
"Send text messages as you in this room": "Шаљите текстуалне поруке као Ви у овој соби",
|
||||
"See messages posted to your active room": "Погледајте поруке објављене у Вашој активној соби",
|
||||
"See messages posted to this room": "Погледајте поруке објављене у овој соби",
|
||||
"Send messages as you in your active room": "Шаљите поруке као Ви у активној соби",
|
||||
"Send messages as you in this room": "Шаљите поруке као Ви у овој соби",
|
||||
"The <b>%(capability)s</b> capability": "<b>%(capability)s</b> способност",
|
||||
"See <b>%(eventType)s</b> events posted to your active room": "Видите <b>%(eventType)s</b> догађаје објављене у вашој активној соби",
|
||||
"Send <b>%(eventType)s</b> events as you in your active room": "Пошаљите <b>%(eventType)s</b> догађаја у активној соби",
|
||||
"See <b>%(eventType)s</b> events posted to this room": "Видите <b>%(eventType)s</b> догађаји објављени у овој соби",
|
||||
"Send <b>%(eventType)s</b> events as you in this room": "Шаљите <b>%(eventType)s</b> догађаје као у овој соби",
|
||||
"with an empty state key": "са празним статусним кључем",
|
||||
"with state key %(stateKey)s": "са статусним кључем %(stateKey)s",
|
||||
"See when anyone posts a sticker to your active room": "Погледајте када неко постави налепницу у вашу активну собу",
|
||||
"Send stickers to your active room as you": "Пошаљите налепнице у своју активну собу као и Ви",
|
||||
"See when a sticker is posted in this room": "Погледајте када је налепница постављена у овој соби",
|
||||
"Send stickers to this room as you": "Пошаљите налепнице у ову собу као и Ви",
|
||||
"See when the avatar changes in your active room": "Погледајте када се аватар промени у вашој активној соби",
|
||||
"Change the avatar of your active room": "Промените аватар своје активне собе",
|
||||
"See when the avatar changes in this room": "Погледајте када се аватар промени у овој соби",
|
||||
"Change the avatar of this room": "Промените аватар ове собе",
|
||||
"See when the name changes in your active room": "Погледајте када се име промени у вашој активној соби",
|
||||
"Change the name of your active room": "Промените име своје активне собе",
|
||||
"See when the name changes in this room": "Погледајте када се име промени у овој соби",
|
||||
"Change the name of this room": "Промените име ове собе",
|
||||
"See when the topic changes in your active room": "Погледајте када се тема промени у вашој активној соби",
|
||||
"Change the topic of your active room": "Промените тему своје активне собе",
|
||||
"See when the topic changes in this room": "Погледајте када се тема промени у овој соби",
|
||||
"Change the topic of this room": "Промените тему ове собе",
|
||||
"Change which room, message, or user you're viewing": "Промените коју собу, поруку или корисника гледате",
|
||||
"Change which room you're viewing": "Промените коју собу гледате",
|
||||
"Send stickers into your active room": "Пошаљите налепнице у своју активну собу",
|
||||
"Send stickers into this room": "Пошаљите налепнице у ову собу",
|
||||
"Remain on your screen when viewing another room, when running": "Останите на екрану док гледате другу собу, током рада",
|
||||
"Remain on your screen while running": "Останите на екрану током рада",
|
||||
"Couldn't load page": "Учитавање странице није успело",
|
||||
"Sign in with SSO": "Пријавите се помоћу SSO",
|
||||
"Use email to optionally be discoverable by existing contacts.": "Користите е-пошту да бисте је по жељи могли открити постојећи контакти.",
|
||||
|
@ -980,7 +908,8 @@
|
|||
"trusted": "поуздан",
|
||||
"not_trusted": "није поуздан",
|
||||
"unnamed_room": "Неименована соба",
|
||||
"stickerpack": "Паковање са налепницама"
|
||||
"stickerpack": "Паковање са налепницама",
|
||||
"feedback": "Повратни подаци"
|
||||
},
|
||||
"action": {
|
||||
"continue": "Настави",
|
||||
|
@ -1125,7 +1054,9 @@
|
|||
"custom_theme_add_button": "Додај тему",
|
||||
"font_size": "Величина фонта",
|
||||
"timeline_image_size_default": "Подразумевано"
|
||||
}
|
||||
},
|
||||
"inline_url_previews_room_account": "Укључи УРЛ прегледе у овој соби (утиче само на вас)",
|
||||
"inline_url_previews_room": "Подразумевано омогући прегледе адреса за чланове ове собе"
|
||||
},
|
||||
"devtools": {
|
||||
"event_type": "Врста догађаја",
|
||||
|
@ -1361,7 +1292,11 @@
|
|||
"query": "Отвара ћаскање са наведеним корисником",
|
||||
"holdcall": "Ставља позив на чекање у тренутној соби",
|
||||
"unholdcall": "Узима позив са чекања у тренутној соби",
|
||||
"me": "Приказује радњу"
|
||||
"me": "Приказује радњу",
|
||||
"join": "Придружује се соби са датом адресом",
|
||||
"failed_find_user": "Не налазим корисника у соби",
|
||||
"op": "Дефинише снагу корисника",
|
||||
"deop": "Укида админа за корисника са датим ИД"
|
||||
},
|
||||
"presence": {
|
||||
"online_for": "На мрежи %(duration)s",
|
||||
|
@ -1413,7 +1348,14 @@
|
|||
"quick_reactions": "Брзе реакције"
|
||||
},
|
||||
"auth": {
|
||||
"sso": "Јединствена пријава"
|
||||
"sso": "Јединствена пријава",
|
||||
"footer_powered_by_matrix": "покреће га Матрикс",
|
||||
"unsupported_auth_msisdn": "Овај сервер не подржава идентификацију преко броја мобилног.",
|
||||
"incorrect_password": "Нетачна лозинка",
|
||||
"forgot_password_email_required": "Морате унети мејл адресу која је везана за ваш налог.",
|
||||
"sign_in_or_register": "Пријавите се или направите налог",
|
||||
"sign_in_or_register_description": "Користите постојећи или направите нови да наставите.",
|
||||
"register_action": "Направи налог"
|
||||
},
|
||||
"export_chat": {
|
||||
"messages": "Поруке"
|
||||
|
@ -1439,5 +1381,69 @@
|
|||
"title": "Помоћ и подаци о програму",
|
||||
"versions": "Верзије"
|
||||
}
|
||||
},
|
||||
"create_room": {
|
||||
"encryption_label": "Омогући шифровање с краја на крај"
|
||||
},
|
||||
"widget": {
|
||||
"capability": {
|
||||
"send_stickers_this_room": "Пошаљите налепнице у ову собу",
|
||||
"send_stickers_active_room": "Пошаљите налепнице у своју активну собу",
|
||||
"send_stickers_this_room_as_you": "Пошаљите налепнице у ову собу као и Ви",
|
||||
"send_stickers_active_room_as_you": "Пошаљите налепнице у своју активну собу као и Ви",
|
||||
"see_sticker_posted_this_room": "Погледајте када је налепница постављена у овој соби",
|
||||
"see_sticker_posted_active_room": "Погледајте када неко постави налепницу у вашу активну собу",
|
||||
"always_on_screen_viewing_another_room": "Останите на екрану док гледате другу собу, током рада",
|
||||
"always_on_screen_generic": "Останите на екрану током рада",
|
||||
"switch_room": "Промените коју собу гледате",
|
||||
"switch_room_message_user": "Промените коју собу, поруку или корисника гледате",
|
||||
"change_topic_this_room": "Промените тему ове собе",
|
||||
"see_topic_change_this_room": "Погледајте када се тема промени у овој соби",
|
||||
"change_topic_active_room": "Промените тему своје активне собе",
|
||||
"see_topic_change_active_room": "Погледајте када се тема промени у вашој активној соби",
|
||||
"change_name_this_room": "Промените име ове собе",
|
||||
"see_name_change_this_room": "Погледајте када се име промени у овој соби",
|
||||
"change_name_active_room": "Промените име своје активне собе",
|
||||
"see_name_change_active_room": "Погледајте када се име промени у вашој активној соби",
|
||||
"change_avatar_this_room": "Промените аватар ове собе",
|
||||
"see_avatar_change_this_room": "Погледајте када се аватар промени у овој соби",
|
||||
"change_avatar_active_room": "Промените аватар своје активне собе",
|
||||
"see_avatar_change_active_room": "Погледајте када се аватар промени у вашој активној соби",
|
||||
"byline_empty_state_key": "са празним статусним кључем",
|
||||
"byline_state_key": "са статусним кључем %(stateKey)s",
|
||||
"send_event_type_this_room": "Шаљите <b>%(eventType)s</b> догађаје као у овој соби",
|
||||
"see_event_type_sent_this_room": "Видите <b>%(eventType)s</b> догађаји објављени у овој соби",
|
||||
"send_event_type_active_room": "Пошаљите <b>%(eventType)s</b> догађаја у активној соби",
|
||||
"see_event_type_sent_active_room": "Видите <b>%(eventType)s</b> догађаје објављене у вашој активној соби",
|
||||
"capability": "<b>%(capability)s</b> способност",
|
||||
"send_messages_this_room": "Шаљите поруке као Ви у овој соби",
|
||||
"send_messages_active_room": "Шаљите поруке као Ви у активној соби",
|
||||
"see_messages_sent_this_room": "Погледајте поруке објављене у овој соби",
|
||||
"see_messages_sent_active_room": "Погледајте поруке објављене у Вашој активној соби",
|
||||
"send_text_messages_this_room": "Шаљите текстуалне поруке као Ви у овој соби",
|
||||
"send_text_messages_active_room": "Шаљите текстуалне поруке као Ви у активној соби",
|
||||
"see_text_messages_sent_this_room": "Погледајте текстуалне поруке објављене у овој соби",
|
||||
"see_text_messages_sent_active_room": "Погледајте текстуалне поруке објављене у Вашој активној соби",
|
||||
"send_emotes_this_room": "Пошаљите емоције као Ви у ову собу",
|
||||
"send_emotes_active_room": "Шаљите емоције као у активној соби",
|
||||
"see_sent_emotes_this_room": "Погледајте емоције објављене у овој соби",
|
||||
"see_sent_emotes_active_room": "Погледајте емоције објављене у Вашој активној соби",
|
||||
"send_images_this_room": "Пошаљите слике као Ви у овој соби",
|
||||
"send_images_active_room": "Пошаљите слике као Ви у активној соби",
|
||||
"see_images_sent_this_room": "Погледајте слике објављене у овој соби",
|
||||
"see_images_sent_active_room": "Погледајте слике објављене у вашој активној соби",
|
||||
"send_videos_this_room": "Шаљите видео записе као Ви у овој соби",
|
||||
"send_videos_active_room": "Шаљите видео снимке као Ви у активној соби",
|
||||
"see_videos_sent_this_room": "Погледајте видео снимке објављене у овој соби",
|
||||
"see_videos_sent_active_room": "Погледајте видео снимке објављене у вашој активној соби",
|
||||
"send_files_this_room": "Шаљите опште датотеке као у овој соби",
|
||||
"send_files_active_room": "Шаљите опште датотеке као у активној соби",
|
||||
"see_sent_files_this_room": "Погледајте опште датотеке објављене у овој соби",
|
||||
"see_sent_files_active_room": "Погледајте опште датотеке објављене у Вашој активној соби",
|
||||
"send_msgtype_this_room": "Пошаљи <b>%(msgtype)s</b> поруке као Ви у овој соби",
|
||||
"send_msgtype_active_room": "Пошаљи <b>%(msgtype)s</b> поруке као Ви у активној соби",
|
||||
"see_msgtype_sent_this_room": "Видите <b>%(msgtype)s</b> поруке објављене у овој соби",
|
||||
"see_msgtype_sent_active_room": "Видите <b>%(msgtype)s</b> поруке објављене у Вашој активној соби"
|
||||
}
|
||||
}
|
||||
}
|
||||
|
|
|
@ -5,7 +5,6 @@
|
|||
"Failed to verify email address: make sure you clicked the link in the email": "Neuspela provera adrese elektronske pošte: proverite da li ste kliknuli na link u poruci elektronske pošte",
|
||||
"Add Phone Number": "Dodajte broj telefona",
|
||||
"Your %(brand)s is misconfigured": "Vaš %(brand)s nije dobro podešen",
|
||||
"powered by Matrix": "pokreće Matriks",
|
||||
"Explore rooms": "Istražite sobe",
|
||||
"Send": "Pošalji",
|
||||
"Sun": "Ned",
|
||||
|
@ -41,7 +40,6 @@
|
|||
"You need to be logged in.": "Morate biti prijavljeni",
|
||||
"You need to be able to invite users to do that.": "Mora vam biti dozvoljeno da pozovete korisnike kako bi to uradili.",
|
||||
"Failed to send request.": "Slanje zahteva nije uspelo.",
|
||||
"Create Account": "Napravite nalog",
|
||||
"Call failed due to misconfigured server": "Poziv nije uspio zbog pogrešno konfigurisanog servera",
|
||||
"The call was answered on another device.": "Na poziv je odgovoreno na drugom uređaju.",
|
||||
"Answered Elsewhere": "Odgovoreno drugdje",
|
||||
|
@ -69,10 +67,8 @@
|
|||
"Confirm adding this email address by using Single Sign On to prove your identity.": "Potvrdite dodavanje ove email adrese koristeći jedinstvenu prijavu (SSO) da biste dokazali Vaš identitet.",
|
||||
"Use Single Sign On to continue": "Koristite jedinstvenu prijavu (SSO) za nastavak",
|
||||
"There was a problem communicating with the homeserver, please try again later.": "Postoji problem u komunikaciji sa privatnim/javnim serverom. Molim Vas pokušajte kasnije.",
|
||||
"Failed to perform homeserver discovery": "Nisam uspio da izvršim otkrivanje privatnog/javnog servera.",
|
||||
"Please note you are logging into the %(hs)s server, not matrix.org.": "Napominjem Vas da se prijavljujete na %(hs)s server, a ne na matrix.org.",
|
||||
"Please <a>contact your service administrator</a> to continue using this service.": "Molim Vas da <a>kontaktirate administratora</a> kako bi ste nastavili sa korištenjem usluge.",
|
||||
"This homeserver does not support login using email address.": "Ovaj server ne podržava prijavu korištenjem e-mail adrese.",
|
||||
"Incorrect username and/or password.": "Neispravno korisničko ime i/ili lozinka.",
|
||||
"This account has been deactivated.": "Ovaj nalog je dekativiran.",
|
||||
"Start a group chat": "Pokreni grupni razgovor",
|
||||
|
@ -114,7 +110,11 @@
|
|||
"call_failed": "Poziv nije uspio"
|
||||
},
|
||||
"auth": {
|
||||
"sso": "Jedinstvena prijava (SSO)"
|
||||
"sso": "Jedinstvena prijava (SSO)",
|
||||
"footer_powered_by_matrix": "pokreće Matriks",
|
||||
"failed_homeserver_discovery": "Nisam uspio da izvršim otkrivanje privatnog/javnog servera.",
|
||||
"unsupported_auth_email": "Ovaj server ne podržava prijavu korištenjem e-mail adrese.",
|
||||
"register_action": "Napravite nalog"
|
||||
},
|
||||
"keyboard": {
|
||||
"keyboard_shortcuts_tab": "Otvori podešavanja"
|
||||
|
|
|
@ -28,7 +28,6 @@
|
|||
"Custom level": "Anpassad nivå",
|
||||
"Deactivate Account": "Inaktivera konto",
|
||||
"Decrypt %(text)s": "Avkryptera %(text)s",
|
||||
"Deops user with given id": "Degraderar användaren med givet ID",
|
||||
"Default": "Standard",
|
||||
"Download %(text)s": "Ladda ner %(text)s",
|
||||
"Email": "E-post",
|
||||
|
@ -104,16 +103,13 @@
|
|||
"Signed Out": "Loggade ut",
|
||||
"Start authentication": "Starta autentisering",
|
||||
"Create new room": "Skapa nytt rum",
|
||||
"powered by Matrix": "drivs av Matrix",
|
||||
"unknown error code": "okänd felkod",
|
||||
"Delete widget": "Radera widget",
|
||||
"Define the power level of a user": "Definiera behörighetsnivå för en användare",
|
||||
"Publish this room to the public in %(domain)s's room directory?": "Publicera rummet i den offentliga rumskatalogen på %(domain)s?",
|
||||
"AM": "FM",
|
||||
"PM": "EM",
|
||||
"This email address is already in use": "Den här e-postadressen används redan",
|
||||
"This email address was not found": "Den här e-postadressen finns inte",
|
||||
"The email address linked to your account must be entered.": "E-postadressen som är kopplad till ditt konto måste anges.",
|
||||
"Unnamed room": "Namnlöst rum",
|
||||
"This phone number is already in use": "Detta telefonnummer används redan",
|
||||
"You cannot place a call with yourself.": "Du kan inte ringa till dig själv.",
|
||||
|
@ -211,7 +207,6 @@
|
|||
"Token incorrect": "Felaktig token",
|
||||
"A text message has been sent to %(msisdn)s": "Ett SMS har skickats till %(msisdn)s",
|
||||
"Please enter the code it contains:": "Vänligen ange koden det innehåller:",
|
||||
"This server does not support authentication with a phone number.": "Denna server stöder inte autentisering via telefonnummer.",
|
||||
"Uploading %(filename)s and %(count)s others": {
|
||||
"other": "Laddar upp %(filename)s och %(count)s till",
|
||||
"one": "Laddar upp %(filename)s och %(count)s till"
|
||||
|
@ -261,7 +256,6 @@
|
|||
"This room is not accessible by remote Matrix servers": "Detta rum är inte tillgängligt för externa Matrix-servrar",
|
||||
"Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Kunde inte ladda händelsen som svarades på, antingen så finns den inte eller så har du inte behörighet att se den.",
|
||||
"Unknown error": "Okänt fel",
|
||||
"Incorrect password": "Felaktigt lösenord",
|
||||
"Clear Storage and Sign Out": "Rensa lagring och logga ut",
|
||||
"Send Logs": "Skicka loggar",
|
||||
"Unable to restore session": "Kunde inte återställa sessionen",
|
||||
|
@ -293,8 +287,6 @@
|
|||
"Something went wrong!": "Något gick fel!",
|
||||
"You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Du kommer inte att kunna ångra den här ändringen eftersom du degraderar dig själv. Om du är den sista privilegierade användaren i rummet blir det omöjligt att återfå behörigheter.",
|
||||
"You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Du kommer inte att kunna ångra den här ändringen eftersom du höjer användaren till samma behörighetsnivå som dig själv.",
|
||||
"Enable URL previews for this room (only affects you)": "Aktivera URL-förhandsgranskning för detta rum (påverkar bara dig)",
|
||||
"Enable URL previews by default for participants in this room": "Aktivera URL-förhandsgranskning som standard för deltagare i detta rum",
|
||||
"You have <a>enabled</a> URL previews by default.": "Du har <a>aktiverat</a> URL-förhandsgranskning som förval.",
|
||||
"You have <a>disabled</a> URL previews by default.": "Du har <a>inaktiverat</a> URL-förhandsgranskning som förval.",
|
||||
"URL previews are enabled by default for participants in this room.": "URL-förhandsgranskning är aktiverat som förval för deltagare i detta rum.",
|
||||
|
@ -473,10 +465,7 @@
|
|||
"Join millions for free on the largest public server": "Gå med miljontals användare gratis på den största publika servern",
|
||||
"Your password has been reset.": "Ditt lösenord har återställts.",
|
||||
"General failure": "Allmänt fel",
|
||||
"This homeserver does not support login using email address.": "Denna hemserver stöder inte inloggning med e-postadress.",
|
||||
"Create account": "Skapa konto",
|
||||
"Registration has been disabled on this homeserver.": "Registrering har inaktiverats på denna hemserver.",
|
||||
"Unable to query for supported registration methods.": "Kunde inte fråga efter stödda registreringsmetoder.",
|
||||
"The user must be unbanned before they can be invited.": "Användaren behöver avbannas innan den kan bjudas in.",
|
||||
"Missing media permissions, click the button below to request.": "Saknar mediebehörigheter, klicka på knappen nedan för att begära.",
|
||||
"Request media permissions": "Begär mediebehörigheter",
|
||||
|
@ -697,9 +686,6 @@
|
|||
"Setting up keys": "Sätter upp nycklar",
|
||||
"Verify this session": "Verifiera denna session",
|
||||
"Encryption upgrade available": "Krypteringsuppgradering tillgänglig",
|
||||
"Sign In or Create Account": "Logga in eller skapa konto",
|
||||
"Use your account or create a new one to continue.": "Använd ditt konto eller skapa ett nytt för att fortsätta.",
|
||||
"Create Account": "Skapa konto",
|
||||
"Verifies a user, session, and pubkey tuple": "Verifierar en användar-, sessions- och pubkey-tupel",
|
||||
"Session already verified!": "Sessionen är redan verifierad!",
|
||||
"Unable to revoke sharing for email address": "Kunde inte återkalla delning för e-postadress",
|
||||
|
@ -734,8 +720,6 @@
|
|||
"Click the button below to confirm adding this phone number.": "Klicka på knappen nedan för att bekräfta tilläggning av telefonnumret.",
|
||||
"Are you sure you want to cancel entering passphrase?": "Är du säker på att du vill avbryta inmatning av lösenfrasen?",
|
||||
"%(name)s is requesting verification": "%(name)s begär verifiering",
|
||||
"Joins room with given address": "Går med i rummet med den givna adressen",
|
||||
"Could not find user in room": "Kunde inte hitta användaren i rummet",
|
||||
"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!": "VARNING: NYCKELVERIFIERING MISSLYCKADES! Den signerade nyckeln för %(userId)s och sessionen %(deviceId)s är \"%(fprint)s\" vilket inte matchar den givna nyckeln \"%(fingerprint)s\". Detta kan betyda att kommunikationen är övervakad!",
|
||||
"The signing key you provided matches the signing key you received from %(userId)s's session %(deviceId)s. Session marked as verified.": "Signeringsnyckeln du gav matchar signeringsnyckeln du fick av %(userId)ss session %(deviceId)s. Sessionen markerades som verifierad.",
|
||||
"Use bots, bridges, widgets and sticker packs": "Använd bottar, bryggor, widgets och dekalpaket",
|
||||
|
@ -976,14 +960,8 @@
|
|||
"Clear all data in this session?": "Rensa all data i den här sessionen?",
|
||||
"Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "Rensning av all data från den här sessionen är permanent. Krypterade meddelande kommer att förloras om inte deras nycklar har säkerhetskopierats.",
|
||||
"Clear all data": "Rensa all data",
|
||||
"Please enter a name for the room": "Vänligen ange ett namn för rummet",
|
||||
"Enable end-to-end encryption": "Aktivera totalsträckskryptering",
|
||||
"You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "Du kanske vill aktivera detta om rummet endast kommer att användas för samarbete med interna lag på din hemserver. Detta kan inte ändras senare.",
|
||||
"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.": "Du kanske vill inaktivera detta om rummet kommer att användas för samarbete med externa lag som har sin egen hemserver. Detta kan inte ändras senare.",
|
||||
"Topic (optional)": "Ämne (valfritt)",
|
||||
"Hide advanced": "Dölj avancerat",
|
||||
"Show advanced": "Visa avancerat",
|
||||
"Block anyone not part of %(serverName)s from ever joining this room.": "Blockera alla som inte är medlem i %(serverName)s från att någonsin gå med i det här rummet.",
|
||||
"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": "För att undvika att förlora din chatthistorik måste du exportera dina rumsnycklar innan du loggar ut. Du behöver gå tillbaka till den nyare versionen av %(brand)s för att göra detta",
|
||||
"You've previously used a newer version of %(brand)s with this session. To use this version again with end to end encryption, you will need to sign out and back in again.": "Du har tidigare använt en nyare version av %(brand)s med den här sessionen. Om du vill använda den här versionen igen med totalsträckskryptering behöver du logga ut och logga in igen.",
|
||||
"Incompatible Database": "Inkompatibel databas",
|
||||
|
@ -1073,7 +1051,6 @@
|
|||
"one": "Du har %(count)s oläst avisering i en tidigare version av det här rummet."
|
||||
},
|
||||
"All settings": "Alla inställningar",
|
||||
"Feedback": "Återkoppling",
|
||||
"Switch to light mode": "Byt till ljust läge",
|
||||
"Switch to dark mode": "Byt till mörkt läge",
|
||||
"Switch theme": "Byt tema",
|
||||
|
@ -1085,15 +1062,7 @@
|
|||
"Invalid base_url for m.identity_server": "Ogiltig base_url för m.identity_server",
|
||||
"Identity server URL does not appear to be a valid identity server": "Identitetsserver-URL:en verkar inte vara en giltig Matrix-identitetsserver",
|
||||
"This account has been deactivated.": "Det här kontot har avaktiverats.",
|
||||
"Failed to perform homeserver discovery": "Misslyckades att genomföra hemserverupptäckt",
|
||||
"If you've joined lots of rooms, this might take a while": "Om du har gått med i många rum kan det här ta ett tag",
|
||||
"Failed to re-authenticate due to a homeserver problem": "Misslyckades att återautentisera p.g.a. ett hemserverproblem",
|
||||
"Failed to re-authenticate": "Misslyckades att återautentisera",
|
||||
"Enter your password to sign in and regain access to your account.": "Ange ditt lösenord för att logga in och återfå tillgång till ditt konto.",
|
||||
"Forgotten your password?": "Glömt ditt lösenord?",
|
||||
"Sign in and regain access to your account.": "Logga in och återfå tillgång till ditt konto.",
|
||||
"You cannot sign in to your account. Please contact your homeserver admin for more information.": "Du kan inte logga in på ditt konto. Vänligen kontakta din hemserveradministratör för mer information.",
|
||||
"You're signed out": "Du är utloggad",
|
||||
"Clear personal data": "Rensa personlig information",
|
||||
"Command Autocomplete": "Autokomplettering av kommandon",
|
||||
"Emoji Autocomplete": "Autokomplettering av emoji",
|
||||
|
@ -1158,7 +1127,6 @@
|
|||
"Widgets": "Widgets",
|
||||
"Edit widgets, bridges & bots": "Redigera widgets, bryggor och bottar",
|
||||
"Add widgets, bridges & bots": "Lägg till widgets, bryggor och bottar",
|
||||
"Your server requires encryption to be enabled in private rooms.": "Din server kräver att kryptering ska användas i privata rum.",
|
||||
"Start a conversation with someone using their name or username (like <userId/>).": "Starta en konversation med någon med deras namn eller användarnamn (som <userId/>).",
|
||||
"Invite someone using their name, username (like <userId/>) or <a>share this room</a>.": "Bjud in någon med deras namn eller användarnamn (som <userId/>) eller <a>dela det här rummet</a>.",
|
||||
"Unable to set up keys": "Kunde inte ställa in nycklar",
|
||||
|
@ -1187,11 +1155,6 @@
|
|||
"Hide Widgets": "Dölj widgets",
|
||||
"The call was answered on another device.": "Samtalet mottogs på en annan enhet.",
|
||||
"Answered Elsewhere": "Mottaget någon annanstans",
|
||||
"Send feedback": "Skicka återkoppling",
|
||||
"PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "TIPS: Om du startar en bugg, vänligen inkludera <debugLogsLink>avbuggninsloggar</debugLogsLink> för att hjälpa oss att hitta problemet.",
|
||||
"Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.": "Vänligen se <existingIssuesLink> existerade buggar på GitHub</existingIssuesLink> först. Finns det ingen som matchar? <newIssueLink>Starta en ny</newIssueLink>.",
|
||||
"Comment": "Kommentera",
|
||||
"Feedback sent": "Återkoppling skickad",
|
||||
"Canada": "Kanada",
|
||||
"Cameroon": "Kamerun",
|
||||
"Cambodia": "Kambodja",
|
||||
|
@ -1458,74 +1421,15 @@
|
|||
"Cayman Islands": "Caymanöarna",
|
||||
"Caribbean Netherlands": "Karibiska Nederländerna",
|
||||
"Cape Verde": "Kap Verde",
|
||||
"Change which room you're viewing": "Ändra vilket rum du visar",
|
||||
"Send stickers into your active room": "Skicka in dekaler i ditt aktiva rum",
|
||||
"Send stickers into this room": "Skicka in dekaler i det här rummet",
|
||||
"Remain on your screen while running": "Stanna kvar på skärmen när det körs",
|
||||
"Remain on your screen when viewing another room, when running": "Stanna kvar på skärmen när ett annat rum visas, när det körs",
|
||||
"See when the topic changes in this room": "Se när det här rummets ämne ändras",
|
||||
"Change the topic of this room": "Ändra det här rummets ämne",
|
||||
"See when the topic changes in your active room": "Se när ditt aktiva rums ämne ändras",
|
||||
"Change the topic of your active room": "Ändra ditt aktiva rums ämne",
|
||||
"Change the avatar of your active room": "Byta avatar för ditt aktiva rum",
|
||||
"Change the avatar of this room": "Byta avatar för det här rummet",
|
||||
"Change the name of your active room": "Byta namn på ditt aktiva rum",
|
||||
"Change the name of this room": "Byta namn på det här rummet",
|
||||
"See when the avatar changes in your active room": "Se när avataren byts för ditt aktiva rum",
|
||||
"See when the avatar changes in this room": "Se när avataren byts för det här rummet",
|
||||
"See when the name changes in your active room": "Se när namnet på ditt aktiva rum byts",
|
||||
"See when the name changes in this room": "Se när namnet på det här rummet byts",
|
||||
"See text messages posted to your active room": "Se textmeddelanden som skickas i ditt aktiva rum",
|
||||
"See text messages posted to this room": "Se textmeddelanden som skickas i det här rummet",
|
||||
"Send text messages as you in your active room": "Skicka textmeddelanden som dig i ditt aktiva rum",
|
||||
"Send text messages as you in this room": "Skicka textmeddelanden som dig i det här rummet",
|
||||
"See messages posted to your active room": "Se meddelanden som skickas i ditt aktiva rum",
|
||||
"See messages posted to this room": "Se meddelanden som skickas i det här rummet",
|
||||
"Send messages as you in your active room": "Skicka meddelanden som dig i ditt aktiva rum",
|
||||
"Send messages as you in this room": "Skicka meddelanden som dig i det här rummet",
|
||||
"with an empty state key": "med en tom statusnyckel",
|
||||
"The <b>%(capability)s</b> capability": "<b>%(capability)s</b>-kapaciteten",
|
||||
"See <b>%(eventType)s</b> events posted to your active room": "Se <b>%(eventType)s</b>-händelser som skickas i ditt aktiva rum",
|
||||
"Send <b>%(eventType)s</b> events as you in your active room": "Skicka <b>%(eventType)s</b>-händelser som dig i ditt aktiva rum",
|
||||
"See <b>%(eventType)s</b> events posted to this room": "Se <b>%(eventType)s</b>-händelser skickade i det här rummet",
|
||||
"Send <b>%(eventType)s</b> events as you in this room": "Skicka <b>%(eventType)s</b>-händelser som dig i det här rummet",
|
||||
"with state key %(stateKey)s": "med statusnyckel %(stateKey)s",
|
||||
"See when a sticker is posted in this room": "Se när en dekal skickas i det här rummet",
|
||||
"See when anyone posts a sticker to your active room": "Se när någon skickar en dekal till ditt aktiva rum",
|
||||
"Send stickers to your active room as you": "Skicka dekaler till ditt aktiva rum som dig",
|
||||
"Send stickers to this room as you": "Skicka dekaler till det här rummet som dig",
|
||||
"Reason (optional)": "Orsak (valfritt)",
|
||||
"Server Options": "Serveralternativ",
|
||||
"Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": {
|
||||
"one": "Cacha på ett säkert sätt krypterade meddelanden lokalt för att de ska visas i sökresultat, och använd %(size)s för att lagra meddelanden från %(rooms)s rum.",
|
||||
"other": "Cacha på ett säkert sätt krypterade meddelanden lokalt för att de ska visas i sökresultat, och använd %(size)s för att lagra meddelanden från %(rooms)s rum."
|
||||
},
|
||||
"See <b>%(msgtype)s</b> messages posted to your active room": "Se <b>%(msgtype)s</b>-meddelanden som skickas i ditt aktiva rum",
|
||||
"See <b>%(msgtype)s</b> messages posted to this room": "Se <b>%(msgtype)s</b>-meddelanden som skickas i det här rummet",
|
||||
"Send <b>%(msgtype)s</b> messages as you in your active room": "Skicka <b>%(msgtype)s</b>-meddelanden som dig i ditt aktiva rum",
|
||||
"Send <b>%(msgtype)s</b> messages as you in this room": "Skicka <b>%(msgtype)s</b>-meddelanden som dig i det här rummet",
|
||||
"See general files posted to your active room": "Se generella filer som skickas i ditt aktiva rum",
|
||||
"See general files posted to this room": "Se generella filer som skickas i det här rummet",
|
||||
"Send general files as you in your active room": "Skicka generella filer som dig i ditt aktiva rum",
|
||||
"Send general files as you in this room": "Skicka generella filer som dig i det här rummet",
|
||||
"See videos posted to your active room": "Se videor som skickas i ditt aktiva rum",
|
||||
"See videos posted to this room": "Se videor som skickas i det här rummet",
|
||||
"Send videos as you in your active room": "Skicka videor som dig i ditt aktiva rum",
|
||||
"Send videos as you in this room": "Skicka videor som dig i det här rummet",
|
||||
"See images posted to your active room": "Se bilder som skickas i ditt aktiva rum",
|
||||
"See images posted to this room": "Se bilder som skickas i det här rummet",
|
||||
"Send images as you in your active room": "Skicka bilder som dig i ditt aktiva rum",
|
||||
"Send images as you in this room": "Skicka bilder som dig i det här rummet",
|
||||
"See emotes posted to your active room": "Se emotes som skickas i ditt aktiva rum",
|
||||
"See emotes posted to this room": "Se emotes som skickas i det här rummet",
|
||||
"Send emotes as you in your active room": "Skicka emotes som dig i ditt aktiva rum",
|
||||
"Send emotes as you in this room": "Skicka emotes som dig i det här rummet",
|
||||
"Just a heads up, if you don't add an email and forget your password, you could <b>permanently lose access to your account</b>.": "En förvarning, om du inte lägger till en e-postadress och glömmer ditt lösenord, så kan du <b>permanent förlora åtkomst till ditt konto</b>.",
|
||||
"Continuing without email": "Fortsätter utan e-post",
|
||||
"New? <a>Create account</a>": "Ny? <a>Skapa konto</a>",
|
||||
"There was a problem communicating with the homeserver, please try again later.": "Ett problem inträffade vi kommunikation med hemservern, vänligen försök igen senare.",
|
||||
"New here? <a>Create an account</a>": "Ny här? <a>Skapa ett konto</a>",
|
||||
"Got an account? <a>Sign in</a>": "Har du ett konto? <a>Logga in</a>",
|
||||
"Use email to optionally be discoverable by existing contacts.": "Använd e-post för att valfritt kunna upptäckas av existerande kontakter.",
|
||||
"Use email or phone to optionally be discoverable by existing contacts.": "Använd e-post eller telefon för att valfritt kunna upptäckas av existerande kontakter.",
|
||||
"Add an email to be able to reset your password.": "Lägg till en e-postadress för att kunna återställa ditt lösenord.",
|
||||
|
@ -1537,13 +1441,6 @@
|
|||
"Decline All": "Neka alla",
|
||||
"This widget would like to:": "Den här widgeten skulle vilja:",
|
||||
"Approve widget permissions": "Godta widgetbehörigheter",
|
||||
"About homeservers": "Om hemservrar",
|
||||
"Use your preferred Matrix homeserver if you have one, or host your own.": "Använd din föredragna hemserver om du har en, eller driv din egen.",
|
||||
"Other homeserver": "Annan hemserver",
|
||||
"Sign into your homeserver": "Logga in på din hemserver",
|
||||
"Specify a homeserver": "Specificera en hemserver",
|
||||
"Invalid URL": "Ogiltig URL",
|
||||
"Unable to validate homeserver": "Kan inte validera hemservern",
|
||||
"You've reached the maximum number of simultaneous calls.": "Du har nått det maximala antalet samtidiga samtal.",
|
||||
"Too Many Calls": "För många samtal",
|
||||
"You have no visible notifications.": "Du har inga synliga aviseringar.",
|
||||
|
@ -1563,7 +1460,6 @@
|
|||
"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.": "Säkerhetskopiera dina krypteringsnycklar med din kontodata ifall du skulle förlora åtkomst till dina sessioner. Dina nycklar kommer att säkras med en unik säkerhetsnyckel.",
|
||||
"Channel: <channelLink/>": "Kanal: <channelLink/>",
|
||||
"Workspace: <networkLink/>": "Arbetsyta: <networkLink/>",
|
||||
"Change which room, message, or user you're viewing": "Ändra vilket rum, vilket meddelande eller vilken användare du ser",
|
||||
"Use app for a better experience": "Använd appen för en bättre upplevelse",
|
||||
"Use app": "Använd app",
|
||||
"Great! This Security Phrase looks strong enough.": "Fantastiskt! Den här säkerhetsfrasen ser tillräckligt stark ut.",
|
||||
|
@ -1713,7 +1609,6 @@
|
|||
"Select a room below first": "Välj ett rum nedan först",
|
||||
"You may contact me if you have any follow up questions": "Ni kan kontakta mig om ni har vidare frågor",
|
||||
"To leave the beta, visit your settings.": "För att lämna betan, besök dina inställningar.",
|
||||
"Your platform and username will be noted to help us use your feedback as much as we can.": "Din plattform och ditt användarnamn kommer att noteras för att hjälpa oss att använda din återkoppling så mycket vi kan.",
|
||||
"Want to add a new room instead?": "Vill du lägga till ett nytt rum istället?",
|
||||
"Adding rooms... (%(progress)s out of %(count)s)": {
|
||||
"one": "Lägger till rum…",
|
||||
|
@ -1731,8 +1626,6 @@
|
|||
"Connecting": "Ansluter",
|
||||
"Space Autocomplete": "Utrymmesautokomplettering",
|
||||
"Go to my space": "Gå till mitt utrymme",
|
||||
"See when people join, leave, or are invited to your active room": "Se när folk går med, lämnar eller bjuds in till ditt aktiva rum",
|
||||
"See when people join, leave, or are invited to this room": "Se när folk går med, lämnar eller bjuds in till det här rummet",
|
||||
"Currently joining %(count)s rooms": {
|
||||
"one": "Går just nu med i %(count)s rum",
|
||||
"other": "Går just nu med i %(count)s rum"
|
||||
|
@ -1879,15 +1772,7 @@
|
|||
"Anyone in <SpaceName/> will be able to find and join.": "Vem som helst i <SpaceName/> kommer kunna hitta och gå med.",
|
||||
"Private space (invite only)": "Privat utrymme (endast inbjudan)",
|
||||
"Space visibility": "Utrymmessynlighet",
|
||||
"Visible to space members": "Synligt för utrymmesmedlemmar",
|
||||
"Public room": "Offentligt rum",
|
||||
"Private room (invite only)": "Privat rum (endast inbjudan)",
|
||||
"Room visibility": "Rumssynlighet",
|
||||
"Only people invited will be able to find and join this room.": "Bara inbjudna personer kommer kunna hitta och gå med i det här rummet.",
|
||||
"Anyone will be able to find and join this room.": "Vem som helst kommer kunna hitta och gå med i det här rummet.",
|
||||
"Anyone will be able to find and join this room, not just members of <SpaceName/>.": "Vem som helst kommer kunna hitta och gå med i det här rummet, inta bara medlemmar i <SpaceName/>.",
|
||||
"You can change this at any time from room settings.": "Du kan ändra detta när som helst i rumsinställningarna.",
|
||||
"Everyone in <SpaceName/> will be able to find and join this room.": "Alla i <SpaceName/> kommer kunna hitta och gå med i det här rummet.",
|
||||
"Rooms and spaces": "Rum och utrymmen",
|
||||
"Results": "Resultat",
|
||||
"Enable encryption in settings.": "Aktivera kryptering i inställningarna.",
|
||||
|
@ -1898,8 +1783,6 @@
|
|||
"To avoid these issues, create a <a>new encrypted room</a> for the conversation you plan to have.": "För att undvika dessa problem, skapa ett <a>nytt krypterat rum</a> för konversationen du planerar att ha.",
|
||||
"Are you sure you want to add encryption to this public room?": "Är du säker på att du vill lägga till kryptering till det här offentliga rummet?",
|
||||
"Cross-signing is ready but keys are not backed up.": "Korssignering är klart, men nycklarna är inte säkerhetskopierade än.",
|
||||
"The above, but in <Room /> as well": "Det ovanstående, men i <Room /> också",
|
||||
"The above, but in any room you are joined or invited to as well": "Det ovanstående, men i vilket som helst rum du är med i eller inbjuden till också",
|
||||
"Some encryption parameters have been changed.": "Vissa krypteringsparametrar har ändrats.",
|
||||
"Role in <RoomName/>": "Roll i <RoomName/>",
|
||||
"Unknown failure": "Okänt fel",
|
||||
|
@ -1953,7 +1836,6 @@
|
|||
"Proceed with reset": "Fortsätt återställning",
|
||||
"Verify with Security Key or Phrase": "Verifiera med säkerhetsnyckel eller -fras",
|
||||
"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.": "Det ser ut som att du inte har någon säkerhetsnyckel eller några andra enheter du kan verifiera mot. Den här enheten kommer inte kunna komma åt gamla krypterad meddelanden. För att verifiera din identitet på den här enheten så behöver du återställa dina verifieringsnycklar.",
|
||||
"The email address doesn't appear to be valid.": "Den här e-postadressen ser inte giltig ut.",
|
||||
"Skip verification for now": "Hoppa över verifiering för tillfället",
|
||||
"Really reset verification keys?": "Återställ verkligen verifieringsnycklar?",
|
||||
"Show:": "Visa:",
|
||||
|
@ -1974,10 +1856,7 @@
|
|||
"You're all caught up": "Du är ikapp",
|
||||
"Copy link to thread": "Kopiera länk till tråd",
|
||||
"Thread options": "Trådalternativ",
|
||||
"We call the places where you can host your account 'homeservers'.": "Vi kallar platser du kan ha ditt konto på för 'hemservrar'.",
|
||||
"Matrix.org is the biggest public homeserver in the world, so it's a good place for many.": "Matrix.org är den största offentliga hemservern i världen, så den är en bra plats för många.",
|
||||
"If you can't see who you're looking for, send them your invite link below.": "Om du inte ser den du letar efter, skicka din inbjudningslänk nedan till denne.",
|
||||
"You can't disable this later. Bridges & most bots won't work yet.": "Du kan inte inaktivera detta senare. Bryggor och de flesta bottar kommer inte fungera än.",
|
||||
"Add option": "Lägg till alternativ",
|
||||
"Write an option": "Skriv ett alternativ",
|
||||
"Option %(number)s": "Alternativ %(number)s",
|
||||
|
@ -2006,7 +1885,6 @@
|
|||
"one": "Bekräfta utloggning av denna enhet genom att använda samlad inloggning för att bevisa din identitet.",
|
||||
"other": "Bekräfta utloggning av dessa enheter genom att använda samlad inloggning för att bevisa din identitet."
|
||||
},
|
||||
"Someone already has that username, please try another.": "Någon annan har redan det användarnamnet, vänligen pröva ett annat.",
|
||||
"Someone already has that username. Try another or if it is you, sign in below.": "Någon annan har redan det användarnamnet. Pröva ett annat, eller om det är ditt, logga in nedan.",
|
||||
"%(spaceName)s and %(count)s others": {
|
||||
"one": "%(spaceName)s och %(count)s till",
|
||||
|
@ -2030,10 +1908,7 @@
|
|||
"Show tray icon and minimise window to it on close": "Visa ikon i systembrickan och minimera programmet till den när fönstret stängs",
|
||||
"Large": "Stor",
|
||||
"Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Okänt (användare, session)-par: (%(userId)s, %(deviceId)s)",
|
||||
"Command failed: Unable to find room (%(roomId)s": "Kommandot misslyckades: Kunde inte hitta rummet (%(roomId)s",
|
||||
"Unrecognised room address: %(roomAlias)s": "Okänd rumsadress: %(roomAlias)s",
|
||||
"Command error: Unable to find rendering type (%(renderingType)s)": "Kommandofel: Kunde inte hitta renderingstyp (%(renderingType)s)",
|
||||
"Command error: Unable to handle slash command.": "Kommandofel: Kunde inte hantera snedstreckskommando.",
|
||||
"Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "Utrymmen är sätt att gruppera rum och personer. Utöver utrymmena du är med i så kan du använda några färdiggjorda också.",
|
||||
"Keyboard": "Tangentbord",
|
||||
"Waiting for you to verify on your other device…": "Väntar på att du ska verifiera på din andra enhet…",
|
||||
|
@ -2044,8 +1919,6 @@
|
|||
"Back to thread": "Tillbaka till tråd",
|
||||
"Room members": "Rumsmedlemmar",
|
||||
"Back to chat": "Tillbaka till chatt",
|
||||
"Remove, ban, or invite people to your active room, and make you leave": "Ta bort, banna eller bjuda in personer till ditt aktiva rum, och tvinga dig att lämna",
|
||||
"Remove, ban, or invite people to this room, and make you leave": "Ta bort, banna eller bjuda in personer till det här rummet, och tvinga dig att lämna",
|
||||
"From a thread": "Från en tråd",
|
||||
"You won't get any notifications": "Du får inga aviseringar",
|
||||
"Get notified only with mentions and keywords as set up in your <a>settings</a>": "Bli endast aviserad om omnämnanden och nyckelord i enlighet med dina <a>inställningar</a>",
|
||||
|
@ -2091,10 +1964,6 @@
|
|||
"Poll": "Omröstning",
|
||||
"Voice Message": "Röstmeddelanden",
|
||||
"Hide stickers": "Göm dekaler",
|
||||
"You can't see earlier messages": "Du kan inte se tidigare meddelanden",
|
||||
"Encrypted messages before this point are unavailable.": "Krypterade meddelanden innan den här tidpunkten är otillgängliga.",
|
||||
"You don't have permission to view messages from before you joined.": "Du är inte behörig att se meddelanden från innan du gick med.",
|
||||
"You don't have permission to view messages from before you were invited.": "Du är inte behörig att se meddelanden från innan du bjöds in.",
|
||||
"Sorry, the poll you tried to create was not posted.": "Tyvärr så lades omröstningen du försökte skapa inte upp.",
|
||||
"Failed to post poll": "Misslyckades att lägga upp omröstning",
|
||||
"Including you, %(commaSeparatedMembers)s": "Inklusive dig, %(commaSeparatedMembers)s",
|
||||
|
@ -2127,7 +1996,6 @@
|
|||
"Sections to show": "Sektioner att visa",
|
||||
"Link to room": "Länk till rum",
|
||||
"Spaces you know that contain this space": "Utrymmen du känner till som innehåller det här utrymmet",
|
||||
"You may contact me if you want to follow up or to let me test out upcoming ideas": "Ni kan kontakta mig om ni vill följa upp eller låta mig testa kommande idéer",
|
||||
"Are you sure you want to end this poll? This will show the final results of the poll and stop people from being able to vote.": "Är du säker på att du vill avsluta den hör omröstningen? Detta kommer att visa det slutgiltiga resultatet och stoppa folk från att rösta.",
|
||||
"End Poll": "Avsluta omröstning",
|
||||
"Sorry, the poll did not end. Please try again.": "Tyvärr avslutades inte omröstningen. Vänligen pröva igen.",
|
||||
|
@ -2368,7 +2236,6 @@
|
|||
"In %(spaceName)s.": "I utrymmet %(spaceName)s.",
|
||||
"In spaces %(space1Name)s and %(space2Name)s.": "I utrymmena %(space1Name)s och %(space2Name)s.",
|
||||
"Stop and close": "Sluta och stäng",
|
||||
"You can't disable this later. The room will be encrypted but the embedded call will not.": "Du kan inte inaktivera detta senare. Rummet kommer att vara krypterat men det inbäddade samtalet kommer inte det.",
|
||||
"Online community members": "Online-gemenskapsmedlemmar",
|
||||
"Coworkers and teams": "Jobbkamrater och lag",
|
||||
"Friends and family": "Vänner och familj",
|
||||
|
@ -2573,17 +2440,7 @@
|
|||
"%(senderName)s ended a voice broadcast": "%(senderName)s avslutade en röstsändning",
|
||||
"You ended a voice broadcast": "Du avslutade en röstsändning",
|
||||
"%(downloadButton)s or %(copyButton)s": "%(downloadButton)s eller %(copyButton)s",
|
||||
"Verify your email to continue": "Verifiera din e-post för att fortsätta",
|
||||
"Sign in instead": "Logga in istället",
|
||||
"<b>%(homeserver)s</b> will send you a verification link to let you reset your password.": "<b>%(homeserver)s</b> kommer att skicka en verifieringslänk för att låta dig återställa ditt lösenord.",
|
||||
"Enter your email to reset password": "Ange din e-postadress för att återställa lösenordet",
|
||||
"Send email": "Skicka e-brev",
|
||||
"Verification link email resent!": "E-brev med verifieringslänk skickades igen!",
|
||||
"Did not receive it?": "Fick du inte den?",
|
||||
"Re-enter email address": "Ange e-postadressen igen",
|
||||
"Wrong email address?": "Fel e-postadress?",
|
||||
"Follow the instructions sent to <b>%(email)s</b>": "Följ instruktionerna som skickades till <b>%(email)s</b>",
|
||||
"That e-mail address or phone number is already in use.": "Den e-postadressen eller det telefonnumret används redan.",
|
||||
"Sign out of all devices": "Logga ut ur alla enheter",
|
||||
"Confirm new password": "Bekräfta nytt lösenord",
|
||||
"Too many attempts in a short time. Retry after %(timeout)s.": "För många försök under en kort tid. Pröva igen efter %(timeout)s.",
|
||||
|
@ -2607,7 +2464,6 @@
|
|||
"Verify your current session for enhanced secure messaging.": "Verifiera din nuvarande session för förbättrade säkra meddelanden.",
|
||||
"Your current session is ready for secure messaging.": "Din nuvarande session är redo för säkra meddelanden.",
|
||||
"Sign out of all other sessions (%(otherSessionsCount)s)": "Logga ut ur alla andra sessioner (%(otherSessionsCount)s)",
|
||||
"Force 15s voice broadcast chunk length": "Tvinga dellängd på 15s för röstsändning",
|
||||
"Yes, end my recording": "Ja, avsluta min inspelning",
|
||||
"If you start listening to this live broadcast, your current live broadcast recording will be ended.": "Om du börjar lyssna på den här direktsändningen så kommer din nuvarande direktsändningsinspelning att avslutas.",
|
||||
"Listen to live broadcast?": "Lyssna på direktsändning?",
|
||||
|
@ -2636,7 +2492,6 @@
|
|||
"This session is backing up your keys.": "Den här sessionen säkerhetskopierar dina nycklar.",
|
||||
"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.": "Är du säker på att du vill avsluta din direktsändning? Det här kommer att avsluta sändningen och den fulla inspelningen kommer att bli tillgänglig i rummet.",
|
||||
"Your email address does not appear to be associated with a Matrix ID on this homeserver.": "Din e-postadress verkar inte vara associerad med ett Matrix-ID på den här hemservern.",
|
||||
"We need to know it’s you before resetting your password. Click the link in the email we just sent to <b>%(email)s</b>": "Vi behöver veta att det är du innan vi återställer ditt lösenord. Klicka länken i e-brevet vi just skickade till <b>%(email)s</b>",
|
||||
"Warning: your personal data (including encryption keys) is still stored in this session. Clear it if you're finished using this session, or want to sign in to another account.": "Varning: din personliga data (inklusive krypteringsnycklar) lagras i den här sessionen. Rensa den om du är färdig med den här sessionen, eller vill logga in i ett annat konto.",
|
||||
"Scan QR code": "Skanna QR-kod",
|
||||
"Select '%(scanQRCode)s'": "Välj '%(scanQRCode)s'",
|
||||
|
@ -2652,8 +2507,6 @@
|
|||
"Enter a Security Phrase only you know, as it's used to safeguard your data. To be secure, you shouldn't re-use your account password.": "Ange en säkerhetsfras som bara du känner till, eftersom den används för att säkra din data. För att vara säker, bör du inte återanvända ditt kontolösenord.",
|
||||
"Starting backup…": "Startar säkerhetskopiering …",
|
||||
"Please only proceed if you're sure you've lost all of your other devices and your Security Key.": "Fortsätt bara om du är säker på att du har förlorat alla dina övriga enheter och din säkerhetsnyckel.",
|
||||
"Signing In…": "Loggar in …",
|
||||
"Syncing…": "Synkar …",
|
||||
"Inviting…": "Bjuder in …",
|
||||
"Creating rooms…": "Skapar rum …",
|
||||
"Keep going…": "Fortsätter …",
|
||||
|
@ -2678,7 +2531,6 @@
|
|||
"Creating…": "Skapar …",
|
||||
"Starting export process…": "Startar exportprocessen …",
|
||||
"User (%(user)s) did not end up as invited to %(roomId)s but no error was given from the inviter utility": "Användaren (%(user)s) blev inte inbjuden till %(roomId)s, men inget fel gavs av inbjudningsverktyget",
|
||||
"Use your account to continue.": "Använd ditt konto för att fortsätta.",
|
||||
"This may be caused by having the app open in multiple tabs or due to clearing browser data.": "Det här kan orsakas av att ha appen öppen i flera flikar eller av rensning av webbläsardata.",
|
||||
"Database unexpectedly closed": "Databasen stängdes oväntat",
|
||||
"Yes, it was me": "Ja, det var jag",
|
||||
|
@ -2757,7 +2609,6 @@
|
|||
"Match default setting": "Matcha förvalsinställning",
|
||||
"Mute room": "Tysta rum",
|
||||
"Unable to find event at that date": "Kunde inte hitta händelse vid det datumet",
|
||||
"Enable new native OIDC flows (Under active development)": "Aktivera nya inbyggda OIDC-flöden (Under aktiv utveckling)",
|
||||
"Your server requires encryption to be disabled.": "Din server kräver att kryptering är inaktiverat.",
|
||||
"Are you sure you wish to remove (delete) this event?": "Är du säker på att du vill ta bort (radera) den här händelsen?",
|
||||
"Note that removing room changes like this could undo the change.": "Observera att om du tar bort rumsändringar som den här kanske det ångrar ändringen.",
|
||||
|
@ -2767,10 +2618,8 @@
|
|||
"You need an invite to access this room.": "Du behöver en inbjudan för att komma åt det här rummet.",
|
||||
"Ask to join": "Be om att gå med",
|
||||
"User cannot be invited until they are unbanned": "Användaren kan inte bjudas in förrän den avbannas",
|
||||
"Notification Settings": "Aviseringsinställningar",
|
||||
"People cannot join unless access is granted.": "Personer kan inte gå med om inte åtkomst ges.",
|
||||
"Failed to cancel": "Misslyckades att avbryta",
|
||||
"Views room with given address": "Visar rum med den angivna adressen",
|
||||
"Something went wrong.": "Nånting gick snett.",
|
||||
"common": {
|
||||
"about": "Om",
|
||||
|
@ -2861,7 +2710,8 @@
|
|||
"cross_signing": "Korssignering",
|
||||
"identity_server": "Identitetsserver",
|
||||
"integration_manager": "Integrationshanterare",
|
||||
"qr_code": "QR-kod"
|
||||
"qr_code": "QR-kod",
|
||||
"feedback": "Återkoppling"
|
||||
},
|
||||
"action": {
|
||||
"continue": "Fortsätt",
|
||||
|
@ -3033,7 +2883,10 @@
|
|||
"leave_beta_reload": "Att lämna betan kommer att ladda om %(brand)s.",
|
||||
"join_beta_reload": "Att gå med i betan kommer att ladda om %(brand)s.",
|
||||
"leave_beta": "Lämna betan",
|
||||
"join_beta": "Gå med i betan"
|
||||
"join_beta": "Gå med i betan",
|
||||
"notification_settings_beta_title": "Aviseringsinställningar",
|
||||
"voice_broadcast_force_small_chunks": "Tvinga dellängd på 15s för röstsändning",
|
||||
"oidc_native_flow": "Aktivera nya inbyggda OIDC-flöden (Under aktiv utveckling)"
|
||||
},
|
||||
"keyboard": {
|
||||
"home": "Hem",
|
||||
|
@ -3321,7 +3174,9 @@
|
|||
"timeline_image_size": "Bildstorlek i tidslinjen",
|
||||
"timeline_image_size_default": "Standard",
|
||||
"timeline_image_size_large": "Stor"
|
||||
}
|
||||
},
|
||||
"inline_url_previews_room_account": "Aktivera URL-förhandsgranskning för detta rum (påverkar bara dig)",
|
||||
"inline_url_previews_room": "Aktivera URL-förhandsgranskning som standard för deltagare i detta rum"
|
||||
},
|
||||
"devtools": {
|
||||
"send_custom_account_data_event": "Skicka event med anpassad kontodata",
|
||||
|
@ -3475,7 +3330,24 @@
|
|||
"title_public_room": "Skapa ett offentligt rum",
|
||||
"title_private_room": "Skapa ett privat rum",
|
||||
"action_create_video_room": "Skapa videorum",
|
||||
"action_create_room": "Skapa rum"
|
||||
"action_create_room": "Skapa rum",
|
||||
"name_validation_required": "Vänligen ange ett namn för rummet",
|
||||
"join_rule_restricted_label": "Alla i <SpaceName/> kommer kunna hitta och gå med i det här rummet.",
|
||||
"join_rule_change_notice": "Du kan ändra detta när som helst i rumsinställningarna.",
|
||||
"join_rule_public_parent_space_label": "Vem som helst kommer kunna hitta och gå med i det här rummet, inta bara medlemmar i <SpaceName/>.",
|
||||
"join_rule_public_label": "Vem som helst kommer kunna hitta och gå med i det här rummet.",
|
||||
"join_rule_invite_label": "Bara inbjudna personer kommer kunna hitta och gå med i det här rummet.",
|
||||
"encrypted_video_room_warning": "Du kan inte inaktivera detta senare. Rummet kommer att vara krypterat men det inbäddade samtalet kommer inte det.",
|
||||
"encrypted_warning": "Du kan inte inaktivera detta senare. Bryggor och de flesta bottar kommer inte fungera än.",
|
||||
"encryption_forced": "Din server kräver att kryptering ska användas i privata rum.",
|
||||
"encryption_label": "Aktivera totalsträckskryptering",
|
||||
"unfederated_label_default_off": "Du kanske vill aktivera detta om rummet endast kommer att användas för samarbete med interna lag på din hemserver. Detta kan inte ändras senare.",
|
||||
"unfederated_label_default_on": "Du kanske vill inaktivera detta om rummet kommer att användas för samarbete med externa lag som har sin egen hemserver. Detta kan inte ändras senare.",
|
||||
"topic_label": "Ämne (valfritt)",
|
||||
"room_visibility_label": "Rumssynlighet",
|
||||
"join_rule_invite": "Privat rum (endast inbjudan)",
|
||||
"join_rule_restricted": "Synligt för utrymmesmedlemmar",
|
||||
"unfederated": "Blockera alla som inte är medlem i %(serverName)s från att någonsin gå med i det här rummet."
|
||||
},
|
||||
"timeline": {
|
||||
"m.call": {
|
||||
|
@ -3749,7 +3621,11 @@
|
|||
"changed_rule_rooms": "%(senderName)s ändrade en regel som bannade rum som matchade %(oldGlob)s till att matcha %(newGlob)s på grund av %(reason)s",
|
||||
"changed_rule_servers": "%(senderName)s ändrade en regel som bannade servrar som matchade %(oldGlob)s till att matcha %(newGlob)s på grund av %(reason)s",
|
||||
"changed_rule_glob": "%(senderName)s uppdaterade en bannregel som matchade %(oldGlob)s till att matcha %(newGlob)s på grund av %(reason)s"
|
||||
}
|
||||
},
|
||||
"no_permission_messages_before_invite": "Du är inte behörig att se meddelanden från innan du bjöds in.",
|
||||
"no_permission_messages_before_join": "Du är inte behörig att se meddelanden från innan du gick med.",
|
||||
"encrypted_historical_messages_unavailable": "Krypterade meddelanden innan den här tidpunkten är otillgängliga.",
|
||||
"historical_messages_unavailable": "Du kan inte se tidigare meddelanden"
|
||||
},
|
||||
"slash_command": {
|
||||
"spoiler": "Skickar det angivna meddelandet som en spoiler",
|
||||
|
@ -3808,7 +3684,15 @@
|
|||
"holdcall": "Parkerar samtalet i det aktuella rummet",
|
||||
"no_active_call": "Inget aktivt samtal i det här rummet",
|
||||
"unholdcall": "Avslutar parkering av samtalet i det nuvarande samtalet",
|
||||
"me": "Visar åtgärd"
|
||||
"me": "Visar åtgärd",
|
||||
"error_invalid_runfn": "Kommandofel: Kunde inte hantera snedstreckskommando.",
|
||||
"error_invalid_rendering_type": "Kommandofel: Kunde inte hitta renderingstyp (%(renderingType)s)",
|
||||
"join": "Går med i rummet med den givna adressen",
|
||||
"view": "Visar rum med den angivna adressen",
|
||||
"failed_find_room": "Kommandot misslyckades: Kunde inte hitta rummet (%(roomId)s",
|
||||
"failed_find_user": "Kunde inte hitta användaren i rummet",
|
||||
"op": "Definiera behörighetsnivå för en användare",
|
||||
"deop": "Degraderar användaren med givet ID"
|
||||
},
|
||||
"presence": {
|
||||
"busy": "Upptagen",
|
||||
|
@ -3992,13 +3876,56 @@
|
|||
"reset_password_title": "Återställ ditt lösenord",
|
||||
"continue_with_sso": "Fortsätt med %(ssoButtons)s",
|
||||
"sso_or_username_password": "%(ssoButtons)s Eller %(usernamePassword)s",
|
||||
"sign_in_instead": "Har du redan ett konto? <a>Logga in här</a>",
|
||||
"sign_in_instead": "Logga in istället",
|
||||
"account_clash": "Ditt nya konto (%(newAccountId)s) är registrerat, men du är redan inloggad på ett annat konto (%(loggedInUserId)s).",
|
||||
"account_clash_previous_account": "Fortsätt med de tidigare kontot",
|
||||
"log_in_new_account": "<a>Logga in</a> i ditt nya konto.",
|
||||
"registration_successful": "Registrering lyckades",
|
||||
"server_picker_title": "Skapa kontot på",
|
||||
"server_picker_dialog_title": "Bestäm var ditt konto finns"
|
||||
"server_picker_title": "Logga in på din hemserver",
|
||||
"server_picker_dialog_title": "Bestäm var ditt konto finns",
|
||||
"footer_powered_by_matrix": "drivs av Matrix",
|
||||
"failed_homeserver_discovery": "Misslyckades att genomföra hemserverupptäckt",
|
||||
"sync_footer_subtitle": "Om du har gått med i många rum kan det här ta ett tag",
|
||||
"syncing": "Synkar …",
|
||||
"signing_in": "Loggar in …",
|
||||
"unsupported_auth_msisdn": "Denna server stöder inte autentisering via telefonnummer.",
|
||||
"unsupported_auth_email": "Denna hemserver stöder inte inloggning med e-postadress.",
|
||||
"registration_disabled": "Registrering har inaktiverats på denna hemserver.",
|
||||
"failed_query_registration_methods": "Kunde inte fråga efter stödda registreringsmetoder.",
|
||||
"username_in_use": "Någon annan har redan det användarnamnet, vänligen pröva ett annat.",
|
||||
"3pid_in_use": "Den e-postadressen eller det telefonnumret används redan.",
|
||||
"incorrect_password": "Felaktigt lösenord",
|
||||
"failed_soft_logout_auth": "Misslyckades att återautentisera",
|
||||
"soft_logout_heading": "Du är utloggad",
|
||||
"forgot_password_email_required": "E-postadressen som är kopplad till ditt konto måste anges.",
|
||||
"forgot_password_email_invalid": "Den här e-postadressen ser inte giltig ut.",
|
||||
"sign_in_prompt": "Har du ett konto? <a>Logga in</a>",
|
||||
"verify_email_heading": "Verifiera din e-post för att fortsätta",
|
||||
"forgot_password_prompt": "Glömt ditt lösenord?",
|
||||
"soft_logout_intro_password": "Ange ditt lösenord för att logga in och återfå tillgång till ditt konto.",
|
||||
"soft_logout_intro_sso": "Logga in och återfå tillgång till ditt konto.",
|
||||
"soft_logout_intro_unsupported_auth": "Du kan inte logga in på ditt konto. Vänligen kontakta din hemserveradministratör för mer information.",
|
||||
"check_email_explainer": "Följ instruktionerna som skickades till <b>%(email)s</b>",
|
||||
"check_email_wrong_email_prompt": "Fel e-postadress?",
|
||||
"check_email_wrong_email_button": "Ange e-postadressen igen",
|
||||
"check_email_resend_prompt": "Fick du inte den?",
|
||||
"check_email_resend_tooltip": "E-brev med verifieringslänk skickades igen!",
|
||||
"enter_email_heading": "Ange din e-postadress för att återställa lösenordet",
|
||||
"enter_email_explainer": "<b>%(homeserver)s</b> kommer att skicka en verifieringslänk för att låta dig återställa ditt lösenord.",
|
||||
"verify_email_explainer": "Vi behöver veta att det är du innan vi återställer ditt lösenord. Klicka länken i e-brevet vi just skickade till <b>%(email)s</b>",
|
||||
"create_account_prompt": "Ny här? <a>Skapa ett konto</a>",
|
||||
"sign_in_or_register": "Logga in eller skapa konto",
|
||||
"sign_in_or_register_description": "Använd ditt konto eller skapa ett nytt för att fortsätta.",
|
||||
"sign_in_description": "Använd ditt konto för att fortsätta.",
|
||||
"register_action": "Skapa konto",
|
||||
"server_picker_failed_validate_homeserver": "Kan inte validera hemservern",
|
||||
"server_picker_invalid_url": "Ogiltig URL",
|
||||
"server_picker_required": "Specificera en hemserver",
|
||||
"server_picker_matrix.org": "Matrix.org är den största offentliga hemservern i världen, så den är en bra plats för många.",
|
||||
"server_picker_intro": "Vi kallar platser du kan ha ditt konto på för 'hemservrar'.",
|
||||
"server_picker_custom": "Annan hemserver",
|
||||
"server_picker_explainer": "Använd din föredragna hemserver om du har en, eller driv din egen.",
|
||||
"server_picker_learn_more": "Om hemservrar"
|
||||
},
|
||||
"room_list": {
|
||||
"sort_unread_first": "Visa rum med olästa meddelanden först",
|
||||
|
@ -4049,5 +3976,81 @@
|
|||
"access_token_detail": "Din åtkomsttoken ger full åtkomst till ditt konto. Dela den inte med någon.",
|
||||
"clear_cache_reload": "Rensa cache och ladda om"
|
||||
}
|
||||
},
|
||||
"widget": {
|
||||
"capability": {
|
||||
"send_stickers_this_room": "Skicka in dekaler i det här rummet",
|
||||
"send_stickers_active_room": "Skicka in dekaler i ditt aktiva rum",
|
||||
"send_stickers_this_room_as_you": "Skicka dekaler till det här rummet som dig",
|
||||
"send_stickers_active_room_as_you": "Skicka dekaler till ditt aktiva rum som dig",
|
||||
"see_sticker_posted_this_room": "Se när en dekal skickas i det här rummet",
|
||||
"see_sticker_posted_active_room": "Se när någon skickar en dekal till ditt aktiva rum",
|
||||
"always_on_screen_viewing_another_room": "Stanna kvar på skärmen när ett annat rum visas, när det körs",
|
||||
"always_on_screen_generic": "Stanna kvar på skärmen när det körs",
|
||||
"switch_room": "Ändra vilket rum du visar",
|
||||
"switch_room_message_user": "Ändra vilket rum, vilket meddelande eller vilken användare du ser",
|
||||
"change_topic_this_room": "Ändra det här rummets ämne",
|
||||
"see_topic_change_this_room": "Se när det här rummets ämne ändras",
|
||||
"change_topic_active_room": "Ändra ditt aktiva rums ämne",
|
||||
"see_topic_change_active_room": "Se när ditt aktiva rums ämne ändras",
|
||||
"change_name_this_room": "Byta namn på det här rummet",
|
||||
"see_name_change_this_room": "Se när namnet på det här rummet byts",
|
||||
"change_name_active_room": "Byta namn på ditt aktiva rum",
|
||||
"see_name_change_active_room": "Se när namnet på ditt aktiva rum byts",
|
||||
"change_avatar_this_room": "Byta avatar för det här rummet",
|
||||
"see_avatar_change_this_room": "Se när avataren byts för det här rummet",
|
||||
"change_avatar_active_room": "Byta avatar för ditt aktiva rum",
|
||||
"see_avatar_change_active_room": "Se när avataren byts för ditt aktiva rum",
|
||||
"remove_ban_invite_leave_this_room": "Ta bort, banna eller bjuda in personer till det här rummet, och tvinga dig att lämna",
|
||||
"receive_membership_this_room": "Se när folk går med, lämnar eller bjuds in till det här rummet",
|
||||
"remove_ban_invite_leave_active_room": "Ta bort, banna eller bjuda in personer till ditt aktiva rum, och tvinga dig att lämna",
|
||||
"receive_membership_active_room": "Se när folk går med, lämnar eller bjuds in till ditt aktiva rum",
|
||||
"byline_empty_state_key": "med en tom statusnyckel",
|
||||
"byline_state_key": "med statusnyckel %(stateKey)s",
|
||||
"any_room": "Det ovanstående, men i vilket som helst rum du är med i eller inbjuden till också",
|
||||
"specific_room": "Det ovanstående, men i <Room /> också",
|
||||
"send_event_type_this_room": "Skicka <b>%(eventType)s</b>-händelser som dig i det här rummet",
|
||||
"see_event_type_sent_this_room": "Se <b>%(eventType)s</b>-händelser skickade i det här rummet",
|
||||
"send_event_type_active_room": "Skicka <b>%(eventType)s</b>-händelser som dig i ditt aktiva rum",
|
||||
"see_event_type_sent_active_room": "Se <b>%(eventType)s</b>-händelser som skickas i ditt aktiva rum",
|
||||
"capability": "<b>%(capability)s</b>-kapaciteten",
|
||||
"send_messages_this_room": "Skicka meddelanden som dig i det här rummet",
|
||||
"send_messages_active_room": "Skicka meddelanden som dig i ditt aktiva rum",
|
||||
"see_messages_sent_this_room": "Se meddelanden som skickas i det här rummet",
|
||||
"see_messages_sent_active_room": "Se meddelanden som skickas i ditt aktiva rum",
|
||||
"send_text_messages_this_room": "Skicka textmeddelanden som dig i det här rummet",
|
||||
"send_text_messages_active_room": "Skicka textmeddelanden som dig i ditt aktiva rum",
|
||||
"see_text_messages_sent_this_room": "Se textmeddelanden som skickas i det här rummet",
|
||||
"see_text_messages_sent_active_room": "Se textmeddelanden som skickas i ditt aktiva rum",
|
||||
"send_emotes_this_room": "Skicka emotes som dig i det här rummet",
|
||||
"send_emotes_active_room": "Skicka emotes som dig i ditt aktiva rum",
|
||||
"see_sent_emotes_this_room": "Se emotes som skickas i det här rummet",
|
||||
"see_sent_emotes_active_room": "Se emotes som skickas i ditt aktiva rum",
|
||||
"send_images_this_room": "Skicka bilder som dig i det här rummet",
|
||||
"send_images_active_room": "Skicka bilder som dig i ditt aktiva rum",
|
||||
"see_images_sent_this_room": "Se bilder som skickas i det här rummet",
|
||||
"see_images_sent_active_room": "Se bilder som skickas i ditt aktiva rum",
|
||||
"send_videos_this_room": "Skicka videor som dig i det här rummet",
|
||||
"send_videos_active_room": "Skicka videor som dig i ditt aktiva rum",
|
||||
"see_videos_sent_this_room": "Se videor som skickas i det här rummet",
|
||||
"see_videos_sent_active_room": "Se videor som skickas i ditt aktiva rum",
|
||||
"send_files_this_room": "Skicka generella filer som dig i det här rummet",
|
||||
"send_files_active_room": "Skicka generella filer som dig i ditt aktiva rum",
|
||||
"see_sent_files_this_room": "Se generella filer som skickas i det här rummet",
|
||||
"see_sent_files_active_room": "Se generella filer som skickas i ditt aktiva rum",
|
||||
"send_msgtype_this_room": "Skicka <b>%(msgtype)s</b>-meddelanden som dig i det här rummet",
|
||||
"send_msgtype_active_room": "Skicka <b>%(msgtype)s</b>-meddelanden som dig i ditt aktiva rum",
|
||||
"see_msgtype_sent_this_room": "Se <b>%(msgtype)s</b>-meddelanden som skickas i det här rummet",
|
||||
"see_msgtype_sent_active_room": "Se <b>%(msgtype)s</b>-meddelanden som skickas i ditt aktiva rum"
|
||||
}
|
||||
},
|
||||
"feedback": {
|
||||
"sent": "Återkoppling skickad",
|
||||
"comment_label": "Kommentera",
|
||||
"platform_username": "Din plattform och ditt användarnamn kommer att noteras för att hjälpa oss att använda din återkoppling så mycket vi kan.",
|
||||
"may_contact_label": "Ni kan kontakta mig om ni vill följa upp eller låta mig testa kommande idéer",
|
||||
"pro_type": "TIPS: Om du startar en bugg, vänligen inkludera <debugLogsLink>avbuggninsloggar</debugLogsLink> för att hjälpa oss att hitta problemet.",
|
||||
"existing_issue_link": "Vänligen se <existingIssuesLink> existerade buggar på GitHub</existingIssuesLink> först. Finns det ingen som matchar? <newIssueLink>Starta en ny</newIssueLink>.",
|
||||
"send_feedback_action": "Skicka återkoppling"
|
||||
}
|
||||
}
|
||||
|
|
|
@ -14,7 +14,6 @@
|
|||
"Off": "அமை",
|
||||
"On": "மீது",
|
||||
"Operation failed": "செயல்பாடு தோல்வியுற்றது",
|
||||
"powered by Matrix": "Matrix-ஆல் ஆனது",
|
||||
"Search…": "தேடு…",
|
||||
"Send": "அனுப்பு",
|
||||
"Source URL": "மூல முகவரி",
|
||||
|
@ -65,7 +64,6 @@
|
|||
"May": "மே",
|
||||
"Jun": "ஜூன்",
|
||||
"Explore rooms": "அறைகளை ஆராயுங்கள்",
|
||||
"Create Account": "உங்கள் கணக்கை துவங்குங்கள்",
|
||||
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s",
|
||||
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s",
|
||||
"%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s, %(monthName)s %(day)s %(time)s",
|
||||
|
@ -162,6 +160,8 @@
|
|||
"group_rooms": "அறைகள்"
|
||||
},
|
||||
"auth": {
|
||||
"sso": "ஒற்றை உள்நுழைவு"
|
||||
"sso": "ஒற்றை உள்நுழைவு",
|
||||
"footer_powered_by_matrix": "Matrix-ஆல் ஆனது",
|
||||
"register_action": "உங்கள் கணக்கை துவங்குங்கள்"
|
||||
}
|
||||
}
|
||||
|
|
|
@ -25,7 +25,6 @@
|
|||
"Current password": "ప్రస్తుత పాస్వర్డ్",
|
||||
"Custom level": "అనుకూల స్థాయి",
|
||||
"Deactivate Account": "ఖాతాను డీయాక్టివేట్ చేయండి",
|
||||
"Deops user with given id": "ఇచ్చిన ID తో వినియోగదారుని విడదీస్తుంది",
|
||||
"Default": "డిఫాల్ట్",
|
||||
"Sun": "ఆదివారం",
|
||||
"Mon": "సోమవారం",
|
||||
|
@ -52,7 +51,6 @@
|
|||
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s",
|
||||
"%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s",
|
||||
"Upload avatar": "అవతార్ను అప్లోడ్ చేయండి",
|
||||
"This server does not support authentication with a phone number.": "ఈ సర్వర్ ఫోన్ నంబర్తో ప్రామాణీకరణకు మద్దతు ఇవ్వదు.",
|
||||
"New passwords don't match": "కొత్త పాస్వర్డ్లు సరిపోలడం లేదు",
|
||||
"Connectivity to the server has been lost.": "సెర్వెర్ కనెక్టివిటీని కోల్పోయారు.",
|
||||
"Sent messages will be stored until your connection has returned.": "మీ కనెక్షన్ తిరిగి వచ్చే వరకు పంపిన సందేశాలు నిల్వ చేయబడతాయి.",
|
||||
|
@ -148,13 +146,15 @@
|
|||
"nick": "మీ ప్రదర్శన మారుపేరుని మారుస్తుంది",
|
||||
"ban": "ఇచ్చిన ఐడి తో వినియోగదారుని నిషేధించారు",
|
||||
"category_admin": "అడ్మిన్",
|
||||
"category_advanced": "ఆధునిక"
|
||||
"category_advanced": "ఆధునిక",
|
||||
"deop": "ఇచ్చిన ID తో వినియోగదారుని విడదీస్తుంది"
|
||||
},
|
||||
"Advanced": "ఆధునిక",
|
||||
"voip": {
|
||||
"call_failed": "కాల్ విఫలమయింది"
|
||||
},
|
||||
"auth": {
|
||||
"sso": "సింగిల్ సైన్ ఆన్"
|
||||
"sso": "సింగిల్ సైన్ ఆన్",
|
||||
"unsupported_auth_msisdn": "ఈ సర్వర్ ఫోన్ నంబర్తో ప్రామాణీకరణకు మద్దతు ఇవ్వదు."
|
||||
}
|
||||
}
|
||||
|
|
|
@ -11,7 +11,6 @@
|
|||
"Reason": "เหตุผล",
|
||||
"Notifications": "การแจ้งเตือน",
|
||||
"Operation failed": "การดำเนินการล้มเหลว",
|
||||
"powered by Matrix": "ใช้เทคโนโลยี Matrix",
|
||||
"unknown error code": "รหัสข้อผิดพลาดที่ไม่รู้จัก",
|
||||
"Favourite": "รายการโปรด",
|
||||
"Failed to forget room %(errCode)s": "การลืมห้องล้มเหลว %(errCode)s",
|
||||
|
@ -90,7 +89,6 @@
|
|||
"Export E2E room keys": "ส่งออกกุญแจถอดรหัส E2E",
|
||||
"Failed to change power level": "การเปลี่ยนระดับอำนาจล้มเหลว",
|
||||
"Import E2E room keys": "นำเข้ากุญแจถอดรหัส E2E",
|
||||
"The email address linked to your account must be entered.": "กรุณากรอกที่อยู่อีเมลที่เชื่อมกับบัญชีของคุณ",
|
||||
"Unable to add email address": "ไมาสามารถเพิ่มที่อยู่อีเมล",
|
||||
"Unable to verify email address.": "ไม่สามารถยืนยันที่อยู่อีเมล",
|
||||
"Unban": "ปลดแบน",
|
||||
|
@ -137,7 +135,6 @@
|
|||
"Failed to invite": "การเชิญล้มเหลว",
|
||||
"Confirm Removal": "ยืนยันการลบ",
|
||||
"Unknown error": "ข้อผิดพลาดที่ไม่รู้จัก",
|
||||
"Incorrect password": "รหัสผ่านไม่ถูกต้อง",
|
||||
"Home": "เมนูหลัก",
|
||||
"(~%(count)s results)": {
|
||||
"one": "(~%(count)s ผลลัพท์)",
|
||||
|
@ -189,7 +186,6 @@
|
|||
"Off": "ปิด",
|
||||
"Failed to remove tag %(tagName)s from room": "การลบแท็ก %(tagName)s จากห้องล้มเหลว",
|
||||
"Explore rooms": "สำรวจห้อง",
|
||||
"Create Account": "สร้างบัญชี",
|
||||
"Add Email Address": "เพิ่มที่อยู่อีเมล",
|
||||
"Please ask the administrator of your homeserver (<code>%(homeserverDomain)s</code>) to configure a TURN server in order for calls to work reliably.": "โปรดสอบถามผู้ดูแลระบบของโฮมเซิร์ฟเวอร์ของคุณ (<code>%(homeserverDomain)s</code>) เพื่อกำหนดคอนฟิกเซิร์ฟเวอร์ TURN เพื่อให้การเรียกทำงานได้อย่างน่าเชื่อถือ.",
|
||||
"Call failed due to misconfigured server": "การโทรล้มเหลวเนื่องจากเซิร์ฟเวอร์กำหนดค่าไม่ถูกต้อง",
|
||||
|
@ -214,15 +210,6 @@
|
|||
"Use Single Sign On to continue": "ใช้การลงชื่อเพียงครั้งเดียวเพื่อดำเนินการต่อ",
|
||||
"You most likely do not want to reset your event index store": "คุณมักไม่ต้องการรีเซ็ตที่เก็บดัชนีเหตุการณ์ของคุณ",
|
||||
"Reset event store?": "รีเซ็ตที่เก็บกิจกรรม?",
|
||||
"About homeservers": "เกี่ยวกับโฮมเซิร์ฟเวอร์",
|
||||
"Use your preferred Matrix homeserver if you have one, or host your own.": "ใช้ Matrix โฮมเซิร์ฟเวอร์ที่คุณต้องการหากคุณมี หรือโฮสต์ของคุณเอง",
|
||||
"Other homeserver": "โฮมเซิร์ฟเวอร์อื่น ๆ",
|
||||
"We call the places where you can host your account 'homeservers'.": "เราเรียกสถานที่ที่คุณสามารถโฮสต์บัญชีของคุณว่า 'โฮมเซิร์ฟเวอร์'.",
|
||||
"Sign into your homeserver": "ลงชื่อเข้าใช้โฮมเซิร์ฟเวอร์ของคุณ",
|
||||
"Matrix.org is the biggest public homeserver in the world, so it's a good place for many.": "Matrix.org เป็นโฮมเซิร์ฟเวอร์สาธารณะที่ใหญ่ที่สุดในโลก ดังนั้นจึงเป็นสถานที่ที่ดีสำหรับหลายๆ คน.",
|
||||
"Specify a homeserver": "ระบุโฮมเซิร์ฟเวอร์",
|
||||
"Invalid URL": "URL ไม่ถูกต้อง",
|
||||
"Unable to validate homeserver": "ไม่สามารถตรวจสอบโฮมเซิร์ฟเวอร์ได้",
|
||||
"The server is not configured to indicate what the problem is (CORS).": "เซิร์ฟเวอร์ไม่ได้กำหนดค่าเพื่อระบุว่าปัญหาคืออะไร (CORS).",
|
||||
"A connection error occurred while trying to contact the server.": "เกิดข้อผิดพลาดในการเชื่อมต่อขณะพยายามติดต่อกับเซิร์ฟเวอร์.",
|
||||
"Your area is experiencing difficulties connecting to the internet.": "พื้นที่ของคุณประสบปัญหาในการเชื่อมต่ออินเทอร์เน็ต.",
|
||||
|
@ -273,7 +260,6 @@
|
|||
"other": "ยืนยันการออกจากระบบอุปกรณ์เหล่านี้โดยใช้การลงชื่อเพียงครั้งเดียวเพื่อพิสูจน์ตัวตนของคุณ."
|
||||
},
|
||||
"Current session": "เซสชันปัจจุบัน",
|
||||
"Your server requires encryption to be enabled in private rooms.": "เซิร์ฟเวอร์ของคุณกำหนดให้เปิดใช้งานการเข้ารหัสในห้องส่วนตัว.",
|
||||
"Encryption not enabled": "ไม่ได้เปิดใช้งานการเข้ารหัส",
|
||||
"End-to-end encryption isn't enabled": "ไม่ได้เปิดใช้งานการเข้ารหัสจากต้นทางถึงปลายทาง",
|
||||
"You won't be able to participate in rooms where encryption is enabled when using this session.": "คุณจะไม่สามารถเข้าร่วมในห้องที่เปิดใช้งานการเข้ารหัสเมื่อใช้เซสชันนี้.",
|
||||
|
@ -527,11 +513,27 @@
|
|||
"group_rooms": "ห้องสนทนา"
|
||||
},
|
||||
"auth": {
|
||||
"sso": "ลงชื่อเข้าใช้เพียงครั้งเดียว"
|
||||
"sso": "ลงชื่อเข้าใช้เพียงครั้งเดียว",
|
||||
"footer_powered_by_matrix": "ใช้เทคโนโลยี Matrix",
|
||||
"incorrect_password": "รหัสผ่านไม่ถูกต้อง",
|
||||
"forgot_password_email_required": "กรุณากรอกที่อยู่อีเมลที่เชื่อมกับบัญชีของคุณ",
|
||||
"register_action": "สร้างบัญชี",
|
||||
"server_picker_failed_validate_homeserver": "ไม่สามารถตรวจสอบโฮมเซิร์ฟเวอร์ได้",
|
||||
"server_picker_invalid_url": "URL ไม่ถูกต้อง",
|
||||
"server_picker_required": "ระบุโฮมเซิร์ฟเวอร์",
|
||||
"server_picker_matrix.org": "Matrix.org เป็นโฮมเซิร์ฟเวอร์สาธารณะที่ใหญ่ที่สุดในโลก ดังนั้นจึงเป็นสถานที่ที่ดีสำหรับหลายๆ คน.",
|
||||
"server_picker_title": "ลงชื่อเข้าใช้โฮมเซิร์ฟเวอร์ของคุณ",
|
||||
"server_picker_intro": "เราเรียกสถานที่ที่คุณสามารถโฮสต์บัญชีของคุณว่า 'โฮมเซิร์ฟเวอร์'.",
|
||||
"server_picker_custom": "โฮมเซิร์ฟเวอร์อื่น ๆ",
|
||||
"server_picker_explainer": "ใช้ Matrix โฮมเซิร์ฟเวอร์ที่คุณต้องการหากคุณมี หรือโฮสต์ของคุณเอง",
|
||||
"server_picker_learn_more": "เกี่ยวกับโฮมเซิร์ฟเวอร์"
|
||||
},
|
||||
"setting": {
|
||||
"help_about": {
|
||||
"brand_version": "เวอร์ชัน %(brand)s:"
|
||||
}
|
||||
},
|
||||
"create_room": {
|
||||
"encryption_forced": "เซิร์ฟเวอร์ของคุณกำหนดให้เปิดใช้งานการเข้ารหัสในห้องส่วนตัว."
|
||||
}
|
||||
}
|
||||
|
|
|
@ -30,7 +30,6 @@
|
|||
"Custom level": "Özel seviye",
|
||||
"Deactivate Account": "Hesabı Devre Dışı Bırakma",
|
||||
"Decrypt %(text)s": "%(text)s metninin şifresini çöz",
|
||||
"Deops user with given id": "ID'leriyle birlikte , düşürülmüş kullanıcılar",
|
||||
"Default": "Varsayılan",
|
||||
"Download %(text)s": "%(text)s metnini indir",
|
||||
"Email": "E-posta",
|
||||
|
@ -105,7 +104,6 @@
|
|||
"Start authentication": "Kimlik Doğrulamayı başlatın",
|
||||
"This email address is already in use": "Bu e-posta adresi zaten kullanımda",
|
||||
"This email address was not found": "Bu e-posta adresi bulunamadı",
|
||||
"The email address linked to your account must be entered.": "Hesabınıza bağlı e-posta adresi girilmelidir.",
|
||||
"This room has no local addresses": "Bu oda hiçbir yerel adrese sahip değil",
|
||||
"This room is not recognised.": "Bu oda tanınmıyor.",
|
||||
"This doesn't appear to be a valid email address": "Bu geçerli bir e-posta adresi olarak gözükmüyor",
|
||||
|
@ -164,7 +162,6 @@
|
|||
"%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s , %(monthName)s %(day)s %(time)s",
|
||||
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "Hafta - %(weekDayName)s , %(day)s -%(monthName)s -%(fullYear)s , %(time)s",
|
||||
"%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s",
|
||||
"This server does not support authentication with a phone number.": "Bu sunucu bir telefon numarası ile kimlik doğrulamayı desteklemez.",
|
||||
"Connectivity to the server has been lost.": "Sunucuyla olan bağlantı kesildi.",
|
||||
"Sent messages will be stored until your connection has returned.": "Gönderilen iletiler bağlantınız geri gelene kadar saklanacak.",
|
||||
"(~%(count)s results)": {
|
||||
|
@ -187,12 +184,10 @@
|
|||
"Failed to invite": "Davet edilemedi",
|
||||
"Confirm Removal": "Kaldırma İşlemini Onayla",
|
||||
"Unknown error": "Bilinmeyen Hata",
|
||||
"Incorrect password": "Yanlış Şifre",
|
||||
"Unable to restore session": "Oturum geri yüklenemiyor",
|
||||
"If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Eğer daha önce %(brand)s'un daha yeni bir versiyonunu kullandıysanız , oturumunuz bu sürümle uyumsuz olabilir . Bu pencereyi kapatın ve daha yeni sürüme geri dönün.",
|
||||
"Token incorrect": "Belirteç(Token) hatalı",
|
||||
"Please enter the code it contains:": "Lütfen içerdiği kodu girin:",
|
||||
"powered by Matrix": "Matrix'den besleniyor",
|
||||
"Error decrypting image": "Resim şifre çözme hatası",
|
||||
"Error decrypting video": "Video şifre çözme hatası",
|
||||
"Add an Integration": "Entegrasyon ekleyin",
|
||||
|
@ -252,7 +247,6 @@
|
|||
"You do not have permission to do that in this room.": "Bu odada bunu yapma yetkiniz yok.",
|
||||
"Error upgrading room": "Oda güncellenirken hata",
|
||||
"Use an identity server": "Bir kimlik sunucusu kullan",
|
||||
"Define the power level of a user": "Bir kullanıcının güç düzeyini tanımla",
|
||||
"Cannot reach homeserver": "Ana sunucuya erişilemiyor",
|
||||
"Your %(brand)s is misconfigured": "%(brand)s hatalı ayarlanmış",
|
||||
"Cannot reach identity server": "Kimlik sunucu erişilemiyor",
|
||||
|
@ -279,7 +273,6 @@
|
|||
"Notes": "Notlar",
|
||||
"Removing…": "Siliniyor…",
|
||||
"Clear all data": "Bütün verileri sil",
|
||||
"Please enter a name for the room": "Lütfen oda için bir ad girin",
|
||||
"Hide advanced": "Gelişmiş gizle",
|
||||
"Show advanced": "Gelişmiş göster",
|
||||
"Incompatible Database": "Uyumsuz Veritabanı",
|
||||
|
@ -347,12 +340,8 @@
|
|||
"Could not load user profile": "Kullanıcı profili yüklenemedi",
|
||||
"Your password has been reset.": "Parolanız sıfırlandı.",
|
||||
"General failure": "Genel başarısızlık",
|
||||
"This homeserver does not support login using email address.": "Bu ana sunucu e-posta adresiyle oturum açmayı desteklemiyor.",
|
||||
"This account has been deactivated.": "Hesap devre dışı bırakıldı.",
|
||||
"Create account": "Yeni hesap",
|
||||
"Unable to query for supported registration methods.": "Desteklenen kayıt yöntemleri için sorgulama yapılamıyor.",
|
||||
"Forgotten your password?": "Parolanızı mı unuttunuz?",
|
||||
"Sign in and regain access to your account.": "Oturum açın ve yeniden hesabınıza ulaşın.",
|
||||
"You do not have permission to start a conference call in this room": "Bu odada bir konferans başlatmak için izniniz yok",
|
||||
"The file '%(fileName)s' failed to upload.": "%(fileName)s dosyası için yükleme başarısız.",
|
||||
"The server does not support the room version specified.": "Belirtilen oda sürümünü sunucu desteklemiyor.",
|
||||
|
@ -366,8 +355,6 @@
|
|||
"%(name)s (%(userId)s)": "%(name)s (%(userId)s)",
|
||||
"Unrecognised address": "Tanınmayan adres",
|
||||
"You do not have permission to invite people to this room.": "Bu odaya kişi davet etme izniniz yok.",
|
||||
"You cannot sign in to your account. Please contact your homeserver admin for more information.": "Hesabınıza giriş yapamazsınız. Lütfen daha fazla bilgi için ana sunucu yöneticiniz ile bağlantıya geçiniz.",
|
||||
"You're signed out": "Çıkış yaptınız",
|
||||
"Clear personal data": "Kişisel veri temizle",
|
||||
"Command Autocomplete": "Oto tamamlama komutu",
|
||||
"Emoji Autocomplete": "Emoji Oto Tamamlama",
|
||||
|
@ -671,8 +658,6 @@
|
|||
"Repeats like \"abcabcabc\" are only slightly harder to guess than \"abc\"": "“abcabcabc” gibi tekrarlar “abc” yi tahmin etmekten çok az daha zor olur",
|
||||
"Sequences like abc or 6543 are easy to guess": "abc veya 6543 gibi diziler tahmin için oldukça kolaydır",
|
||||
"Common names and surnames are easy to guess": "Yaygın isimleri ve soyisimleri tahmin etmek oldukça kolay",
|
||||
"Enable URL previews for this room (only affects you)": "Bu oda için URL önizlemeyi aç (sadece sizi etkiler)",
|
||||
"Enable URL previews by default for participants in this room": "Bu odadaki katılımcılar için URL önizlemeyi varsayılan olarak açık hale getir",
|
||||
"Enable widget screenshots on supported widgets": "Desteklenen görsel bileşenlerde anlık görüntüleri aç",
|
||||
"Show hidden events in timeline": "Zaman çizelgesinde gizli olayları göster",
|
||||
"This is your list of users/servers you have blocked - don't leave the room!": "Bu sizin engellediğiniz kullanıcılar/sunucular listeniz - odadan ayrılmayın!",
|
||||
|
@ -692,7 +677,6 @@
|
|||
"Homeserver URL does not appear to be a valid Matrix homeserver": "Anasunucu URL i geçerli bir Matrix anasunucusu olarak gözükmüyor",
|
||||
"Invalid identity server discovery response": "Geçersiz kimlik sunucu keşfi yanıtı",
|
||||
"Please <a>contact your service administrator</a> to continue using this service.": "Bu servisi kullanmaya devam etmek için lütfen <a>servis yöneticinizle bağlantı kurun</a>.",
|
||||
"Failed to perform homeserver discovery": "Anasunucu keşif işlemi başarısız",
|
||||
"Go back to set it again.": "Geri git ve yeniden ayarla.",
|
||||
"Upgrade your encryption": "Şifrelemenizi güncelleyin",
|
||||
"Create key backup": "Anahtar yedeği oluştur",
|
||||
|
@ -754,9 +738,6 @@
|
|||
"Session key": "Oturum anahtarı",
|
||||
"Recent Conversations": "Güncel Sohbetler",
|
||||
"Recently Direct Messaged": "Güncel Doğrudan Mesajlar",
|
||||
"Sign In or Create Account": "Oturum Açın veya Hesap Oluşturun",
|
||||
"Use your account or create a new one to continue.": "Hesabınızı kullanın veya devam etmek için yeni bir tane oluşturun.",
|
||||
"Create Account": "Hesap Oluştur",
|
||||
"Add another word or two. Uncommon words are better.": "Bir iki kelime daha ekleyin. Yaygın olmayan kelimeler daha iyi olur.",
|
||||
"Recent years are easy to guess": "Güncel yılların tahmini kolaydır",
|
||||
"Enable message search in encrypted rooms": "Şifrelenmiş odalardaki mesaj aramayı aktifleştir",
|
||||
|
@ -780,8 +761,6 @@
|
|||
"Invalid base_url for m.identity_server": "m.kimlik_sunucu için geçersiz base_url",
|
||||
"Identity server URL does not appear to be a valid identity server": "Kimlik sunucu adresi geçerli bir kimlik sunucu adresi gibi gözükmüyor",
|
||||
"Please note you are logging into the %(hs)s server, not matrix.org.": "Lütfen %(hs)s sunucusuna oturum açtığınızın farkında olun. Bu sunucu matrix.org değil.",
|
||||
"Registration has been disabled on this homeserver.": "Bu anasunucuda kayıt işlemleri kapatılmış.",
|
||||
"Enter your password to sign in and regain access to your account.": "Oturum açmak için şifreni gir ve hesabına yeniden erişimi sağla.",
|
||||
"Enter your account password to confirm the upgrade:": "Güncellemeyi başlatmak için hesap şifreni gir:",
|
||||
"You'll need to authenticate with the server to confirm the upgrade.": "Güncellemeyi teyit etmek için sunucuda oturum açmaya ihtiyacınız var.",
|
||||
"Unable to set up secret storage": "Sır deposu ayarlanamıyor",
|
||||
|
@ -812,7 +791,6 @@
|
|||
"These files are <b>too large</b> to upload. The file size limit is %(limit)s.": "Bu dosyalar yükleme için <b>çok büyük</b>. Dosya boyut limiti %(limit)s.",
|
||||
"Some files are <b>too large</b> to be uploaded. The file size limit is %(limit)s.": "Bazı dosyalar yükleme için <b>çok büyük</b>. Dosya boyutu limiti %(limit)s.",
|
||||
"Failed to re-authenticate due to a homeserver problem": "Anasunucu problemi yüzünden yeniden kimlik doğrulama başarısız",
|
||||
"Failed to re-authenticate": "Yeniden kimlik doğrulama başarısız",
|
||||
"Not currently indexing messages for any room.": "Şu an hiç bir odada mesaj indeksleme yapılmıyor.",
|
||||
"PM": "24:00",
|
||||
"AM": "12:00",
|
||||
|
@ -843,8 +821,6 @@
|
|||
"Click the button below to confirm adding this phone number.": "Telefon numarasını eklemeyi kabul etmek için aşağıdaki tuşa tıklayın.",
|
||||
"Are you sure you want to cancel entering passphrase?": "Parola girmeyi iptal etmek istediğinizden emin misiniz?",
|
||||
"%(name)s is requesting verification": "%(name)s doğrulama istiyor",
|
||||
"Joins room with given address": "Belirtilen adres ile odaya katılır",
|
||||
"Could not find user in room": "Kullanıcı odada bulunamadı",
|
||||
"You signed in to a new session without verifying it:": "Yeni bir oturuma, doğrulamadan oturum açtınız:",
|
||||
"Verify your other session using one of the options below.": "Diğer oturumunuzu aşağıdaki seçeneklerden birini kullanarak doğrulayın.",
|
||||
"Your homeserver has exceeded its user limit.": "Homeserver'ınız kullanıcı limitini aştı.",
|
||||
|
@ -852,10 +828,6 @@
|
|||
"Contact your <a>server admin</a>.": "<a>Sunucu yöneticinize</a> başvurun.",
|
||||
"Ok": "Tamam",
|
||||
"New login. Was this you?": "Yeni giriş. Bu siz miydiniz?",
|
||||
"See when anyone posts a sticker to your active room": "Aktif odanızda birisi çıkartma paylaştığında görün",
|
||||
"See when a sticker is posted in this room": "Bu odada çıkartma paylaşıldığında görün",
|
||||
"See when the avatar changes in your active room": "Aktif odanızdaki profil fotoğrafı değişikliklerini görün",
|
||||
"See when the avatar changes in this room": "Bu odadaki avatar değişikliklerini görün",
|
||||
"New version of %(brand)s is available": "%(brand)s 'in yeni versiyonu hazır",
|
||||
"Update %(brand)s": "%(brand)s 'i güncelle",
|
||||
"Safeguard against losing access to encrypted messages & data": "Şifrelenmiş mesajlara ve verilere erişimi kaybetmemek için koruma sağlayın",
|
||||
|
@ -867,23 +839,6 @@
|
|||
"This room is used for important messages from the Homeserver, so you cannot leave it.": "Bu oda, Ana Sunucudan gelen önemli mesajlar için kullanılır, bu yüzden ayrılamazsınız.",
|
||||
"Can't leave Server Notices room": "Sunucu Bildirimleri odasından ayrılınamıyor",
|
||||
"Unexpected server error trying to leave the room": "Odadan ayrılmaya çalışırken beklenmeyen sunucu hatası",
|
||||
"See images posted to your active room": "Aktif odanıza gönderilen fotoğrafları görün",
|
||||
"See emotes posted to your active room": "Aktif odanıza gönderilen ifadeleri görün",
|
||||
"See emotes posted to this room": "Bu odaya gönderilen ifadeleri görün",
|
||||
"See text messages posted to your active room": "Aktif odanıza gönderilen metin mesajlarını görün",
|
||||
"See text messages posted to this room": "Bu odaya gönderilen metin mesajlarını gör",
|
||||
"The <b>%(capability)s</b> capability": "<b>%(capability)s</b> kabiliyet",
|
||||
"See messages posted to your active room": "Aktif odanıza gönderilen mesajları görün",
|
||||
"See messages posted to this room": "Bu odaya gönderilen mesajları görün",
|
||||
"Change the avatar of your active room": "Aktif odanın avatarını değiştir",
|
||||
"Change the avatar of this room": "Bu odanın avatarını değiştir",
|
||||
"Change the name of your active room": "Aktif odanızın ismini değiştirin",
|
||||
"Change the name of this room": "Bu odanın ismini değiştirin",
|
||||
"Change the topic of your active room": "Aktif odanızın konusunu değiştirin",
|
||||
"Change the topic of this room": "Bu odanın konusunu değiştirin",
|
||||
"Change which room you're viewing": "Görüntülediğiniz odayı değiştirin",
|
||||
"Send stickers into your active room": "Aktif odanıza çıkartma gönderin",
|
||||
"Send stickers into this room": "Bu odaya çıkartma gönderin",
|
||||
"Zimbabwe": "Zimbabve",
|
||||
"Zambia": "Zambiya",
|
||||
"Yemen": "Yemen",
|
||||
|
@ -1113,8 +1068,6 @@
|
|||
"Belarus": "Belarus",
|
||||
"Barbados": "Barbados",
|
||||
"Bangladesh": "Bangladeş",
|
||||
"See <b>%(msgtype)s</b> messages posted to this room": "Bu odada gönderilen <b>%(msgtype)s</b> mesajlara bak",
|
||||
"Send <b>%(msgtype)s</b> messages as you in this room": "Bu odadayken <b>%(msgtype)s</b> mesajlar gönder",
|
||||
"Bahrain": "Bahreyn",
|
||||
"Bahamas": "Bahamalar",
|
||||
"Azerbaijan": "Azerbaycan",
|
||||
|
@ -1138,14 +1091,6 @@
|
|||
"You cancelled verification.": "Doğrulamayı iptal ettiniz.",
|
||||
"%(displayName)s cancelled verification.": "%(displayName)s doğrulamayı iptal etti.",
|
||||
"Verification timed out.": "Doğrulama zaman aşımına uğradı.",
|
||||
"See when the name changes in your active room": "Aktif odanızdaki isim değişikliklerini görün",
|
||||
"See when the name changes in this room": "Bu odadaki isim değişikliklerini görün",
|
||||
"See when the topic changes in this room": "Bu odada konu başlığı değişince değişiklikleri görün",
|
||||
"See when the topic changes in your active room": "Bu odada konu başlığı değişince değişiklikleri görün",
|
||||
"Remain on your screen when viewing another room, when running": "a",
|
||||
"Send stickers to this room as you": "Widget bu odaya sizin adınıza çıkartma göndersin",
|
||||
"Send stickers to your active room as you": "Widget aktif odanıza sizin adınıza çıkartma göndersin",
|
||||
"Send messages as you in this room": "Bu Araç sizin adınıza mesaj gönderir",
|
||||
"Answered Elsewhere": "Arama başka bir yerde yanıtlandı",
|
||||
"IRC display name width": "IRC görünen ad genişliği",
|
||||
"Manually verify all remote sessions": "Bütün uzaktan oturumları el ile onayla",
|
||||
|
@ -1198,21 +1143,12 @@
|
|||
"Confirm adding this email address by using Single Sign On to prove your identity.": "Kimliğinizi doğrulamak için Tek Seferlik Oturum Açma özelliğini kullanarak bu e-posta adresini eklemeyi onaylayın.",
|
||||
"Use Single Sign On to continue": "Devam etmek için tek seferlik oturum açın",
|
||||
"Change notification settings": "Bildirim ayarlarını değiştir",
|
||||
"See <b>%(msgtype)s</b> messages posted to your active room": "Aktif odanıza gönderilen <b>%(msgtype)s</b> mesajları görün",
|
||||
"Send <b>%(msgtype)s</b> messages as you in your active room": "Widget sizin adınıza <b>%(msgtype)s</b> mesajlar göndersin",
|
||||
"See general files posted to your active room": "Aktif odanıza gönderilen genel dosyaları görün",
|
||||
"See general files posted to this room": "Bu odaya gönderilen genel dosyaları gör",
|
||||
"Your server isn't responding to some <a>requests</a>.": "Sunucunuz bası <a>istekler'e</a> onay vermiyor.",
|
||||
"User signing private key:": "Kullanıcı imzalı özel anahtar",
|
||||
"Homeserver feature support:": "Ana sunucu özellik desteği:",
|
||||
"Self signing private key:": "Kendinden imzalı özel anahtar:",
|
||||
"not found locally": "yerel olarak bulunamadı",
|
||||
"cached locally": "yerel olarak önbelleğe alındı",
|
||||
"Send general files as you in your active room": "Widget aktif odanıza sizin adınıza genel dosyalar göndersin",
|
||||
"Send general files as you in this room": "Widget sizin adınıza bu odaya genel dosyalar göndersin",
|
||||
"Send videos as you in your active room": "Bu araç odaya sizin adınıza video gönderir",
|
||||
"Send videos as you in this room": "Bu araç odaya sizin adınıza video gönderir",
|
||||
"See <b>%(eventType)s</b> events posted to your active room": "Aktif odanıza gönderilen <b>%(eventType)s</b> etkinlikleri gör",
|
||||
"Thumbs up": "Başparmak havaya",
|
||||
"Santa": "Noel Baba",
|
||||
"Spanner": "Anahtar",
|
||||
|
@ -1221,19 +1157,6 @@
|
|||
"Verify this user by confirming the following emoji appear on their screen.": "Aşağıdaki emojinin ekranlarında göründüğünü onaylayarak bu kullanıcıyı doğrulayın.",
|
||||
"Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Bu kullanıcıyla olan güvenli mesajlar uçtan uca şifrelidir ve 3 taraflar tarafından okunamaz.",
|
||||
"Dial pad": "Arama tuşları",
|
||||
"See videos posted to your active room": "Aktif odana gönderilen videoları gör",
|
||||
"See videos posted to this room": "Bu odaya gönderilen videoları gör",
|
||||
"See images posted to this room": "Bu odaya gönderilen resimleri gör",
|
||||
"Send images as you in this room": "Bu araç odaya sizin adınıza resim gönderir",
|
||||
"Send emotes as you in your active room": "Bu araç sizin adınıza bu odaya ileti gönderir",
|
||||
"Send emotes as you in this room": "Bu araç odaya sizin adınıza ifade gönderir",
|
||||
"Send text messages as you in your active room": "Bu araç sizin adınıza bu odaya mesaj gönderir",
|
||||
"Send text messages as you in this room": "Bu araç odaya sizin adınıza metin iletisi gönderir",
|
||||
"Send messages as you in your active room": "Bu araç odanıza sizin adınıza ileti gönderir",
|
||||
"Send <b>%(eventType)s</b> events as you in your active room": "Bu araç odanıza sizin adınıza <b>%(eventType)s</b> türü etkinlik gönderir",
|
||||
"Send <b>%(eventType)s</b> events as you in this room": "Bu araç odaya sizin adınıza <b>%(eventType)s</b> türü etkinlik gönderir",
|
||||
"Send images as you in your active room": "Widget aktif odanıza sizin adınıza resim göndersin",
|
||||
"with an empty state key": "boş durum anahtarı ile",
|
||||
"Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "Emin misiniz? Eğer anahtarlarınız doğru bir şekilde yedeklemediyse, şifrelenmiş iletilerinizi kaybedeceksiniz.",
|
||||
"The operation could not be completed": "Eylem tamamlanamadı",
|
||||
"Failed to save your profile": "Profiliniz kaydedilemedi",
|
||||
|
@ -1245,8 +1168,6 @@
|
|||
},
|
||||
"not found in storage": "Cihazda bulunamadı",
|
||||
"This bridge was provisioned by <user />.": "Bu köprü <user /> tarafından sağlandı.",
|
||||
"See <b>%(eventType)s</b> events posted to this room": "Bu odaya gönderilen <b>%(eventType)s</b> türü etkinlikleri gör",
|
||||
"with state key %(stateKey)s": "%(stateKey)s durum anahtarı ile",
|
||||
"Verify all users in a room to ensure it's secure.": "Güvenli olduğuna emin olmak için odadaki tüm kullanıcıları onaylayın.",
|
||||
"No recent messages by %(user)s found": "%(user)s kullanıcısın hiç yeni ileti yok",
|
||||
"Topic: %(topic)s (<a>edit</a>)": "Konu: %(topic)s (<a>düzenle</a>)",
|
||||
|
@ -1268,12 +1189,10 @@
|
|||
"Your server": "Senin sunucun",
|
||||
"All rooms": "Tüm odalar",
|
||||
"Looks good": "İyi görünüyor",
|
||||
"Topic (optional)": "Konu (isteğe bağlı)",
|
||||
"Transfer": "Aktar",
|
||||
"Hold": "Beklet",
|
||||
"Resume": "Devam et",
|
||||
"Information": "Bilgi",
|
||||
"Feedback": "Geri bildirim",
|
||||
"Accepting…": "Kabul ediliyor…",
|
||||
"Room avatar": "Oda avatarı",
|
||||
"Room options": "Oda ayarları",
|
||||
|
@ -1364,7 +1283,6 @@
|
|||
"There was an error looking up the phone number": "Telefon numarasına bakarken bir hata oluştu",
|
||||
"Use app": "Uygulamayı kullan",
|
||||
"Use app for a better experience": "Daha iyi bir deneyim için uygulamayı kullanın",
|
||||
"Remain on your screen while running": "Uygulama çalışırken lütfen başka uygulamaya geçmeyin",
|
||||
"Some invites couldn't be sent": "Bazı davetler gönderilemiyor",
|
||||
"We sent the others, but the below people couldn't be invited to <RoomName/>": "Başkalarına davetler iletilmekle beraber, aşağıdakiler <RoomName/> odasına davet edilemedi",
|
||||
"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.": "Tarayıcınıza bağlandığınız ana sunucuyu anımsamasını söyledik ama ne yazık ki tarayıcınız bunu unutmuş. Lütfen giriş sayfasına gidip tekrar deneyin.",
|
||||
|
@ -1392,18 +1310,15 @@
|
|||
"Share invite link": "Davet bağlantısını paylaş",
|
||||
"Click to copy": "Kopyalamak için tıklayın",
|
||||
"You can change these anytime.": "Bunları istediğiniz zaman değiştirebilirsiniz.",
|
||||
"Change which room, message, or user you're viewing": "Görüntülediğiniz odayı, mesajı veya kullanıcıyı değiştirin",
|
||||
"Use an integration manager to manage bots, widgets, and sticker packs.": "Botları, görsel bileşenleri ve çıkartma paketlerini yönetmek için bir entegrasyon yöneticisi kullanın.",
|
||||
"Identity server (%(server)s)": "(%(server)s) Kimlik Sunucusu",
|
||||
"Could not connect to identity server": "Kimlik Sunucusuna bağlanılamadı",
|
||||
"Not a valid identity server (status code %(code)s)": "Geçerli bir Kimlik Sunucu değil ( durum kodu %(code)s )",
|
||||
"Identity server URL must be HTTPS": "Kimlik Sunucu URL adresi HTTPS olmak zorunda",
|
||||
"See when people join, leave, or are invited to your active room": "İnsanların odanıza ne zaman katıldığını, ayrıldığını veya davet edildiğini görün",
|
||||
"Light high contrast": "Yüksek ışık kontrastı",
|
||||
"Transfer Failed": "Aktarma Başarısız",
|
||||
"Unable to transfer call": "Arama Karşıdaki kişiye aktarılamıyor",
|
||||
"This homeserver has been blocked by its administrator.": "Bu sunucu yöneticisi tarafından bloke edildi.",
|
||||
"See when people join, leave, or are invited to this room": "İnsanların bu odaya ne zaman katıldığını, ayrıldığını veya davet edildiğini görün",
|
||||
"Failed to transfer call": "Arama aktarılırken hata oluştu",
|
||||
"For best security, sign out from any session that you don't recognize or use anymore.": "En iyi güvenlik için, tanımadığın ya da artık kullanmadığın oturumlardan çıkış yap.",
|
||||
"Security recommendations": "Güvenlik önerileri",
|
||||
|
@ -1492,7 +1407,8 @@
|
|||
"cross_signing": "Çapraz-imzalama",
|
||||
"identity_server": "Kimlik sunucusu",
|
||||
"integration_manager": "Bütünleştirme Yöneticisi",
|
||||
"qr_code": "Kare kod (QR)"
|
||||
"qr_code": "Kare kod (QR)",
|
||||
"feedback": "Geri bildirim"
|
||||
},
|
||||
"action": {
|
||||
"continue": "Devam Et",
|
||||
|
@ -1719,7 +1635,9 @@
|
|||
"font_size": "Yazı boyutu",
|
||||
"custom_font_description": "Sisteminizde bulunan bir font adı belirtiniz. %(brand)s sizin için onu kullanmaya çalışacak.",
|
||||
"timeline_image_size_default": "Varsayılan"
|
||||
}
|
||||
},
|
||||
"inline_url_previews_room_account": "Bu oda için URL önizlemeyi aç (sadece sizi etkiler)",
|
||||
"inline_url_previews_room": "Bu odadaki katılımcılar için URL önizlemeyi varsayılan olarak açık hale getir"
|
||||
},
|
||||
"devtools": {
|
||||
"event_type": "Olay Tipi",
|
||||
|
@ -1737,7 +1655,9 @@
|
|||
},
|
||||
"create_room": {
|
||||
"title_public_room": "Halka açık bir oda oluşturun",
|
||||
"title_private_room": "Özel bir oda oluştur"
|
||||
"title_private_room": "Özel bir oda oluştur",
|
||||
"name_validation_required": "Lütfen oda için bir ad girin",
|
||||
"topic_label": "Konu (isteğe bağlı)"
|
||||
},
|
||||
"timeline": {
|
||||
"m.call.invite": {
|
||||
|
@ -1996,7 +1916,11 @@
|
|||
"query": "Belirtilen kullanıcı ile sohbet başlatır",
|
||||
"holdcall": "Mevcut odadaki aramayı beklemeye alır",
|
||||
"unholdcall": "Mevcut odadaki aramayı beklemeden çıkarır",
|
||||
"me": "Eylemi görüntüler"
|
||||
"me": "Eylemi görüntüler",
|
||||
"join": "Belirtilen adres ile odaya katılır",
|
||||
"failed_find_user": "Kullanıcı odada bulunamadı",
|
||||
"op": "Bir kullanıcının güç düzeyini tanımla",
|
||||
"deop": "ID'leriyle birlikte , düşürülmüş kullanıcılar"
|
||||
},
|
||||
"presence": {
|
||||
"online_for": "%(duration)s süresince çevrimiçi",
|
||||
|
@ -2112,7 +2036,24 @@
|
|||
"sso": "Tek seferlik oturum aç",
|
||||
"account_clash_previous_account": "Önceki hesapla devam et",
|
||||
"log_in_new_account": "Yeni hesabınızla <a>Oturum aç</a>ın.",
|
||||
"registration_successful": "Kayıt Başarılı"
|
||||
"registration_successful": "Kayıt Başarılı",
|
||||
"footer_powered_by_matrix": "Matrix'den besleniyor",
|
||||
"failed_homeserver_discovery": "Anasunucu keşif işlemi başarısız",
|
||||
"unsupported_auth_msisdn": "Bu sunucu bir telefon numarası ile kimlik doğrulamayı desteklemez.",
|
||||
"unsupported_auth_email": "Bu ana sunucu e-posta adresiyle oturum açmayı desteklemiyor.",
|
||||
"registration_disabled": "Bu anasunucuda kayıt işlemleri kapatılmış.",
|
||||
"failed_query_registration_methods": "Desteklenen kayıt yöntemleri için sorgulama yapılamıyor.",
|
||||
"incorrect_password": "Yanlış Şifre",
|
||||
"failed_soft_logout_auth": "Yeniden kimlik doğrulama başarısız",
|
||||
"soft_logout_heading": "Çıkış yaptınız",
|
||||
"forgot_password_email_required": "Hesabınıza bağlı e-posta adresi girilmelidir.",
|
||||
"forgot_password_prompt": "Parolanızı mı unuttunuz?",
|
||||
"soft_logout_intro_password": "Oturum açmak için şifreni gir ve hesabına yeniden erişimi sağla.",
|
||||
"soft_logout_intro_sso": "Oturum açın ve yeniden hesabınıza ulaşın.",
|
||||
"soft_logout_intro_unsupported_auth": "Hesabınıza giriş yapamazsınız. Lütfen daha fazla bilgi için ana sunucu yöneticiniz ile bağlantıya geçiniz.",
|
||||
"sign_in_or_register": "Oturum Açın veya Hesap Oluşturun",
|
||||
"sign_in_or_register_description": "Hesabınızı kullanın veya devam etmek için yeni bir tane oluşturun.",
|
||||
"register_action": "Hesap Oluştur"
|
||||
},
|
||||
"room_list": {
|
||||
"sort_unread_first": "Önce okunmamış mesajları olan odaları göster",
|
||||
|
@ -2149,5 +2090,68 @@
|
|||
"versions": "Sürümler",
|
||||
"clear_cache_reload": "Belleği temizle ve yeniden yükle"
|
||||
}
|
||||
},
|
||||
"widget": {
|
||||
"capability": {
|
||||
"send_stickers_this_room": "Bu odaya çıkartma gönderin",
|
||||
"send_stickers_active_room": "Aktif odanıza çıkartma gönderin",
|
||||
"send_stickers_this_room_as_you": "Widget bu odaya sizin adınıza çıkartma göndersin",
|
||||
"send_stickers_active_room_as_you": "Widget aktif odanıza sizin adınıza çıkartma göndersin",
|
||||
"see_sticker_posted_this_room": "Bu odada çıkartma paylaşıldığında görün",
|
||||
"see_sticker_posted_active_room": "Aktif odanızda birisi çıkartma paylaştığında görün",
|
||||
"always_on_screen_viewing_another_room": "a",
|
||||
"always_on_screen_generic": "Uygulama çalışırken lütfen başka uygulamaya geçmeyin",
|
||||
"switch_room": "Görüntülediğiniz odayı değiştirin",
|
||||
"switch_room_message_user": "Görüntülediğiniz odayı, mesajı veya kullanıcıyı değiştirin",
|
||||
"change_topic_this_room": "Bu odanın konusunu değiştirin",
|
||||
"see_topic_change_this_room": "Bu odada konu başlığı değişince değişiklikleri görün",
|
||||
"change_topic_active_room": "Aktif odanızın konusunu değiştirin",
|
||||
"see_topic_change_active_room": "Bu odada konu başlığı değişince değişiklikleri görün",
|
||||
"change_name_this_room": "Bu odanın ismini değiştirin",
|
||||
"see_name_change_this_room": "Bu odadaki isim değişikliklerini görün",
|
||||
"change_name_active_room": "Aktif odanızın ismini değiştirin",
|
||||
"see_name_change_active_room": "Aktif odanızdaki isim değişikliklerini görün",
|
||||
"change_avatar_this_room": "Bu odanın avatarını değiştir",
|
||||
"see_avatar_change_this_room": "Bu odadaki avatar değişikliklerini görün",
|
||||
"change_avatar_active_room": "Aktif odanın avatarını değiştir",
|
||||
"see_avatar_change_active_room": "Aktif odanızdaki profil fotoğrafı değişikliklerini görün",
|
||||
"receive_membership_this_room": "İnsanların bu odaya ne zaman katıldığını, ayrıldığını veya davet edildiğini görün",
|
||||
"receive_membership_active_room": "İnsanların odanıza ne zaman katıldığını, ayrıldığını veya davet edildiğini görün",
|
||||
"byline_empty_state_key": "boş durum anahtarı ile",
|
||||
"byline_state_key": "%(stateKey)s durum anahtarı ile",
|
||||
"send_event_type_this_room": "Bu araç odaya sizin adınıza <b>%(eventType)s</b> türü etkinlik gönderir",
|
||||
"see_event_type_sent_this_room": "Bu odaya gönderilen <b>%(eventType)s</b> türü etkinlikleri gör",
|
||||
"send_event_type_active_room": "Bu araç odanıza sizin adınıza <b>%(eventType)s</b> türü etkinlik gönderir",
|
||||
"see_event_type_sent_active_room": "Aktif odanıza gönderilen <b>%(eventType)s</b> etkinlikleri gör",
|
||||
"capability": "<b>%(capability)s</b> kabiliyet",
|
||||
"send_messages_this_room": "Bu Araç sizin adınıza mesaj gönderir",
|
||||
"send_messages_active_room": "Bu araç odanıza sizin adınıza ileti gönderir",
|
||||
"see_messages_sent_this_room": "Bu odaya gönderilen mesajları görün",
|
||||
"see_messages_sent_active_room": "Aktif odanıza gönderilen mesajları görün",
|
||||
"send_text_messages_this_room": "Bu araç odaya sizin adınıza metin iletisi gönderir",
|
||||
"send_text_messages_active_room": "Bu araç sizin adınıza bu odaya mesaj gönderir",
|
||||
"see_text_messages_sent_this_room": "Bu odaya gönderilen metin mesajlarını gör",
|
||||
"see_text_messages_sent_active_room": "Aktif odanıza gönderilen metin mesajlarını görün",
|
||||
"send_emotes_this_room": "Bu araç odaya sizin adınıza ifade gönderir",
|
||||
"send_emotes_active_room": "Bu araç sizin adınıza bu odaya ileti gönderir",
|
||||
"see_sent_emotes_this_room": "Bu odaya gönderilen ifadeleri görün",
|
||||
"see_sent_emotes_active_room": "Aktif odanıza gönderilen ifadeleri görün",
|
||||
"send_images_this_room": "Bu araç odaya sizin adınıza resim gönderir",
|
||||
"send_images_active_room": "Widget aktif odanıza sizin adınıza resim göndersin",
|
||||
"see_images_sent_this_room": "Bu odaya gönderilen resimleri gör",
|
||||
"see_images_sent_active_room": "Aktif odanıza gönderilen fotoğrafları görün",
|
||||
"send_videos_this_room": "Bu araç odaya sizin adınıza video gönderir",
|
||||
"send_videos_active_room": "Bu araç odaya sizin adınıza video gönderir",
|
||||
"see_videos_sent_this_room": "Bu odaya gönderilen videoları gör",
|
||||
"see_videos_sent_active_room": "Aktif odana gönderilen videoları gör",
|
||||
"send_files_this_room": "Widget sizin adınıza bu odaya genel dosyalar göndersin",
|
||||
"send_files_active_room": "Widget aktif odanıza sizin adınıza genel dosyalar göndersin",
|
||||
"see_sent_files_this_room": "Bu odaya gönderilen genel dosyaları gör",
|
||||
"see_sent_files_active_room": "Aktif odanıza gönderilen genel dosyaları görün",
|
||||
"send_msgtype_this_room": "Bu odadayken <b>%(msgtype)s</b> mesajlar gönder",
|
||||
"send_msgtype_active_room": "Widget sizin adınıza <b>%(msgtype)s</b> mesajlar göndersin",
|
||||
"see_msgtype_sent_this_room": "Bu odada gönderilen <b>%(msgtype)s</b> mesajlara bak",
|
||||
"see_msgtype_sent_active_room": "Aktif odanıza gönderilen <b>%(msgtype)s</b> mesajları görün"
|
||||
}
|
||||
}
|
||||
}
|
||||
|
|
|
@ -1,5 +1,4 @@
|
|||
{
|
||||
"Create Account": "senflul amiḍan",
|
||||
"Dec": "Duj",
|
||||
"Nov": "Nuw",
|
||||
"Oct": "Kṭu",
|
||||
|
@ -164,5 +163,8 @@
|
|||
},
|
||||
"room_list": {
|
||||
"sort_by_alphabet": "A-Ẓ"
|
||||
},
|
||||
"auth": {
|
||||
"register_action": "senflul amiḍan"
|
||||
}
|
||||
}
|
||||
|
|
|
@ -4,7 +4,6 @@
|
|||
"Favourite": "Улюблені",
|
||||
"Notifications": "Сповіщення",
|
||||
"Operation failed": "Не вдалося виконати дію",
|
||||
"powered by Matrix": "працює на Matrix",
|
||||
"unknown error code": "невідомий код помилки",
|
||||
"Failed to change password. Is your password correct?": "Не вдалось змінити пароль. Ви впевнені, що пароль введено правильно?",
|
||||
"Account": "Обліковий запис",
|
||||
|
@ -129,8 +128,6 @@
|
|||
"You are now ignoring %(userId)s": "Ви ігноруєте %(userId)s",
|
||||
"Unignored user": "Припинено ігнорування користувача",
|
||||
"You are no longer ignoring %(userId)s": "Ви більше не ігноруєте %(userId)s",
|
||||
"Define the power level of a user": "Вказати рівень повноважень користувача",
|
||||
"Deops user with given id": "Знімає повноваження оператора з користувача із вказаним ID",
|
||||
"Verified key": "Звірений ключ",
|
||||
"Reason": "Причина",
|
||||
"Default": "Типовий",
|
||||
|
@ -144,8 +141,6 @@
|
|||
"Please contact your homeserver administrator.": "Будь ласка, зв'яжіться з адміністратором вашого домашнього сервера.",
|
||||
"Mirror local video feed": "Показувати локальне відео віддзеркалено",
|
||||
"Send analytics data": "Надсилати дані аналітики",
|
||||
"Enable URL previews for this room (only affects you)": "Увімкнути попередній перегляд гіперпосилань в цій кімнаті (стосується тільки вас)",
|
||||
"Enable URL previews by default for participants in this room": "Увімкнути попередній перегляд гіперпосилань за умовчанням для учасників цієї кімнати",
|
||||
"Incorrect verification code": "Неправильний код перевірки",
|
||||
"Phone": "Телефон",
|
||||
"No display name": "Немає псевдоніма",
|
||||
|
@ -188,7 +183,6 @@
|
|||
"Incompatible Database": "Несумісна база даних",
|
||||
"Continue With Encryption Disabled": "Продовжити із вимкненим шифруванням",
|
||||
"Unknown error": "Невідома помилка",
|
||||
"Incorrect password": "Неправильний пароль",
|
||||
"Are you sure you want to sign out?": "Ви впевнені, що хочете вийти?",
|
||||
"Your homeserver doesn't seem to support this feature.": "Схоже, що ваш домашній сервер не підтримує цю властивість.",
|
||||
"Sign out and remove encryption keys?": "Вийти та видалити ключі шифрування?",
|
||||
|
@ -225,9 +219,6 @@
|
|||
"Enter passphrase": "Введіть парольну фразу",
|
||||
"Setting up keys": "Налаштовування ключів",
|
||||
"Verify this session": "Звірити цей сеанс",
|
||||
"Sign In or Create Account": "Увійти або створити обліковий запис",
|
||||
"Use your account or create a new one to continue.": "Скористайтесь вашим обліковим записом або створіть новий, щоб продовжити.",
|
||||
"Create Account": "Створити обліковий запис",
|
||||
"Later": "Пізніше",
|
||||
"Language and region": "Мова та регіон",
|
||||
"Account management": "Керування обліковим записом",
|
||||
|
@ -283,8 +274,6 @@
|
|||
"Direct Messages": "Особисті повідомлення",
|
||||
"Room Settings - %(roomName)s": "Налаштування кімнати - %(roomName)s",
|
||||
"Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Використовувати сервер ідентифікації, щоб запрошувати через е-пошту. Натисніть \"Продовжити\", щоб використовувати типовий сервер ідентифікації (%(defaultIdentityServerName)s) або змініть його у налаштуваннях.",
|
||||
"Joins room with given address": "Приєднатися до кімнати зі вказаною адресою",
|
||||
"Could not find user in room": "Не вдалося знайти користувача в кімнаті",
|
||||
"Verifies a user, session, and pubkey tuple": "Звіряє користувача, сеанс та супровід відкритого ключа",
|
||||
"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!": "УВАГА: НЕ ВДАЛОСЯ ЗВІРИТИ КЛЮЧ! Ключем для %(userId)s та сеансу %(deviceId)s є «%(fprint)s», що не збігається з наданим ключем «%(fingerprint)s». Це може означати, що ваші повідомлення перехоплюють!",
|
||||
|
@ -498,7 +487,6 @@
|
|||
"Upgrade private room": "Поліпшити закриту кімнату",
|
||||
"You'll upgrade this room from <oldVersion /> to <newVersion />.": "Ви поліпшите цю кімнату з <oldVersion /> до <newVersion /> версії.",
|
||||
"Share Room Message": "Поділитися повідомленням кімнати",
|
||||
"Feedback": "Відгук",
|
||||
"General failure": "Загальний збій",
|
||||
"Enter your account password to confirm the upgrade:": "Введіть пароль вашого облікового запису щоб підтвердити поліпшення:",
|
||||
"Secret storage public key:": "Таємне сховище відкритого ключа:",
|
||||
|
@ -563,7 +551,6 @@
|
|||
"Show advanced": "Показати розширені",
|
||||
"Review terms and conditions": "Переглянути умови користування",
|
||||
"Old cryptography data detected": "Виявлено старі криптографічні дані",
|
||||
"If you've joined lots of rooms, this might take a while": "Якщо ви приєднались до багатьох кімнат, це може тривати деякий час",
|
||||
"Create account": "Створити обліковий запис",
|
||||
"Confirm your account deactivation by using Single Sign On to prove your identity.": "Підтвердьте деактивацію свого облікового запису через єдиний вхід, щоб підтвердити вашу особу.",
|
||||
"This account has been deactivated.": "Цей обліковий запис було деактивовано.",
|
||||
|
@ -839,7 +826,6 @@
|
|||
"Hey you. You're the best!": "Агов, ти, так, ти. Ти найкращий!",
|
||||
"You've reached the maximum number of simultaneous calls.": "Ви досягли максимальної кількості одночасних викликів.",
|
||||
"Too Many Calls": "Забагато викликів",
|
||||
"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.": "Ви можете вимкнути це, якщо кімната буде використовуватися для співпраці із зовнішніми командами, які мають власний домашній сервер. Це неможливо змінити пізніше.",
|
||||
"Members only (since they joined)": "Лише учасники (від часу приєднання)",
|
||||
"This room is not accessible by remote Matrix servers": "Ця кімната недоступна для віддалених серверів Matrix",
|
||||
"Manually verify all remote sessions": "Звірити всі сеанси власноруч",
|
||||
|
@ -850,8 +836,6 @@
|
|||
"Session ID:": "ID сеансу:",
|
||||
"Click the button below to confirm setting up encryption.": "Клацніть на кнопку внизу, щоб підтвердити налаштування шифрування.",
|
||||
"Confirm encryption setup": "Підтвердити налаштування шифрування",
|
||||
"Enable end-to-end encryption": "Увімкнути наскрізне шифрування",
|
||||
"Your server requires encryption to be enabled in private rooms.": "Ваш сервер вимагає увімкнення шифрування приватних кімнат.",
|
||||
"Widgets do not use message encryption.": "Віджети не використовують шифрування повідомлень.",
|
||||
"The encryption used by this room isn't supported.": "Шифрування, використане цією кімнатою не підтримується.",
|
||||
"Encryption not enabled": "Шифрування не ввімкнено",
|
||||
|
@ -868,9 +852,6 @@
|
|||
"You can't send any messages until you review and agree to <consentLink>our terms and conditions</consentLink>.": "Ви не можете надсилати жодних повідомлень, поки не переглянете та не погодитесь з <consentLink>нашими умовами та положеннями</consentLink>.",
|
||||
"You can use <code>/help</code> to list available commands. Did you mean to send this as a message?": "Ви можете скористатися <code>/help</code> для перегляду доступних команд. Ви мали намір надіслати це як повідомлення?",
|
||||
"unknown person": "невідома особа",
|
||||
"Send text messages as you in this room": "Надсилати текстові повідомлення у цю кімнату від вашого імені",
|
||||
"Send messages as you in your active room": "Надіслати повідомлення у свою активну кімнату від свого імені",
|
||||
"Send messages as you in this room": "Надіслати повідомлення у цю кімнату від свого імені",
|
||||
"Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "Ваш %(brand)s не дозволяє вам користуватись для цього менеджером інтеграцій. Зверніться до адміністратора.",
|
||||
"Using this widget may share data <helpIcon /> with %(widgetDomain)s & your integration manager.": "Користування цим віджетом може призвести до поширення ваших даних <helpIcon /> через %(widgetDomain)s і ваш менеджер інтеграцій.",
|
||||
"Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "Менеджери інтеграцій отримують дані конфігурації та можуть змінювати віджети, надсилати запрошення у кімнати й установлювати рівні повноважень від вашого імені.",
|
||||
|
@ -882,7 +863,6 @@
|
|||
"Unable to look up phone number": "Неможливо знайти номер телефону",
|
||||
"This backup is trusted because it has been restored on this session": "Ця резервна копія довірена, оскільки її було відновлено у цьому сеансі",
|
||||
"Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Індивідуально звіряйте кожен сеанс, який використовується користувачем, щоб позначити його довіреним, не довіряючи пристроям перехресного підписування.",
|
||||
"You can change this at any time from room settings.": "Ви завжди можете змінити це у налаштуваннях кімнати.",
|
||||
"Room settings": "Налаштування кімнати",
|
||||
"Link to most recent message": "Посилання на останнє повідомлення",
|
||||
"Share Room": "Поділитись кімнатою",
|
||||
|
@ -896,7 +876,6 @@
|
|||
"Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "Погодьтесь з Умовами надання послуг сервера ідентифікації (%(serverName)s), щоб дозволити знаходити вас за адресою електронної пошти або за номером телефону.",
|
||||
"The identity server you have chosen does not have any terms of service.": "Вибраний вами сервер ідентифікації не містить жодних умов користування.",
|
||||
"Terms of service not accepted or the identity server is invalid.": "Умови користування не прийнято або сервер ідентифікації недійсний.",
|
||||
"About homeservers": "Про домашні сервери",
|
||||
"Some invites couldn't be sent": "Деякі запрошення неможливо надіслати",
|
||||
"Failed to transfer call": "Не вдалося переадресувати виклик",
|
||||
"Transfer Failed": "Не вдалося переадресувати",
|
||||
|
@ -929,11 +908,8 @@
|
|||
"Recently Direct Messaged": "Недавно надіслані особисті повідомлення",
|
||||
"User Directory": "Каталог користувачів",
|
||||
"Room version:": "Версія кімнати:",
|
||||
"Change the topic of this room": "Змінювати тему цієї кімнати",
|
||||
"Change the name of this room": "Змінювати назву цієї кімнати",
|
||||
"%(senderDisplayName)s changed the room avatar to <img/>": "%(senderDisplayName)s змінює аватар кімнати на <img/>",
|
||||
"%(senderDisplayName)s changed the avatar for %(roomName)s": "%(senderDisplayName)s змінює аватар %(roomName)s",
|
||||
"Change the avatar of this room": "Змінювати аватар цієї кімнати",
|
||||
"Select the roles required to change various parts of the room": "Виберіть ролі, необхідні для зміни різних частин кімнати",
|
||||
"Privileged Users": "Привілейовані користувачі",
|
||||
"Roles & Permissions": "Ролі й дозволи",
|
||||
|
@ -977,16 +953,12 @@
|
|||
"Remove recent messages": "Видалити останні повідомлення",
|
||||
"Edit devices": "Керувати пристроями",
|
||||
"Home": "Домівка",
|
||||
"New here? <a>Create an account</a>": "Вперше тут? <a>Створіть обліковий запис</a>",
|
||||
"Server Options": "Опції сервера",
|
||||
"Verify your identity to access encrypted messages and prove your identity to others.": "Підтвердьте свою особу, щоб отримати доступ до зашифрованих повідомлень і довести свою справжність іншим.",
|
||||
"Allow this widget to verify your identity": "Дозволити цьому віджету перевіряти вашу особу",
|
||||
"New? <a>Create account</a>": "Вперше тут? <a>Створіть обліковий запис</a>",
|
||||
"Forgotten your password?": "Забули свій пароль?",
|
||||
"<userName/> invited you": "<userName/> запрошує вас",
|
||||
"Sign in with": "Увійти за допомогою",
|
||||
"Sign in with SSO": "Увійти за допомогою SSO",
|
||||
"Got an account? <a>Sign in</a>": "Маєте обліковий запис? <a>Увійти</a>",
|
||||
"Verify this user by confirming the following number appears on their screen.": "Звірте справжність цього користувача, підтвердивши, що на екрані з'явилося таке число.",
|
||||
"Connecting": "З'єднання",
|
||||
"New version of %(brand)s is available": "Доступна нова версія %(brand)s",
|
||||
|
@ -999,21 +971,6 @@
|
|||
"Review to ensure your account is safe": "Перевірте, щоб переконатися, що ваш обліковий запис у безпеці",
|
||||
"Error leaving room": "Помилка під час виходу з кімнати",
|
||||
"This homeserver has been blocked by its administrator.": "Цей домашній сервер заблокований адміністратором.",
|
||||
"See when the name changes in your active room": "Бачити, коли зміниться назва активної кімнати",
|
||||
"Change the name of your active room": "Змінювати назву вашої активної кімнати",
|
||||
"See when the name changes in this room": "Бачити, коли змінюється назва цієї кімнати",
|
||||
"See when the topic changes in your active room": "Бачити, коли змінюється тема вашої активної кімнати",
|
||||
"Change the topic of your active room": "Змінювати тему вашої активної кімнати",
|
||||
"See when the topic changes in this room": "Бачити, коли тема в цій кімнаті змінюється",
|
||||
"Change which room, message, or user you're viewing": "Змінювати, яку кімнату, повідомлення чи користувача ви переглядаєте",
|
||||
"Change which room you're viewing": "Змінювати, яку кімнату ви переглядаєте",
|
||||
"Send stickers into your active room": "Надсилати наліпки до вашої активної кімнати",
|
||||
"Send stickers into this room": "Надсилати наліпки до цієї кімнати",
|
||||
"Remain on your screen while running": "Лишатися на екрані, поки запущений",
|
||||
"Remain on your screen when viewing another room, when running": "Лишатися на екрані під час перегляду іншої кімнати, якщо запущений",
|
||||
"See when the avatar changes in your active room": "Бачити, коли змінюється аватар вашої активної кімнати",
|
||||
"Change the avatar of your active room": "Змінювати аватар вашої активної кімнати",
|
||||
"See when the avatar changes in this room": "Бачити, коли змінюється аватар цієї кімнати",
|
||||
"Click the button below to confirm your identity.": "Клацніть на кнопку внизу, щоб підтвердити свою особу.",
|
||||
"Confirm to continue": "Підтвердьте, щоб продовжити",
|
||||
"Start authentication": "Почати автентифікацію",
|
||||
|
@ -1049,13 +1006,7 @@
|
|||
"Public space": "Загальнодоступний простір",
|
||||
"Private space (invite only)": "Приватний простір (лише за запрошенням)",
|
||||
"Space visibility": "Видимість простору",
|
||||
"Visible to space members": "Видима для учасників простору",
|
||||
"Public room": "Загальнодоступна кімната",
|
||||
"Private room (invite only)": "Приватна кімната (лише за запрошенням)",
|
||||
"Room visibility": "Видимість кімнати",
|
||||
"Topic (optional)": "Тема (не обов'язково)",
|
||||
"Everyone in <SpaceName/> will be able to find and join this room.": "Усі в <SpaceName/> зможуть знайти та приєднатися до цієї кімнати.",
|
||||
"Please enter a name for the room": "Введіть назву кімнати",
|
||||
"Reason (optional)": "Причина (не обов'язково)",
|
||||
"Clear all data": "Очистити всі дані",
|
||||
"Clear all data in this session?": "Очистити всі дані сеансу?",
|
||||
|
@ -1283,17 +1234,12 @@
|
|||
"Hide sidebar": "Сховати бічну панель",
|
||||
"Success!": "Успішно!",
|
||||
"Clear personal data": "Очистити особисті дані",
|
||||
"You're signed out": "Ви вийшли",
|
||||
"Show:": "Показати:",
|
||||
"Verification requested": "Запит перевірки",
|
||||
"Verification Request": "Запит підтвердження",
|
||||
"Specify a homeserver": "Указати домашній сервер",
|
||||
"Invalid URL": "Неправильна URL-адреса",
|
||||
"Unable to validate homeserver": "Не вдалося перевірити домашній сервер",
|
||||
"Leave space": "Вийти з простору",
|
||||
"Sent": "Надіслано",
|
||||
"Sending": "Надсилання",
|
||||
"Comment": "Коментар",
|
||||
"MB": "МБ",
|
||||
"In reply to <a>this message</a>": "У відповідь на <a>це повідомлення</a>",
|
||||
"Widget added by": "Вджет додано",
|
||||
|
@ -1397,9 +1343,6 @@
|
|||
"Room version": "Версія кімнати",
|
||||
"Space information": "Відомості про простір",
|
||||
"View older messages in %(roomName)s.": "Перегляд давніших повідомлень у %(roomName)s.",
|
||||
"The <b>%(capability)s</b> capability": "<b>%(capability)s</b> можливості",
|
||||
"with state key %(stateKey)s": "з ключем стану %(stateKey)s",
|
||||
"with an empty state key": "з порожнім ключем стану",
|
||||
"Light high contrast": "Контрастна світла",
|
||||
"%(count)s people you know have already joined": {
|
||||
"one": "%(count)s осіб, яких ви знаєте, уже приєдналися",
|
||||
|
@ -1477,7 +1420,6 @@
|
|||
"Copy link to thread": "Копіювати посилання на гілку",
|
||||
"Thread options": "Параметри гілки",
|
||||
"Reply in thread": "Відповісти у гілці",
|
||||
"See when people join, leave, or are invited to this room": "Бачити, коли хтось додається, виходить чи запрошується до цієї кімнати",
|
||||
"You cannot place calls without a connection to the server.": "Неможливо здійснювати виклики без з'єднання з сервером.",
|
||||
"Unable to remove contact information": "Не вдалося вилучити контактні дані",
|
||||
"Automatically send debug logs on any error": "Автоматично надсилати журнал зневадження про всі помилки",
|
||||
|
@ -1506,7 +1448,6 @@
|
|||
"Write an option": "Вписати варіант",
|
||||
"Add option": "Додати варіант",
|
||||
"Someone already has that username. Try another or if it is you, sign in below.": "Хтось уже має це користувацьке ім'я. Спробуйте інше або, якщо це ви, зайдіть нижче.",
|
||||
"Someone already has that username, please try another.": "Хтось уже має це користувацьке ім'я, просимо спробувати інше.",
|
||||
"Keep discussions organised with threads": "Упорядкуйте обговорення за допомогою гілок",
|
||||
"Show all threads": "Показати всі гілки",
|
||||
"You won't get any notifications": "Ви не отримуватимете жодних сповіщень",
|
||||
|
@ -1532,8 +1473,6 @@
|
|||
"End Poll": "Завершити опитування",
|
||||
"Are you sure you want to end this poll? This will show the final results of the poll and stop people from being able to vote.": "Точно завершити опитування? Буде показано підсумки опитування, і більше ніхто не зможе голосувати.",
|
||||
"Link to room": "Посилання на кімнату",
|
||||
"Matrix.org is the biggest public homeserver in the world, so it's a good place for many.": "Matrix.org — найбільший загальнодоступний домашній сервер у світі, він підійде багатьом.",
|
||||
"We call the places where you can host your account 'homeservers'.": "Ми називаємо місця, де ви можете розмістити обліковий запис, \"домашніми серверами\".",
|
||||
"You're all caught up": "Ви в курсі всього",
|
||||
"Shows all threads you've participated in": "Показує всі гілки, де ви брали участь",
|
||||
"We'll generate a Security Key for you to store somewhere safe, like a password manager or a safe.": "Ми створимо ключ безпеки. Зберігайте його в надійному місці, скажімо в менеджері паролів чи сейфі.",
|
||||
|
@ -1546,7 +1485,6 @@
|
|||
"Call back": "Перетелефонувати",
|
||||
"Automatically invite members from this room to the new one": "Автоматично запросити учасників цієї кімнати до нової",
|
||||
"<b>Please note upgrading will make a new version of the room</b>. All current messages will stay in this archived room.": "<b>Зауважте, поліпшення створить нову версію кімнати</b>. Усі наявні повідомлення залишаться в цій архівованій кімнаті.",
|
||||
"Anyone will be able to find and join this room.": "Будь-хто зможе знайти цю кімнату й приєднатись.",
|
||||
"Anyone in <SpaceName/> will be able to find and join.": "Будь-хто в <SpaceName/> зможе знайти й приєднатись.",
|
||||
"Anyone will be able to find and join this space, not just members of <SpaceName/>.": "Будь-хто зможе знайти цей простір і приєднатись, не лише учасники <SpaceName/>.",
|
||||
"You won't be able to rejoin unless you are re-invited.": "Ви не зможете приєднатись, доки вас не запросять знову.",
|
||||
|
@ -1563,7 +1501,6 @@
|
|||
"Select the roles required to change various parts of the space": "Оберіть ролі, потрібні для зміни різних частин простору",
|
||||
"To join a space you'll need an invite.": "Щоб приєднатись до простору, вам потрібне запрошення.",
|
||||
"You are about to leave <spaceName/>.": "Ви збираєтеся вийти з <spaceName/>.",
|
||||
"The email address doesn't appear to be valid.": "Хибна адреса е-пошти.",
|
||||
"Shows all threads from current room": "Показує всі гілки цієї кімнати",
|
||||
"All threads": "Усі гілки",
|
||||
"My threads": "Мої гілки",
|
||||
|
@ -1579,19 +1516,14 @@
|
|||
},
|
||||
"Loading new room": "Звантаження нової кімнати",
|
||||
"Upgrading room": "Поліпшення кімнати",
|
||||
"Feedback sent": "Відгук надіслано",
|
||||
"Link to selected message": "Посилання на вибране повідомлення",
|
||||
"To help us prevent this in future, please <a>send us logs</a>.": "Щоб уникнути цього в майбутньому просимо <a>надіслати нам журнал</a>.",
|
||||
"Missing session data": "Відсутні дані сеансу",
|
||||
"Your browser likely removed this data when running low on disk space.": "Схоже, що ваш браузер вилучив ці дані через брак простору на диску.",
|
||||
"Be found by phone or email": "Бути знайденим за номером телефону або е-поштою",
|
||||
"Find others by phone or email": "Шукати інших за номером телефону або е-поштою",
|
||||
"You can't disable this later. Bridges & most bots won't work yet.": "Ви не зможете вимкнути це пізніше. Мости й більшість ботів поки не працюватимуть.",
|
||||
"Only people invited will be able to find and join this room.": "Лише запрошені до цієї кімнати люди зможуть знайти й приєднатися до неї.",
|
||||
"This will allow you to reset your password and receive notifications.": "Це дозволить вам скинути пароль і отримувати сповіщення.",
|
||||
"Reset event store?": "Очистити сховище подій?",
|
||||
"Other homeserver": "Інший домашній сервер",
|
||||
"Sign into your homeserver": "Увійдіть на ваш домашній сервер",
|
||||
"Waiting for %(displayName)s to accept…": "Очікування згоди %(displayName)s…",
|
||||
"Waiting for %(displayName)s to verify…": "Очікування звірки %(displayName)s…",
|
||||
"Message didn't send. Click for info.": "Повідомлення не надіслане. Натисніть, щоб дізнатись більше.",
|
||||
|
@ -1621,7 +1553,6 @@
|
|||
"New published address (e.g. #alias:server)": "Нова загальнодоступна адреса (вигляду #alias:server)",
|
||||
"To publish an address, it needs to be set as a local address first.": "Щоб зробити адресу загальнодоступною, спершу додайте її в локальні.",
|
||||
"The server has denied your request.": "Сервер відхилив ваш запит.",
|
||||
"Use your preferred Matrix homeserver if you have one, or host your own.": "Оберіть домашній сервер Matrix на свій розсуд чи встановіть власний.",
|
||||
"Please check your email and click on the link it contains. Once this is done, click continue.": "Перейдіть до своєї е-пошти й натисніть на отримане посилання. Після цього натисніть «Продовжити».",
|
||||
"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, ваш сеанс може бути несумісним із цією версією. Закрийте це вікно й поверніться до новішої версії.",
|
||||
"Reset event store": "Очистити сховище подій",
|
||||
|
@ -1642,11 +1573,8 @@
|
|||
"Open dial pad": "Відкрити номеронабирач",
|
||||
"Dial pad": "Номеронабирач",
|
||||
"Only people invited will be able to find and join this space.": "Лише запрошені до цього простору люди зможуть знайти й приєднатися до нього.",
|
||||
"Anyone will be able to find and join this room, not just members of <SpaceName/>.": "Будь-хто зможе знайти цю кімнату й приєднатись, не лише учасники <SpaceName/>.",
|
||||
"You've previously used %(brand)s on %(host)s with lazy loading of members enabled. In this version lazy loading is disabled. As the local cache is not compatible between these two settings, %(brand)s needs to resync your account.": "Ви використовували %(brand)s на %(host)s, ввімкнувши відкладене звантаження учасників. У цій версії відкладене звантаження вимкнене. Оскільки локальне кешування не підтримує переходу між цими опціями, %(brand)s мусить заново синхронізувати ваш обліковий запис.",
|
||||
"Members only (since the point in time of selecting this option)": "Лише учасники (від часу вибору цієї опції)",
|
||||
"You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "Можете ввімкнути це, якщо в кімнаті співпрацюватимуть лише внутрішні команди на вашому домашньому сервері. Цього більше не можна буде змінити.",
|
||||
"Block anyone not part of %(serverName)s from ever joining this room.": "Заборонити всім ззовні %(serverName)s приєднуватись до цієї кімнати в майбутньому.",
|
||||
"Invite by username": "Запросити за користувацьким іменем",
|
||||
"What are some things you want to discuss in %(spaceName)s?": "Які речі ви бажаєте обговорювати в %(spaceName)s?",
|
||||
"Let's create a room for each of them.": "Створімо по кімнаті для кожної.",
|
||||
|
@ -1676,11 +1604,6 @@
|
|||
"Upgrading this room will shut down the current instance of the room and create an upgraded room with the same name.": "Поліпшення цієї кімнати припинить роботу наявного її примірника й створить поліпшену кімнату з такою ж назвою.",
|
||||
"This room is running room version <roomVersion />, which this homeserver has marked as <i>unstable</i>.": "Ця кімната — версії <roomVersion />, позначена цим домашнім сервером <i>нестабільною</i>.",
|
||||
"%(roomName)s is not accessible at this time.": "%(roomName)s зараз офлайн.",
|
||||
"Send feedback": "Надіслати відгук",
|
||||
"You may contact me if you want to follow up or to let me test out upcoming ideas": "Можете звернутись до мене за подальшими діями чи допомогою з випробуванням ідей",
|
||||
"Your platform and username will be noted to help us use your feedback as much as we can.": "Ваша платформа й користувацьке ім'я будуть додані, щоб допомогти нам якнайточніше використати ваш відгук.",
|
||||
"PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "ПОРАДА: Звітуючи про ваду, додайте <debugLogsLink>журнали зневадження</debugLogsLink>, щоб допомогти нам визначити проблему.",
|
||||
"Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.": "Спершу гляньте <existingIssuesLink>відомі вади на Github</existingIssuesLink>. Ця ще невідома? <newIssueLink>Звітувати про нову ваду</newIssueLink>.",
|
||||
"%(creator)s created and configured the room.": "%(creator)s створює й налаштовує кімнату.",
|
||||
"This room is a continuation of another conversation.": "Ця кімната — продовження іншої розмови.",
|
||||
"Jump to read receipt": "Перейти до останнього прочитаного",
|
||||
|
@ -1711,42 +1634,6 @@
|
|||
"Attach files from chat or just drag and drop them anywhere in a room.": "Перешліть файли з бесіди чи просто потягніть їх до кімнати.",
|
||||
"No files visible in this room": "У цій кімнаті нема видимих файлів",
|
||||
"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.": "Можете зареєструватись, але деякі можливості будуть недоступні, поки сервер ідентифікації не відновить роботу. Якщо часто бачите це застереження, перевірте свої параметри чи зв'яжіться з адміністратором сервера.",
|
||||
"See <b>%(msgtype)s</b> messages posted to your active room": "Бачити повідомлення <b>%(msgtype)s</b>, надіслані до вашої активної кімнати",
|
||||
"See <b>%(msgtype)s</b> messages posted to this room": "Бачити повідомлення <b>%(msgtype)s</b>, надіслані до цієї кімнати",
|
||||
"Send <b>%(msgtype)s</b> messages as you in your active room": "Надсилати повідомлення <b>%(msgtype)s</b> від вашого імені до вашої активної кімнати",
|
||||
"Send <b>%(msgtype)s</b> messages as you in this room": "Надсилати повідомлення <b>%(msgtype)s</b> від вашого імені до цієї кімнати",
|
||||
"See general files posted to your active room": "Бачити довільні файли, надіслані до вашої активної кімнати",
|
||||
"See general files posted to this room": "Бачити довільні файли, надіслані до цієї кімнати",
|
||||
"Send general files as you in your active room": "Надсилати довільні файли від вашого імені до вашої активної кімнати",
|
||||
"Send general files as you in this room": "Надсилати довільні файли від вашого імені до цієї кімнати",
|
||||
"See videos posted to your active room": "Бачити відео, надіслані до вашої активної кімнати",
|
||||
"See videos posted to this room": "Бачити відео, надіслані до цієї кімнати",
|
||||
"Send videos as you in your active room": "Надсилати відео від вашого імені до вашої активної кімнати",
|
||||
"Send videos as you in this room": "Надсилати відео від вашого імені до цієї кімнати",
|
||||
"See images posted to your active room": "Бачити зображення, надіслані до вашої активної кімнати",
|
||||
"See images posted to this room": "Бачити зображення, надіслані до цієї кімнати",
|
||||
"Send images as you in your active room": "Надсилати зображення від вашого імені до вашої активної кімнати",
|
||||
"Send images as you in this room": "Надсилати зображення від вашого імені до цієї кімнати",
|
||||
"See emotes posted to your active room": "Бачити реакції, надіслані до вашої активної кімнати",
|
||||
"See emotes posted to this room": "Бачити реакції, надіслані до цієї кімнати",
|
||||
"Send emotes as you in your active room": "Надсилати реакції від вашого імені до вашої активної кімнати",
|
||||
"Send emotes as you in this room": "Надсилати реакції від вашого імені до цієї кімнати",
|
||||
"See text messages posted to your active room": "Бачити текстові повідомлення, надіслані до вашої активної кімнати",
|
||||
"See text messages posted to this room": "Бачити текстові повідомлення, надіслані до цієї кімнати",
|
||||
"Send text messages as you in your active room": "Надіслати текстові повідомлення від вашого імені до вашої активної кімнати",
|
||||
"See messages posted to your active room": "Бачити повідомлення, надіслані до вашої активної кімнати",
|
||||
"See messages posted to this room": "Бачити повідомлення, надіслані до цієї кімнати",
|
||||
"See <b>%(eventType)s</b> events posted to your active room": "Бачити події <b>%(eventType)s</b>, надіслані до вашої активної кімнати",
|
||||
"Send <b>%(eventType)s</b> events as you in your active room": "Надсилати події <b>%(eventType)s</b> від вашого імені до вашої активної кімнати",
|
||||
"See <b>%(eventType)s</b> events posted to this room": "Бачити події <b>%(eventType)s</b>, надіслані до цієї кімнати",
|
||||
"Send <b>%(eventType)s</b> events as you in this room": "Надсилати події <b>%(eventType)s</b> від вашого імені до цієї кімнати",
|
||||
"The above, but in <Room /> as well": "Перелічене вище, але також у <Room />",
|
||||
"The above, but in any room you are joined or invited to as well": "Перелічене вище, але також у будь-якій кімнаті, до якої ви приєднуєтесь чи запрошуєтесь",
|
||||
"See when anyone posts a sticker to your active room": "Бачити, коли хтось надсилає наліпку до вашої активної кімнати",
|
||||
"Send stickers to your active room as you": "Надсилати наліпки до вашої активної кімнати від вашого імені",
|
||||
"See when a sticker is posted in this room": "Бачити, коли хтось надсилає наліпку до цієї кімнати",
|
||||
"Send stickers to this room as you": "Надсилати наліпки до цієї кімнати від вашого імені",
|
||||
"See when people join, leave, or are invited to your active room": "Бачити, коли хтось додається, виходить чи запрошується до вашої активної кімнати",
|
||||
"Decrypted event source": "Розшифрований початковий код події",
|
||||
"Currently indexing: %(currentRoom)s": "Триває індексування: %(currentRoom)s",
|
||||
"%(doneRooms)s out of %(totalRooms)s": "%(doneRooms)s із %(totalRooms)s",
|
||||
|
@ -1905,10 +1792,6 @@
|
|||
"That's fine": "Гаразд",
|
||||
"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.": "Можете ввійти, але деякі можливості будуть недоступні, поки сервер ідентифікації не відновить роботу. Якщо часто бачите це застереження, перевірте свої параметри чи зв'яжіться з адміністратором сервера.",
|
||||
"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.": "Можете скинути пароль, але деякі можливості будуть недоступні, поки сервер ідентифікації не відновить роботу. Якщо часто бачите це застереження, перевірте свої параметри чи зв'яжіться з адміністратором сервера.",
|
||||
"This server does not support authentication with a phone number.": "Сервер не підтримує входу за номером телефону.",
|
||||
"Registration has been disabled on this homeserver.": "Реєстрація вимкнена на цьому домашньому сервері.",
|
||||
"Unable to query for supported registration methods.": "Не вдалося запитати підтримувані способи реєстрації.",
|
||||
"Failed to re-authenticate": "Не вдалося перезайти",
|
||||
"Failed to re-authenticate due to a homeserver problem": "Не вдалося перезайти через проблему з домашнім сервером",
|
||||
"Resetting your verification keys cannot be undone. After resetting, you won't have access to old encrypted messages, and any friends who have previously verified you will see security warnings until you re-verify with them.": "Скидання ключів звірки неможливо скасувати. Після скидання, ви втратите доступ до старих зашифрованих повідомлень, а всі друзі, які раніше вас звіряли, бачитимуть застереження безпеки, поки ви не проведете звірку з ними знову.",
|
||||
"I'll verify later": "Звірю пізніше",
|
||||
|
@ -1933,7 +1816,6 @@
|
|||
"Export room keys": "Експортувати ключі кімнат",
|
||||
"Your password has been reset.": "Ваш пароль скинуто.",
|
||||
"New passwords must match each other.": "Нові паролі мають збігатися.",
|
||||
"The email address linked to your account must be entered.": "Введіть е-пошту, прив'язану до вашого облікового запису.",
|
||||
"Really reset verification keys?": "Точно скинути ключі звірки?",
|
||||
"Uploading %(filename)s and %(count)s others": {
|
||||
"one": "Вивантаження %(filename)s і ще %(count)s",
|
||||
|
@ -2031,9 +1913,6 @@
|
|||
"Regain access to your account and recover encryption keys stored in this session. Without them, you won't be able to read all of your secure messages in any session.": "Відновіть доступ до облікового запису й ключів шифрування, збережених у цьому сеансі. Без них ваші сеанси показуватимуть не всі ваші захищені повідомлення.",
|
||||
"Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "У вас нема дозволу на перегляд повідомлення за вказаною позицією в стрічці цієї кімнати.",
|
||||
"Tried to load a specific point in this room's timeline, but was unable to find it.": "Не вдалося знайти вказаної позиції в стрічці цієї кімнати.",
|
||||
"You cannot sign in to your account. Please contact your homeserver admin for more information.": "Не вдалося зайти до вашого облікового запису. Зверніться до адміністратора вашого домашнього сервера, щоб дізнатися більше.",
|
||||
"Sign in and regain access to your account.": "Ввійдіть і відновіть доступ до свого облікового запису.",
|
||||
"Enter your password to sign in and regain access to your account.": "Введіть свій пароль, щоб увійти й відновити доступ до облікового запису.",
|
||||
"Unable to copy a link to the room to the clipboard.": "Не вдалося скопіювати посилання на цю кімнату до буфера обміну.",
|
||||
"Unable to copy room link": "Не вдалося скопіювати посилання на кімнату",
|
||||
"There was a problem communicating with the homeserver, please try again later.": "Не вдалося зв'язатися з домашнім сервером, повторіть спробу пізніше.",
|
||||
|
@ -2060,9 +1939,7 @@
|
|||
"Unable to set up secret storage": "Не вдалося налаштувати таємне сховище",
|
||||
"Unable to create key backup": "Не вдалося створити резервну копію ключів",
|
||||
"Your keys are being backed up (the first backup could take a few minutes).": "Створюється резервна копія ваших ключів (перше копіювання може тривати кілька хвилин).",
|
||||
"Failed to perform homeserver discovery": "Збій самоналаштування домашнього сервера",
|
||||
"Please <a>contact your service administrator</a> to continue using this service.": "<a>Зв'яжіться з адміністратором сервісу,</a> щоб продовжити використання.",
|
||||
"This homeserver does not support login using email address.": "Цей домашній сервер не підтримує входу за адресою е-пошти.",
|
||||
"Identity server URL does not appear to be a valid identity server": "Сервер за URL-адресою не виглядає дійсним сервером ідентифікації Matrix",
|
||||
"Invalid base_url for m.identity_server": "Хибний base_url у m.identity_server",
|
||||
"Invalid identity server discovery response": "Хибна відповідь самоналаштування сервера ідентифікації",
|
||||
|
@ -2120,10 +1997,7 @@
|
|||
"Confirm the emoji below are displayed on both devices, in the same order:": "Переконайтеся, що наведені внизу емоджі показано на обох пристроях в однаковому порядку:",
|
||||
"Expand map": "Розгорнути карту",
|
||||
"Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Невідома пара (користувач, сеанс): (%(userId)s, %(deviceId)s)",
|
||||
"Command failed: Unable to find room (%(roomId)s": "Не вдалося виконати команду: Неможливо знайти кімнату (%(roomId)s",
|
||||
"Unrecognised room address: %(roomAlias)s": "Нерозпізнана адреса кімнати: %(roomAlias)s",
|
||||
"Command error: Unable to find rendering type (%(renderingType)s)": "Помилка команди: неможливо знайти тип рендерингу (%(renderingType)s)",
|
||||
"Command error: Unable to handle slash command.": "Помилка команди: Неможливо виконати slash-команду.",
|
||||
"From a thread": "З гілки",
|
||||
"Unknown error fetching location. Please try again later.": "Невідома помилка отримання місцеперебування. Повторіть спробу пізніше.",
|
||||
"Timed out trying to fetch your location. Please try again later.": "Сплив час отримання місцеперебування. Повторіть спробу пізніше.",
|
||||
|
@ -2136,16 +2010,10 @@
|
|||
"Remove them from everything I'm able to": "Вилучити їх звідусіль, де мене на це уповноважено",
|
||||
"Remove from %(roomName)s": "Вилучити з %(roomName)s",
|
||||
"You were removed from %(roomName)s by %(memberName)s": "%(memberName)s вилучає вас із %(roomName)s",
|
||||
"Remove, ban, or invite people to your active room, and make you leave": "Вилучати, блокувати чи запрошувати людей у вашій активній кімнаті, зокрема вас",
|
||||
"Remove, ban, or invite people to this room, and make you leave": "Вилучати, блокувати чи запрошувати людей у цій кімнаті, зокрема вас",
|
||||
"Keyboard": "Клавіатура",
|
||||
"Message pending moderation": "Повідомлення очікує модерування",
|
||||
"Message pending moderation: %(reason)s": "Повідомлення очікує модерування: %(reason)s",
|
||||
"Space home": "Домівка простору",
|
||||
"You can't see earlier messages": "Ви не можете переглядати давніші повідомлення",
|
||||
"Encrypted messages before this point are unavailable.": "Зашифровані повідомлення до цієї точки недоступні.",
|
||||
"You don't have permission to view messages from before you joined.": "Ви не маєте дозволу на перегляд повідомлень, давніших за ваше приєднання.",
|
||||
"You don't have permission to view messages from before you were invited.": "Ви не маєте дозволу на перегляд повідомлень, давніших за ваше запрошення.",
|
||||
"Internal room ID": "Внутрішній ID кімнати",
|
||||
"Group all your rooms that aren't part of a space in one place.": "Групуйте всі свої кімнати, не приєднані до простору, в одному місці.",
|
||||
"Group all your people in one place.": "Групуйте всіх своїх людей в одному місці.",
|
||||
|
@ -2361,7 +2229,6 @@
|
|||
"Show spaces": "Показати простори",
|
||||
"Show rooms": "Показати кімнати",
|
||||
"Explore public spaces in the new search dialog": "Знаходьте загальнодоступні простори в новому діалоговому вікні пошуку",
|
||||
"You can't disable this later. The room will be encrypted but the embedded call will not.": "Ви не зможете вимкнути це пізніше. Кімната буде зашифрована, але вбудований виклик – ні.",
|
||||
"Join the room to participate": "Приєднуйтеся до кімнати, щоб взяти участь",
|
||||
"Reset bearing to north": "Повернути орієнтацію на північ",
|
||||
"Mapbox logo": "Логотип Mapbox",
|
||||
|
@ -2541,20 +2408,13 @@
|
|||
"Go live": "Слухати",
|
||||
"Error downloading image": "Помилка завантаження зображення",
|
||||
"Unable to show image due to error": "Не вдалося показати зображення через помилку",
|
||||
"That e-mail address or phone number is already in use.": "Ця адреса електронної пошти або номер телефону вже використовується.",
|
||||
"This means that you have all the keys needed to unlock your encrypted messages and confirm to other users that you trust this session.": "Це означає, що у вас є всі ключі, необхідні для розблокування ваших зашифрованих повідомлень і підтвердження іншим користувачам, що ви довіряєте цьому сеансу.",
|
||||
"Verified sessions are anywhere you are using this account after entering your passphrase or confirming your identity with another verified session.": "Звірені сеанси — це будь-який пристрій, на якому ви використовуєте цей обліковий запис після введення парольної фрази або підтвердження вашої особи за допомогою іншого перевіреного сеансу.",
|
||||
"Show details": "Показати подробиці",
|
||||
"Hide details": "Сховати подробиці",
|
||||
"30s forward": "Уперед на 30 с",
|
||||
"30s backward": "Назад на 30 с",
|
||||
"Verify your email to continue": "Підтвердьте свою електронну пошту, щоб продовжити",
|
||||
"<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": "Введіть свою електронну пошту для скидання пароля",
|
||||
"Send email": "Надіслати електронний лист",
|
||||
"Verification link email resent!": "Посилання для підтвердження повторно надіслано на електронну пошту!",
|
||||
"Did not receive it?": "Ще не отримали?",
|
||||
"Follow the instructions sent to <b>%(email)s</b>": "Виконайте вказівки, надіслані на <b>%(email)s</b>",
|
||||
"Sign out of all devices": "Вийти на всіх пристроях",
|
||||
"Confirm new password": "Підтвердити новий пароль",
|
||||
"Too many attempts in a short time. Retry after %(timeout)s.": "Забагато спроб за короткий час. Повторіть спробу за %(timeout)s.",
|
||||
|
@ -2573,9 +2433,6 @@
|
|||
"Low bandwidth mode": "Режим низької пропускної спроможності",
|
||||
"You have unverified sessions": "У вас є неперевірені сеанси",
|
||||
"Change layout": "Змінити макет",
|
||||
"Sign in instead": "Натомість увійти",
|
||||
"Re-enter email address": "Введіть адресу е-пошти ще раз",
|
||||
"Wrong email address?": "Неправильна адреса електронної пошти?",
|
||||
"Search users in this room…": "Пошук користувачів у цій кімнаті…",
|
||||
"Give one or multiple users in this room more privileges": "Надайте одному або кільком користувачам у цій кімнаті більше повноважень",
|
||||
"Add privileged users": "Додати привілейованих користувачів",
|
||||
|
@ -2603,7 +2460,6 @@
|
|||
"Mark as read": "Позначити прочитаним",
|
||||
"Text": "Текст",
|
||||
"Create a link": "Створити посилання",
|
||||
"Force 15s voice broadcast chunk length": "Примусово обмежити тривалість голосових трансляцій до 15 с",
|
||||
"Sign out of %(count)s sessions": {
|
||||
"one": "Вийти з %(count)s сеансу",
|
||||
"other": "Вийти з %(count)s сеансів"
|
||||
|
@ -2638,7 +2494,6 @@
|
|||
"This session is backing up your keys.": "Під час цього сеансу створюється резервна копія ваших ключів.",
|
||||
"There are no past polls in this room": "У цій кімнаті ще не проводилися опитувань",
|
||||
"There are no active polls in this room": "У цій кімнаті немає активних опитувань",
|
||||
"We need to know it’s you before resetting your password. Click the link in the email we just sent to <b>%(email)s</b>": "Ми повинні переконатися, що це ви, перш ніж скинути ваш пароль. Перейдіть за посиланням в електронному листі, який ми щойно надіслали на адресу <b>%(email)s</b>",
|
||||
"Warning: your personal data (including encryption keys) is still stored in this session. Clear it if you're finished using this session, or want to sign in to another account.": "Попередження: ваші особисті дані ( включно з ключами шифрування) досі зберігаються в цьому сеансі. Очистьте їх, якщо ви завершили роботу в цьому сеансі або хочете увійти в інший обліковий запис.",
|
||||
"<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> Ми опублікуємо посилання на нову кімнату в старій версії кімнати - учасники кімнати повинні будуть натиснути на це посилання, щоб приєднатися до нової кімнати.",
|
||||
"WARNING: session already verified, but keys do NOT MATCH!": "ПОПЕРЕДЖЕННЯ: сеанс вже звірено, але ключі НЕ ЗБІГАЮТЬСЯ!",
|
||||
|
@ -2649,8 +2504,6 @@
|
|||
"Enter a Security Phrase only you know, as it's used to safeguard your data. To be secure, you shouldn't re-use your account password.": "Введіть фразу безпеки, відому лише вам, бо вона оберігатиме ваші дані. Задля безпеки, використайте щось інше ніж пароль вашого облікового запису.",
|
||||
"Starting backup…": "Запуск резервного копіювання…",
|
||||
"Please only proceed if you're sure you've lost all of your other devices and your Security Key.": "Будь ласка, продовжуйте лише в разі втрати всіх своїх інших пристроїв та ключа безпеки.",
|
||||
"Signing In…": "Вхід…",
|
||||
"Syncing…": "Синхронізація…",
|
||||
"Inviting…": "Запрошення…",
|
||||
"Creating rooms…": "Створення кімнат…",
|
||||
"Keep going…": "Продовжуйте…",
|
||||
|
@ -2706,7 +2559,6 @@
|
|||
"Once everyone has joined, you’ll be able to chat": "Коли хтось приєднається, ви зможете спілкуватись",
|
||||
"Invites by email can only be sent one at a time": "Запрошення електронною поштою можна надсилати лише одне за раз",
|
||||
"An error occurred when updating your notification preferences. Please try to toggle your option again.": "Сталася помилка під час оновлення налаштувань сповіщень. Спробуйте змінити налаштування ще раз.",
|
||||
"Use your account to continue.": "Скористайтесь обліковим записом, щоб продовжити.",
|
||||
"Desktop app logo": "Логотип комп'ютерного застосунку",
|
||||
"Log out and back in to disable": "Вийдіть і знову увійдіть, щоб вимкнути",
|
||||
"Can currently only be enabled via config.json": "Наразі можна ввімкнути лише через config.json",
|
||||
|
@ -2757,9 +2609,7 @@
|
|||
"Try using %(server)s": "Спробуйте використати %(server)s",
|
||||
"User is not logged in": "Користувач не увійшов",
|
||||
"Allow fallback call assist server (%(server)s)": "Дозволити резервний сервер підтримки викликів (%(server)s)",
|
||||
"Notification Settings": "Налаштування сповіщень",
|
||||
"Something went wrong.": "Щось пішло не так.",
|
||||
"Views room with given address": "Перегляд кімнати з вказаною адресою",
|
||||
"Ask to join": "Запит на приєднання",
|
||||
"Mentions and Keywords only": "Лише згадки та ключові слова",
|
||||
"This setting will be applied by default to all your rooms.": "Цей параметр буде застосовано усталеним до всіх ваших кімнат.",
|
||||
|
@ -2788,7 +2638,6 @@
|
|||
"New room activity, upgrades and status messages occur": "Нова діяльність у кімнаті, поліпшення та повідомлення про стан",
|
||||
"Unable to find user by email": "Не вдалося знайти користувача за адресою електронної пошти",
|
||||
"User cannot be invited until they are unbanned": "Не можна запросити користувача до його розблокування",
|
||||
"Enable new native OIDC flows (Under active development)": "Увімкнути нові вбудовані потоки OIDC (в активній розробці)",
|
||||
"People cannot join unless access is granted.": "Люди не можуть приєднатися, якщо їм не надано доступ.",
|
||||
"<strong>Update:</strong>We’ve simplified Notifications Settings to make options easier to find. Some custom settings you’ve chosen in the past are not shown here, but they’re still active. If you proceed, some of your settings may change. <a>Learn more</a>": "<strong>Оновлення:</strong>Ми спростили налаштування сповіщень, щоб полегшити пошук потрібних опцій. Деякі налаштування, які ви вибрали раніше, тут не показано, але вони залишаються активними. Якщо ви продовжите, деякі з ваших налаштувань можуть змінитися. <a>Докладніше</a>",
|
||||
"Your server requires encryption to be disabled.": "Ваш сервер вимагає вимкнення шифрування.",
|
||||
|
@ -2799,8 +2648,6 @@
|
|||
"Your profile picture URL": "URL-адреса зображення вашого профілю",
|
||||
"Select which emails you want to send summaries to. Manage your emails in <button>General</button>.": "Виберіть, на які адреси ви хочете отримувати зведення. Керуйте адресами в <button>Загальних</button> налаштуваннях.",
|
||||
"Note that removing room changes like this could undo the change.": "Зауважте, що вилучення таких змін у кімнаті може призвести до їхнього скасування.",
|
||||
"Anyone can request to join, but admins or moderators need to grant access. You can change this later.": "Будь-хто може подати заявку на приєднання, але адміністратори або модератори повинні надати доступ. Ви можете змінити це пізніше.",
|
||||
"This homeserver doesn't offer any login flows that are supported by this client.": "Цей домашній сервер не пропонує жодних схем входу, які підтримуються цим клієнтом.",
|
||||
"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.": "Експортований файл дозволить будь-кому, хто зможе його прочитати, розшифрувати будь-які зашифровані повідомлення, які ви бачите, тому ви повинні бути обережними, щоб зберегти його в безпеці. Щоб зробити це, вам слід ввести унікальну парольну фразу нижче, яка буде використовуватися тільки для шифрування експортованих даних. Імпортувати дані можна буде лише за допомогою тієї ж самої парольної фрази.",
|
||||
"Other spaces you know": "Інші відомі вам простори",
|
||||
"You need an invite to access this room.": "Для доступу до цієї кімнати потрібне запрошення.",
|
||||
|
@ -2906,7 +2753,8 @@
|
|||
"cross_signing": "Перехресне підписування",
|
||||
"identity_server": "Сервер ідентифікації",
|
||||
"integration_manager": "Менеджер інтеграцій",
|
||||
"qr_code": "QR-код"
|
||||
"qr_code": "QR-код",
|
||||
"feedback": "Відгук"
|
||||
},
|
||||
"action": {
|
||||
"continue": "Продовжити",
|
||||
|
@ -3079,7 +2927,10 @@
|
|||
"leave_beta_reload": "Вихід з бета-тестування перезавантажить %(brand)s.",
|
||||
"join_beta_reload": "Перехід до бета-тестування перезавантажить %(brand)s.",
|
||||
"leave_beta": "Вийти з бета-тестування",
|
||||
"join_beta": "Долучитися до бета-тестування"
|
||||
"join_beta": "Долучитися до бета-тестування",
|
||||
"notification_settings_beta_title": "Налаштування сповіщень",
|
||||
"voice_broadcast_force_small_chunks": "Примусово обмежити тривалість голосових трансляцій до 15 с",
|
||||
"oidc_native_flow": "Увімкнути нові вбудовані потоки OIDC (в активній розробці)"
|
||||
},
|
||||
"keyboard": {
|
||||
"home": "Домівка",
|
||||
|
@ -3367,7 +3218,9 @@
|
|||
"timeline_image_size": "Розмір зображень у стрічці",
|
||||
"timeline_image_size_default": "Типовий",
|
||||
"timeline_image_size_large": "Великі"
|
||||
}
|
||||
},
|
||||
"inline_url_previews_room_account": "Увімкнути попередній перегляд гіперпосилань в цій кімнаті (стосується тільки вас)",
|
||||
"inline_url_previews_room": "Увімкнути попередній перегляд гіперпосилань за умовчанням для учасників цієї кімнати"
|
||||
},
|
||||
"devtools": {
|
||||
"send_custom_account_data_event": "Надіслати нетипову подію даних облікового запису",
|
||||
|
@ -3526,7 +3379,25 @@
|
|||
"title_public_room": "Створити загальнодоступну кімнату",
|
||||
"title_private_room": "Створити приватну кімнату",
|
||||
"action_create_video_room": "Створити відеокімнату",
|
||||
"action_create_room": "Створити кімнату"
|
||||
"action_create_room": "Створити кімнату",
|
||||
"name_validation_required": "Введіть назву кімнати",
|
||||
"join_rule_restricted_label": "Усі в <SpaceName/> зможуть знайти та приєднатися до цієї кімнати.",
|
||||
"join_rule_change_notice": "Ви завжди можете змінити це у налаштуваннях кімнати.",
|
||||
"join_rule_public_parent_space_label": "Будь-хто зможе знайти цю кімнату й приєднатись, не лише учасники <SpaceName/>.",
|
||||
"join_rule_public_label": "Будь-хто зможе знайти цю кімнату й приєднатись.",
|
||||
"join_rule_invite_label": "Лише запрошені до цієї кімнати люди зможуть знайти й приєднатися до неї.",
|
||||
"join_rule_knock_label": "Будь-хто може подати заявку на приєднання, але адміністратори або модератори повинні надати доступ. Ви можете змінити це пізніше.",
|
||||
"encrypted_video_room_warning": "Ви не зможете вимкнути це пізніше. Кімната буде зашифрована, але вбудований виклик – ні.",
|
||||
"encrypted_warning": "Ви не зможете вимкнути це пізніше. Мости й більшість ботів поки не працюватимуть.",
|
||||
"encryption_forced": "Ваш сервер вимагає увімкнення шифрування приватних кімнат.",
|
||||
"encryption_label": "Увімкнути наскрізне шифрування",
|
||||
"unfederated_label_default_off": "Можете ввімкнути це, якщо в кімнаті співпрацюватимуть лише внутрішні команди на вашому домашньому сервері. Цього більше не можна буде змінити.",
|
||||
"unfederated_label_default_on": "Ви можете вимкнути це, якщо кімната буде використовуватися для співпраці із зовнішніми командами, які мають власний домашній сервер. Це неможливо змінити пізніше.",
|
||||
"topic_label": "Тема (не обов'язково)",
|
||||
"room_visibility_label": "Видимість кімнати",
|
||||
"join_rule_invite": "Приватна кімната (лише за запрошенням)",
|
||||
"join_rule_restricted": "Видима для учасників простору",
|
||||
"unfederated": "Заборонити всім ззовні %(serverName)s приєднуватись до цієї кімнати в майбутньому."
|
||||
},
|
||||
"timeline": {
|
||||
"m.call": {
|
||||
|
@ -3808,7 +3679,11 @@
|
|||
"changed_rule_rooms": "%(senderName)s змінює правило блокування кімнат зі збігу з %(oldGlob)s на збіг з %(newGlob)s через %(reason)s",
|
||||
"changed_rule_servers": "%(senderName)s змінює правило блокування серверів зі збігу з %(oldGlob)s на збіг з %(newGlob)s через %(reason)s",
|
||||
"changed_rule_glob": "%(senderName)s змінює правило блокування зі збігу з %(oldGlob)s на збіг з %(newGlob)s через %(reason)s"
|
||||
}
|
||||
},
|
||||
"no_permission_messages_before_invite": "Ви не маєте дозволу на перегляд повідомлень, давніших за ваше запрошення.",
|
||||
"no_permission_messages_before_join": "Ви не маєте дозволу на перегляд повідомлень, давніших за ваше приєднання.",
|
||||
"encrypted_historical_messages_unavailable": "Зашифровані повідомлення до цієї точки недоступні.",
|
||||
"historical_messages_unavailable": "Ви не можете переглядати давніші повідомлення"
|
||||
},
|
||||
"slash_command": {
|
||||
"spoiler": "Надсилає вказане повідомлення згорненим",
|
||||
|
@ -3868,7 +3743,15 @@
|
|||
"holdcall": "Переводить виклик у поточній кімнаті на утримання",
|
||||
"no_active_call": "Немає активних викликів у цій кімнаті",
|
||||
"unholdcall": "Знімає виклик у поточній кімнаті з утримання",
|
||||
"me": "Показ дій"
|
||||
"me": "Показ дій",
|
||||
"error_invalid_runfn": "Помилка команди: Неможливо виконати slash-команду.",
|
||||
"error_invalid_rendering_type": "Помилка команди: неможливо знайти тип рендерингу (%(renderingType)s)",
|
||||
"join": "Приєднатися до кімнати зі вказаною адресою",
|
||||
"view": "Перегляд кімнати з вказаною адресою",
|
||||
"failed_find_room": "Не вдалося виконати команду: Неможливо знайти кімнату (%(roomId)s",
|
||||
"failed_find_user": "Не вдалося знайти користувача в кімнаті",
|
||||
"op": "Вказати рівень повноважень користувача",
|
||||
"deop": "Знімає повноваження оператора з користувача із вказаним ID"
|
||||
},
|
||||
"presence": {
|
||||
"busy": "Зайнятий",
|
||||
|
@ -4052,13 +3935,57 @@
|
|||
"reset_password_title": "Скиньте свій пароль",
|
||||
"continue_with_sso": "Продовжити з %(ssoButtons)s",
|
||||
"sso_or_username_password": "%(ssoButtons)s або %(usernamePassword)s",
|
||||
"sign_in_instead": "Уже маєте обліковий запис? <a>Увійдіть тут</a>",
|
||||
"sign_in_instead": "Натомість увійти",
|
||||
"account_clash": "Ваш новий обліковий запис (%(newAccountId)s) зареєстровано, проте ви вже ввійшли до іншого облікового запису (%(loggedInUserId)s).",
|
||||
"account_clash_previous_account": "Продовжити з попереднім обліковим записом",
|
||||
"log_in_new_account": "<a>Увійти</a> до нового облікового запису.",
|
||||
"registration_successful": "Реєстрацію успішно виконано",
|
||||
"server_picker_title": "Розмістити обліковий запис на",
|
||||
"server_picker_dialog_title": "Оберіть, де розмістити ваш обліковий запис"
|
||||
"server_picker_title": "Увійдіть на ваш домашній сервер",
|
||||
"server_picker_dialog_title": "Оберіть, де розмістити ваш обліковий запис",
|
||||
"footer_powered_by_matrix": "працює на Matrix",
|
||||
"failed_homeserver_discovery": "Збій самоналаштування домашнього сервера",
|
||||
"sync_footer_subtitle": "Якщо ви приєднались до багатьох кімнат, це може тривати деякий час",
|
||||
"syncing": "Синхронізація…",
|
||||
"signing_in": "Вхід…",
|
||||
"unsupported_auth_msisdn": "Сервер не підтримує входу за номером телефону.",
|
||||
"unsupported_auth_email": "Цей домашній сервер не підтримує входу за адресою е-пошти.",
|
||||
"unsupported_auth": "Цей домашній сервер не пропонує жодних схем входу, які підтримуються цим клієнтом.",
|
||||
"registration_disabled": "Реєстрація вимкнена на цьому домашньому сервері.",
|
||||
"failed_query_registration_methods": "Не вдалося запитати підтримувані способи реєстрації.",
|
||||
"username_in_use": "Хтось уже має це користувацьке ім'я, просимо спробувати інше.",
|
||||
"3pid_in_use": "Ця адреса електронної пошти або номер телефону вже використовується.",
|
||||
"incorrect_password": "Неправильний пароль",
|
||||
"failed_soft_logout_auth": "Не вдалося перезайти",
|
||||
"soft_logout_heading": "Ви вийшли",
|
||||
"forgot_password_email_required": "Введіть е-пошту, прив'язану до вашого облікового запису.",
|
||||
"forgot_password_email_invalid": "Хибна адреса е-пошти.",
|
||||
"sign_in_prompt": "Маєте обліковий запис? <a>Увійти</a>",
|
||||
"verify_email_heading": "Підтвердьте свою електронну пошту, щоб продовжити",
|
||||
"forgot_password_prompt": "Забули свій пароль?",
|
||||
"soft_logout_intro_password": "Введіть свій пароль, щоб увійти й відновити доступ до облікового запису.",
|
||||
"soft_logout_intro_sso": "Ввійдіть і відновіть доступ до свого облікового запису.",
|
||||
"soft_logout_intro_unsupported_auth": "Не вдалося зайти до вашого облікового запису. Зверніться до адміністратора вашого домашнього сервера, щоб дізнатися більше.",
|
||||
"check_email_explainer": "Виконайте вказівки, надіслані на <b>%(email)s</b>",
|
||||
"check_email_wrong_email_prompt": "Неправильна адреса електронної пошти?",
|
||||
"check_email_wrong_email_button": "Введіть адресу е-пошти ще раз",
|
||||
"check_email_resend_prompt": "Ще не отримали?",
|
||||
"check_email_resend_tooltip": "Посилання для підтвердження повторно надіслано на електронну пошту!",
|
||||
"enter_email_heading": "Введіть свою електронну пошту для скидання пароля",
|
||||
"enter_email_explainer": "<b>%(homeserver)s</b> надішле вам посилання для підтвердження, за яким ви зможете скинути пароль.",
|
||||
"verify_email_explainer": "Ми повинні переконатися, що це ви, перш ніж скинути ваш пароль. Перейдіть за посиланням в електронному листі, який ми щойно надіслали на адресу <b>%(email)s</b>",
|
||||
"create_account_prompt": "Вперше тут? <a>Створіть обліковий запис</a>",
|
||||
"sign_in_or_register": "Увійти або створити обліковий запис",
|
||||
"sign_in_or_register_description": "Скористайтесь вашим обліковим записом або створіть новий, щоб продовжити.",
|
||||
"sign_in_description": "Скористайтесь обліковим записом, щоб продовжити.",
|
||||
"register_action": "Створити обліковий запис",
|
||||
"server_picker_failed_validate_homeserver": "Не вдалося перевірити домашній сервер",
|
||||
"server_picker_invalid_url": "Неправильна URL-адреса",
|
||||
"server_picker_required": "Указати домашній сервер",
|
||||
"server_picker_matrix.org": "Matrix.org — найбільший загальнодоступний домашній сервер у світі, він підійде багатьом.",
|
||||
"server_picker_intro": "Ми називаємо місця, де ви можете розмістити обліковий запис, \"домашніми серверами\".",
|
||||
"server_picker_custom": "Інший домашній сервер",
|
||||
"server_picker_explainer": "Оберіть домашній сервер Matrix на свій розсуд чи встановіть власний.",
|
||||
"server_picker_learn_more": "Про домашні сервери"
|
||||
},
|
||||
"room_list": {
|
||||
"sort_unread_first": "Спочатку показувати кімнати з непрочитаними повідомленнями",
|
||||
|
@ -4109,5 +4036,81 @@
|
|||
"access_token_detail": "Токен доступу надає повний доступ до вашого облікового запису. Не передавайте його нікому.",
|
||||
"clear_cache_reload": "Очистити кеш та перезавантажити"
|
||||
}
|
||||
},
|
||||
"widget": {
|
||||
"capability": {
|
||||
"send_stickers_this_room": "Надсилати наліпки до цієї кімнати",
|
||||
"send_stickers_active_room": "Надсилати наліпки до вашої активної кімнати",
|
||||
"send_stickers_this_room_as_you": "Надсилати наліпки до цієї кімнати від вашого імені",
|
||||
"send_stickers_active_room_as_you": "Надсилати наліпки до вашої активної кімнати від вашого імені",
|
||||
"see_sticker_posted_this_room": "Бачити, коли хтось надсилає наліпку до цієї кімнати",
|
||||
"see_sticker_posted_active_room": "Бачити, коли хтось надсилає наліпку до вашої активної кімнати",
|
||||
"always_on_screen_viewing_another_room": "Лишатися на екрані під час перегляду іншої кімнати, якщо запущений",
|
||||
"always_on_screen_generic": "Лишатися на екрані, поки запущений",
|
||||
"switch_room": "Змінювати, яку кімнату ви переглядаєте",
|
||||
"switch_room_message_user": "Змінювати, яку кімнату, повідомлення чи користувача ви переглядаєте",
|
||||
"change_topic_this_room": "Змінювати тему цієї кімнати",
|
||||
"see_topic_change_this_room": "Бачити, коли тема в цій кімнаті змінюється",
|
||||
"change_topic_active_room": "Змінювати тему вашої активної кімнати",
|
||||
"see_topic_change_active_room": "Бачити, коли змінюється тема вашої активної кімнати",
|
||||
"change_name_this_room": "Змінювати назву цієї кімнати",
|
||||
"see_name_change_this_room": "Бачити, коли змінюється назва цієї кімнати",
|
||||
"change_name_active_room": "Змінювати назву вашої активної кімнати",
|
||||
"see_name_change_active_room": "Бачити, коли зміниться назва активної кімнати",
|
||||
"change_avatar_this_room": "Змінювати аватар цієї кімнати",
|
||||
"see_avatar_change_this_room": "Бачити, коли змінюється аватар цієї кімнати",
|
||||
"change_avatar_active_room": "Змінювати аватар вашої активної кімнати",
|
||||
"see_avatar_change_active_room": "Бачити, коли змінюється аватар вашої активної кімнати",
|
||||
"remove_ban_invite_leave_this_room": "Вилучати, блокувати чи запрошувати людей у цій кімнаті, зокрема вас",
|
||||
"receive_membership_this_room": "Бачити, коли хтось додається, виходить чи запрошується до цієї кімнати",
|
||||
"remove_ban_invite_leave_active_room": "Вилучати, блокувати чи запрошувати людей у вашій активній кімнаті, зокрема вас",
|
||||
"receive_membership_active_room": "Бачити, коли хтось додається, виходить чи запрошується до вашої активної кімнати",
|
||||
"byline_empty_state_key": "з порожнім ключем стану",
|
||||
"byline_state_key": "з ключем стану %(stateKey)s",
|
||||
"any_room": "Перелічене вище, але також у будь-якій кімнаті, до якої ви приєднуєтесь чи запрошуєтесь",
|
||||
"specific_room": "Перелічене вище, але також у <Room />",
|
||||
"send_event_type_this_room": "Надсилати події <b>%(eventType)s</b> від вашого імені до цієї кімнати",
|
||||
"see_event_type_sent_this_room": "Бачити події <b>%(eventType)s</b>, надіслані до цієї кімнати",
|
||||
"send_event_type_active_room": "Надсилати події <b>%(eventType)s</b> від вашого імені до вашої активної кімнати",
|
||||
"see_event_type_sent_active_room": "Бачити події <b>%(eventType)s</b>, надіслані до вашої активної кімнати",
|
||||
"capability": "<b>%(capability)s</b> можливості",
|
||||
"send_messages_this_room": "Надіслати повідомлення у цю кімнату від свого імені",
|
||||
"send_messages_active_room": "Надіслати повідомлення у свою активну кімнату від свого імені",
|
||||
"see_messages_sent_this_room": "Бачити повідомлення, надіслані до цієї кімнати",
|
||||
"see_messages_sent_active_room": "Бачити повідомлення, надіслані до вашої активної кімнати",
|
||||
"send_text_messages_this_room": "Надсилати текстові повідомлення у цю кімнату від вашого імені",
|
||||
"send_text_messages_active_room": "Надіслати текстові повідомлення від вашого імені до вашої активної кімнати",
|
||||
"see_text_messages_sent_this_room": "Бачити текстові повідомлення, надіслані до цієї кімнати",
|
||||
"see_text_messages_sent_active_room": "Бачити текстові повідомлення, надіслані до вашої активної кімнати",
|
||||
"send_emotes_this_room": "Надсилати реакції від вашого імені до цієї кімнати",
|
||||
"send_emotes_active_room": "Надсилати реакції від вашого імені до вашої активної кімнати",
|
||||
"see_sent_emotes_this_room": "Бачити реакції, надіслані до цієї кімнати",
|
||||
"see_sent_emotes_active_room": "Бачити реакції, надіслані до вашої активної кімнати",
|
||||
"send_images_this_room": "Надсилати зображення від вашого імені до цієї кімнати",
|
||||
"send_images_active_room": "Надсилати зображення від вашого імені до вашої активної кімнати",
|
||||
"see_images_sent_this_room": "Бачити зображення, надіслані до цієї кімнати",
|
||||
"see_images_sent_active_room": "Бачити зображення, надіслані до вашої активної кімнати",
|
||||
"send_videos_this_room": "Надсилати відео від вашого імені до цієї кімнати",
|
||||
"send_videos_active_room": "Надсилати відео від вашого імені до вашої активної кімнати",
|
||||
"see_videos_sent_this_room": "Бачити відео, надіслані до цієї кімнати",
|
||||
"see_videos_sent_active_room": "Бачити відео, надіслані до вашої активної кімнати",
|
||||
"send_files_this_room": "Надсилати довільні файли від вашого імені до цієї кімнати",
|
||||
"send_files_active_room": "Надсилати довільні файли від вашого імені до вашої активної кімнати",
|
||||
"see_sent_files_this_room": "Бачити довільні файли, надіслані до цієї кімнати",
|
||||
"see_sent_files_active_room": "Бачити довільні файли, надіслані до вашої активної кімнати",
|
||||
"send_msgtype_this_room": "Надсилати повідомлення <b>%(msgtype)s</b> від вашого імені до цієї кімнати",
|
||||
"send_msgtype_active_room": "Надсилати повідомлення <b>%(msgtype)s</b> від вашого імені до вашої активної кімнати",
|
||||
"see_msgtype_sent_this_room": "Бачити повідомлення <b>%(msgtype)s</b>, надіслані до цієї кімнати",
|
||||
"see_msgtype_sent_active_room": "Бачити повідомлення <b>%(msgtype)s</b>, надіслані до вашої активної кімнати"
|
||||
}
|
||||
},
|
||||
"feedback": {
|
||||
"sent": "Відгук надіслано",
|
||||
"comment_label": "Коментар",
|
||||
"platform_username": "Ваша платформа й користувацьке ім'я будуть додані, щоб допомогти нам якнайточніше використати ваш відгук.",
|
||||
"may_contact_label": "Можете звернутись до мене за подальшими діями чи допомогою з випробуванням ідей",
|
||||
"pro_type": "ПОРАДА: Звітуючи про ваду, додайте <debugLogsLink>журнали зневадження</debugLogsLink>, щоб допомогти нам визначити проблему.",
|
||||
"existing_issue_link": "Спершу гляньте <existingIssuesLink>відомі вади на Github</existingIssuesLink>. Ця ще невідома? <newIssueLink>Звітувати про нову ваду</newIssueLink>.",
|
||||
"send_feedback_action": "Надіслати відгук"
|
||||
}
|
||||
}
|
||||
|
|
|
@ -63,7 +63,6 @@
|
|||
"You are now ignoring %(userId)s": "Bạn đã bỏ qua %(userId)s",
|
||||
"Unignored user": "Đã ngừng bỏ qua người dùng",
|
||||
"You are no longer ignoring %(userId)s": "Bạn không còn bỏ qua %(userId)s nữa",
|
||||
"Define the power level of a user": "Xác định cấp độ quyền của một thành viên",
|
||||
"Verified key": "Khóa được xác thực",
|
||||
"Reason": "Lý do",
|
||||
"Cannot reach homeserver": "Không thể kết nối tới máy chủ",
|
||||
|
@ -121,13 +120,9 @@
|
|||
"Please contact your homeserver administrator.": "Vui lòng liên hệ quản trị viên homeserver của bạn.",
|
||||
"Mirror local video feed": "Lập đường dẫn video dự phòng",
|
||||
"Send analytics data": "Gửi dữ liệu phân tích",
|
||||
"Enable URL previews for this room (only affects you)": "Bật xem trước nội dung liên kết trong phòng này (chỉ với bạn)",
|
||||
"Enable URL previews by default for participants in this room": "Bật xem trước nội dung liên kết cho mọi người trong phòng này",
|
||||
"Enable widget screenshots on supported widgets": "Bật widget chụp màn hình cho các widget có hỗ trợ",
|
||||
"Explore rooms": "Khám phá các phòng",
|
||||
"Create Account": "Tạo tài khoản",
|
||||
"Vietnam": "Việt Nam",
|
||||
"Feedback": "Phản hồi",
|
||||
"This account has been deactivated.": "Tài khoản này đã bị vô hiệu hóa.",
|
||||
"Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Tin nhắn an toàn với người dùng này được mã hóa đầu cuối và không thể được các bên thứ ba đọc.",
|
||||
"Are you sure?": "Bạn có chắc không?",
|
||||
|
@ -220,29 +215,15 @@
|
|||
"Command Autocomplete": "Tự động hoàn thành lệnh",
|
||||
"Commands": "Lệnh",
|
||||
"Clear personal data": "Xóa dữ liệu cá nhân",
|
||||
"You're signed out": "Bạn đã đăng xuất",
|
||||
"You cannot sign in to your account. Please contact your homeserver admin for more information.": "Bạn không thể đăng nhập vào tài khoản của mình. Vui lòng liên hệ với quản trị viên máy chủ của bạn để biết thêm thông tin.",
|
||||
"Sign in and regain access to your account.": "Đăng nhập và lấy lại quyền truy cập vào tài khoản của bạn.",
|
||||
"Forgotten your password?": "Quên mật khẩu của bạn?",
|
||||
"Enter your password to sign in and regain access to your account.": "Nhập mật khẩu của bạn để đăng nhập và lấy lại quyền truy cập vào tài khoản của bạn.",
|
||||
"Failed to re-authenticate": "Không xác thực lại được",
|
||||
"Incorrect password": "mật khẩu không đúng",
|
||||
"Failed to re-authenticate due to a homeserver problem": "Không xác thực lại được do sự cố máy chủ",
|
||||
"Verify your identity to access encrypted messages and prove your identity to others.": "Xác thực danh tính của bạn để truy cập các tin nhắn được mã hóa và chứng minh danh tính của bạn với người khác.",
|
||||
"Create account": "Tạo tài khoản",
|
||||
"This server does not support authentication with a phone number.": "Máy chủ này không hỗ trợ xác thực bằng số điện thoại.",
|
||||
"Registration has been disabled on this homeserver.": "Đăng ký đã bị vô hiệu hóa trên máy chủ này.",
|
||||
"Unable to query for supported registration methods.": "Không thể truy vấn các phương pháp đăng ký được hỗ trợ.",
|
||||
"New? <a>Create account</a>": "Bạn là người mới? <a>Create an account</a>",
|
||||
"If you've joined lots of rooms, this might take a while": "Nếu bạn đã tham gia nhiều phòng, quá trình này có thể mất một lúc",
|
||||
"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.": "Không thể kết nối với máy chủ - vui lòng kiểm tra kết nối của bạn, đảm bảo rằng chứng chỉ SSL của máy chủ nhà <a>homeserver's SSL certificate</a> của bạn được tin cậy và tiện ích mở rộng của trình duyệt không chặn các yêu cầu.",
|
||||
"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>.": "Không thể kết nối với máy chủ thông qua HTTP khi URL HTTPS nằm trong thanh trình duyệt của bạn. Sử dụng HTTPS hoặc bật các tập lệnh không an toàn <a>enable unsafe scripts</a>.",
|
||||
"There was a problem communicating with the homeserver, please try again later.": "Đã xảy ra sự cố khi giao tiếp với máy chủ, vui lòng thử lại sau.",
|
||||
"Failed to perform homeserver discovery": "Không thể thực hiện khám phá máy chủ",
|
||||
"Please note you are logging into the %(hs)s server, not matrix.org.": "Xin lưu ý rằng bạn đang đăng nhập vào máy chủ %(hs)s, không phải matrix.org.",
|
||||
"Incorrect username and/or password.": "Tên người dùng và/hoặc mật khẩu không chính xác.",
|
||||
"Please <a>contact your service administrator</a> to continue using this service.": "Vui lòng liên hệ với quản trị viên dịch vụ của bạn <a>contact your service administrator</a> để tiếp tục sử dụng dịch vụ này.",
|
||||
"This homeserver does not support login using email address.": "Máy chủ nhà này không hỗ trợ đăng nhập bằng địa chỉ thư điện tử.",
|
||||
"General failure": "Thất bại chung",
|
||||
"Identity server URL does not appear to be a valid identity server": "URL máy chủ nhận dạng dường như không phải là máy chủ nhận dạng hợp lệ",
|
||||
"Invalid base_url for m.identity_server": "Base_url không hợp lệ cho m.identity_server",
|
||||
|
@ -256,7 +237,6 @@
|
|||
"New Password": "Mật khẩu mới",
|
||||
"New passwords must match each other.": "Các mật khẩu mới phải khớp với nhau.",
|
||||
"A new password must be entered.": "Mật khẩu mới phải được nhập.",
|
||||
"The email address linked to your account must be entered.": "Địa chỉ thư điện tử được liên kết đến tài khoản của bạn phải được nhập.",
|
||||
"Original event source": "Nguồn sự kiện ban đầu",
|
||||
"Decrypted event source": "Nguồn sự kiện được giải mã",
|
||||
"Could not load user profile": "Không thể tải hồ sơ người dùng",
|
||||
|
@ -264,8 +244,6 @@
|
|||
"Switch to dark mode": "Chuyển sang chế độ tối",
|
||||
"Switch to light mode": "Chuyển sang chế độ ánh sáng",
|
||||
"All settings": "Tất cả cài đặt",
|
||||
"New here? <a>Create an account</a>": "Bạn là người mới? <a>Create an account</a>",
|
||||
"Got an account? <a>Sign in</a>": "Đã có một tài khoản? <a>Sign in</a>",
|
||||
"Failed to load timeline position": "Không tải được vị trí dòng thời gian",
|
||||
"Tried to load a specific point in this room's timeline, but was unable to find it.": "Đã cố gắng tải một điểm cụ thể trong dòng thời gian của phòng này, nhưng không thể tìm thấy nó.",
|
||||
"Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Đã cố gắng tải một điểm cụ thể trong dòng thời gian của phòng này, nhưng bạn không có quyền xem tin nhắn được đề cập.",
|
||||
|
@ -341,7 +319,6 @@
|
|||
"Confirm your identity by entering your account password below.": "Xác nhận danh tính của bạn bằng cách nhập mật khẩu tài khoản của bạn dưới đây.",
|
||||
"Country Dropdown": "Quốc gia thả xuống",
|
||||
"This homeserver would like to make sure you are not a robot.": "Người bảo vệ gia đình này muốn đảm bảo rằng bạn không phải là người máy.",
|
||||
"powered by Matrix": "cung cấp bởi Matrix",
|
||||
"This room is public": "Phòng này là công cộng",
|
||||
"Avatar": "Avatar",
|
||||
"Move right": "Đi sang phải",
|
||||
|
@ -394,10 +371,6 @@
|
|||
"Clear cross-signing keys": "Xóa các khóa ký chéo",
|
||||
"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.": "Xóa khóa ký chéo là vĩnh viễn. Bất kỳ ai mà bạn đã xác thực đều sẽ thấy cảnh báo bảo mật. Bạn gần như chắc chắn không muốn làm điều này, trừ khi bạn bị mất mọi thiết bị mà bạn có thể đăng nhập chéo.",
|
||||
"Destroy cross-signing keys?": "Hủy khóa xác thực chéo?",
|
||||
"Sign into your homeserver": "Đăng nhập vào máy chủ của bạn",
|
||||
"Specify a homeserver": "Chỉ định một máy chủ",
|
||||
"Invalid URL": "URL không hợp lệ",
|
||||
"Unable to validate homeserver": "Không thể xác thực máy chủ nhà",
|
||||
"Recent changes that have not yet been received": "Những thay đổi gần đây chưa được nhận",
|
||||
"The server is not configured to indicate what the problem is (CORS).": "Máy chủ không được định cấu hình để cho biết sự cố là gì (CORS).",
|
||||
"A connection error occurred while trying to contact the server.": "Đã xảy ra lỗi kết nối khi cố gắng kết nối với máy chủ.",
|
||||
|
@ -526,17 +499,11 @@
|
|||
"Verify this user to mark them as trusted. Trusting users gives you extra peace of mind when using end-to-end encrypted messages.": "Xác thực người dùng này để đánh dấu họ là đáng tin cậy. Người dùng đáng tin cậy giúp bạn yên tâm hơn khi sử dụng các tin nhắn được mã hóa end-to-end.",
|
||||
"Terms of Service": "Điều khoản Dịch vụ",
|
||||
"You may contact me if you have any follow up questions": "Bạn có thể liên hệ với tôi nếu bạn có bất kỳ câu hỏi tiếp theo nào",
|
||||
"Your platform and username will be noted to help us use your feedback as much as we can.": "Nền tảng ứng dụng và tên người dùng của bạn sẽ được ghi lại để giúp chúng tôi tiếp nhận phản hồi của bạn một cách tốt nhất có thể.",
|
||||
"Search for rooms or people": "Tìm kiếm phòng hoặc người",
|
||||
"Message preview": "Xem trước tin nhắn",
|
||||
"Sent": "Đã gửi",
|
||||
"Sending": "Đang gửi",
|
||||
"You don't have permission to do this": "Bạn không có quyền làm điều này",
|
||||
"Send feedback": "Gửi phản hồi",
|
||||
"Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.": "Hãy xem các <existingIssuesLink>lỗi đã được phát hiện trên GitHub</existingIssuesLink> trước. Chưa ai từng gặp lỗi này? <newIssueLink>Báo lỗi mới</newIssueLink>.",
|
||||
"PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "MẸO NHỎ: Nếu bạn là người đầu tiên gặp lỗi, vui lòng gửi <debugLogsLink>nhật ký gỡ lỗi</debugLogsLink> để giúp chúng tôi xử lý vấn đề.",
|
||||
"Comment": "Bình luận",
|
||||
"Feedback sent": "Đã gửi phản hồi",
|
||||
"It's just you at the moment, it will be even better with others.": "Chỉ là bạn hiện tại, sẽ càng tốt hơn với người khác.",
|
||||
"Share %(name)s": "Chia sẻ %(name)s",
|
||||
"Pick rooms or conversations to add. This is just a space for you, no one will be informed. You can add more later.": "Chọn phòng hoặc cuộc trò chuyện để thêm. Đây chỉ là một space cho bạn, không ai sẽ được thông báo. Bạn có thể bổ sung thêm sau.",
|
||||
|
@ -593,22 +560,7 @@
|
|||
"Public space": "Space công cộng",
|
||||
"Private space (invite only)": "space riêng tư (chỉ mời)",
|
||||
"Space visibility": "Khả năng hiển thị space",
|
||||
"Block anyone not part of %(serverName)s from ever joining this room.": "Chặn bất kỳ ai không thuộc %(serverName)s tham gia phòng này.",
|
||||
"Visible to space members": "Hiển thị với các thành viên space",
|
||||
"Public room": "Phòng công cộng",
|
||||
"Private room (invite only)": "Phòng riêng (chỉ mời)",
|
||||
"Room visibility": "Khả năng hiển thị phòng",
|
||||
"Topic (optional)": "Chủ đề (không bắt buộc)",
|
||||
"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.": "Bạn có thể tắt tính năng này nếu phòng sẽ được sử dụng để cộng tác với các nhóm bên ngoài có máy chủ của riêng họ. Điều này không thể được thay đổi sau này.",
|
||||
"You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "Bạn có thể bật điều này nếu phòng sẽ chỉ được sử dụng để cộng tác với các nhóm nội bộ trên nhà của bạn. Điều này không thể thay đổi sau này.",
|
||||
"Enable end-to-end encryption": "Bật mã hóa đầu cuối",
|
||||
"Your server requires encryption to be enabled in private rooms.": "Máy chủ của bạn yêu cầu mã hóa được bật trong các phòng riêng.",
|
||||
"Only people invited will be able to find and join this room.": "Chỉ những người được mời mới có thể tìm và tham gia phòng này.",
|
||||
"Anyone will be able to find and join this room.": "Bất kỳ ai cũng có thể tìm và tham gia phòng này.",
|
||||
"Anyone will be able to find and join this room, not just members of <SpaceName/>.": "Bất kỳ ai cũng có thể tìm và tham gia phòng này, không chỉ thành viên của <SpaceName/>.",
|
||||
"You can change this at any time from room settings.": "Bạn có thể thay đổi điều này bất kỳ lúc nào từ cài đặt phòng.",
|
||||
"Everyone in <SpaceName/> will be able to find and join this room.": "Mọi người trong <SpaceName/> sẽ có thể tìm và tham gia phòng này.",
|
||||
"Please enter a name for the room": "Vui lòng nhập tên cho phòng",
|
||||
"Clear all data": "Xóa tất cả dữ liệu",
|
||||
"Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "Xóa tất cả dữ liệu khỏi phiên này là vĩnh viễn. Các tin nhắn được mã hóa sẽ bị mất trừ khi các khóa của chúng đã được sao lưu.",
|
||||
"Clear all data in this session?": "Xóa tất cả dữ liệu trong phiên này?",
|
||||
|
@ -741,9 +693,6 @@
|
|||
"If you do, please note that none of your messages will be deleted, but the search experience might be degraded for a few moments whilst the index is recreated": "Nếu bạn làm vậy, xin lưu ý rằng không có thư nào của bạn sẽ bị xóa, nhưng trải nghiệm tìm kiếm có thể bị giảm sút trong một vài phút trong khi chỉ mục được tạo lại",
|
||||
"You most likely do not want to reset your event index store": "Rất có thể bạn không muốn đặt lại kho chỉ mục sự kiện của mình",
|
||||
"Reset event store?": "Đặt lại kho sự kiện?",
|
||||
"About homeservers": "Giới thiệu về các máy chủ",
|
||||
"Use your preferred Matrix homeserver if you have one, or host your own.": "Sử dụng máy chủ Matrix ưa thích của bạn nếu bạn có, hoặc tự tạo máy chủ lưu trữ của riêng bạn.",
|
||||
"Other homeserver": "Máy chủ khác",
|
||||
"Language Dropdown": "Danh sách ngôn ngữ",
|
||||
"Information": "Thông tin",
|
||||
"Rotate Right": "Xoay phải",
|
||||
|
@ -1473,67 +1422,6 @@
|
|||
"%(name)s (%(userId)s)": "%(name)s (%(userId)s)",
|
||||
"This homeserver has been blocked by its administrator.": "Máy chủ này đã bị chặn bởi quản trị viên của nó.",
|
||||
"Ask your %(brand)s admin to check <a>your config</a> for incorrect or duplicate entries.": "Yêu cầu quản trị viên %(brand)s của bạn kiểm tra <a>your config</a> để tìm các mục nhập sai hoặc trùng lặp.",
|
||||
"See <b>%(msgtype)s</b> messages posted to your active room": "Xem thông báo <b>%(msgtype)s</b> được đăng lên phòng hoạt động của bạn",
|
||||
"See <b>%(msgtype)s</b> messages posted to this room": "Xem thông báo <b>%(msgtype)s</b> được đăng lên phòng này",
|
||||
"Send <b>%(msgtype)s</b> messages as you in your active room": "Gửi tin nhắn <b>%(msgtype)s</b> khi bạn đang ở trong phòng hoạt động của mình",
|
||||
"Send <b>%(msgtype)s</b> messages as you in this room": "Gửi tin nhắn <b>%(msgtype)s</b> khi bạn ở trong phòng này",
|
||||
"See general files posted to your active room": "Xem các tệp chung được đăng vào phòng hoạt động của bạn",
|
||||
"See general files posted to this room": "Xem các tệp chung được đăng lên phòng này",
|
||||
"Send general files as you in your active room": "Gửi các tệp chung khi bạn đang ở trong phòng hoạt động của mình",
|
||||
"Send general files as you in this room": "Gửi các tệp chung khi bạn ở trong phòng này",
|
||||
"See videos posted to your active room": "Xem các video được đăng lên phòng hoạt động của bạn",
|
||||
"See videos posted to this room": "Xem các video được đăng lên phòng này",
|
||||
"Send videos as you in your active room": "Gửi video khi bạn đang ở trong phòng hoạt động của mình",
|
||||
"Send videos as you in this room": "Gửi video khi bạn ở trong phòng này",
|
||||
"See images posted to your active room": "Xem hình ảnh được đăng vào phòng hoạt động của bạn",
|
||||
"See images posted to this room": "Xem hình ảnh được đăng lên phòng này",
|
||||
"Send images as you in your active room": "Gửi hình ảnh khi bạn đang ở trong phòng hoạt động của mình",
|
||||
"Send images as you in this room": "Gửi hình ảnh khi bạn ở trong phòng này",
|
||||
"See emotes posted to your active room": "Xem biểu tượng cảm xúc được đăng lên phòng hoạt động của bạn",
|
||||
"See emotes posted to this room": "Xem biểu tượng cảm xúc được đăng lên phòng này",
|
||||
"Send emotes as you in your active room": "Gửi biểu tượng cảm xúc khi bạn đang ở trong phòng hoạt động của mình",
|
||||
"Send emotes as you in this room": "Gửi biểu tượng cảm xúc khi bạn ở trong phòng này",
|
||||
"See text messages posted to your active room": "Xem tin nhắn văn bản được đăng vào phòng hoạt động của bạn",
|
||||
"See text messages posted to this room": "Xem tin nhắn văn bản được đăng lên phòng này",
|
||||
"Send text messages as you in your active room": "Gửi tin nhắn văn bản khi bạn đang ở trong phòng hoạt động của mình",
|
||||
"Send text messages as you in this room": "Gửi tin nhắn văn bản khi bạn ở trong phòng này",
|
||||
"See messages posted to your active room": "Xem tin nhắn được đăng vào phòng hoạt động của bạn",
|
||||
"See messages posted to this room": "Xem tin nhắn được đăng lên phòng này",
|
||||
"Send messages as you in your active room": "Gửi tin nhắn khi bạn đang ở trong phòng hoạt động của mình",
|
||||
"Send messages as you in this room": "Gửi tin nhắn khi bạn ở trong phòng này",
|
||||
"The <b>%(capability)s</b> capability": "Khả năng <b>%(capability)s</b>",
|
||||
"See <b>%(eventType)s</b> events posted to your active room": "Xem các sự kiện <b>%(eventType)s</b> được đăng lên phòng hoạt động của bạn",
|
||||
"Send <b>%(eventType)s</b> events as you in your active room": "Gửi <b> %(eventType)s </b> khi bạn đang ở trong phòng hoạt động của mình",
|
||||
"See <b>%(eventType)s</b> events posted to this room": "Xem các sự kiện <b>%(eventType)s</b> được đăng lên phòng này",
|
||||
"Send <b>%(eventType)s</b> events as you in this room": "Gửi các sự kiện <b>%(eventType)s</b> khi bạn ở trong phòng này",
|
||||
"The above, but in <Room /> as well": "The above, nhưng cũng ở trong <Room />",
|
||||
"The above, but in any room you are joined or invited to as well": "Những điều trên, nhưng trong bất kỳ phòng nào bạn cũng được tham gia hoặc được mời",
|
||||
"with state key %(stateKey)s": "với khóa trạng thái %(stateKey)s",
|
||||
"with an empty state key": "với một khóa trạng thái trống",
|
||||
"See when anyone posts a sticker to your active room": "Xem khi có ai đăng sticker cảm xúc vào phòng hoạt động của bạn",
|
||||
"Send stickers to your active room as you": "Gửi sticker cảm xúc đến phòng hoạt động của bạn với tư cách là bạn",
|
||||
"See when a sticker is posted in this room": "Xem khi nào một sticker cảm xúc được đăng trong phòng này",
|
||||
"Send stickers to this room as you": "Gửi sticker cảm xúc đến phòng này với tư cách là bạn",
|
||||
"See when people join, leave, or are invited to your active room": "Xem khi nào mọi người tham gia, rời khỏi hoặc được mời vào phòng hoạt động của bạn",
|
||||
"See when people join, leave, or are invited to this room": "Xem khi nào mọi người tham gia, rời khỏi hoặc được mời vào phòng này",
|
||||
"See when the avatar changes in your active room": "Xem khi hình đại diện thay đổi trong phòng hoạt động của bạn",
|
||||
"Change the avatar of your active room": "Thay đổi hình đại diện của phòng đang hoạt động của bạn",
|
||||
"See when the avatar changes in this room": "Xem khi hình đại diện thay đổi trong phòng này",
|
||||
"Change the avatar of this room": "Thay đổi hình đại diện của phòng này",
|
||||
"See when the name changes in your active room": "Xem khi tên thay đổi trong phòng hoạt động của bạn",
|
||||
"Change the name of your active room": "Thay đổi tên phòng đang hoạt động của bạn",
|
||||
"See when the name changes in this room": "Xem khi tên phòng này thay đổi",
|
||||
"Change the name of this room": "Thay đổi tên của phòng này",
|
||||
"See when the topic changes in your active room": "Xem khi chủ đề thay đổi trong phòng hoạt động của bạn",
|
||||
"Change the topic of your active room": "Thay đổi chủ đề của phòng hoạt động của bạn",
|
||||
"See when the topic changes in this room": "Xem khi chủ đề thay đổi trong phòng này",
|
||||
"Change the topic of this room": "Thay đổi chủ đề của căn phòng này",
|
||||
"Change which room, message, or user you're viewing": "Thay đổi phòng, tin nhắn hoặc người dùng bạn đang xem",
|
||||
"Change which room you're viewing": "Thay đổi phòng bạn đang xem",
|
||||
"Send stickers into your active room": "Gửi sticker cảm xúc phòng hoạt động của bạn",
|
||||
"Send stickers into this room": "Gửi sticker cảm xúc vào phòng này",
|
||||
"Remain on your screen while running": "Ở lại màn hình của bạn trong khi chạy",
|
||||
"Remain on your screen when viewing another room, when running": "Giữ màn hình của bạn khi đang xem phòng khác, khi đang chạy chương trình khác",
|
||||
"All keys backed up": "Tất cả các khóa được sao lưu",
|
||||
"Connect this session to Key Backup": "Kết nối phiên này với Khóa Sao lưu",
|
||||
"Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Kết nối phiên này với máy chủ sao lưu khóa trước khi đăng xuất để tránh mất bất kỳ khóa nào có thể chỉ có trong phiên này.",
|
||||
|
@ -1638,9 +1526,6 @@
|
|||
"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!": "CẢNH BÁO: XÁC THỰC KHÓA THẤT BẠI! Khóa đăng nhập cho %(userId)s và thiết bị %(deviceId)s là \"%(fprint)s\" không khớp với khóa được cung cấp \"%(fingerprint)s\". Điều này có nghĩa là các thông tin liên lạc của bạn đang bị chặn!",
|
||||
"Session already verified!": "Thiết bị đã được xác thực rồi!",
|
||||
"Verifies a user, session, and pubkey tuple": "Xác thực người dùng, thiết bị và tuple pubkey",
|
||||
"Deops user with given id": "Deops user với id đã cho",
|
||||
"Could not find user in room": "Không tìm thấy người dùng trong phòng",
|
||||
"Joins room with given address": "Tham gia phòng có địa chỉ được chỉ định",
|
||||
"Use an identity server to invite by email. Manage in Settings.": "Sử dụng máy chủ định danh để mời qua thư điện tử. Quản lý trong Cài đặt.",
|
||||
"Use an identity server": "Sử dụng máy chủ định danh",
|
||||
"Command error": "Lỗi lệnh",
|
||||
|
@ -1649,8 +1534,6 @@
|
|||
"Cancel entering passphrase?": "Hủy nhập cụm mật khẩu?",
|
||||
"Some invites couldn't be sent": "Không thể gửi một số lời mời",
|
||||
"We sent the others, but the below people couldn't be invited to <RoomName/>": "Chúng tôi đã mời những người khác, nhưng những người dưới đây không thể được mời tham gia <RoomName/>",
|
||||
"Use your account or create a new one to continue.": "Sử dụng tài khoản của bạn hoặc tạo một tài khoản mới để tiếp tục.",
|
||||
"Sign In or Create Account": "Đăng nhập hoặc Tạo tài khoản",
|
||||
"Zimbabwe": "Zimbabwe",
|
||||
"Zambia": "Zambia",
|
||||
"Yemen": "Yemen",
|
||||
|
@ -1934,8 +1817,6 @@
|
|||
"Verify with Security Key or Phrase": "Xác thực bằng Khóa hoặc Chuỗi Bảo mật",
|
||||
"Proceed with reset": "Tiến hành đặt lại",
|
||||
"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.": "Có vẻ như bạn không có Khóa Bảo mật hoặc bất kỳ thiết bị nào bạn có thể xác thực. Thiết bị này sẽ không thể truy cập vào các tin nhắn mã hóa cũ. Để xác minh danh tính của bạn trên thiết bị này, bạn sẽ cần đặt lại các khóa xác thực của mình.",
|
||||
"Someone already has that username, please try another.": "Ai đó đã có username đó, vui lòng thử một cái khác.",
|
||||
"The email address doesn't appear to be valid.": "Địa chỉ thư điện tử dường như không hợp lệ.",
|
||||
"Skip verification for now": "Bỏ qua xác thực ngay bây giờ",
|
||||
"Really reset verification keys?": "Thực sự đặt lại các khóa xác minh?",
|
||||
"Uploading %(filename)s and %(count)s others": {
|
||||
|
@ -1971,12 +1852,8 @@
|
|||
"one": "Tải lên %(count)s tệp khác",
|
||||
"other": "Tải lên %(count)s tệp khác"
|
||||
},
|
||||
"We call the places where you can host your account 'homeservers'.": "Chúng tôi gọi những nơi bạn có thể lưu trữ tài khoản của bạn là 'homeserver'.",
|
||||
"Matrix.org is the biggest public homeserver in the world, so it's a good place for many.": "Matrix.org là homeserver công cộng lớn nhất, vì vậy nó là nơi lý tưởng cho nhiều người.",
|
||||
"Spaces you know that contain this space": "Các space bạn biết có chứa space này",
|
||||
"If you can't see who you're looking for, send them your invite link below.": "Nếu bạn không thể thấy người bạn đang tìm, hãy gửi cho họ liên kết mời của bạn bên dưới.",
|
||||
"You may contact me if you want to follow up or to let me test out upcoming ideas": "Chúng tôi có thể liên hệ với bạn để cho phép bạn theo dõi hoặc thử nghiệm những tính năng sắp tới",
|
||||
"You can't disable this later. Bridges & most bots won't work yet.": "Bạn không thể vô hiệu hóa điều này sau này. Các cầu và hầu hết các bot sẽ không hoạt động.",
|
||||
"Add option": "Thêm tùy chọn",
|
||||
"Write an option": "Viết tùy chọn",
|
||||
"Option %(number)s": "Tùy chọn %(number)s",
|
||||
|
@ -2119,10 +1996,7 @@
|
|||
"Back to thread": "Quay lại luồng",
|
||||
"Room members": "Thành viên phòng",
|
||||
"Back to chat": "Quay lại trò chuyện",
|
||||
"Command failed: Unable to find room (%(roomId)s": "Lỗi khi thực hiện lệnh: Không tìm thấy phòng (%(roomId)s)",
|
||||
"Unrecognised room address: %(roomAlias)s": "Không thể nhận dạng địa chỉ phòng: %(roomAlias)s",
|
||||
"Command error: Unable to find rendering type (%(renderingType)s)": "Lỗi khi thực hiện lệnh: Không tìm thấy kiểu dữ liệu (%(renderingType)s)",
|
||||
"Command error: Unable to handle slash command.": "Lỗi khi thực hiện lệnh: Không thể xử lý lệnh slash.",
|
||||
"Failed to invite users to %(roomName)s": "Mời người dùng vào %(roomName)s thất bại",
|
||||
"Explore public spaces in the new search dialog": "Khám phá các space công cộng trong hộp thoại tìm kiếm mới",
|
||||
"You were disconnected from the call. (Error: %(message)s)": "Bạn bị mất kết nối đến cuộc gọi. (Lỗi: %(message)s)",
|
||||
|
@ -2159,8 +2033,6 @@
|
|||
"In %(spaceName)s.": "Trong space %(spaceName)s.",
|
||||
"In spaces %(space1Name)s and %(space2Name)s.": "Trong các space %(space1Name)s và %(space2Name)s.",
|
||||
"%(space1Name)s and %(space2Name)s": "%(space1Name)s và %(space2Name)s",
|
||||
"Remove, ban, or invite people to your active room, and make you leave": "Xóa, cấm, hoặc mời mọi người vào phòng đang hoạt động của bạn, và bạn rời khỏi đó",
|
||||
"Remove, ban, or invite people to this room, and make you leave": "Xóa, cấm, hoặc mời mọi người vào phòng này, và bạn rời khỏi đó",
|
||||
"Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Cặp (người dùng, phiên) không xác định: (%(userId)s, %(deviceId)s)",
|
||||
"Keyboard": "Bàn phím",
|
||||
"Your email address does not appear to be associated with a Matrix ID on this homeserver.": "Địa chỉ thư điện tử của bạn không được liên kết với một định danh Matrix trên máy chủ này.",
|
||||
|
@ -2168,7 +2040,6 @@
|
|||
"Failed to read events": "Không xem sự kiện được",
|
||||
"Failed to send event": "Không gửi sự kiện được",
|
||||
"You need to be able to kick users to do that.": "Bạn phải đuổi được người dùng thì mới làm vậy được.",
|
||||
"Use your account to continue.": "Dùng tài khoản của bạn để tiếp tục.",
|
||||
"%(senderName)s started a voice broadcast": "%(senderName)s đã bắt đầu phát thanh",
|
||||
"Empty room (was %(oldName)s)": "Phòng trống (trước kia là %(oldName)s)",
|
||||
"Inviting %(user)s and %(count)s others": {
|
||||
|
@ -2336,8 +2207,6 @@
|
|||
"The scanned code is invalid.": "Mã vừa quét là không hợp lệ.",
|
||||
"Sign out of all devices": "Đăng xuất khỏi mọi thiết bị",
|
||||
"Confirm new password": "Xác nhận mật khẩu mới",
|
||||
"Syncing…": "Đang đồng bộ…",
|
||||
"Signing In…": "Đăng nhập…",
|
||||
"%(members)s and more": "%(members)s và nhiều người khác",
|
||||
"Read receipts": "Thông báo đã đọc",
|
||||
"Hide stickers": "Ẩn thẻ (sticker)",
|
||||
|
@ -2345,7 +2214,6 @@
|
|||
"Messages in this chat will be end-to-end encrypted.": "Tin nhắn trong phòng này sẽ được mã hóa đầu-cuối.",
|
||||
"Failed to remove user": "Không thể loại bỏ người dùng",
|
||||
"Unban from space": "Bỏ cấm trong space",
|
||||
"Re-enter email address": "Điền lại địa chỉ thư điện tử",
|
||||
"Decrypted source unavailable": "Nguồn được giải mã không khả dụng",
|
||||
"Seen by %(count)s people": {
|
||||
"one": "Gửi bởi %(count)s người",
|
||||
|
@ -2369,7 +2237,6 @@
|
|||
"Once everyone has joined, you’ll be able to chat": "Một khi mọi người đã vào, bạn có thể bắt đầu trò chuyện",
|
||||
"Video room": "Phòng truyền hình",
|
||||
"You were banned by %(memberName)s": "Bạn đã bị cấm bởi %(memberName)s",
|
||||
"That e-mail address or phone number is already in use.": "Địa chỉ thư điện tử hay số điện thoại đó đã được sử dụng.",
|
||||
"The sender has blocked you from receiving this message": "Người gửi không cho bạn nhận tin nhắn này",
|
||||
"%(displayName)s (%(matrixId)s)": "%(displayName)s (%(matrixId)s)",
|
||||
"Search this room": "Tìm trong phòng này",
|
||||
|
@ -2384,22 +2251,17 @@
|
|||
"Invites by email can only be sent one at a time": "Chỉ có thể gửi một thư điện tử mời mỗi lần",
|
||||
"Please only proceed if you're sure you've lost all of your other devices and your Security Key.": "Chỉ tiếp tục nếu bạn chắc chắn là mình đã mất mọi thiết bị khác và khóa bảo mật.",
|
||||
"Room info": "Thông tin phòng",
|
||||
"Wrong email address?": "Địa chỉ thư điện tử sai?",
|
||||
"Enter your email to reset password": "Nhập địa chỉ thư điện tử để đặt lại mật khẩu",
|
||||
"You do not have permission to invite users": "Bạn không có quyền mời người khác",
|
||||
"Remove them from everything I'm able to": "Loại bỏ khỏi mọi phòng mà tôi có thể",
|
||||
"Hide formatting": "Ẩn định dạng",
|
||||
"The beginning of the room": "Bắt đầu phòng",
|
||||
"Poll": "Bỏ phiếu",
|
||||
"Sign in instead": "Đăng nhập",
|
||||
"Ongoing call": "Cuộc gọi hiện thời",
|
||||
"Joining…": "Đang tham gia…",
|
||||
"Pinned": "Đã ghim",
|
||||
"Open room": "Mở phòng",
|
||||
"Send email": "Gửi thư",
|
||||
"Did not receive it?": "Không nhận được nó?",
|
||||
"Remove from room": "Loại bỏ khỏi phòng",
|
||||
"You can't see earlier messages": "Bạn khồng thể thấy các tin nhắn trước",
|
||||
"Send your first message to invite <displayName/> to chat": "Gửi tin nhắn đầu tiên để mời <displayName/> vào cuộc trò chuyện",
|
||||
"%(members)s and %(last)s": "%(members)s và %(last)s",
|
||||
"Private room": "Phòng riêng tư",
|
||||
|
@ -2408,7 +2270,6 @@
|
|||
"Create a link": "Tạo liên kết",
|
||||
"Text": "Chữ",
|
||||
"Error starting verification": "Lỗi khi bắt đầu xác thực",
|
||||
"Verification link email resent!": "Đã gửi lại liên kết xác nhận địa chỉ thư điện tử!",
|
||||
"Mobile session": "Phiên trên điện thoại",
|
||||
"Other sessions": "Các phiên khác",
|
||||
"Unverified session": "Phiên chưa xác thực",
|
||||
|
@ -2435,7 +2296,6 @@
|
|||
"Security recommendations": "Đề xuất bảo mật",
|
||||
"Video call (Jitsi)": "Cuộc gọi truyền hình (Jitsi)",
|
||||
"Verify your current session for enhanced secure messaging.": "Xác thực phiên hiện tại để nhắn tin bảo mật tốt hơn.",
|
||||
"You don't have permission to view messages from before you were invited.": "Bạn không có quyền xem tin nhắn trước lúc bạn được mời.",
|
||||
"All": "Tất cả",
|
||||
"Not ready for secure messaging": "Không sẵn sàng nhắn tin bảo mật",
|
||||
"Encrypting your message…": "Đang mã hóa tin nhắn…",
|
||||
|
@ -2455,8 +2315,6 @@
|
|||
"other": "Đăng xuất khỏi %(count)s phiên",
|
||||
"one": "Đăng xuất khỏi %(count)s phiên"
|
||||
},
|
||||
"You don't have permission to view messages from before you joined.": "Bạn không có quyền xem tin nhắn trước lúc bạn tham gia.",
|
||||
"Encrypted messages before this point are unavailable.": "Các tin nhắn được mã hóa trước thời điểm này không có sẵn.",
|
||||
"Video call (%(brand)s)": "Cuộc gọi truyền hình (%(brand)s)",
|
||||
"Inactive sessions are sessions you have not used in some time, but they continue to receive encryption keys.": "Các phiên không hoạt động là các phiên mà bạn đã không dùng trong một thời gian, nhưng chúng vẫn được nhận khóa mã hóa.",
|
||||
"Removing inactive sessions improves security and performance, and makes it easier for you to identify if a new session is suspicious.": "Xóa các phiên không hoạt động cải thiện bảo mật và hiệu suất, và đồng thời giúp bạn dễ dàng nhận diện nếu một phiên mới là đáng ngờ.",
|
||||
|
@ -2591,8 +2449,6 @@
|
|||
"People cannot join unless access is granted.": "Người khác không thể tham gia khi chưa có phép.",
|
||||
"Something went wrong.": "Đã xảy ra lỗi.",
|
||||
"User cannot be invited until they are unbanned": "Người dùng không thể được mời nếu không được bỏ cấm",
|
||||
"Views room with given address": "Phòng truyền hình với địa chỉ đã cho",
|
||||
"Notification Settings": "Cài đặt thông báo",
|
||||
"Your server requires encryption to be disabled.": "Máy chủ của bạn yêu cầu mã hóa phải được vô hiệu hóa.",
|
||||
"Play a sound for": "Phát âm thanh cho",
|
||||
"Close call": "Đóng cuộc gọi",
|
||||
|
@ -2693,7 +2549,8 @@
|
|||
"cross_signing": "Xác thực chéo",
|
||||
"identity_server": "Máy chủ định danh",
|
||||
"integration_manager": "Quản lý tích hợp",
|
||||
"qr_code": "Mã QR"
|
||||
"qr_code": "Mã QR",
|
||||
"feedback": "Phản hồi"
|
||||
},
|
||||
"action": {
|
||||
"continue": "Tiếp tục",
|
||||
|
@ -2864,7 +2721,8 @@
|
|||
"leave_beta_reload": "Rời khỏi thử nghiệm sẽ tải lại %(brand)s.",
|
||||
"join_beta_reload": "Tham gia thử nghiệm sẽ tải lại %(brand)s.",
|
||||
"leave_beta": "Rời khỏi bản beta",
|
||||
"join_beta": "Tham gia phiên bản beta"
|
||||
"join_beta": "Tham gia phiên bản beta",
|
||||
"notification_settings_beta_title": "Cài đặt thông báo"
|
||||
},
|
||||
"keyboard": {
|
||||
"home": "Nhà",
|
||||
|
@ -3126,7 +2984,9 @@
|
|||
"timeline_image_size": "Kích thước hình ảnh trong timeline",
|
||||
"timeline_image_size_default": "Mặc định",
|
||||
"timeline_image_size_large": "Lớn"
|
||||
}
|
||||
},
|
||||
"inline_url_previews_room_account": "Bật xem trước nội dung liên kết trong phòng này (chỉ với bạn)",
|
||||
"inline_url_previews_room": "Bật xem trước nội dung liên kết cho mọi người trong phòng này"
|
||||
},
|
||||
"devtools": {
|
||||
"send_custom_account_data_event": "Gửi sự kiện tài khoản tùy chỉnh",
|
||||
|
@ -3245,7 +3105,23 @@
|
|||
"title_public_room": "Tạo một phòng công cộng",
|
||||
"title_private_room": "Tạo một phòng riêng",
|
||||
"action_create_video_room": "Tạo phòng truyền hình",
|
||||
"action_create_room": "Tạo phòng"
|
||||
"action_create_room": "Tạo phòng",
|
||||
"name_validation_required": "Vui lòng nhập tên cho phòng",
|
||||
"join_rule_restricted_label": "Mọi người trong <SpaceName/> sẽ có thể tìm và tham gia phòng này.",
|
||||
"join_rule_change_notice": "Bạn có thể thay đổi điều này bất kỳ lúc nào từ cài đặt phòng.",
|
||||
"join_rule_public_parent_space_label": "Bất kỳ ai cũng có thể tìm và tham gia phòng này, không chỉ thành viên của <SpaceName/>.",
|
||||
"join_rule_public_label": "Bất kỳ ai cũng có thể tìm và tham gia phòng này.",
|
||||
"join_rule_invite_label": "Chỉ những người được mời mới có thể tìm và tham gia phòng này.",
|
||||
"encrypted_warning": "Bạn không thể vô hiệu hóa điều này sau này. Các cầu và hầu hết các bot sẽ không hoạt động.",
|
||||
"encryption_forced": "Máy chủ của bạn yêu cầu mã hóa được bật trong các phòng riêng.",
|
||||
"encryption_label": "Bật mã hóa đầu cuối",
|
||||
"unfederated_label_default_off": "Bạn có thể bật điều này nếu phòng sẽ chỉ được sử dụng để cộng tác với các nhóm nội bộ trên nhà của bạn. Điều này không thể thay đổi sau này.",
|
||||
"unfederated_label_default_on": "Bạn có thể tắt tính năng này nếu phòng sẽ được sử dụng để cộng tác với các nhóm bên ngoài có máy chủ của riêng họ. Điều này không thể được thay đổi sau này.",
|
||||
"topic_label": "Chủ đề (không bắt buộc)",
|
||||
"room_visibility_label": "Khả năng hiển thị phòng",
|
||||
"join_rule_invite": "Phòng riêng (chỉ mời)",
|
||||
"join_rule_restricted": "Hiển thị với các thành viên space",
|
||||
"unfederated": "Chặn bất kỳ ai không thuộc %(serverName)s tham gia phòng này."
|
||||
},
|
||||
"timeline": {
|
||||
"m.call": {
|
||||
|
@ -3515,7 +3391,11 @@
|
|||
"changed_rule_rooms": "%(senderName)s đã thay đổi quy tắc cấm các phòng khớp với %(oldGlob)s thành khớp với %(newGlob)s vì %(reason)s",
|
||||
"changed_rule_servers": "%(senderName)s đã thay đổi một quy tắc cấm các máy chủ khớp với %(oldGlob)s để khớp với %(newGlob)s vì %(reason)s",
|
||||
"changed_rule_glob": "%(senderName)s đã cập nhật quy tắc cấm khớp %(oldGlob)s sang %(newGlob)s cho %(reason)s"
|
||||
}
|
||||
},
|
||||
"no_permission_messages_before_invite": "Bạn không có quyền xem tin nhắn trước lúc bạn được mời.",
|
||||
"no_permission_messages_before_join": "Bạn không có quyền xem tin nhắn trước lúc bạn tham gia.",
|
||||
"encrypted_historical_messages_unavailable": "Các tin nhắn được mã hóa trước thời điểm này không có sẵn.",
|
||||
"historical_messages_unavailable": "Bạn khồng thể thấy các tin nhắn trước"
|
||||
},
|
||||
"slash_command": {
|
||||
"spoiler": "Đánh dấu tin nhắn chỉ định thành một tin nhắn ẩn",
|
||||
|
@ -3575,7 +3455,15 @@
|
|||
"holdcall": "Tạm ngưng cuộc gọi trong phòng hiện tại",
|
||||
"no_active_call": "Không có cuộc gọi đang hoạt động trong phòng này",
|
||||
"unholdcall": "Nối lại cuộc gọi trong phòng hiện tại",
|
||||
"me": "Hiển thị hành động"
|
||||
"me": "Hiển thị hành động",
|
||||
"error_invalid_runfn": "Lỗi khi thực hiện lệnh: Không thể xử lý lệnh slash.",
|
||||
"error_invalid_rendering_type": "Lỗi khi thực hiện lệnh: Không tìm thấy kiểu dữ liệu (%(renderingType)s)",
|
||||
"join": "Tham gia phòng có địa chỉ được chỉ định",
|
||||
"view": "Phòng truyền hình với địa chỉ đã cho",
|
||||
"failed_find_room": "Lỗi khi thực hiện lệnh: Không tìm thấy phòng (%(roomId)s)",
|
||||
"failed_find_user": "Không tìm thấy người dùng trong phòng",
|
||||
"op": "Xác định cấp độ quyền của một thành viên",
|
||||
"deop": "Deops user với id đã cho"
|
||||
},
|
||||
"presence": {
|
||||
"busy": "Bận",
|
||||
|
@ -3758,13 +3646,52 @@
|
|||
"reset_password_title": "Đặt lại mật khẩu của bạn",
|
||||
"continue_with_sso": "Tiếp tục với %(ssoButtons)s",
|
||||
"sso_or_username_password": "%(ssoButtons)s Hoặc %(usernamePassword)s",
|
||||
"sign_in_instead": "Bạn đã có sẵn một tài khoản? <a>Sign in here</a>",
|
||||
"sign_in_instead": "Đăng nhập",
|
||||
"account_clash": "Tài khoản mới của bạn (%(newAccountId)s) đã được đăng ký, nhưng bạn đã đăng nhập vào một tài khoản khác (%(loggedInUserId)s).",
|
||||
"account_clash_previous_account": "Tiếp tục với tài khoản trước",
|
||||
"log_in_new_account": "<a>Sign in</a> để vào tài khoản mới của bạn.",
|
||||
"registration_successful": "Đăng ký thành công",
|
||||
"server_picker_title": "Tài khoản máy chủ trên",
|
||||
"server_picker_dialog_title": "Quyết định nơi tài khoản của bạn được lưu trữ"
|
||||
"server_picker_title": "Đăng nhập vào máy chủ của bạn",
|
||||
"server_picker_dialog_title": "Quyết định nơi tài khoản của bạn được lưu trữ",
|
||||
"footer_powered_by_matrix": "cung cấp bởi Matrix",
|
||||
"failed_homeserver_discovery": "Không thể thực hiện khám phá máy chủ",
|
||||
"sync_footer_subtitle": "Nếu bạn đã tham gia nhiều phòng, quá trình này có thể mất một lúc",
|
||||
"syncing": "Đang đồng bộ…",
|
||||
"signing_in": "Đăng nhập…",
|
||||
"unsupported_auth_msisdn": "Máy chủ này không hỗ trợ xác thực bằng số điện thoại.",
|
||||
"unsupported_auth_email": "Máy chủ nhà này không hỗ trợ đăng nhập bằng địa chỉ thư điện tử.",
|
||||
"registration_disabled": "Đăng ký đã bị vô hiệu hóa trên máy chủ này.",
|
||||
"failed_query_registration_methods": "Không thể truy vấn các phương pháp đăng ký được hỗ trợ.",
|
||||
"username_in_use": "Ai đó đã có username đó, vui lòng thử một cái khác.",
|
||||
"3pid_in_use": "Địa chỉ thư điện tử hay số điện thoại đó đã được sử dụng.",
|
||||
"incorrect_password": "mật khẩu không đúng",
|
||||
"failed_soft_logout_auth": "Không xác thực lại được",
|
||||
"soft_logout_heading": "Bạn đã đăng xuất",
|
||||
"forgot_password_email_required": "Địa chỉ thư điện tử được liên kết đến tài khoản của bạn phải được nhập.",
|
||||
"forgot_password_email_invalid": "Địa chỉ thư điện tử dường như không hợp lệ.",
|
||||
"sign_in_prompt": "Đã có một tài khoản? <a>Sign in</a>",
|
||||
"forgot_password_prompt": "Quên mật khẩu của bạn?",
|
||||
"soft_logout_intro_password": "Nhập mật khẩu của bạn để đăng nhập và lấy lại quyền truy cập vào tài khoản của bạn.",
|
||||
"soft_logout_intro_sso": "Đăng nhập và lấy lại quyền truy cập vào tài khoản của bạn.",
|
||||
"soft_logout_intro_unsupported_auth": "Bạn không thể đăng nhập vào tài khoản của mình. Vui lòng liên hệ với quản trị viên máy chủ của bạn để biết thêm thông tin.",
|
||||
"check_email_wrong_email_prompt": "Địa chỉ thư điện tử sai?",
|
||||
"check_email_wrong_email_button": "Điền lại địa chỉ thư điện tử",
|
||||
"check_email_resend_prompt": "Không nhận được nó?",
|
||||
"check_email_resend_tooltip": "Đã gửi lại liên kết xác nhận địa chỉ thư điện tử!",
|
||||
"enter_email_heading": "Nhập địa chỉ thư điện tử để đặt lại mật khẩu",
|
||||
"create_account_prompt": "Bạn là người mới? <a>Create an account</a>",
|
||||
"sign_in_or_register": "Đăng nhập hoặc Tạo tài khoản",
|
||||
"sign_in_or_register_description": "Sử dụng tài khoản của bạn hoặc tạo một tài khoản mới để tiếp tục.",
|
||||
"sign_in_description": "Dùng tài khoản của bạn để tiếp tục.",
|
||||
"register_action": "Tạo tài khoản",
|
||||
"server_picker_failed_validate_homeserver": "Không thể xác thực máy chủ nhà",
|
||||
"server_picker_invalid_url": "URL không hợp lệ",
|
||||
"server_picker_required": "Chỉ định một máy chủ",
|
||||
"server_picker_matrix.org": "Matrix.org là homeserver công cộng lớn nhất, vì vậy nó là nơi lý tưởng cho nhiều người.",
|
||||
"server_picker_intro": "Chúng tôi gọi những nơi bạn có thể lưu trữ tài khoản của bạn là 'homeserver'.",
|
||||
"server_picker_custom": "Máy chủ khác",
|
||||
"server_picker_explainer": "Sử dụng máy chủ Matrix ưa thích của bạn nếu bạn có, hoặc tự tạo máy chủ lưu trữ của riêng bạn.",
|
||||
"server_picker_learn_more": "Giới thiệu về các máy chủ"
|
||||
},
|
||||
"room_list": {
|
||||
"sort_unread_first": "Hiển thị các phòng có tin nhắn chưa đọc trước",
|
||||
|
@ -3812,5 +3739,81 @@
|
|||
"access_token_detail": "Mã thông báo truy cập của bạn cấp quyền truy cập đầy đủ vào tài khoản của bạn. Không chia sẻ nó với bất kỳ ai.",
|
||||
"clear_cache_reload": "Xóa bộ nhớ cache và tải lại"
|
||||
}
|
||||
},
|
||||
"widget": {
|
||||
"capability": {
|
||||
"send_stickers_this_room": "Gửi sticker cảm xúc vào phòng này",
|
||||
"send_stickers_active_room": "Gửi sticker cảm xúc phòng hoạt động của bạn",
|
||||
"send_stickers_this_room_as_you": "Gửi sticker cảm xúc đến phòng này với tư cách là bạn",
|
||||
"send_stickers_active_room_as_you": "Gửi sticker cảm xúc đến phòng hoạt động của bạn với tư cách là bạn",
|
||||
"see_sticker_posted_this_room": "Xem khi nào một sticker cảm xúc được đăng trong phòng này",
|
||||
"see_sticker_posted_active_room": "Xem khi có ai đăng sticker cảm xúc vào phòng hoạt động của bạn",
|
||||
"always_on_screen_viewing_another_room": "Giữ màn hình của bạn khi đang xem phòng khác, khi đang chạy chương trình khác",
|
||||
"always_on_screen_generic": "Ở lại màn hình của bạn trong khi chạy",
|
||||
"switch_room": "Thay đổi phòng bạn đang xem",
|
||||
"switch_room_message_user": "Thay đổi phòng, tin nhắn hoặc người dùng bạn đang xem",
|
||||
"change_topic_this_room": "Thay đổi chủ đề của căn phòng này",
|
||||
"see_topic_change_this_room": "Xem khi chủ đề thay đổi trong phòng này",
|
||||
"change_topic_active_room": "Thay đổi chủ đề của phòng hoạt động của bạn",
|
||||
"see_topic_change_active_room": "Xem khi chủ đề thay đổi trong phòng hoạt động của bạn",
|
||||
"change_name_this_room": "Thay đổi tên của phòng này",
|
||||
"see_name_change_this_room": "Xem khi tên phòng này thay đổi",
|
||||
"change_name_active_room": "Thay đổi tên phòng đang hoạt động của bạn",
|
||||
"see_name_change_active_room": "Xem khi tên thay đổi trong phòng hoạt động của bạn",
|
||||
"change_avatar_this_room": "Thay đổi hình đại diện của phòng này",
|
||||
"see_avatar_change_this_room": "Xem khi hình đại diện thay đổi trong phòng này",
|
||||
"change_avatar_active_room": "Thay đổi hình đại diện của phòng đang hoạt động của bạn",
|
||||
"see_avatar_change_active_room": "Xem khi hình đại diện thay đổi trong phòng hoạt động của bạn",
|
||||
"remove_ban_invite_leave_this_room": "Xóa, cấm, hoặc mời mọi người vào phòng này, và bạn rời khỏi đó",
|
||||
"receive_membership_this_room": "Xem khi nào mọi người tham gia, rời khỏi hoặc được mời vào phòng này",
|
||||
"remove_ban_invite_leave_active_room": "Xóa, cấm, hoặc mời mọi người vào phòng đang hoạt động của bạn, và bạn rời khỏi đó",
|
||||
"receive_membership_active_room": "Xem khi nào mọi người tham gia, rời khỏi hoặc được mời vào phòng hoạt động của bạn",
|
||||
"byline_empty_state_key": "với một khóa trạng thái trống",
|
||||
"byline_state_key": "với khóa trạng thái %(stateKey)s",
|
||||
"any_room": "Những điều trên, nhưng trong bất kỳ phòng nào bạn cũng được tham gia hoặc được mời",
|
||||
"specific_room": "The above, nhưng cũng ở trong <Room />",
|
||||
"send_event_type_this_room": "Gửi các sự kiện <b>%(eventType)s</b> khi bạn ở trong phòng này",
|
||||
"see_event_type_sent_this_room": "Xem các sự kiện <b>%(eventType)s</b> được đăng lên phòng này",
|
||||
"send_event_type_active_room": "Gửi <b> %(eventType)s </b> khi bạn đang ở trong phòng hoạt động của mình",
|
||||
"see_event_type_sent_active_room": "Xem các sự kiện <b>%(eventType)s</b> được đăng lên phòng hoạt động của bạn",
|
||||
"capability": "Khả năng <b>%(capability)s</b>",
|
||||
"send_messages_this_room": "Gửi tin nhắn khi bạn ở trong phòng này",
|
||||
"send_messages_active_room": "Gửi tin nhắn khi bạn đang ở trong phòng hoạt động của mình",
|
||||
"see_messages_sent_this_room": "Xem tin nhắn được đăng lên phòng này",
|
||||
"see_messages_sent_active_room": "Xem tin nhắn được đăng vào phòng hoạt động của bạn",
|
||||
"send_text_messages_this_room": "Gửi tin nhắn văn bản khi bạn ở trong phòng này",
|
||||
"send_text_messages_active_room": "Gửi tin nhắn văn bản khi bạn đang ở trong phòng hoạt động của mình",
|
||||
"see_text_messages_sent_this_room": "Xem tin nhắn văn bản được đăng lên phòng này",
|
||||
"see_text_messages_sent_active_room": "Xem tin nhắn văn bản được đăng vào phòng hoạt động của bạn",
|
||||
"send_emotes_this_room": "Gửi biểu tượng cảm xúc khi bạn ở trong phòng này",
|
||||
"send_emotes_active_room": "Gửi biểu tượng cảm xúc khi bạn đang ở trong phòng hoạt động của mình",
|
||||
"see_sent_emotes_this_room": "Xem biểu tượng cảm xúc được đăng lên phòng này",
|
||||
"see_sent_emotes_active_room": "Xem biểu tượng cảm xúc được đăng lên phòng hoạt động của bạn",
|
||||
"send_images_this_room": "Gửi hình ảnh khi bạn ở trong phòng này",
|
||||
"send_images_active_room": "Gửi hình ảnh khi bạn đang ở trong phòng hoạt động của mình",
|
||||
"see_images_sent_this_room": "Xem hình ảnh được đăng lên phòng này",
|
||||
"see_images_sent_active_room": "Xem hình ảnh được đăng vào phòng hoạt động của bạn",
|
||||
"send_videos_this_room": "Gửi video khi bạn ở trong phòng này",
|
||||
"send_videos_active_room": "Gửi video khi bạn đang ở trong phòng hoạt động của mình",
|
||||
"see_videos_sent_this_room": "Xem các video được đăng lên phòng này",
|
||||
"see_videos_sent_active_room": "Xem các video được đăng lên phòng hoạt động của bạn",
|
||||
"send_files_this_room": "Gửi các tệp chung khi bạn ở trong phòng này",
|
||||
"send_files_active_room": "Gửi các tệp chung khi bạn đang ở trong phòng hoạt động của mình",
|
||||
"see_sent_files_this_room": "Xem các tệp chung được đăng lên phòng này",
|
||||
"see_sent_files_active_room": "Xem các tệp chung được đăng vào phòng hoạt động của bạn",
|
||||
"send_msgtype_this_room": "Gửi tin nhắn <b>%(msgtype)s</b> khi bạn ở trong phòng này",
|
||||
"send_msgtype_active_room": "Gửi tin nhắn <b>%(msgtype)s</b> khi bạn đang ở trong phòng hoạt động của mình",
|
||||
"see_msgtype_sent_this_room": "Xem thông báo <b>%(msgtype)s</b> được đăng lên phòng này",
|
||||
"see_msgtype_sent_active_room": "Xem thông báo <b>%(msgtype)s</b> được đăng lên phòng hoạt động của bạn"
|
||||
}
|
||||
},
|
||||
"feedback": {
|
||||
"sent": "Đã gửi phản hồi",
|
||||
"comment_label": "Bình luận",
|
||||
"platform_username": "Nền tảng ứng dụng và tên người dùng của bạn sẽ được ghi lại để giúp chúng tôi tiếp nhận phản hồi của bạn một cách tốt nhất có thể.",
|
||||
"may_contact_label": "Chúng tôi có thể liên hệ với bạn để cho phép bạn theo dõi hoặc thử nghiệm những tính năng sắp tới",
|
||||
"pro_type": "MẸO NHỎ: Nếu bạn là người đầu tiên gặp lỗi, vui lòng gửi <debugLogsLink>nhật ký gỡ lỗi</debugLogsLink> để giúp chúng tôi xử lý vấn đề.",
|
||||
"existing_issue_link": "Hãy xem các <existingIssuesLink>lỗi đã được phát hiện trên GitHub</existingIssuesLink> trước. Chưa ai từng gặp lỗi này? <newIssueLink>Báo lỗi mới</newIssueLink>.",
|
||||
"send_feedback_action": "Gửi phản hồi"
|
||||
}
|
||||
}
|
||||
|
|
|
@ -63,8 +63,6 @@
|
|||
"You are now ignoring %(userId)s": "Je negeert nu %(userId)s",
|
||||
"Unignored user": "Oungenegeerde gebruuker",
|
||||
"You are no longer ignoring %(userId)s": "Je negeert %(userId)s nie mi",
|
||||
"Define the power level of a user": "Bepoal ’t machtsniveau van e gebruuker",
|
||||
"Deops user with given id": "Ountmachtigt de gebruuker me de gegeevn ID",
|
||||
"Verified key": "Geverifieerde sleuter",
|
||||
"Reason": "Reedn",
|
||||
"No homeserver URL provided": "Geen thuusserver-URL ingegeevn",
|
||||
|
@ -114,8 +112,6 @@
|
|||
"Please contact your homeserver administrator.": "Gelieve contact ip te neemn me den beheerder van je thuusserver.",
|
||||
"Mirror local video feed": "Lokoale videoanvoer ook elders ipsloan (spiegeln)",
|
||||
"Send analytics data": "Statistische gegeevns (analytics) verstuurn",
|
||||
"Enable URL previews for this room (only affects you)": "URL-voorvertoniengn in dit gesprek inschoakeln (geldt alleene vo joun)",
|
||||
"Enable URL previews by default for participants in this room": "URL-voorvertoniengn standoard vo de gebruukers in dit gesprek inschoakeln",
|
||||
"Enable widget screenshots on supported widgets": "Widget-schermafdrukkn inschoakeln ip oundersteunde widgets",
|
||||
"Show hidden events in timeline": "Verborgn gebeurtenissn ip de tydslyn weregeevn",
|
||||
"Waiting for response from server": "Wachtn ip antwoord van de server",
|
||||
|
@ -440,7 +436,6 @@
|
|||
"Incompatible Database": "Incompatibele database",
|
||||
"Continue With Encryption Disabled": "Verdergoan me versleuterienge uutgeschoakeld",
|
||||
"Unknown error": "Ounbekende foute",
|
||||
"Incorrect password": "Verkeerd paswoord",
|
||||
"Filter results": "Resultoatn filtern",
|
||||
"An error has occurred.": "’t Is e foute ipgetreedn.",
|
||||
"Verify this user to mark them as trusted. Trusting users gives you extra peace of mind when using end-to-end encrypted messages.": "Verifieert deze gebruuker vo n’hem/heur als vertrouwd te markeern. Gebruukers vertrouwn gift je extra gemoedsrust by ’t gebruuk van eind-tout-eind-versleuterde berichtn.",
|
||||
|
@ -511,7 +506,6 @@
|
|||
"Favourite": "Favoriet",
|
||||
"Low Priority": "Leige prioriteit",
|
||||
"Home": "Thuus",
|
||||
"powered by Matrix": "meuglik gemakt deur Matrix",
|
||||
"This homeserver would like to make sure you are not a robot.": "Deze thuusserver wil geirn weetn of da je gy geen robot zyt.",
|
||||
"Please review and accept all of the homeserver's policies": "Gelieve ’t beleid van de thuusserver te leezn en ’anveirdn",
|
||||
"Please review and accept the policies of this homeserver:": "Gelieve ’t beleid van deze thuusserver te leezn en t’anveirdn:",
|
||||
|
@ -577,7 +571,6 @@
|
|||
},
|
||||
"Uploading %(filename)s": "%(filename)s wordt ipgeloadn",
|
||||
"Could not load user profile": "Kostege ’t gebruukersprofiel nie loadn",
|
||||
"The email address linked to your account must be entered.": "’t E-mailadresse da me joun account verboundn is moet ingegeevn wordn.",
|
||||
"A new password must be entered.": "’t Moet e nieuw paswoord ingegeevn wordn.",
|
||||
"New passwords must match each other.": "Nieuwe paswoordn moetn overeenkommn.",
|
||||
"Your password has been reset.": "Je paswoord is heringesteld.",
|
||||
|
@ -590,17 +583,12 @@
|
|||
"Invalid base_url for m.identity_server": "Oungeldige base_url vo m.identity_server",
|
||||
"Identity server URL does not appear to be a valid identity server": "De identiteitsserver-URL lykt geen geldige identiteitsserver te zyn",
|
||||
"General failure": "Algemene foute",
|
||||
"This homeserver does not support login using email address.": "Deze thuusserver biedt geen oundersteunienge voor anmeldn met een e-mailadresse.",
|
||||
"Please <a>contact your service administrator</a> to continue using this service.": "Gelieve <a>contact ip te neemn me je dienstbeheerder</a> vo deze dienst te bluuvn gebruukn.",
|
||||
"Incorrect username and/or password.": "Verkeerde gebruukersnoame en/of paswoord.",
|
||||
"Please note you are logging into the %(hs)s server, not matrix.org.": "Zy je dervan bewust da je jen anmeldt by de %(hs)s-server, nie by matrix.org.",
|
||||
"Failed to perform homeserver discovery": "Ountdekkn van thuusserver is mislukt",
|
||||
"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>.": "Je ku geen verbindienge moakn me de thuusserver via HTTP wanneer dat der een HTTPS-URL in je browserbalk stoat. Gebruukt HTTPS of <a>schoakelt ounveilige scripts in</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.": "Geen verbindienge met de thuusserver - controleer je verbindienge, zorgt dervoorn dan ’t <a>SSL-certificoat van de thuusserver</a> vertrouwd is en dat der geen browserextensies verzoekn blokkeern.",
|
||||
"Create account": "Account anmoakn",
|
||||
"Registration has been disabled on this homeserver.": "Registroasje is uutgeschoakeld ip deze thuusserver.",
|
||||
"Unable to query for supported registration methods.": "Kostege d’oundersteunde registroasjemethodes nie ipvroagn.",
|
||||
"This server does not support authentication with a phone number.": "Deze server biedt geen oundersteunienge voor authenticoasje met e telefongnumero.",
|
||||
"Commands": "Ipdrachtn",
|
||||
"Notify the whole room": "Loat dit an gans ’t groepsgesprek weetn",
|
||||
"Room Notification": "Groepsgespreksmeldienge",
|
||||
|
@ -656,7 +644,6 @@
|
|||
"Your homeserver doesn't seem to support this feature.": "Je thuusserver biedt geen oundersteunienge vo deze functie.",
|
||||
"Resend %(unsentCount)s reaction(s)": "%(unsentCount)s reactie(s) herverstuurn",
|
||||
"Failed to re-authenticate due to a homeserver problem": "’t Heranmeldn is mislukt omwille van e probleem me de thuusserver",
|
||||
"Failed to re-authenticate": "’t Heranmeldn is mislukt",
|
||||
"Find others by phone or email": "Viendt andere menschn via hunder telefongnumero of e-mailadresse",
|
||||
"Be found by phone or email": "Wor gevoundn via je telefongnumero of e-mailadresse",
|
||||
"Use bots, bridges, widgets and sticker packs": "Gebruukt robottn, bruggn, widgets en stickerpakkettn",
|
||||
|
@ -664,11 +651,6 @@
|
|||
"Service": "Dienst",
|
||||
"Summary": "Soamnvattienge",
|
||||
"This account has been deactivated.": "Deezn account is gedeactiveerd gewist.",
|
||||
"Enter your password to sign in and regain access to your account.": "Voert je paswoord in vo jen an te meldn en den toegank tou jen account te herkrygn.",
|
||||
"Forgotten your password?": "Paswoord vergeetn?",
|
||||
"Sign in and regain access to your account.": "Meldt jen heran en herkrygt den toegank tou jen account.",
|
||||
"You cannot sign in to your account. Please contact your homeserver admin for more information.": "Je ku je nie anmeldn me jen account. Nimt contact ip me de beheerder van je thuusserver vo meer informoasje.",
|
||||
"You're signed out": "Je zyt afgemeld",
|
||||
"Clear personal data": "Persoonlike gegeevns wissn",
|
||||
"Checking server": "Server wor gecontroleerd",
|
||||
"Disconnect from the identity server <idserver />?": "Wil je de verbindienge me den identiteitsserver <idserver /> verbreekn?",
|
||||
|
@ -697,7 +679,6 @@
|
|||
"Remove %(email)s?": "%(email)s verwydern?",
|
||||
"Remove %(phone)s?": "%(phone)s verwydern?",
|
||||
"Explore rooms": "Gesprekkn ountdekkn",
|
||||
"Create Account": "Account anmoakn",
|
||||
"Identity server (%(server)s)": "Identiteitsserver (%(server)s)",
|
||||
"Could not connect to identity server": "Kostege geen verbindienge moakn me den identiteitsserver",
|
||||
"Not a valid identity server (status code %(code)s)": "Geen geldigen identiteitsserver (statuscode %(code)s)",
|
||||
|
@ -857,7 +838,9 @@
|
|||
},
|
||||
"appearance": {
|
||||
"timeline_image_size_default": "Standoard"
|
||||
}
|
||||
},
|
||||
"inline_url_previews_room_account": "URL-voorvertoniengn in dit gesprek inschoakeln (geldt alleene vo joun)",
|
||||
"inline_url_previews_room": "URL-voorvertoniengn standoard vo de gebruukers in dit gesprek inschoakeln"
|
||||
},
|
||||
"devtools": {
|
||||
"event_type": "Gebeurtenistype",
|
||||
|
@ -1041,7 +1024,9 @@
|
|||
"addwidget_invalid_protocol": "Gift een https://- of http://-widget-URL in",
|
||||
"addwidget_no_permissions": "J’en kut de widgets in ’t gesprek hier nie anpassn.",
|
||||
"discardsession": "Forceert de huudige uutwoartsche groepssessie in e versleuterd gesprek vo verworpn te wordn",
|
||||
"me": "Toogt actie"
|
||||
"me": "Toogt actie",
|
||||
"op": "Bepoal ’t machtsniveau van e gebruuker",
|
||||
"deop": "Ountmachtigt de gebruuker me de gegeevn ID"
|
||||
},
|
||||
"presence": {
|
||||
"online_for": "Online vo %(duration)s",
|
||||
|
@ -1091,7 +1076,22 @@
|
|||
"account_clash": "Je nieuwen account (%(newAccountId)s) is geregistreerd, mo je zyt al angemeld met een anderen account (%(loggedInUserId)s).",
|
||||
"account_clash_previous_account": "Verdergoan me de vorigen account",
|
||||
"log_in_new_account": "<a>Meldt jen eigen an</a> me je nieuwen account.",
|
||||
"registration_successful": "Registroasje gesloagd"
|
||||
"registration_successful": "Registroasje gesloagd",
|
||||
"footer_powered_by_matrix": "meuglik gemakt deur Matrix",
|
||||
"failed_homeserver_discovery": "Ountdekkn van thuusserver is mislukt",
|
||||
"unsupported_auth_msisdn": "Deze server biedt geen oundersteunienge voor authenticoasje met e telefongnumero.",
|
||||
"unsupported_auth_email": "Deze thuusserver biedt geen oundersteunienge voor anmeldn met een e-mailadresse.",
|
||||
"registration_disabled": "Registroasje is uutgeschoakeld ip deze thuusserver.",
|
||||
"failed_query_registration_methods": "Kostege d’oundersteunde registroasjemethodes nie ipvroagn.",
|
||||
"incorrect_password": "Verkeerd paswoord",
|
||||
"failed_soft_logout_auth": "’t Heranmeldn is mislukt",
|
||||
"soft_logout_heading": "Je zyt afgemeld",
|
||||
"forgot_password_email_required": "’t E-mailadresse da me joun account verboundn is moet ingegeevn wordn.",
|
||||
"forgot_password_prompt": "Paswoord vergeetn?",
|
||||
"soft_logout_intro_password": "Voert je paswoord in vo jen an te meldn en den toegank tou jen account te herkrygn.",
|
||||
"soft_logout_intro_sso": "Meldt jen heran en herkrygt den toegank tou jen account.",
|
||||
"soft_logout_intro_unsupported_auth": "Je ku je nie anmeldn me jen account. Nimt contact ip me de beheerder van je thuusserver vo meer informoasje.",
|
||||
"register_action": "Account anmoakn"
|
||||
},
|
||||
"export_chat": {
|
||||
"messages": "Berichtn"
|
||||
|
|
|
@ -44,7 +44,6 @@
|
|||
"Signed Out": "已退出登录",
|
||||
"This email address is already in use": "此邮箱地址已被使用",
|
||||
"This email address was not found": "未找到此邮箱地址",
|
||||
"The email address linked to your account must be entered.": "必须输入和你账户关联的邮箱地址。",
|
||||
"A new password must be entered.": "必须输入新密码。",
|
||||
"An error has occurred.": "发生了一个错误。",
|
||||
"Banned users": "被封禁的用户",
|
||||
|
@ -91,7 +90,6 @@
|
|||
"Permissions": "权限",
|
||||
"Phone": "电话",
|
||||
"Create new room": "创建新房间",
|
||||
"powered by Matrix": "由 Matrix 驱动",
|
||||
"unknown error code": "未知错误代码",
|
||||
"Account": "账户",
|
||||
"Low priority": "低优先级",
|
||||
|
@ -114,13 +112,11 @@
|
|||
"File to import": "要导入的文件",
|
||||
"Failed to invite": "邀请失败",
|
||||
"Unknown error": "未知错误",
|
||||
"Incorrect password": "密码错误",
|
||||
"Unable to restore session": "无法恢复会话",
|
||||
"Token incorrect": "令牌错误",
|
||||
"URL Previews": "URL预览",
|
||||
"Drop file here to upload": "把文件拖到这里以上传",
|
||||
"Delete widget": "删除挂件",
|
||||
"Define the power level of a user": "定义一名用户的权力级别",
|
||||
"Failed to change power level": "权力级别修改失败",
|
||||
"New passwords must match each other.": "新密码必须互相匹配。",
|
||||
"Power level must be positive integer.": "权力级别必须是正整数。",
|
||||
|
@ -140,7 +136,6 @@
|
|||
"Publish this room to the public in %(domain)s's room directory?": "是否将此房间发布至 %(domain)s 的房间目录中?",
|
||||
"No users have specific privileges in this room": "此房间中没有用户有特殊权限",
|
||||
"Please check your email and click on the link it contains. Once this is done, click continue.": "请检查你的电子邮箱并点击里面包含的链接。完成时请点击继续。",
|
||||
"Deops user with given id": "按照 ID 取消特定用户的管理员权限",
|
||||
"AM": "上午",
|
||||
"PM": "下午",
|
||||
"Profile": "个人资料",
|
||||
|
@ -163,7 +158,6 @@
|
|||
"You cannot place a call with yourself.": "你不能打给自己。",
|
||||
"You have <a>disabled</a> URL previews by default.": "你已经默认<a>禁用</a>URL预览。",
|
||||
"You have <a>enabled</a> URL previews by default.": "你已经默认<a>启用</a>URL预览。",
|
||||
"This server does not support authentication with a phone number.": "此服务器不支持使用电话号码认证。",
|
||||
"Copied!": "已复制!",
|
||||
"Failed to copy": "复制失败",
|
||||
"Sent messages will be stored until your connection has returned.": "已发送的消息会被保存直到你的连接回来。",
|
||||
|
@ -203,8 +197,6 @@
|
|||
"Unignored user": "未忽略的用户",
|
||||
"You are no longer ignoring %(userId)s": "你不再忽视 %(userId)s",
|
||||
"Send": "发送",
|
||||
"Enable URL previews for this room (only affects you)": "对此房间启用URL预览(仅影响你)",
|
||||
"Enable URL previews by default for participants in this room": "对此房间的所有参与者默认启用URL预览",
|
||||
"Unignore": "取消忽略",
|
||||
"Jump to read receipt": "跳到阅读回执",
|
||||
"Unnamed room": "未命名的房间",
|
||||
|
@ -532,11 +524,7 @@
|
|||
"Invalid homeserver discovery response": "无效的家服务器搜索响应",
|
||||
"Invalid identity server discovery response": "无效的身份服务器搜索响应",
|
||||
"General failure": "一般错误",
|
||||
"This homeserver does not support login using email address.": "此家服务器不支持使用电子邮箱地址登录。",
|
||||
"Failed to perform homeserver discovery": "无法执行家服务器搜索",
|
||||
"Create account": "创建账户",
|
||||
"Registration has been disabled on this homeserver.": "此家服务器已禁止注册。",
|
||||
"Unable to query for supported registration methods.": "无法查询支持的注册方法。",
|
||||
"That matches!": "匹配成功!",
|
||||
"That doesn't match.": "不匹配。",
|
||||
"Go back to set it again.": "返回重新设置。",
|
||||
|
@ -590,15 +578,11 @@
|
|||
"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 /> 以验证邮箱或电话号码,但此服务器无任何服务条款。",
|
||||
"Only continue if you trust the owner of the server.": "只有在你信任服务器所有者后才能继续。",
|
||||
"%(name)s is requesting verification": "%(name)s 正在请求验证",
|
||||
"Sign In or Create Account": "登录或创建账户",
|
||||
"Use your account or create a new one to continue.": "使用已有账户或创建一个新账户。",
|
||||
"Create Account": "创建账户",
|
||||
"Error upgrading room": "升级房间时发生错误",
|
||||
"Double check that your server supports the room version chosen and try again.": "请再次检查你的服务器是否支持所选房间版本,然后再试一次。",
|
||||
"Use an identity server": "使用身份服务器",
|
||||
"Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "使用身份服务器以通过电子邮件邀请其他用户。单击继续以使用默认身份服务器(%(defaultIdentityServerName)s),或在设置中进行管理。",
|
||||
"Use an identity server to invite by email. Manage in Settings.": "使用身份服务器以通过电子邮件邀请其他用户。在设置中进行管理。",
|
||||
"Could not find user in room": "房间中无用户",
|
||||
"Verifies a user, session, and pubkey tuple": "验证用户、会话和公钥元组",
|
||||
"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!": "警告:密钥验证失败!%(userId)s 的会话 %(deviceId)s 的签名密钥为 %(fprint)s,与提供的密钥 %(fingerprint)s 不符。这可能表示你的通讯已被截获!",
|
||||
|
@ -612,7 +596,6 @@
|
|||
"Ensure you have a stable internet connection, or get in touch with the server admin": "确保你的网络连接稳定,或与服务器管理员联系",
|
||||
"Ask your %(brand)s admin to check <a>your config</a> for incorrect or duplicate entries.": "跟你的%(brand)s管理员确认<a>你的配置</a>不正确或重复的条目。",
|
||||
"Cannot reach identity server": "无法连接到身份服务器",
|
||||
"Joins room with given address": "使用指定地址加入房间",
|
||||
"Are you sure you want to cancel entering passphrase?": "你确定要取消输入口令词组吗?",
|
||||
"You can register, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "你可以注册,但部分功能在身份服务器重新上线之前不可用。如果持续看到此警告,请检查配置或联系服务器管理员。",
|
||||
"You can reset your password, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "你可以重置密码,但部分功能在身份服务器重新上线之前不可用。如果持续看到此警告,请检查配置或联系服务器管理员。",
|
||||
|
@ -939,9 +922,6 @@
|
|||
"Clear all data in this session?": "是否清除此会话中的所有数据?",
|
||||
"Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "清除此会话中的所有数据是永久的。加密消息会丢失,除非其密钥已被备份。",
|
||||
"Clear all data": "清除所有数据",
|
||||
"Please enter a name for the room": "请输入房间名称",
|
||||
"Enable end-to-end encryption": "启用端到端加密",
|
||||
"Topic (optional)": "话题(可选)",
|
||||
"Hide advanced": "隐藏高级",
|
||||
"Show advanced": "显示高级",
|
||||
"You've previously used a newer version of %(brand)s with this session. To use this version again with end to end encryption, you will need to sign out and back in again.": "你曾在此会话中使用了一个更新版本的 %(brand)s。要再使用此版本并使用端到端加密,你需要登出再重新登录。",
|
||||
|
@ -1060,21 +1040,13 @@
|
|||
"Switch to dark mode": "切换到深色模式",
|
||||
"Switch theme": "切换主题",
|
||||
"All settings": "所有设置",
|
||||
"Feedback": "反馈",
|
||||
"Failed to get autodiscovery configuration from server": "从服务器获取自动发现配置时失败",
|
||||
"Invalid base_url for m.homeserver": "m.homeserver 的 base_url 无效",
|
||||
"Homeserver URL does not appear to be a valid Matrix homeserver": "家服务器链接不像是有效的 Matrix 家服务器",
|
||||
"Invalid base_url for m.identity_server": "m.identity_server 的 base_url 无效",
|
||||
"Identity server URL does not appear to be a valid identity server": "身份服务器链接不像是有效的身份服务器",
|
||||
"This account has been deactivated.": "此账户已被停用。",
|
||||
"If you've joined lots of rooms, this might take a while": "如果你加入了很多房间,可能会消耗一些时间",
|
||||
"Failed to re-authenticate due to a homeserver problem": "由于家服务器的问题,重新认证失败",
|
||||
"Failed to re-authenticate": "重新认证失败",
|
||||
"Enter your password to sign in and regain access to your account.": "输入你的密码以登录并重新获取访问你账户的权限。",
|
||||
"Forgotten your password?": "忘记你的密码了吗?",
|
||||
"Sign in and regain access to your account.": "请登录以重新获取访问你账户的权限。",
|
||||
"You cannot sign in to your account. Please contact your homeserver admin for more information.": "你不能登录到你的账户。请联系你的家服务器管理员以获取更多信息。",
|
||||
"You're signed out": "你已登出",
|
||||
"Clear personal data": "清除个人数据",
|
||||
"Command Autocomplete": "命令自动补全",
|
||||
"Emoji Autocomplete": "表情符号自动补全",
|
||||
|
@ -1212,7 +1184,6 @@
|
|||
"Too Many Calls": "太多通话",
|
||||
"Answered Elsewhere": "已在别处接听",
|
||||
"Room settings": "房间设置",
|
||||
"About homeservers": "关于家服务器",
|
||||
"Share invite link": "分享邀请链接",
|
||||
"Click to copy": "点击复制",
|
||||
"Your private space": "你的私有空间",
|
||||
|
@ -1226,19 +1197,6 @@
|
|||
"Enable desktop notifications": "开启桌面通知",
|
||||
"Don't miss a reply": "不要错过任何回复",
|
||||
"This homeserver has been blocked by its administrator.": "此 homeserver 已被其管理员屏蔽。",
|
||||
"Send stickers to this room as you": "以你的身份发送贴纸到此房间",
|
||||
"Change the avatar of your active room": "更改活跃房间的头像",
|
||||
"Change the avatar of this room": "更改当前房间的头像",
|
||||
"Change the name of your active room": "更改活跃房间的名称",
|
||||
"Change the name of this room": "更改当前房间的名称",
|
||||
"Change the topic of your active room": "更改当前活跃房间的话题",
|
||||
"Change the topic of this room": "更改当前房间的话题",
|
||||
"Change which room, message, or user you're viewing": "更改当前正在查看哪个房间、消息或用户",
|
||||
"Change which room you're viewing": "更改当前正在查看哪个房间",
|
||||
"Send stickers into your active room": "发送贴纸到你的活跃房间",
|
||||
"Send stickers into this room": "发送贴纸到此房间",
|
||||
"Remain on your screen while running": "运行时始终保留在你的屏幕上",
|
||||
"Remain on your screen when viewing another room, when running": "运行时始终保留在你的屏幕上,即使你在浏览其它房间",
|
||||
"%(count)s members": {
|
||||
"one": "%(count)s 位成员",
|
||||
"other": "%(count)s 位成员"
|
||||
|
@ -1248,10 +1206,7 @@
|
|||
"Wrong Security Key": "安全密钥错误",
|
||||
"Save Changes": "保存修改",
|
||||
"Leave Space": "离开空间",
|
||||
"Other homeserver": "其他家服务器",
|
||||
"Specify a homeserver": "指定家服务器",
|
||||
"Transfer": "传输",
|
||||
"Send feedback": "发送反馈",
|
||||
"Reason (optional)": "理由(可选)",
|
||||
"Create a new room": "创建新房间",
|
||||
"Spaces": "空间",
|
||||
|
@ -1274,7 +1229,6 @@
|
|||
"Leave space": "离开空间",
|
||||
"Share your public space": "分享你的公共空间",
|
||||
"Create a space": "创建空间",
|
||||
"The <b>%(capability)s</b> capability": "<b>%(capability)s</b> 容量",
|
||||
"Your server does not support showing space hierarchies.": "你的服务器不支持显示空间层次结构。",
|
||||
"This version of %(brand)s does not support searching encrypted messages": "当前版本的 %(brand)s 不支持搜索加密消息",
|
||||
"This version of %(brand)s does not support viewing some encrypted files": "当前版本的 %(brand)s 不支持查看某些加密文件",
|
||||
|
@ -1380,9 +1334,6 @@
|
|||
"This widget would like to:": "此挂件想要:",
|
||||
"Approve widget permissions": "批准挂件权限",
|
||||
"Failed to save space settings.": "空间设置保存失败。",
|
||||
"Sign into your homeserver": "登录你的家服务器",
|
||||
"Unable to validate homeserver": "无法验证家服务器",
|
||||
"Invalid URL": "URL 无效",
|
||||
"Modal Widget": "模态框挂件(Modal Widget)",
|
||||
"Widget added by": "挂件添加者",
|
||||
"Set my room layout for everyone": "将我的房间布局设置给所有人",
|
||||
|
@ -1400,29 +1351,11 @@
|
|||
"Add some details to help people recognise it.": "添加一些细节,以便人们辨识你的社群。",
|
||||
"Open space for anyone, best for communities": "适合每一个人的开放空间,社群的理想选择",
|
||||
"New version of %(brand)s is available": "%(brand)s 有新版本可用",
|
||||
"Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.": "请先查找一下 <existingIssuesLink>Github 上已有的问题</existingIssuesLink>,以免重复。找不到重复问题?<newIssueLink>发起一个吧</newIssueLink>。",
|
||||
"PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "专业建议:如果你要发起新问题,请一并提交<debugLogsLink>调试日志</debugLogsLink>,以便我们找出问题根源。",
|
||||
"with state key %(stateKey)s": "附带有状态键(state key)%(stateKey)s",
|
||||
"Your server requires encryption to be enabled in private rooms.": "你的服务器要求私有房间得启用加密。",
|
||||
"Space selection": "空间选择",
|
||||
"See when the avatar changes in this room": "查看此房间的头像何时被修改",
|
||||
"See when the name changes in your active room": "查看你的活跃房间的名称何时被修改",
|
||||
"See when the name changes in this room": "查看此房间的名称何时被修改",
|
||||
"See when the topic changes in your active room": "查看你的活跃房间的话题何时被修改",
|
||||
"See when the topic changes in this room": "查看此房间的话题何时被修改",
|
||||
"See <b>%(eventType)s</b> events posted to this room": "查看此房间中发送的 <b>%(eventType)s</b> 事件",
|
||||
"See <b>%(eventType)s</b> events posted to your active room": "查看你的活跃房间中发送的 <b>%(eventType)s</b> 事件",
|
||||
"Send <b>%(eventType)s</b> events as you in your active room": "以你的身份在你的活跃房间发送<b>%(eventType)s</b>事件",
|
||||
"Send <b>%(eventType)s</b> events as you in this room": "以你的身份在此房间发送 <b>%(eventType)s</b> 事件",
|
||||
"with an empty state key": "附带一个空的状态键(state key)",
|
||||
"See when a sticker is posted in this room": "查看此房间中何时有人发送贴纸",
|
||||
"See when the avatar changes in your active room": "查看你的活跃房间的头像何时修改",
|
||||
"Invite to %(roomName)s": "邀请至 %(roomName)s",
|
||||
"Invite to %(spaceName)s": "邀请至 %(spaceName)s",
|
||||
"Failed to transfer call": "通话转移失败",
|
||||
"Invite by email": "通过邮箱邀请",
|
||||
"Comment": "备注",
|
||||
"Feedback sent": "反馈已发送",
|
||||
"Edit devices": "编辑设备",
|
||||
"Suggested Rooms": "建议的房间",
|
||||
"Recently visited rooms": "最近访问的房间",
|
||||
|
@ -1555,7 +1488,6 @@
|
|||
"Guinea-Bissau": "几内亚比绍",
|
||||
"Guinea": "几内亚",
|
||||
"Guernsey": "根西岛",
|
||||
"You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "你可以启用此选项如果此房间将仅用于你的家服务器上的内部团队协作。此选项之后无法更改。",
|
||||
"Unable to access secret storage. Please verify that you entered the correct Security Phrase.": "无法访问秘密存储。请确认你输入了正确的安全短语。",
|
||||
"Backup could not be decrypted with this Security Key: please verify that you entered the correct Security Key.": "无法使用此安全密钥解密备份:请检查你输入的安全密钥是否正确。",
|
||||
"This session has detected that your Security Phrase and key for Secure Messages have been removed.": "此会话已检测到你的安全短语和安全消息密钥被移除。",
|
||||
|
@ -1564,9 +1496,6 @@
|
|||
"Great! This Security Phrase looks strong enough.": "棒!这个安全短语看着够强。",
|
||||
"Space Autocomplete": "空间自动完成",
|
||||
"Verify your identity to access encrypted messages and prove your identity to others.": "验证你的身份来获取已加密的消息并向其他人证明你的身份。",
|
||||
"New? <a>Create account</a>": "新来的?<a>创建账户</a>",
|
||||
"New here? <a>Create an account</a>": "新来的?<a>创建账户</a>",
|
||||
"Got an account? <a>Sign in</a>": "有账户了?<a>登录</a>",
|
||||
"You can add more later too, including already existing ones.": "稍后你可以添加更多房间,包括现有的。",
|
||||
"Let's create a room for each of them.": "让我们为每个主题都创建一个房间吧。",
|
||||
"What are some things you want to discuss in %(spaceName)s?": "你想在 %(spaceName)s 中讨论什么?",
|
||||
|
@ -1605,7 +1534,6 @@
|
|||
"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": "如果这样做,请注意你的消息并不会被删除,但在重新建立索引时,搜索体验可能会降低片刻",
|
||||
"You most likely do not want to reset your event index store": "你大概率不想重置你的活动缩影存储",
|
||||
"Reset event store?": "重置活动存储?",
|
||||
"Use your preferred Matrix homeserver if you have one, or host your own.": "使用你偏好的Matrix家服务器,如果你有的话,或自己架设一个。",
|
||||
"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.": "这通常仅影响服务器如何处理房间。如果你的 %(brand)s 遇到问题,请回报错误。",
|
||||
"Just a heads up, if you don't add an email and forget your password, you could <b>permanently lose access to your account</b>.": "请注意,如果你不添加电子邮箱并且忘记密码,你将<b>永远失去对你账户的访问权</b>。",
|
||||
"Continuing without email": "不使用电子邮箱并继续",
|
||||
|
@ -1620,8 +1548,6 @@
|
|||
"Start a conversation with someone using their name, email address or username (like <userId/>).": "使用某人的名称、电子邮箱地址或用户名来与其开始对话(如 <userId/>)。",
|
||||
"A call can only be transferred to a single user.": "通话只能转移到单个用户。",
|
||||
"We couldn't create your DM.": "我们无法创建你的私聊。",
|
||||
"Block anyone not part of %(serverName)s from ever joining this room.": "阻住任何不属于 %(serverName)s 的人加入此房间。",
|
||||
"You might disable this if the room will be used for collaborating with external teams who have their own homeserver. This cannot be changed later.": "若房间将用于与拥有自己的家服务器的外部团队协作,则你可禁用此功能。这无法在以后更改。",
|
||||
"What do you want to organise?": "你想要组织什么?",
|
||||
"Skip for now": "暂时跳过",
|
||||
"Failed to create initial space rooms": "创建初始空间房间失败",
|
||||
|
@ -1631,7 +1557,6 @@
|
|||
"You may want to try a different search or check for typos.": "你可能要尝试其他搜索或检查是否有错别字。",
|
||||
"You may contact me if you have any follow up questions": "如果你有任何后续问题,可以联系我",
|
||||
"To leave the beta, visit your settings.": "要离开beta,请访问你的设置。",
|
||||
"Your platform and username will be noted to help us use your feedback as much as we can.": "我们将会记录你的平台及用户名,以帮助我们尽我们所能地使用你的反馈。",
|
||||
"Want to add a new room instead?": "想要添加一个新的房间吗?",
|
||||
"Add existing rooms": "添加现有房间",
|
||||
"Adding rooms... (%(progress)s out of %(count)s)": {
|
||||
|
@ -1679,13 +1604,6 @@
|
|||
"unknown person": "陌生人",
|
||||
"%(deviceId)s from %(ip)s": "来自 %(ip)s 的 %(deviceId)s",
|
||||
"Review to ensure your account is safe": "检查以确保你的账户是安全的",
|
||||
"See <b>%(msgtype)s</b> messages posted to your active room": "查看发布到你所活跃的房间的 <b>%(msgtype)s</b> 消息",
|
||||
"See <b>%(msgtype)s</b> messages posted to this room": "查看发布到此房间的 <b>%(msgtype)s</b> 消息",
|
||||
"Send <b>%(msgtype)s</b> messages as you in your active room": "在你所活跃的房间以你的身份发送 <b>%(msgtype)s</b> 消息",
|
||||
"Send <b>%(msgtype)s</b> messages as you in this room": "在此房间以你的身份发送 <b>%(msgtype)s</b> 消息",
|
||||
"See general files posted to your active room": "查看发布到你所活跃的房间的一般性文件",
|
||||
"See general files posted to this room": "查看发布到此房间的一般性文件",
|
||||
"Send general files as you in your active room": "在你所活跃的房间以你的身份发送一般性文件",
|
||||
"Are you sure you want to leave the space '%(spaceName)s'?": "你确定要离开空间「%(spaceName)s」吗?",
|
||||
"This space is not public. You will not be able to rejoin without an invite.": "此空间并不公开。在没有得到邀请的情况下,你将无法重新加入。",
|
||||
"You are the only person here. If you leave, no one will be able to join in the future, including you.": "你是这里唯一的人。如果你离开了,以后包括你在内任何人都将无法加入。",
|
||||
|
@ -1708,31 +1626,6 @@
|
|||
"Access your secure message history and set up secure messaging by entering your Security Phrase.": "无法通过你的安全短语访问你的安全消息历史记录并设置安全通信。",
|
||||
"Backup could not be decrypted with this Security Phrase: please verify that you entered the correct Security Phrase.": "无法使用此安全短语解密备份:请确认你是否输入了正确的安全短语。",
|
||||
"Incorrect Security Phrase": "安全短语错误",
|
||||
"Send general files as you in this room": "查看发布到此房间的一般性文件",
|
||||
"See videos posted to your active room": "查看发布到你所活跃的房间的视频",
|
||||
"See videos posted to this room": "查看发布到此房间的视频",
|
||||
"Send videos as you in your active room": "查看发布到你所活跃的房间的视频",
|
||||
"Send videos as you in this room": "查看发布到此房间的视频",
|
||||
"See images posted to your active room": "查看发布到你所活跃的房间的图片",
|
||||
"See images posted to this room": "查看发布到此房间的图片",
|
||||
"Send images as you in your active room": "在你所活跃的房间以你的身份发送图片",
|
||||
"Send images as you in this room": "在此房间以你的身份发送图片",
|
||||
"See emotes posted to your active room": "查看发布到你所活跃的房间的表情",
|
||||
"See emotes posted to this room": "查看发布到此房间的表情",
|
||||
"Send emotes as you in your active room": "在你所活跃的房间以你的身份发送表情",
|
||||
"Send emotes as you in this room": "在此房间以你的身份发送表情",
|
||||
"See text messages posted to your active room": "查看发布到你所活跃的房间的文本消息",
|
||||
"See text messages posted to this room": "查看发布到此房间的文本消息",
|
||||
"Send text messages as you in your active room": "在你所活跃的房间以你的身份发送文本消息",
|
||||
"Send text messages as you in this room": "在此房间以你的身份发送文本消息",
|
||||
"See messages posted to your active room": "查看发布到你所活跃的房间的消息",
|
||||
"See messages posted to this room": "查看发布到此房间的消息",
|
||||
"Send messages as you in your active room": "在你所活跃的房间以你的身份发送消息",
|
||||
"Send messages as you in this room": "在此房间以你的身份发送消息",
|
||||
"See when anyone posts a sticker to your active room": "查看何时有人发送贴纸到你所活跃的房间",
|
||||
"Send stickers to your active room as you": "发送贴纸到你所活跃的房间",
|
||||
"See when people join, leave, or are invited to your active room": "查看人们何时加入、离开或被邀请到你所活跃的房间",
|
||||
"See when people join, leave, or are invited to this room": "查看人们加入、离开或被邀请到此房间的时间",
|
||||
"Currently joining %(count)s rooms": {
|
||||
"one": "目前正在加入 %(count)s 个房间",
|
||||
"other": "目前正在加入 %(count)s 个房间"
|
||||
|
@ -1836,15 +1729,7 @@
|
|||
"Anyone in <SpaceName/> will be able to find and join.": "<SpaceName/> 中的任何人都可以找到并加入。",
|
||||
"Private space (invite only)": "私有空间(仅邀请)",
|
||||
"Space visibility": "空间可见度",
|
||||
"Visible to space members": "对空间成员可见",
|
||||
"Public room": "公共房间",
|
||||
"Private room (invite only)": "私有房间(仅邀请)",
|
||||
"Room visibility": "房间可见度",
|
||||
"Only people invited will be able to find and join this room.": "只有被邀请的人才能找到并加入这个房间。",
|
||||
"Anyone will be able to find and join this room.": "任何人都可以找到并加入这个房间。",
|
||||
"Anyone will be able to find and join this room, not just members of <SpaceName/>.": "任何人都可以找到并加入这个房间,而不仅仅是 <SpaceName/> 的成员。",
|
||||
"Everyone in <SpaceName/> will be able to find and join this room.": "<SpaceName/> 中的每个人都可以找到并加入这个房间。",
|
||||
"You can change this at any time from room settings.": "你可以随时从房间设置中更改此设置。",
|
||||
"Adding spaces has moved.": "新增空间已移动。",
|
||||
"Search for rooms": "搜索房间",
|
||||
"Search for spaces": "搜索空间",
|
||||
|
@ -1898,8 +1783,6 @@
|
|||
"To avoid these issues, create a <a>new encrypted room</a> for the conversation you plan to have.": "为避免这些问题,请为计划中的对话创建一个<a>新的加密房间</a>。",
|
||||
"Are you sure you want to add encryption to this public room?": "你确定要为此公开房间开启加密吗?",
|
||||
"Cross-signing is ready but keys are not backed up.": "交叉签名已就绪,但尚未备份密钥。",
|
||||
"The above, but in <Room /> as well": "以上,但也包括 <Room />",
|
||||
"The above, but in any room you are joined or invited to as well": "以上,但也包括你加入或被邀请的任何房间中",
|
||||
"Some encryption parameters have been changed.": "一些加密参数已更改。",
|
||||
"Role in <RoomName/>": "<RoomName/> 中的角色",
|
||||
"Unknown failure": "未知失败",
|
||||
|
@ -1957,7 +1840,6 @@
|
|||
"View in room": "在房间内查看",
|
||||
"Enter your Security Phrase or <button>use your Security Key</button> to continue.": "输入安全短语或<button>使用安全密钥</button>以继续。",
|
||||
"What projects are your team working on?": "你的团队正在进行什么项目?",
|
||||
"The email address doesn't appear to be valid.": "电子邮件地址似乎无效。",
|
||||
"See room timeline (devtools)": "查看房间时间线(开发工具)",
|
||||
"Developer mode": "开发者模式",
|
||||
"Insert link": "插入链接",
|
||||
|
@ -1985,10 +1867,7 @@
|
|||
"Without verifying, you won't have access to all your messages and may appear as untrusted to others.": "如果不进行验证,您将无法访问您的所有消息,并且在其他人看来可能不受信任。",
|
||||
"Shows all threads you've participated in": "显示您参与的所有消息列",
|
||||
"You're all caught up": "一切完毕",
|
||||
"We call the places where you can host your account 'homeservers'.": "我们将您可以托管账户的地方称为“家服务器”。",
|
||||
"Matrix.org is the biggest public homeserver in the world, so it's a good place for many.": "Matrix.org 是世界上最大的公共家服务器,因此对许多人来说是一个好地方。",
|
||||
"If you can't see who you're looking for, send them your invite link below.": "如果您看不到您要找的人,请将您的邀请链接发送给他们。",
|
||||
"You can't disable this later. Bridges & most bots won't work yet.": "之后你无法停用。桥接和大多数机器人也不能工作。",
|
||||
"In encrypted rooms, verify all users to ensure it's secure.": "在加密房间中,验证所有用户以确保其安全。",
|
||||
"Yours, or the other users' session": "你或其他用户的会话",
|
||||
"Yours, or the other users' internet connection": "你或其他用户的互联网连接",
|
||||
|
@ -2006,7 +1885,6 @@
|
|||
"You do not have permission to start polls in this room.": "你无权在此房间启动投票。",
|
||||
"Copy link to thread": "复制到消息列的链接",
|
||||
"Thread options": "消息列选项",
|
||||
"Someone already has that username, please try another.": "用户名已被占用,请尝试使用其他用户名。",
|
||||
"Someone already has that username. Try another or if it is you, sign in below.": "该名称已被占用。 尝试另一个,或者如果是您,请在下面登录。",
|
||||
"Show tray icon and minimise window to it on close": "显示托盘图标并在关闭时最小化窗口至托盘",
|
||||
"Reply in thread": "在消息列中回复",
|
||||
|
@ -2054,7 +1932,6 @@
|
|||
"Quick settings": "快速设置",
|
||||
"Spaces you know that contain this space": "你知道的包含这个空间的空间",
|
||||
"Chat": "聊天",
|
||||
"You may contact me if you want to follow up or to let me test out upcoming ideas": "如果您想跟进或让我测试即将到来的想法,您可以与我联系",
|
||||
"Home options": "主页选项",
|
||||
"%(spaceName)s menu": "%(spaceName)s菜单",
|
||||
"Join public room": "加入公共房间",
|
||||
|
@ -2097,7 +1974,6 @@
|
|||
"Sections to show": "要显示的部分",
|
||||
"Failed to load list of rooms.": "加载房间列表失败。",
|
||||
"Open in OpenStreetMap": "在 OpenStreetMap 中打开",
|
||||
"Command error: Unable to handle slash command.": "命令错误:无法处理斜杠命令。",
|
||||
"Failed to invite users to %(roomName)s": "未能邀请用户加入 %(roomName)s",
|
||||
"Back to thread": "返回消息列",
|
||||
"Room members": "房间成员",
|
||||
|
@ -2135,12 +2011,8 @@
|
|||
"In %(spaceName)s.": "在 %(spaceName)s 空间。",
|
||||
"In spaces %(space1Name)s and %(space2Name)s.": "在 %(space1Name)s 和 %(space2Name)s 空间。",
|
||||
"%(space1Name)s and %(space2Name)s": "%(space1Name)s 与 %(space2Name)s",
|
||||
"Remove, ban, or invite people to your active room, and make you leave": "移除、封禁或邀请他人加入你的活跃房间,方可离开",
|
||||
"Remove, ban, or invite people to this room, and make you leave": "移除、封禁或邀请他人加入此房间,方可离开",
|
||||
"Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "未知用户会话配对:(%(userId)s:%(deviceId)s)",
|
||||
"Command failed: Unable to find room (%(roomId)s": "命令失败:无法找到房间(%(roomId)s)",
|
||||
"Unrecognised room address: %(roomAlias)s": "无法识别的房间地址:%(roomAlias)s",
|
||||
"Command error: Unable to find rendering type (%(renderingType)s)": "命令错误:无法找到渲染类型(%(renderingType)s)",
|
||||
"Failed to remove user": "移除用户失败",
|
||||
"Pinned": "已固定",
|
||||
"To proceed, please accept the verification request on your other device.": "要继续进行,请接受你另一设备上的验证请求。",
|
||||
|
@ -2190,10 +2062,6 @@
|
|||
"Poll": "投票",
|
||||
"Voice Message": "语音消息",
|
||||
"Hide stickers": "隐藏贴纸",
|
||||
"You can't see earlier messages": "你不能查看更早的消息",
|
||||
"Encrypted messages before this point are unavailable.": "在此之前的加密消息不可用。",
|
||||
"You don't have permission to view messages from before you joined.": "你没有权限查看你加入前的消息。",
|
||||
"You don't have permission to view messages from before you were invited.": "你没有权限查看你被邀请之前的消息。",
|
||||
"From a thread": "来自消息列",
|
||||
"View older version of %(spaceName)s.": "查看%(spaceName)s的旧版本。",
|
||||
"If you can't find the room you're looking for, ask for an invite or create a new room.": "若你找不到要找的房间,请请求邀请或创建新房间。",
|
||||
|
@ -2314,7 +2182,6 @@
|
|||
"Show rooms": "显示房间",
|
||||
"Show spaces": "显示空间",
|
||||
"You cannot search for rooms that are neither a room nor a space": "你无法搜索既不是房间也不是空间的房间",
|
||||
"You can't disable this later. The room will be encrypted but the embedded call will not.": "你以后无法停用。房间将会加密但是嵌入的通话不会。",
|
||||
"Stop and close": "停止并关闭",
|
||||
"You don't have permission to share locations": "你没有权限分享位置",
|
||||
"You need to have the right permissions in order to share locations in this room.": "你需要拥有正确的权限才能在此房间中共享位置。",
|
||||
|
@ -2494,7 +2361,6 @@
|
|||
"User (%(user)s) did not end up as invited to %(roomId)s but no error was given from the inviter utility": "用户(%(user)s)最终未被邀请到%(roomId)s,但邀请工具没给出错误",
|
||||
"Failed to read events": "读取时间失败",
|
||||
"Failed to send event": "发送事件失败",
|
||||
"Use your account to continue.": "使用你的账户继续。",
|
||||
"Your email address does not appear to be associated with a Matrix ID on this homeserver.": "你的电子邮件地址似乎未与此家服务器上的Matrix ID关联。",
|
||||
"%(senderName)s started a voice broadcast": "%(senderName)s开始了语音广播",
|
||||
"This may be caused by having the app open in multiple tabs or due to clearing browser data.": "这可能是由于在多个标签页中打开此应用,或由于清除浏览器数据。",
|
||||
|
@ -2587,7 +2453,8 @@
|
|||
"cross_signing": "交叉签名",
|
||||
"identity_server": "身份服务器",
|
||||
"integration_manager": "集成管理器",
|
||||
"qr_code": "二维码"
|
||||
"qr_code": "二维码",
|
||||
"feedback": "反馈"
|
||||
},
|
||||
"action": {
|
||||
"continue": "继续",
|
||||
|
@ -3017,7 +2884,9 @@
|
|||
"timeline_image_size": "时间线中的图像大小",
|
||||
"timeline_image_size_default": "默认",
|
||||
"timeline_image_size_large": "大"
|
||||
}
|
||||
},
|
||||
"inline_url_previews_room_account": "对此房间启用URL预览(仅影响你)",
|
||||
"inline_url_previews_room": "对此房间的所有参与者默认启用URL预览"
|
||||
},
|
||||
"devtools": {
|
||||
"send_custom_account_data_event": "发送自定义账户数据事件",
|
||||
|
@ -3136,7 +3005,24 @@
|
|||
"title_public_room": "创建一个公共房间",
|
||||
"title_private_room": "创建一个私人房间",
|
||||
"action_create_video_room": "创建视频房间",
|
||||
"action_create_room": "创建房间"
|
||||
"action_create_room": "创建房间",
|
||||
"name_validation_required": "请输入房间名称",
|
||||
"join_rule_restricted_label": "<SpaceName/> 中的每个人都可以找到并加入这个房间。",
|
||||
"join_rule_change_notice": "你可以随时从房间设置中更改此设置。",
|
||||
"join_rule_public_parent_space_label": "任何人都可以找到并加入这个房间,而不仅仅是 <SpaceName/> 的成员。",
|
||||
"join_rule_public_label": "任何人都可以找到并加入这个房间。",
|
||||
"join_rule_invite_label": "只有被邀请的人才能找到并加入这个房间。",
|
||||
"encrypted_video_room_warning": "你以后无法停用。房间将会加密但是嵌入的通话不会。",
|
||||
"encrypted_warning": "之后你无法停用。桥接和大多数机器人也不能工作。",
|
||||
"encryption_forced": "你的服务器要求私有房间得启用加密。",
|
||||
"encryption_label": "启用端到端加密",
|
||||
"unfederated_label_default_off": "你可以启用此选项如果此房间将仅用于你的家服务器上的内部团队协作。此选项之后无法更改。",
|
||||
"unfederated_label_default_on": "若房间将用于与拥有自己的家服务器的外部团队协作,则你可禁用此功能。这无法在以后更改。",
|
||||
"topic_label": "话题(可选)",
|
||||
"room_visibility_label": "房间可见度",
|
||||
"join_rule_invite": "私有房间(仅邀请)",
|
||||
"join_rule_restricted": "对空间成员可见",
|
||||
"unfederated": "阻住任何不属于 %(serverName)s 的人加入此房间。"
|
||||
},
|
||||
"timeline": {
|
||||
"m.call": {
|
||||
|
@ -3409,7 +3295,11 @@
|
|||
"changed_rule_rooms": "%(senderName)s更改了一个由于%(reason)s而禁止房间%(oldGlob)s跟%(newGlob)s匹配的规则",
|
||||
"changed_rule_servers": "%(senderName)s 更新了一个由于%(reason)s而禁止服务器%(oldGlob)s跟%(newGlob)s匹配的规则",
|
||||
"changed_rule_glob": "%(senderName)s 更新了一个由于%(reason)s而禁止%(oldGlob)s跟%(newGlob)s匹配的规则"
|
||||
}
|
||||
},
|
||||
"no_permission_messages_before_invite": "你没有权限查看你被邀请之前的消息。",
|
||||
"no_permission_messages_before_join": "你没有权限查看你加入前的消息。",
|
||||
"encrypted_historical_messages_unavailable": "在此之前的加密消息不可用。",
|
||||
"historical_messages_unavailable": "你不能查看更早的消息"
|
||||
},
|
||||
"slash_command": {
|
||||
"spoiler": "此消息包含剧透",
|
||||
|
@ -3467,7 +3357,14 @@
|
|||
"holdcall": "挂起当前房间的通话",
|
||||
"no_active_call": "此房间未有活跃中的通话",
|
||||
"unholdcall": "解除挂起当前房间的通话",
|
||||
"me": "显示操作"
|
||||
"me": "显示操作",
|
||||
"error_invalid_runfn": "命令错误:无法处理斜杠命令。",
|
||||
"error_invalid_rendering_type": "命令错误:无法找到渲染类型(%(renderingType)s)",
|
||||
"join": "使用指定地址加入房间",
|
||||
"failed_find_room": "命令失败:无法找到房间(%(roomId)s)",
|
||||
"failed_find_user": "房间中无用户",
|
||||
"op": "定义一名用户的权力级别",
|
||||
"deop": "按照 ID 取消特定用户的管理员权限"
|
||||
},
|
||||
"presence": {
|
||||
"busy": "忙",
|
||||
|
@ -3649,8 +3546,39 @@
|
|||
"account_clash_previous_account": "用之前的账户继续",
|
||||
"log_in_new_account": "<a>登录</a>到你的新账户。",
|
||||
"registration_successful": "注册成功",
|
||||
"server_picker_title": "账户托管于",
|
||||
"server_picker_dialog_title": "决定账户托管位置"
|
||||
"server_picker_title": "登录你的家服务器",
|
||||
"server_picker_dialog_title": "决定账户托管位置",
|
||||
"footer_powered_by_matrix": "由 Matrix 驱动",
|
||||
"failed_homeserver_discovery": "无法执行家服务器搜索",
|
||||
"sync_footer_subtitle": "如果你加入了很多房间,可能会消耗一些时间",
|
||||
"unsupported_auth_msisdn": "此服务器不支持使用电话号码认证。",
|
||||
"unsupported_auth_email": "此家服务器不支持使用电子邮箱地址登录。",
|
||||
"registration_disabled": "此家服务器已禁止注册。",
|
||||
"failed_query_registration_methods": "无法查询支持的注册方法。",
|
||||
"username_in_use": "用户名已被占用,请尝试使用其他用户名。",
|
||||
"incorrect_password": "密码错误",
|
||||
"failed_soft_logout_auth": "重新认证失败",
|
||||
"soft_logout_heading": "你已登出",
|
||||
"forgot_password_email_required": "必须输入和你账户关联的邮箱地址。",
|
||||
"forgot_password_email_invalid": "电子邮件地址似乎无效。",
|
||||
"sign_in_prompt": "有账户了?<a>登录</a>",
|
||||
"forgot_password_prompt": "忘记你的密码了吗?",
|
||||
"soft_logout_intro_password": "输入你的密码以登录并重新获取访问你账户的权限。",
|
||||
"soft_logout_intro_sso": "请登录以重新获取访问你账户的权限。",
|
||||
"soft_logout_intro_unsupported_auth": "你不能登录到你的账户。请联系你的家服务器管理员以获取更多信息。",
|
||||
"create_account_prompt": "新来的?<a>创建账户</a>",
|
||||
"sign_in_or_register": "登录或创建账户",
|
||||
"sign_in_or_register_description": "使用已有账户或创建一个新账户。",
|
||||
"sign_in_description": "使用你的账户继续。",
|
||||
"register_action": "创建账户",
|
||||
"server_picker_failed_validate_homeserver": "无法验证家服务器",
|
||||
"server_picker_invalid_url": "URL 无效",
|
||||
"server_picker_required": "指定家服务器",
|
||||
"server_picker_matrix.org": "Matrix.org 是世界上最大的公共家服务器,因此对许多人来说是一个好地方。",
|
||||
"server_picker_intro": "我们将您可以托管账户的地方称为“家服务器”。",
|
||||
"server_picker_custom": "其他家服务器",
|
||||
"server_picker_explainer": "使用你偏好的Matrix家服务器,如果你有的话,或自己架设一个。",
|
||||
"server_picker_learn_more": "关于家服务器"
|
||||
},
|
||||
"room_list": {
|
||||
"sort_unread_first": "优先显示有未读消息的房间",
|
||||
|
@ -3696,5 +3624,81 @@
|
|||
"access_token_detail": "你的访问令牌可以完全访问你的账户。不要将其与任何人分享。",
|
||||
"clear_cache_reload": "清理缓存并重载"
|
||||
}
|
||||
},
|
||||
"widget": {
|
||||
"capability": {
|
||||
"send_stickers_this_room": "发送贴纸到此房间",
|
||||
"send_stickers_active_room": "发送贴纸到你的活跃房间",
|
||||
"send_stickers_this_room_as_you": "以你的身份发送贴纸到此房间",
|
||||
"send_stickers_active_room_as_you": "发送贴纸到你所活跃的房间",
|
||||
"see_sticker_posted_this_room": "查看此房间中何时有人发送贴纸",
|
||||
"see_sticker_posted_active_room": "查看何时有人发送贴纸到你所活跃的房间",
|
||||
"always_on_screen_viewing_another_room": "运行时始终保留在你的屏幕上,即使你在浏览其它房间",
|
||||
"always_on_screen_generic": "运行时始终保留在你的屏幕上",
|
||||
"switch_room": "更改当前正在查看哪个房间",
|
||||
"switch_room_message_user": "更改当前正在查看哪个房间、消息或用户",
|
||||
"change_topic_this_room": "更改当前房间的话题",
|
||||
"see_topic_change_this_room": "查看此房间的话题何时被修改",
|
||||
"change_topic_active_room": "更改当前活跃房间的话题",
|
||||
"see_topic_change_active_room": "查看你的活跃房间的话题何时被修改",
|
||||
"change_name_this_room": "更改当前房间的名称",
|
||||
"see_name_change_this_room": "查看此房间的名称何时被修改",
|
||||
"change_name_active_room": "更改活跃房间的名称",
|
||||
"see_name_change_active_room": "查看你的活跃房间的名称何时被修改",
|
||||
"change_avatar_this_room": "更改当前房间的头像",
|
||||
"see_avatar_change_this_room": "查看此房间的头像何时被修改",
|
||||
"change_avatar_active_room": "更改活跃房间的头像",
|
||||
"see_avatar_change_active_room": "查看你的活跃房间的头像何时修改",
|
||||
"remove_ban_invite_leave_this_room": "移除、封禁或邀请他人加入此房间,方可离开",
|
||||
"receive_membership_this_room": "查看人们加入、离开或被邀请到此房间的时间",
|
||||
"remove_ban_invite_leave_active_room": "移除、封禁或邀请他人加入你的活跃房间,方可离开",
|
||||
"receive_membership_active_room": "查看人们何时加入、离开或被邀请到你所活跃的房间",
|
||||
"byline_empty_state_key": "附带一个空的状态键(state key)",
|
||||
"byline_state_key": "附带有状态键(state key)%(stateKey)s",
|
||||
"any_room": "以上,但也包括你加入或被邀请的任何房间中",
|
||||
"specific_room": "以上,但也包括 <Room />",
|
||||
"send_event_type_this_room": "以你的身份在此房间发送 <b>%(eventType)s</b> 事件",
|
||||
"see_event_type_sent_this_room": "查看此房间中发送的 <b>%(eventType)s</b> 事件",
|
||||
"send_event_type_active_room": "以你的身份在你的活跃房间发送<b>%(eventType)s</b>事件",
|
||||
"see_event_type_sent_active_room": "查看你的活跃房间中发送的 <b>%(eventType)s</b> 事件",
|
||||
"capability": "<b>%(capability)s</b> 容量",
|
||||
"send_messages_this_room": "在此房间以你的身份发送消息",
|
||||
"send_messages_active_room": "在你所活跃的房间以你的身份发送消息",
|
||||
"see_messages_sent_this_room": "查看发布到此房间的消息",
|
||||
"see_messages_sent_active_room": "查看发布到你所活跃的房间的消息",
|
||||
"send_text_messages_this_room": "在此房间以你的身份发送文本消息",
|
||||
"send_text_messages_active_room": "在你所活跃的房间以你的身份发送文本消息",
|
||||
"see_text_messages_sent_this_room": "查看发布到此房间的文本消息",
|
||||
"see_text_messages_sent_active_room": "查看发布到你所活跃的房间的文本消息",
|
||||
"send_emotes_this_room": "在此房间以你的身份发送表情",
|
||||
"send_emotes_active_room": "在你所活跃的房间以你的身份发送表情",
|
||||
"see_sent_emotes_this_room": "查看发布到此房间的表情",
|
||||
"see_sent_emotes_active_room": "查看发布到你所活跃的房间的表情",
|
||||
"send_images_this_room": "在此房间以你的身份发送图片",
|
||||
"send_images_active_room": "在你所活跃的房间以你的身份发送图片",
|
||||
"see_images_sent_this_room": "查看发布到此房间的图片",
|
||||
"see_images_sent_active_room": "查看发布到你所活跃的房间的图片",
|
||||
"send_videos_this_room": "查看发布到此房间的视频",
|
||||
"send_videos_active_room": "查看发布到你所活跃的房间的视频",
|
||||
"see_videos_sent_this_room": "查看发布到此房间的视频",
|
||||
"see_videos_sent_active_room": "查看发布到你所活跃的房间的视频",
|
||||
"send_files_this_room": "查看发布到此房间的一般性文件",
|
||||
"send_files_active_room": "在你所活跃的房间以你的身份发送一般性文件",
|
||||
"see_sent_files_this_room": "查看发布到此房间的一般性文件",
|
||||
"see_sent_files_active_room": "查看发布到你所活跃的房间的一般性文件",
|
||||
"send_msgtype_this_room": "在此房间以你的身份发送 <b>%(msgtype)s</b> 消息",
|
||||
"send_msgtype_active_room": "在你所活跃的房间以你的身份发送 <b>%(msgtype)s</b> 消息",
|
||||
"see_msgtype_sent_this_room": "查看发布到此房间的 <b>%(msgtype)s</b> 消息",
|
||||
"see_msgtype_sent_active_room": "查看发布到你所活跃的房间的 <b>%(msgtype)s</b> 消息"
|
||||
}
|
||||
},
|
||||
"feedback": {
|
||||
"sent": "反馈已发送",
|
||||
"comment_label": "备注",
|
||||
"platform_username": "我们将会记录你的平台及用户名,以帮助我们尽我们所能地使用你的反馈。",
|
||||
"may_contact_label": "如果您想跟进或让我测试即将到来的想法,您可以与我联系",
|
||||
"pro_type": "专业建议:如果你要发起新问题,请一并提交<debugLogsLink>调试日志</debugLogsLink>,以便我们找出问题根源。",
|
||||
"existing_issue_link": "请先查找一下 <existingIssuesLink>Github 上已有的问题</existingIssuesLink>,以免重复。找不到重复问题?<newIssueLink>发起一个吧</newIssueLink>。",
|
||||
"send_feedback_action": "发送反馈"
|
||||
}
|
||||
}
|
||||
|
|
|
@ -57,7 +57,6 @@
|
|||
"Signed Out": "已登出",
|
||||
"This email address is already in use": "這個電子郵件地址已被使用",
|
||||
"This email address was not found": "未找到此電子郵件地址",
|
||||
"The email address linked to your account must be entered.": "必須輸入和您帳號綁定的電子郵件地址。",
|
||||
"Unable to add email address": "無法新增電子郵件地址",
|
||||
"Unable to enable Notifications": "無法啟用通知功能",
|
||||
"You cannot place a call with yourself.": "您不能打電話給自己。",
|
||||
|
@ -69,7 +68,6 @@
|
|||
"%(senderDisplayName)s changed the avatar for %(roomName)s": "%(senderDisplayName)s 將聊天室的大頭照改為 %(roomName)s",
|
||||
"Notifications": "通知",
|
||||
"Operation failed": "無法操作",
|
||||
"powered by Matrix": "由 Matrix 提供",
|
||||
"unknown error code": "未知的錯誤代碼",
|
||||
"Default Device": "預設裝置",
|
||||
"Anyone": "任何人",
|
||||
|
@ -91,7 +89,6 @@
|
|||
"Are you sure you want to leave the room '%(roomName)s'?": "您確定要離開聊天室「%(roomName)s」嗎?",
|
||||
"Can't connect to homeserver - please check your connectivity, ensure your <a>homeserver's SSL certificate</a> is trusted, and that a browser extension is not blocking requests.": "無法連線到家伺服器 - 請檢查您的連線,確保您的<a>家伺服器的 SSL 憑證</a>可被信任,而瀏覽器擴充套件也沒有阻擋請求。",
|
||||
"Custom level": "自訂等級",
|
||||
"Deops user with given id": "取消指定 ID 使用者的管理員權限",
|
||||
"Enter passphrase": "輸入安全密語",
|
||||
"Failed to change power level": "無法變更權限等級",
|
||||
"Home": "首頁",
|
||||
|
@ -171,7 +168,6 @@
|
|||
"%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s,%(monthName)s %(day)s %(time)s",
|
||||
"%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s,%(monthName)s %(day)s %(fullYear)s %(time)s",
|
||||
"%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s",
|
||||
"This server does not support authentication with a phone number.": "這個伺服器不支援以電話號碼認證。",
|
||||
"Connectivity to the server has been lost.": "對伺服器的連線已中斷。",
|
||||
"Sent messages will be stored until your connection has returned.": "傳送的訊息會在您的連線恢復前先儲存起來。",
|
||||
"(~%(count)s results)": {
|
||||
|
@ -193,7 +189,6 @@
|
|||
"Failed to invite": "無法邀請",
|
||||
"Confirm Removal": "確認刪除",
|
||||
"Unknown error": "未知的錯誤",
|
||||
"Incorrect password": "不正確的密碼",
|
||||
"Unable to restore 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,您的工作階段可能與此版本不相容。關閉此視窗並回到較新的版本。",
|
||||
"Token incorrect": "權杖不正確",
|
||||
|
@ -210,7 +205,6 @@
|
|||
"one": "與另 1 個人…"
|
||||
},
|
||||
"Delete widget": "刪除小工具",
|
||||
"Define the power level of a user": "定義使用者的權限等級",
|
||||
"Publish this room to the public in %(domain)s's room directory?": "將這個聊天室公開到 %(domain)s 的聊天室目錄中?",
|
||||
"AM": "上午",
|
||||
"PM": "下午",
|
||||
|
@ -226,8 +220,6 @@
|
|||
"You are no longer ignoring %(userId)s": "您不再忽略 %(userId)s",
|
||||
"Send": "傳送",
|
||||
"Mirror local video feed": "翻轉鏡射本機視訊畫面",
|
||||
"Enable URL previews for this room (only affects you)": "對此聊天室啟用網址預覽(僅影響您)",
|
||||
"Enable URL previews by default for participants in this room": "對此聊天室中的參與者預設啟用網址預覽",
|
||||
"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.": "您正在將自己降級,如果您是聊天室中最後一位有特殊權限的使用者,您將無法復原此變更,因為無法再獲得特定權限。",
|
||||
"Unignore": "取消忽略",
|
||||
"Jump to read receipt": "跳到讀取回條",
|
||||
|
@ -373,7 +365,6 @@
|
|||
"Unable to restore backup": "無法復原備份",
|
||||
"No backup found!": "找不到備份!",
|
||||
"Failed to decrypt %(failedCount)s sessions!": "無法解密 %(failedCount)s 個工作階段!",
|
||||
"Failed to perform homeserver discovery": "無法探索家伺服器",
|
||||
"Invalid homeserver discovery response": "家伺服器的探索回應無效",
|
||||
"Use a few words, avoid common phrases": "使用數個字,但避免常用片語",
|
||||
"No need for symbols, digits, or uppercase letters": "不需要符號、數字或大寫字母",
|
||||
|
@ -529,9 +520,6 @@
|
|||
"This homeserver would like to make sure you are not a robot.": "這個家伺服器想要確認您不是機器人。",
|
||||
"Couldn't load page": "無法載入頁面",
|
||||
"Your password has been reset.": "您的密碼已重設。",
|
||||
"This homeserver does not support login using email address.": "此家伺服器不支援使用電子郵件地址登入。",
|
||||
"Registration has been disabled on this homeserver.": "註冊已在此家伺服器上停用。",
|
||||
"Unable to query for supported registration methods.": "無法查詢支援的註冊方法。",
|
||||
"Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "您確定嗎?如果沒有正確備份金鑰的話,將會遺失所有加密訊息。",
|
||||
"Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "加密訊息是使用端對端加密。只有您和接收者才有金鑰可以閱讀這些訊息。",
|
||||
"Restore from Backup": "從備份還原",
|
||||
|
@ -651,17 +639,11 @@
|
|||
"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:": "升級這個聊天室需要關閉目前的執行個體並重新建立一個新的聊天室來替代。為了給予聊天室成員最佳的體驗,我們將會:",
|
||||
"Resend %(unsentCount)s reaction(s)": "重新傳送 %(unsentCount)s 反應",
|
||||
"Your homeserver doesn't seem to support this feature.": "您的家伺服器似乎並不支援此功能。",
|
||||
"You're signed out": "您已登出",
|
||||
"Clear all data": "清除所有資料",
|
||||
"Removing…": "正在刪除…",
|
||||
"Failed to re-authenticate due to a homeserver problem": "因為家伺服器的問題,所以無法重新驗證",
|
||||
"Failed to re-authenticate": "無法重新驗證",
|
||||
"Enter your password to sign in and regain access to your account.": "輸入您的密碼以登入並取回對您帳號的存取權。",
|
||||
"Forgotten your password?": "忘記您的密碼了?",
|
||||
"Clear personal data": "清除個人資料",
|
||||
"Please tell us what went wrong or, better, create a GitHub issue that describes the problem.": "請告訴我們發生了什麼錯誤,或更好的是,在 GitHub 上建立描述問題的議題。",
|
||||
"Sign in and regain access to your account.": "登入並取回對您帳號的存取權。",
|
||||
"You cannot sign in to your account. Please contact your homeserver admin for more information.": "您無法登入到您的帳號。請聯絡您的家伺服器管理員以取得更多資訊。",
|
||||
"Find others by phone or email": "透過電話或電子郵件尋找其他人",
|
||||
"Be found by phone or email": "透過電話或電子郵件找到",
|
||||
"Use bots, bridges, widgets and sticker packs": "使用聊天機器人、橋接、小工具與貼圖包",
|
||||
|
@ -738,8 +720,6 @@
|
|||
"Read Marker lifetime (ms)": "讀取標記生命週期(毫秒)",
|
||||
"Read Marker off-screen lifetime (ms)": "畫面外讀取標記的生命週期(毫秒)",
|
||||
"e.g. my-room": "例如:my-room",
|
||||
"Please enter a name for the room": "請輸入聊天室名稱",
|
||||
"Topic (optional)": "主題(選擇性)",
|
||||
"Hide advanced": "隱藏進階設定",
|
||||
"Show advanced": "顯示進階設定",
|
||||
"Close dialog": "關閉對話框",
|
||||
|
@ -967,9 +947,6 @@
|
|||
"exists": "存在",
|
||||
"Cancelling…": "正在取消…",
|
||||
"Accepting…": "正在接受…",
|
||||
"Sign In or Create Account": "登入或建立帳號",
|
||||
"Use your account or create a new one to continue.": "使用您的帳號或建立新的以繼續。",
|
||||
"Create Account": "建立帳號",
|
||||
"To report a Matrix-related security issue, please read the Matrix.org <a>Security Disclosure Policy</a>.": "要回報與 Matrix 有關的安全性問題,請閱讀 Matrix.org 的<a>安全性揭露政策</a>。",
|
||||
"Mark all as read": "全部標示為已讀",
|
||||
"Not currently indexing messages for any room.": "目前未為任何聊天室編寫索引。",
|
||||
|
@ -1035,9 +1012,6 @@
|
|||
"Server did not require any authentication": "伺服器不需要任何驗證",
|
||||
"Server did not return valid authentication information.": "伺服器沒有回傳有效的驗證資訊。",
|
||||
"There was a problem communicating with the server. Please try again.": "與伺服器通訊時發生問題。請再試一次。",
|
||||
"Enable end-to-end encryption": "啟用端對端加密",
|
||||
"Could not find user in room": "在聊天室中找不到使用者",
|
||||
"If you've joined lots of rooms, this might take a while": "如果您已加入很多聊天室,這可能需要一點時間",
|
||||
"Can't load this message": "無法載入此訊息",
|
||||
"Submit logs": "遞交紀錄檔",
|
||||
"Reminder: Your browser is unsupported, so your experience may be unpredictable.": "提醒:您的瀏覽器不受支援,所以您的使用體驗可能無法預測。",
|
||||
|
@ -1061,7 +1035,6 @@
|
|||
"Size must be a number": "大小必須為數字",
|
||||
"Custom font size can only be between %(min)s pt and %(max)s pt": "自訂字型大小僅能為 %(min)s 點至 %(max)s 點間",
|
||||
"Use between %(min)s pt and %(max)s pt": "使用 %(min)s 點至 %(max)s 點間",
|
||||
"Joins room with given address": "以指定的位址加入聊天室",
|
||||
"Please verify the room ID or address and try again.": "請確認聊天室 ID 或位址後,再試一次。",
|
||||
"Room ID or address of ban list": "聊天室 ID 或位址的封鎖清單",
|
||||
"To link to this room, please add an address.": "要連結到此聊天室,請新增位址。",
|
||||
|
@ -1085,7 +1058,6 @@
|
|||
"Switch to dark mode": "切換至深色模式",
|
||||
"Switch theme": "切換佈景主題",
|
||||
"All settings": "所有設定",
|
||||
"Feedback": "回饋",
|
||||
"No recently visited rooms": "沒有最近造訪過的聊天室",
|
||||
"Message preview": "訊息預覽",
|
||||
"Room options": "聊天室選項",
|
||||
|
@ -1138,9 +1110,6 @@
|
|||
"Error leaving room": "離開聊天室時發生錯誤",
|
||||
"Set up Secure Backup": "設定安全備份",
|
||||
"Information": "資訊",
|
||||
"You might enable this if the room will only be used for collaborating with internal teams on your homeserver. This cannot be changed later.": "如果聊天室僅用於與在您的家伺服器上的內部團隊協作的話,可以啟用此功能。這無法在稍後變更。",
|
||||
"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.": "如果聊天室會用於與有自己家伺服器的外部團隊協作的話,可以停用此功能。這無法在稍後變更。",
|
||||
"Block anyone not part of %(serverName)s from ever joining this room.": "阻止任何不屬於 %(serverName)s 的人加入此聊天室。",
|
||||
"Unknown App": "未知的應用程式",
|
||||
"Not encrypted": "未加密",
|
||||
"Room settings": "聊天室設定",
|
||||
|
@ -1161,7 +1130,6 @@
|
|||
"Widgets": "小工具",
|
||||
"Edit widgets, bridges & bots": "編輯小工具、橋接與聊天機器人",
|
||||
"Add widgets, bridges & bots": "新增小工具、橋接與聊天機器人",
|
||||
"Your server requires encryption to be enabled in private rooms.": "您的伺服器需要在私密聊天室中啟用加密。",
|
||||
"Unable to set up keys": "無法設定金鑰",
|
||||
"Use the <a>Desktop app</a> to see all encrypted files": "使用<a>桌面應用程式</a>以檢視所有加密的檔案",
|
||||
"Use the <a>Desktop app</a> to search encrypted messages": "使用<a>桌面應用程式</a>搜尋加密訊息",
|
||||
|
@ -1188,11 +1156,6 @@
|
|||
"Answered Elsewhere": "在其他地方回答",
|
||||
"Data on this screen is shared with %(widgetDomain)s": "在此畫面上的資料會與 %(widgetDomain)s 分享",
|
||||
"Modal Widget": "程式小工具",
|
||||
"Send feedback": "傳送回饋",
|
||||
"PRO TIP: If you start a bug, please submit <debugLogsLink>debug logs</debugLogsLink> to help us track down the problem.": "專業建議:如果您開始了一個錯誤,請遞交<debugLogsLink>除錯紀錄檔</debugLogsLink>以協助我們尋找問題。",
|
||||
"Please view <existingIssuesLink>existing bugs on Github</existingIssuesLink> first. No match? <newIssueLink>Start a new one</newIssueLink>.": "請先檢視 <existingIssuesLink>GitHub 上既有的錯誤</existingIssuesLink>。沒有相符的嗎?<newIssueLink>回報新的問題</newIssueLink>。",
|
||||
"Comment": "評論",
|
||||
"Feedback sent": "已傳送回饋",
|
||||
"Invite someone using their name, email address, username (like <userId/>) or <a>share this room</a>.": "使用某人的名字、電子郵件地址、使用者名稱(如 <userId/>)或<a>分享此聊天空間</a>來邀請人。",
|
||||
"Start a conversation with someone using their name, email address or username (like <userId/>).": "使用某人的名字、電子郵件地址或使用者名稱(如 <userId/>)來與他們開始對話。",
|
||||
"Invite by email": "透過電子郵件邀請",
|
||||
|
@ -1466,83 +1429,17 @@
|
|||
"Decline All": "全部拒絕",
|
||||
"This widget would like to:": "這個小工具想要:",
|
||||
"Approve widget permissions": "批准小工具權限",
|
||||
"See <b>%(msgtype)s</b> messages posted to your active room": "檢視發佈到您活躍聊天室的 <b>%(msgtype)s</b> 訊息",
|
||||
"See <b>%(msgtype)s</b> messages posted to this room": "檢視發佈到此聊天室的 <b>%(msgtype)s</b> 訊息",
|
||||
"Send <b>%(msgtype)s</b> messages as you in your active room": "在您的活躍聊天室中以您的身份傳送 <b>%(msgtype)s</b> 訊息",
|
||||
"Send <b>%(msgtype)s</b> messages as you in this room": "在此聊天室中以您的身份傳送 <b>%(msgtype)s</b> 訊息",
|
||||
"See general files posted to your active room": "檢視在您的活躍聊天室中發佈的一般檔案",
|
||||
"See general files posted to this room": "檢視在此聊天室中發佈的一般檔案",
|
||||
"Send general files as you in your active room": "在您的活躍聊天室中以您的身份傳送一般檔案",
|
||||
"Send general files as you in this room": "在此聊天室中以您的身份傳送一般檔案",
|
||||
"See videos posted to your active room": "檢視發佈到您的活躍聊天室的影片",
|
||||
"See videos posted to this room": "檢視發佈到此聊天室的影片",
|
||||
"Send videos as you in your active room": "在您的活躍聊天室中以您的身份傳送影片",
|
||||
"Send videos as you in this room": "在此聊天室中以您的身份傳送影片",
|
||||
"See images posted to your active room": "檢視發佈到您的活躍聊天室的圖片",
|
||||
"See images posted to this room": "檢視發佈到此聊天室的圖片",
|
||||
"Send images as you in your active room": "在您的活躍聊天室以您的身份傳送圖片",
|
||||
"Send images as you in this room": "在此聊天室以您的身份傳送圖片",
|
||||
"See emotes posted to your active room": "檢視發佈到您的活躍聊天室的表情符號",
|
||||
"See emotes posted to this room": "檢視發佈到此聊天室的表情符號",
|
||||
"Send emotes as you in your active room": "在您的活躍聊天室中以您的身份傳送表情符號",
|
||||
"Send emotes as you in this room": "在此聊天室中以您的身份傳送表情符號",
|
||||
"See text messages posted to your active room": "檢視發佈到您的活躍聊天室的文字訊息",
|
||||
"See text messages posted to this room": "檢視發佈到此聊天室的文字訊息",
|
||||
"Send text messages as you in your active room": "在您的活躍聊天室以您的身份傳送文字訊息",
|
||||
"Send text messages as you in this room": "在此聊天室以您的身份傳送文字訊息",
|
||||
"See messages posted to your active room": "檢視發佈到您的活躍聊天室的訊息",
|
||||
"See messages posted to this room": "檢視發佈到此聊天室的訊息",
|
||||
"Send messages as you in your active room": "在您的活躍聊天室以您的身份傳送訊息",
|
||||
"Send messages as you in this room": "在此聊天室以您的身份傳送訊息",
|
||||
"The <b>%(capability)s</b> capability": "<b>%(capability)s</b> 能力",
|
||||
"See <b>%(eventType)s</b> events posted to your active room": "檢視發佈到您的活躍聊天室的 <b>%(eventType)s</b> 活動",
|
||||
"Send <b>%(eventType)s</b> events as you in your active room": "以您的身份在您的活躍聊天室傳送 <b>%(eventType)s</b> 活動",
|
||||
"See <b>%(eventType)s</b> events posted to this room": "檢視發佈到此聊天室的 <b>%(eventType)s</b> 活動",
|
||||
"Send <b>%(eventType)s</b> events as you in this room": "以您的身份在此聊天室傳送 <b>%(eventType)s</b> 活動",
|
||||
"with state key %(stateKey)s": "使用狀態金鑰 %(stateKey)s",
|
||||
"with an empty state key": "使用空的狀態金鑰",
|
||||
"See when anyone posts a sticker to your active room": "檢視何時有人將貼圖貼到您的活躍聊天室",
|
||||
"Send stickers to your active room as you": "以您的身份傳送貼圖到您的活躍聊天室",
|
||||
"See when a sticker is posted in this room": "檢視貼圖在此聊天室中何時貼出",
|
||||
"Send stickers to this room as you": "以您的身份傳送貼圖到此聊天室",
|
||||
"See when the avatar changes in your active room": "檢視您活躍聊天室的大頭照何時變更",
|
||||
"Change the avatar of your active room": "變更您活躍聊天室的大頭照",
|
||||
"See when the avatar changes in this room": "檢視此聊天室的大頭照何時變更",
|
||||
"Change the avatar of this room": "變更此聊天室的大頭照",
|
||||
"See when the name changes in your active room": "檢視您活躍聊天室的名稱何時變更",
|
||||
"Change the name of your active room": "變更您活躍聊天室的名稱",
|
||||
"See when the name changes in this room": "檢視此聊天室的名稱何時變更",
|
||||
"Change the name of this room": "變更此聊天室的名稱",
|
||||
"See when the topic changes in your active room": "檢視您的活躍聊天室的主題何時變更",
|
||||
"Change the topic of your active room": "變更您活躍聊天室的主題",
|
||||
"See when the topic changes in this room": "檢視此聊天室的主題何時變更",
|
||||
"Change the topic of this room": "變更此聊天室的主題",
|
||||
"Change which room you're viewing": "變更您正在檢視的聊天室",
|
||||
"Send stickers into your active room": "傳送貼圖到您的活躍聊天室",
|
||||
"Send stickers into this room": "傳送貼圖到此聊天室",
|
||||
"Remain on your screen while running": "在執行時保留在您的畫面上",
|
||||
"Remain on your screen when viewing another room, when running": "在執行與檢視其他聊天室時仍保留在您的畫面上",
|
||||
"Enter phone number": "輸入電話號碼",
|
||||
"Enter email address": "輸入電子郵件地址",
|
||||
"New here? <a>Create an account</a>": "新手?<a>建立帳號</a>",
|
||||
"Got an account? <a>Sign in</a>": "有帳號了嗎?<a>登入</a>",
|
||||
"New? <a>Create account</a>": "新手?<a>建立帳號</a>",
|
||||
"There was a problem communicating with the homeserver, please try again later.": "與家伺服器通訊時出現問題,請再試一次。",
|
||||
"Use email to optionally be discoverable by existing contacts.": "設定電子郵件地址後,即可選擇性被已有的聯絡人新增為好友。",
|
||||
"Use email or phone to optionally be discoverable by existing contacts.": "使用電子郵件或電話以選擇性地被既有的聯絡人探索。",
|
||||
"Add an email to be able to reset your password.": "新增電子郵件以重設您的密碼。",
|
||||
"That phone number doesn't look quite right, please check and try again": "電話號碼看起來不太對,請檢查並再試一次",
|
||||
"About homeservers": "關於家伺服器",
|
||||
"Use your preferred Matrix homeserver if you have one, or host your own.": "如果您有的話,可以使用您偏好的 Matrix 家伺服器,或是自己架一個。",
|
||||
"Other homeserver": "其他家伺服器",
|
||||
"Sign into your homeserver": "登入您的家伺服器",
|
||||
"Specify a homeserver": "指定家伺服器",
|
||||
"Just a heads up, if you don't add an email and forget your password, you could <b>permanently lose access to your account</b>.": "請注意,如果您不新增電子郵件且忘記密碼,您將<b>永遠失去對您帳號的存取權</b>。",
|
||||
"Continuing without email": "不使用電子郵件來繼續",
|
||||
"Server Options": "伺服器選項",
|
||||
"Reason (optional)": "理由(選擇性)",
|
||||
"Invalid URL": "無效網址",
|
||||
"Unable to validate homeserver": "無法驗證家伺服器",
|
||||
"Hold": "保留",
|
||||
"Resume": "繼續",
|
||||
"You've reached the maximum number of simultaneous calls.": "您已達到同時通話的最大數量。",
|
||||
|
@ -1557,7 +1454,6 @@
|
|||
"Unable to look up phone number": "無法查詢電話號碼",
|
||||
"Channel: <channelLink/>": "頻道:<channelLink/>",
|
||||
"Workspace: <networkLink/>": "工作區:<networkLink/>",
|
||||
"Change which room, message, or user you're viewing": "變更您正在檢視的聊天室、訊息或使用者",
|
||||
"This session has detected that your Security Phrase and key for Secure Messages have been removed.": "此工作階段偵測到您的安全密語以及安全訊息金鑰已被移除。",
|
||||
"A new Security Phrase and key for Secure Messages have been detected.": "偵測到新的安全密語以及安全訊息金鑰。",
|
||||
"Confirm your Security Phrase": "確認您的安全密語",
|
||||
|
@ -1728,12 +1624,9 @@
|
|||
"Search names and descriptions": "搜尋名稱與描述",
|
||||
"You may contact me if you have any follow up questions": "如果後續有任何問題,可以聯絡我",
|
||||
"To leave the beta, visit your settings.": "請到設定頁面離開 Beta 測試版。",
|
||||
"Your platform and username will be noted to help us use your feedback as much as we can.": "將會記錄您使用的平台與使用者名稱,以盡可能使用回饋資訊來調整本功能。",
|
||||
"Add reaction": "新增反應",
|
||||
"Space Autocomplete": "空間自動完成",
|
||||
"Go to my space": "到我的聊天空間",
|
||||
"See when people join, leave, or are invited to your active room": "檢視人們何時加入、離開或被邀請至您的活躍聊天室",
|
||||
"See when people join, leave, or are invited to this room": "檢視人們何時加入、離開或被邀請加入此聊天室",
|
||||
"Currently joining %(count)s rooms": {
|
||||
"one": "目前正在加入 %(count)s 個聊天室",
|
||||
"other": "目前正在加入 %(count)s 個聊天室"
|
||||
|
@ -1826,14 +1719,7 @@
|
|||
"Decide which spaces can access this room. If a space is selected, its members can find and join <RoomName/>.": "決定哪些聊天空間可以存取此聊天室。若選取了聊天空間,其成員就可以找到並加入<RoomName/>。",
|
||||
"Select spaces": "選取聊天空間",
|
||||
"You're removing all spaces. Access will default to invite only": "您將取消所有聊天空間。存取權限將會預設為邀請制",
|
||||
"Room visibility": "聊天室能見度",
|
||||
"Visible to space members": "對聊天空間成員顯示為可見",
|
||||
"Public room": "公開聊天室",
|
||||
"Private room (invite only)": "私密聊天室(邀請制)",
|
||||
"Only people invited will be able to find and join this room.": "僅被邀請的夥伴才能找到並加入此聊天室。",
|
||||
"Anyone will be able to find and join this room, not just members of <SpaceName/>.": "任何人都將可以找到並加入此聊天室,而不只是 <SpaceName/> 的成員。",
|
||||
"You can change this at any time from room settings.": "您隨時都可以從聊天室設定變更此設定。",
|
||||
"Everyone in <SpaceName/> will be able to find and join this room.": "每個在 <SpaceName/> 中的人都將可以找到並加入此聊天室。",
|
||||
"Access": "存取",
|
||||
"People with supported clients will be able to join the room without having a registered account.": "有受支援的客戶端的夥伴不需要註冊帳號就可以加入聊天室。",
|
||||
"Decide who can join %(roomName)s.": "決定誰可以加入 %(roomName)s。",
|
||||
|
@ -1856,7 +1742,6 @@
|
|||
"Share content": "分享內容",
|
||||
"Application window": "應用程式視窗",
|
||||
"Share entire screen": "分享整個螢幕",
|
||||
"Anyone will be able to find and join this room.": "任何人都可以找到並加入此聊天室。",
|
||||
"Want to add an existing space instead?": "想要新增既有的聊天空間嗎?",
|
||||
"Private space (invite only)": "私密聊天空間(邀請制)",
|
||||
"Space visibility": "空間能見度",
|
||||
|
@ -1898,8 +1783,6 @@
|
|||
"To avoid these issues, create a <a>new encrypted room</a> for the conversation you plan to have.": "為了避免這些問題,請為您計畫中的對話建立<a>新的加密聊天室</a>。",
|
||||
"Are you sure you want to add encryption to this public room?": "您確定您要在此公開聊天室新增加密?",
|
||||
"Cross-signing is ready but keys are not backed up.": "已準備好交叉簽署但金鑰未備份。",
|
||||
"The above, but in <Room /> as well": "以上,但也在 <Room /> 中",
|
||||
"The above, but in any room you are joined or invited to as well": "以上,但在任何您已加入或被邀請的聊天室中",
|
||||
"Some encryption parameters have been changed.": "部份加密參數已變更。",
|
||||
"Role in <RoomName/>": "<RoomName/> 中的角色",
|
||||
"Unknown failure": "未知錯誤",
|
||||
|
@ -1956,7 +1839,6 @@
|
|||
},
|
||||
"View in room": "在聊天室中檢視",
|
||||
"Enter your Security Phrase or <button>use your Security Key</button> to continue.": "輸入您的安全密語或<button>使用您的安全金鑰</button>以繼續。",
|
||||
"The email address doesn't appear to be valid.": "電子郵件地址似乎無效。",
|
||||
"What projects are your team working on?": "您的團隊正在從事哪些專案?",
|
||||
"See room timeline (devtools)": "檢視聊天室時間軸(開發者工具)",
|
||||
"Developer mode": "開發者模式",
|
||||
|
@ -1985,10 +1867,7 @@
|
|||
"Without verifying, you won't have access to all your messages and may appear as untrusted to others.": "如果不進行驗證,您將無法存取您的所有訊息,且可能會被其他人視為不信任。",
|
||||
"Shows all threads you've participated in": "顯示您參與的所有討論串",
|
||||
"You're all caught up": "您已完成",
|
||||
"We call the places where you can host your account 'homeservers'.": "我們將您可以託管帳號的地方稱為「家伺服器」。",
|
||||
"Matrix.org is the biggest public homeserver in the world, so it's a good place for many.": "Matrix.org 是世界上最大的公開家伺服器,因此對許多人來說是一個好地方。",
|
||||
"If you can't see who you're looking for, send them your invite link below.": "如果您看不到您要找的人,請將您的邀請連結傳送給他們。",
|
||||
"You can't disable this later. Bridges & most bots won't work yet.": "您無法在稍後停用此功能。橋接與大多數的聊天機器人也會無法運作。",
|
||||
"In encrypted rooms, verify all users to ensure it's secure.": "在加密的聊天適中,驗證所有使用者以確保其安全。",
|
||||
"Yours, or the other users' session": "您或其他使用者的工作階段",
|
||||
"Yours, or the other users' internet connection": "您或其他使用者的網際網路連線",
|
||||
|
@ -2006,7 +1885,6 @@
|
|||
"What is your poll question or topic?": "您的投票問題或主題是什麼?",
|
||||
"Create Poll": "建立投票",
|
||||
"You do not have permission to start polls in this room.": "您沒有權限在此聊天室發起投票。",
|
||||
"Someone already has that username, please try another.": "某人已使用該使用者名稱。請改用其他名稱。",
|
||||
"Someone already has that username. Try another or if it is you, sign in below.": "某人已使用該使用者名稱。請改用其他名稱。但如果是您,請在下方登入。",
|
||||
"Show tray icon and minimise window to it on close": "顯示系統匣圖示並於關閉時最小化",
|
||||
"Show all threads": "顯示所有討論串",
|
||||
|
@ -2054,7 +1932,6 @@
|
|||
"Quick settings": "快速設定",
|
||||
"Spaces you know that contain this space": "您知道的包含此聊天空間的聊天空間",
|
||||
"Chat": "聊天",
|
||||
"You may contact me if you want to follow up or to let me test out upcoming ideas": "若您想跟進或讓我測試即將到來的想法,可以聯絡我",
|
||||
"Home options": "家選項",
|
||||
"%(spaceName)s menu": "%(spaceName)s 選單",
|
||||
"Join public room": "加入公開聊天室",
|
||||
|
@ -2120,10 +1997,7 @@
|
|||
"Confirm the emoji below are displayed on both devices, in the same order:": "確認以下的表情符號以相同的順序顯示在兩台裝置上:",
|
||||
"Expand map": "展開地圖",
|
||||
"Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "未知(使用者,工作階段)配對:(%(userId)s, %(deviceId)s)",
|
||||
"Command failed: Unable to find room (%(roomId)s": "命令無效:無法尋找聊天室(%(roomId)s)",
|
||||
"Unrecognised room address: %(roomAlias)s": "無法識別的聊天室位址:%(roomAlias)s",
|
||||
"Command error: Unable to find rendering type (%(renderingType)s)": "命令錯誤:找不到渲染類型 (%(renderingType)s)",
|
||||
"Command error: Unable to handle slash command.": "命令錯誤:無法處理斜線命令。",
|
||||
"From a thread": "來自討論串",
|
||||
"Unknown error fetching location. Please try again later.": "取得位置時發生未知錯誤。請稍後再試。",
|
||||
"Timed out trying to fetch your location. Please try again later.": "嘗試取得您的位置時逾時。請稍後再試。",
|
||||
|
@ -2136,16 +2010,10 @@
|
|||
"Remove them from everything I'm able to": "從我有權限的所有地方移除",
|
||||
"Remove from %(roomName)s": "從 %(roomName)s 移除",
|
||||
"You were removed from %(roomName)s by %(memberName)s": "您已被 %(memberName)s 從 %(roomName)s 中移除",
|
||||
"Remove, ban, or invite people to your active room, and make you leave": "移除、封鎖或邀請夥伴加入您的活躍聊天室,然後讓您離開",
|
||||
"Remove, ban, or invite people to this room, and make you leave": "移除、封鎖或邀請他人進入此聊天室,然後讓您離開",
|
||||
"Message pending moderation": "待審核的訊息",
|
||||
"Message pending moderation: %(reason)s": "待審核的訊息:%(reason)s",
|
||||
"Keyboard": "鍵盤",
|
||||
"Space home": "聊天空間首頁",
|
||||
"You can't see earlier messages": "您看不到更早的訊息",
|
||||
"Encrypted messages before this point are unavailable.": "在此之前的加密訊息不可用。",
|
||||
"You don't have permission to view messages from before you joined.": "您沒有權限檢視加入前的訊息。",
|
||||
"You don't have permission to view messages from before you were invited.": "您沒有權限檢視您被邀請前的訊息。",
|
||||
"Internal room ID": "內部聊天室 ID",
|
||||
"Group all your rooms that aren't part of a space in one place.": "將所有不屬於某個聊天空間的聊天室集中在同一個地方。",
|
||||
"Group all your people in one place.": "將您所有的夥伴集中在同一個地方。",
|
||||
|
@ -2361,7 +2229,6 @@
|
|||
"Show spaces": "顯示聊天空間",
|
||||
"Show rooms": "顯示聊天室",
|
||||
"Explore public spaces in the new search dialog": "在新的搜尋對話方框中探索公開聊天空間",
|
||||
"You can't disable this later. The room will be encrypted but the embedded call will not.": "您無法在稍後停用這個。這將會加密聊天室,但嵌入的通話並不會。",
|
||||
"Join the room to participate": "加入聊天室以參與",
|
||||
"Reset bearing to north": "將方位重設為北",
|
||||
"Mapbox logo": "Mapbox 圖示",
|
||||
|
@ -2541,20 +2408,13 @@
|
|||
"Error downloading image": "下載圖片時發生錯誤",
|
||||
"Unable to show image due to error": "因為錯誤而無法顯示圖片",
|
||||
"Go live": "開始直播",
|
||||
"That e-mail address or phone number is already in use.": "該電子郵件地址或電話號碼已被使用。",
|
||||
"This means that you have all the keys needed to unlock your encrypted messages and confirm to other users that you trust this session.": "這代表了您擁有解鎖加密訊息所需的所有金鑰,並向其他使用者確認您信任此工作階段。",
|
||||
"Verified sessions are anywhere you are using this account after entering your passphrase or confirming your identity with another verified session.": "已驗證的工作階段是在輸入安全密語,或透過另一個已驗證工作階段,確認您的身分後使用此帳號的任何地方。",
|
||||
"Show details": "顯示詳細資訊",
|
||||
"Hide details": "隱藏詳細資訊",
|
||||
"30s forward": "快轉30秒",
|
||||
"30s backward": "快退30秒",
|
||||
"Verify your email to continue": "請驗證您的郵件信箱以繼續",
|
||||
"<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": "輸入您的電子郵件來重新設定密碼",
|
||||
"Send email": "寄信",
|
||||
"Verification link email resent!": "重寄認證信!",
|
||||
"Did not receive it?": "沒有收到嗎?",
|
||||
"Follow the instructions sent to <b>%(email)s</b>": "按照指示寄信到 <b>%(email)s</b>",
|
||||
"Sign out of all devices": "登出所有裝置",
|
||||
"Confirm new password": "確認新密碼",
|
||||
"Too many attempts in a short time. Retry after %(timeout)s.": "短時間內嘗試太多次,請稍等 %(timeout)s 秒後再嘗試。",
|
||||
|
@ -2573,9 +2433,6 @@
|
|||
"Buffering…": "正在緩衝…",
|
||||
"Change layout": "變更排列",
|
||||
"You have unverified sessions": "您有未驗證的工作階段",
|
||||
"Sign in instead": "改為登入",
|
||||
"Re-enter email address": "重新輸入電子郵件地址",
|
||||
"Wrong email address?": "錯誤的電子郵件地址?",
|
||||
"This session doesn't support encryption and thus can't be verified.": "此工作階段不支援加密,因此無法驗證。",
|
||||
"For best security and privacy, it is recommended to use Matrix clients that support encryption.": "為獲得最佳安全性與隱私,建議使用支援加密的 Matrix 客戶端。",
|
||||
"You won't be able to participate in rooms where encryption is enabled when using this session.": "使用此工作階段時,您將無法參與啟用加密的聊天室。",
|
||||
|
@ -2603,7 +2460,6 @@
|
|||
"Your current session is ready for secure messaging.": "您目前的工作階段已準備好安全通訊。",
|
||||
"Text": "文字",
|
||||
"Create a link": "建立連結",
|
||||
"Force 15s voice broadcast chunk length": "強制 15 秒語音廣播區塊長度",
|
||||
"Sign out of %(count)s sessions": {
|
||||
"one": "登出 %(count)s 個工作階段",
|
||||
"other": "登出 %(count)s 個工作階段"
|
||||
|
@ -2638,7 +2494,6 @@
|
|||
"There are no active polls in this room": "此聊天室沒有正在進行的投票",
|
||||
"Declining…": "正在拒絕…",
|
||||
"This session is backing up your keys.": "此工作階段正在備份您的金鑰。",
|
||||
"We need to know it’s you before resetting your password. Click the link in the email we just sent to <b>%(email)s</b>": "在重設您的密碼前,我們必須知道是您本人。請點擊我們剛剛寄送至<b>%(email)s</b>的電子郵件中的連結",
|
||||
"Warning: your personal data (including encryption keys) is still stored in this session. Clear it if you're finished using this session, or want to sign in to another account.": "警告:您的個人資料(包含加密金鑰)仍儲存於此工作階段。若您使用完此工作階段或想要登入其他帳號,請清除它。",
|
||||
"Scan QR code": "掃描 QR Code",
|
||||
"Select '%(scanQRCode)s'": "選取「%(scanQRCode)s」",
|
||||
|
@ -2649,8 +2504,6 @@
|
|||
"Enter a Security Phrase only you know, as it's used to safeguard your data. To be secure, you shouldn't re-use your account password.": "輸入僅有您知道的安全密語,因為其用於保護您的資料。為了安全起見,您不應重複使用您的帳號密碼。",
|
||||
"Starting backup…": "正在開始備份…",
|
||||
"Please only proceed if you're sure you've lost all of your other devices and your Security Key.": "請僅在您確定遺失了您其他所有裝置與安全金鑰時才繼續。",
|
||||
"Signing In…": "正在登入…",
|
||||
"Syncing…": "正在同步…",
|
||||
"Inviting…": "正在邀請…",
|
||||
"Creating rooms…": "正在建立聊天室…",
|
||||
"Keep going…": "繼續前進…",
|
||||
|
@ -2707,7 +2560,6 @@
|
|||
"Once everyone has joined, you’ll be able to chat": "所有人都加入後,您就可以聊天了",
|
||||
"An error occurred when updating your notification preferences. Please try to toggle your option again.": "更新您的通知偏好設定時發生錯誤。請再試一次。",
|
||||
"Desktop app logo": "桌面應用程式標誌",
|
||||
"Use your account to continue.": "使用您的帳號繼續。",
|
||||
"Log out and back in to disable": "登出並重新登入以停用",
|
||||
"Can currently only be enabled via config.json": "目前僅能透過 config.json 啟用",
|
||||
"Requires your server to support the stable version of MSC3827": "您的伺服器必須支援穩定版本的 MSC3827",
|
||||
|
@ -2758,9 +2610,6 @@
|
|||
"Allow fallback call assist server (%(server)s)": "允許使用備用通話輔助伺服器(%(server)s)",
|
||||
"User is not logged in": "使用者未登入",
|
||||
"Something went wrong.": "出了點問題。",
|
||||
"Views room with given address": "檢視指定聊天室的地址",
|
||||
"Notification Settings": "通知設定",
|
||||
"Enable new native OIDC flows (Under active development)": "啟用新的原生 OIDC 流程(正在積極開發中)",
|
||||
"Ask to join": "要求加入",
|
||||
"People cannot join unless access is granted.": "除非授予存取權限,否則人們無法加入。",
|
||||
"Email summary": "電子郵件摘要",
|
||||
|
@ -2778,9 +2627,7 @@
|
|||
"Other things we think you might be interested in:": "我們認為您可能感興趣的其他事情:",
|
||||
"Notify when someone mentions using @room": "當有人使用 @room 提及時通知",
|
||||
"Reset to default settings": "重設為預設設定",
|
||||
"Anyone can request to join, but admins or moderators need to grant access. You can change this later.": "任何人都可以請求加入,但管理員或版主必須授予存取權限。您可以稍後變更此設定。",
|
||||
"Upgrade room": "升級聊天室",
|
||||
"This homeserver doesn't offer any login flows that are supported by this client.": "此家伺服器不提供該客戶端支援的任何登入流程。",
|
||||
"Great! This passphrase looks strong enough": "很好!此密碼看起來夠強",
|
||||
"Messages sent by bots": "由機器人傳送的訊息",
|
||||
"Show a badge <badge/> when keywords are used in a room.": "聊天室中使用關鍵字時,顯示徽章 <badge/>。",
|
||||
|
@ -2906,7 +2753,8 @@
|
|||
"cross_signing": "交叉簽署",
|
||||
"identity_server": "身分伺服器",
|
||||
"integration_manager": "整合管理員",
|
||||
"qr_code": "QR Code"
|
||||
"qr_code": "QR Code",
|
||||
"feedback": "回饋"
|
||||
},
|
||||
"action": {
|
||||
"continue": "繼續",
|
||||
|
@ -3079,7 +2927,10 @@
|
|||
"leave_beta_reload": "離開 Beta 測試版將會重新載入 %(brand)s。",
|
||||
"join_beta_reload": "加入 Beta 測試版將會重新載入 %(brand)s。",
|
||||
"leave_beta": "離開 Beta 測試",
|
||||
"join_beta": "加入 Beta 測試"
|
||||
"join_beta": "加入 Beta 測試",
|
||||
"notification_settings_beta_title": "通知設定",
|
||||
"voice_broadcast_force_small_chunks": "強制 15 秒語音廣播區塊長度",
|
||||
"oidc_native_flow": "啟用新的原生 OIDC 流程(正在積極開發中)"
|
||||
},
|
||||
"keyboard": {
|
||||
"home": "首頁",
|
||||
|
@ -3367,7 +3218,9 @@
|
|||
"timeline_image_size": "時間軸中的圖片大小",
|
||||
"timeline_image_size_default": "預設",
|
||||
"timeline_image_size_large": "大"
|
||||
}
|
||||
},
|
||||
"inline_url_previews_room_account": "對此聊天室啟用網址預覽(僅影響您)",
|
||||
"inline_url_previews_room": "對此聊天室中的參與者預設啟用網址預覽"
|
||||
},
|
||||
"devtools": {
|
||||
"send_custom_account_data_event": "傳送自訂帳號資料事件",
|
||||
|
@ -3526,7 +3379,25 @@
|
|||
"title_public_room": "建立公開聊天室",
|
||||
"title_private_room": "建立私密聊天室",
|
||||
"action_create_video_room": "建立視訊聊天室",
|
||||
"action_create_room": "建立聊天室"
|
||||
"action_create_room": "建立聊天室",
|
||||
"name_validation_required": "請輸入聊天室名稱",
|
||||
"join_rule_restricted_label": "每個在 <SpaceName/> 中的人都將可以找到並加入此聊天室。",
|
||||
"join_rule_change_notice": "您隨時都可以從聊天室設定變更此設定。",
|
||||
"join_rule_public_parent_space_label": "任何人都將可以找到並加入此聊天室,而不只是 <SpaceName/> 的成員。",
|
||||
"join_rule_public_label": "任何人都可以找到並加入此聊天室。",
|
||||
"join_rule_invite_label": "僅被邀請的夥伴才能找到並加入此聊天室。",
|
||||
"join_rule_knock_label": "任何人都可以請求加入,但管理員或版主必須授予存取權限。您可以稍後變更此設定。",
|
||||
"encrypted_video_room_warning": "您無法在稍後停用這個。這將會加密聊天室,但嵌入的通話並不會。",
|
||||
"encrypted_warning": "您無法在稍後停用此功能。橋接與大多數的聊天機器人也會無法運作。",
|
||||
"encryption_forced": "您的伺服器需要在私密聊天室中啟用加密。",
|
||||
"encryption_label": "啟用端對端加密",
|
||||
"unfederated_label_default_off": "如果聊天室僅用於與在您的家伺服器上的內部團隊協作的話,可以啟用此功能。這無法在稍後變更。",
|
||||
"unfederated_label_default_on": "如果聊天室會用於與有自己家伺服器的外部團隊協作的話,可以停用此功能。這無法在稍後變更。",
|
||||
"topic_label": "主題(選擇性)",
|
||||
"room_visibility_label": "聊天室能見度",
|
||||
"join_rule_invite": "私密聊天室(邀請制)",
|
||||
"join_rule_restricted": "對聊天空間成員顯示為可見",
|
||||
"unfederated": "阻止任何不屬於 %(serverName)s 的人加入此聊天室。"
|
||||
},
|
||||
"timeline": {
|
||||
"m.call": {
|
||||
|
@ -3808,7 +3679,11 @@
|
|||
"changed_rule_rooms": "%(senderName)s 將封鎖符合 %(oldGlob)s 聊天室的規則變更為 %(newGlob)s,因為 %(reason)s",
|
||||
"changed_rule_servers": "%(senderName)s 將封鎖符合 %(oldGlob)s 伺服器的規則變更為 %(newGlob)s,因為 %(reason)s",
|
||||
"changed_rule_glob": "%(senderName)s 將封鎖符合 %(oldGlob)s 的規則更新為 %(newGlob)s,因為 %(reason)s"
|
||||
}
|
||||
},
|
||||
"no_permission_messages_before_invite": "您沒有權限檢視您被邀請前的訊息。",
|
||||
"no_permission_messages_before_join": "您沒有權限檢視加入前的訊息。",
|
||||
"encrypted_historical_messages_unavailable": "在此之前的加密訊息不可用。",
|
||||
"historical_messages_unavailable": "您看不到更早的訊息"
|
||||
},
|
||||
"slash_command": {
|
||||
"spoiler": "將指定訊息以劇透傳送",
|
||||
|
@ -3868,7 +3743,15 @@
|
|||
"holdcall": "把目前聊天室通話設為等候接聽",
|
||||
"no_active_call": "此聊天室內沒有活躍的通話",
|
||||
"unholdcall": "取消目前聊天室通話等候接聽狀態",
|
||||
"me": "顯示操作"
|
||||
"me": "顯示操作",
|
||||
"error_invalid_runfn": "命令錯誤:無法處理斜線命令。",
|
||||
"error_invalid_rendering_type": "命令錯誤:找不到渲染類型 (%(renderingType)s)",
|
||||
"join": "以指定的位址加入聊天室",
|
||||
"view": "檢視指定聊天室的地址",
|
||||
"failed_find_room": "命令無效:無法尋找聊天室(%(roomId)s)",
|
||||
"failed_find_user": "在聊天室中找不到使用者",
|
||||
"op": "定義使用者的權限等級",
|
||||
"deop": "取消指定 ID 使用者的管理員權限"
|
||||
},
|
||||
"presence": {
|
||||
"busy": "忙碌",
|
||||
|
@ -4052,13 +3935,57 @@
|
|||
"reset_password_title": "重新設定您的密碼",
|
||||
"continue_with_sso": "使用 %(ssoButtons)s 繼續",
|
||||
"sso_or_username_password": "%(ssoButtons)s 或 %(usernamePassword)s",
|
||||
"sign_in_instead": "已有帳號?<a>在此登入</a>",
|
||||
"sign_in_instead": "改為登入",
|
||||
"account_clash": "您的新帳號 %(newAccountId)s 已註冊,但您已經登入到不同的帳號 (%(loggedInUserId)s)。",
|
||||
"account_clash_previous_account": "使用先前的帳號繼續",
|
||||
"log_in_new_account": "<a>登入</a>到您的新帳號。",
|
||||
"registration_successful": "註冊成功",
|
||||
"server_picker_title": "帳號託管於",
|
||||
"server_picker_dialog_title": "決定託管帳號的位置"
|
||||
"server_picker_title": "登入您的家伺服器",
|
||||
"server_picker_dialog_title": "決定託管帳號的位置",
|
||||
"footer_powered_by_matrix": "由 Matrix 提供",
|
||||
"failed_homeserver_discovery": "無法探索家伺服器",
|
||||
"sync_footer_subtitle": "如果您已加入很多聊天室,這可能需要一點時間",
|
||||
"syncing": "正在同步…",
|
||||
"signing_in": "正在登入…",
|
||||
"unsupported_auth_msisdn": "這個伺服器不支援以電話號碼認證。",
|
||||
"unsupported_auth_email": "此家伺服器不支援使用電子郵件地址登入。",
|
||||
"unsupported_auth": "此家伺服器不提供該客戶端支援的任何登入流程。",
|
||||
"registration_disabled": "註冊已在此家伺服器上停用。",
|
||||
"failed_query_registration_methods": "無法查詢支援的註冊方法。",
|
||||
"username_in_use": "某人已使用該使用者名稱。請改用其他名稱。",
|
||||
"3pid_in_use": "該電子郵件地址或電話號碼已被使用。",
|
||||
"incorrect_password": "不正確的密碼",
|
||||
"failed_soft_logout_auth": "無法重新驗證",
|
||||
"soft_logout_heading": "您已登出",
|
||||
"forgot_password_email_required": "必須輸入和您帳號綁定的電子郵件地址。",
|
||||
"forgot_password_email_invalid": "電子郵件地址似乎無效。",
|
||||
"sign_in_prompt": "有帳號了嗎?<a>登入</a>",
|
||||
"verify_email_heading": "請驗證您的郵件信箱以繼續",
|
||||
"forgot_password_prompt": "忘記您的密碼了?",
|
||||
"soft_logout_intro_password": "輸入您的密碼以登入並取回對您帳號的存取權。",
|
||||
"soft_logout_intro_sso": "登入並取回對您帳號的存取權。",
|
||||
"soft_logout_intro_unsupported_auth": "您無法登入到您的帳號。請聯絡您的家伺服器管理員以取得更多資訊。",
|
||||
"check_email_explainer": "按照指示寄信到 <b>%(email)s</b>",
|
||||
"check_email_wrong_email_prompt": "錯誤的電子郵件地址?",
|
||||
"check_email_wrong_email_button": "重新輸入電子郵件地址",
|
||||
"check_email_resend_prompt": "沒有收到嗎?",
|
||||
"check_email_resend_tooltip": "重寄認證信!",
|
||||
"enter_email_heading": "輸入您的電子郵件來重新設定密碼",
|
||||
"enter_email_explainer": "<b>%(homeserver)s</b> 將會寄送認證信件給您,讓您可以重新設定密碼。",
|
||||
"verify_email_explainer": "在重設您的密碼前,我們必須知道是您本人。請點擊我們剛剛寄送至<b>%(email)s</b>的電子郵件中的連結",
|
||||
"create_account_prompt": "新手?<a>建立帳號</a>",
|
||||
"sign_in_or_register": "登入或建立帳號",
|
||||
"sign_in_or_register_description": "使用您的帳號或建立新的以繼續。",
|
||||
"sign_in_description": "使用您的帳號繼續。",
|
||||
"register_action": "建立帳號",
|
||||
"server_picker_failed_validate_homeserver": "無法驗證家伺服器",
|
||||
"server_picker_invalid_url": "無效網址",
|
||||
"server_picker_required": "指定家伺服器",
|
||||
"server_picker_matrix.org": "Matrix.org 是世界上最大的公開家伺服器,因此對許多人來說是一個好地方。",
|
||||
"server_picker_intro": "我們將您可以託管帳號的地方稱為「家伺服器」。",
|
||||
"server_picker_custom": "其他家伺服器",
|
||||
"server_picker_explainer": "如果您有的話,可以使用您偏好的 Matrix 家伺服器,或是自己架一個。",
|
||||
"server_picker_learn_more": "關於家伺服器"
|
||||
},
|
||||
"room_list": {
|
||||
"sort_unread_first": "先顯示有未讀訊息的聊天室",
|
||||
|
@ -4109,5 +4036,81 @@
|
|||
"access_token_detail": "您的存取權杖可提供您帳號完整的存取權限。請勿分享給任何人。",
|
||||
"clear_cache_reload": "清除快取並重新載入"
|
||||
}
|
||||
},
|
||||
"widget": {
|
||||
"capability": {
|
||||
"send_stickers_this_room": "傳送貼圖到此聊天室",
|
||||
"send_stickers_active_room": "傳送貼圖到您的活躍聊天室",
|
||||
"send_stickers_this_room_as_you": "以您的身份傳送貼圖到此聊天室",
|
||||
"send_stickers_active_room_as_you": "以您的身份傳送貼圖到您的活躍聊天室",
|
||||
"see_sticker_posted_this_room": "檢視貼圖在此聊天室中何時貼出",
|
||||
"see_sticker_posted_active_room": "檢視何時有人將貼圖貼到您的活躍聊天室",
|
||||
"always_on_screen_viewing_another_room": "在執行與檢視其他聊天室時仍保留在您的畫面上",
|
||||
"always_on_screen_generic": "在執行時保留在您的畫面上",
|
||||
"switch_room": "變更您正在檢視的聊天室",
|
||||
"switch_room_message_user": "變更您正在檢視的聊天室、訊息或使用者",
|
||||
"change_topic_this_room": "變更此聊天室的主題",
|
||||
"see_topic_change_this_room": "檢視此聊天室的主題何時變更",
|
||||
"change_topic_active_room": "變更您活躍聊天室的主題",
|
||||
"see_topic_change_active_room": "檢視您的活躍聊天室的主題何時變更",
|
||||
"change_name_this_room": "變更此聊天室的名稱",
|
||||
"see_name_change_this_room": "檢視此聊天室的名稱何時變更",
|
||||
"change_name_active_room": "變更您活躍聊天室的名稱",
|
||||
"see_name_change_active_room": "檢視您活躍聊天室的名稱何時變更",
|
||||
"change_avatar_this_room": "變更此聊天室的大頭照",
|
||||
"see_avatar_change_this_room": "檢視此聊天室的大頭照何時變更",
|
||||
"change_avatar_active_room": "變更您活躍聊天室的大頭照",
|
||||
"see_avatar_change_active_room": "檢視您活躍聊天室的大頭照何時變更",
|
||||
"remove_ban_invite_leave_this_room": "移除、封鎖或邀請他人進入此聊天室,然後讓您離開",
|
||||
"receive_membership_this_room": "檢視人們何時加入、離開或被邀請加入此聊天室",
|
||||
"remove_ban_invite_leave_active_room": "移除、封鎖或邀請夥伴加入您的活躍聊天室,然後讓您離開",
|
||||
"receive_membership_active_room": "檢視人們何時加入、離開或被邀請至您的活躍聊天室",
|
||||
"byline_empty_state_key": "使用空的狀態金鑰",
|
||||
"byline_state_key": "使用狀態金鑰 %(stateKey)s",
|
||||
"any_room": "以上,但在任何您已加入或被邀請的聊天室中",
|
||||
"specific_room": "以上,但也在 <Room /> 中",
|
||||
"send_event_type_this_room": "以您的身份在此聊天室傳送 <b>%(eventType)s</b> 活動",
|
||||
"see_event_type_sent_this_room": "檢視發佈到此聊天室的 <b>%(eventType)s</b> 活動",
|
||||
"send_event_type_active_room": "以您的身份在您的活躍聊天室傳送 <b>%(eventType)s</b> 活動",
|
||||
"see_event_type_sent_active_room": "檢視發佈到您的活躍聊天室的 <b>%(eventType)s</b> 活動",
|
||||
"capability": "<b>%(capability)s</b> 能力",
|
||||
"send_messages_this_room": "在此聊天室以您的身份傳送訊息",
|
||||
"send_messages_active_room": "在您的活躍聊天室以您的身份傳送訊息",
|
||||
"see_messages_sent_this_room": "檢視發佈到此聊天室的訊息",
|
||||
"see_messages_sent_active_room": "檢視發佈到您的活躍聊天室的訊息",
|
||||
"send_text_messages_this_room": "在此聊天室以您的身份傳送文字訊息",
|
||||
"send_text_messages_active_room": "在您的活躍聊天室以您的身份傳送文字訊息",
|
||||
"see_text_messages_sent_this_room": "檢視發佈到此聊天室的文字訊息",
|
||||
"see_text_messages_sent_active_room": "檢視發佈到您的活躍聊天室的文字訊息",
|
||||
"send_emotes_this_room": "在此聊天室中以您的身份傳送表情符號",
|
||||
"send_emotes_active_room": "在您的活躍聊天室中以您的身份傳送表情符號",
|
||||
"see_sent_emotes_this_room": "檢視發佈到此聊天室的表情符號",
|
||||
"see_sent_emotes_active_room": "檢視發佈到您的活躍聊天室的表情符號",
|
||||
"send_images_this_room": "在此聊天室以您的身份傳送圖片",
|
||||
"send_images_active_room": "在您的活躍聊天室以您的身份傳送圖片",
|
||||
"see_images_sent_this_room": "檢視發佈到此聊天室的圖片",
|
||||
"see_images_sent_active_room": "檢視發佈到您的活躍聊天室的圖片",
|
||||
"send_videos_this_room": "在此聊天室中以您的身份傳送影片",
|
||||
"send_videos_active_room": "在您的活躍聊天室中以您的身份傳送影片",
|
||||
"see_videos_sent_this_room": "檢視發佈到此聊天室的影片",
|
||||
"see_videos_sent_active_room": "檢視發佈到您的活躍聊天室的影片",
|
||||
"send_files_this_room": "在此聊天室中以您的身份傳送一般檔案",
|
||||
"send_files_active_room": "在您的活躍聊天室中以您的身份傳送一般檔案",
|
||||
"see_sent_files_this_room": "檢視在此聊天室中發佈的一般檔案",
|
||||
"see_sent_files_active_room": "檢視在您的活躍聊天室中發佈的一般檔案",
|
||||
"send_msgtype_this_room": "在此聊天室中以您的身份傳送 <b>%(msgtype)s</b> 訊息",
|
||||
"send_msgtype_active_room": "在您的活躍聊天室中以您的身份傳送 <b>%(msgtype)s</b> 訊息",
|
||||
"see_msgtype_sent_this_room": "檢視發佈到此聊天室的 <b>%(msgtype)s</b> 訊息",
|
||||
"see_msgtype_sent_active_room": "檢視發佈到您活躍聊天室的 <b>%(msgtype)s</b> 訊息"
|
||||
}
|
||||
},
|
||||
"feedback": {
|
||||
"sent": "已傳送回饋",
|
||||
"comment_label": "評論",
|
||||
"platform_username": "將會記錄您使用的平台與使用者名稱,以盡可能使用回饋資訊來調整本功能。",
|
||||
"may_contact_label": "若您想跟進或讓我測試即將到來的想法,可以聯絡我",
|
||||
"pro_type": "專業建議:如果您開始了一個錯誤,請遞交<debugLogsLink>除錯紀錄檔</debugLogsLink>以協助我們尋找問題。",
|
||||
"existing_issue_link": "請先檢視 <existingIssuesLink>GitHub 上既有的錯誤</existingIssuesLink>。沒有相符的嗎?<newIssueLink>回報新的問題</newIssueLink>。",
|
||||
"send_feedback_action": "傳送回饋"
|
||||
}
|
||||
}
|
||||
|
|
|
@ -237,7 +237,7 @@ export const SETTINGS: { [setting: string]: ISetting } = {
|
|||
displayName: _td("labs|notification_settings"),
|
||||
default: false,
|
||||
betaInfo: {
|
||||
title: _td("Notification Settings"),
|
||||
title: _td("labs|notification_settings_beta_title"),
|
||||
caption: () => (
|
||||
<>
|
||||
<p>
|
||||
|
@ -434,7 +434,7 @@ export const SETTINGS: { [setting: string]: ISetting } = {
|
|||
labsGroup: LabGroup.Rooms,
|
||||
supportedLevels: LEVELS_FEATURE,
|
||||
displayName: _td("labs|dynamic_room_predecessors"),
|
||||
description: _td("Enable MSC3946 (to support late-arriving room archives)"),
|
||||
description: _td("labs|dynamic_room_predecessors_description"),
|
||||
shouldWarn: true,
|
||||
default: false,
|
||||
},
|
||||
|
@ -447,12 +447,12 @@ export const SETTINGS: { [setting: string]: ISetting } = {
|
|||
},
|
||||
[Features.VoiceBroadcastForceSmallChunks]: {
|
||||
supportedLevels: LEVELS_DEVICE_ONLY_SETTINGS,
|
||||
displayName: _td("Force 15s voice broadcast chunk length"),
|
||||
displayName: _td("labs|voice_broadcast_force_small_chunks"),
|
||||
default: false,
|
||||
},
|
||||
[Features.OidcNativeFlow]: {
|
||||
supportedLevels: LEVELS_FEATURE,
|
||||
displayName: _td("Enable new native OIDC flows (Under active development)"),
|
||||
displayName: _td("labs|oidc_native_flow"),
|
||||
default: false,
|
||||
},
|
||||
"feature_rust_crypto": {
|
||||
|
@ -475,8 +475,8 @@ export const SETTINGS: { [setting: string]: ISetting } = {
|
|||
"feature_render_reaction_images": {
|
||||
isFeature: true,
|
||||
labsGroup: LabGroup.Messaging,
|
||||
displayName: _td("Render custom images in reactions"),
|
||||
description: _td('Sometimes referred to as "custom emojis".'),
|
||||
displayName: _td("labs|render_reaction_images"),
|
||||
description: _td("labs|render_reaction_images_description"),
|
||||
supportedLevels: LEVELS_FEATURE,
|
||||
default: false,
|
||||
},
|
||||
|
@ -531,20 +531,6 @@ export const SETTINGS: { [setting: string]: ISetting } = {
|
|||
labsGroup: LabGroup.Rooms,
|
||||
default: false,
|
||||
},
|
||||
// MSC3952 intentional mentions support.
|
||||
"feature_intentional_mentions": {
|
||||
isFeature: true,
|
||||
supportedLevels: LEVELS_DEVICE_ONLY_SETTINGS_WITH_CONFIG,
|
||||
displayName: _td("labs|intentional_mentions"),
|
||||
labsGroup: LabGroup.Rooms,
|
||||
default: false,
|
||||
controller: new ServerSupportUnstableFeatureController(
|
||||
"feature_intentional_mentions",
|
||||
defaultWatchManager,
|
||||
[["org.matrix.msc3952_intentional_mentions"]],
|
||||
"v1.7",
|
||||
),
|
||||
},
|
||||
"feature_ask_to_join": {
|
||||
default: false,
|
||||
displayName: _td("labs|ask_to_join"),
|
||||
|
@ -561,6 +547,14 @@ export const SETTINGS: { [setting: string]: ISetting } = {
|
|||
default: false,
|
||||
controller: new ReloadOnChangeController(),
|
||||
},
|
||||
"feature_notifications": {
|
||||
isFeature: true,
|
||||
labsGroup: LabGroup.Messaging,
|
||||
displayName: _td("labs|notifications"),
|
||||
description: _td("labs|unrealiable_e2e"),
|
||||
supportedLevels: LEVELS_FEATURE,
|
||||
default: false,
|
||||
},
|
||||
"useCompactLayout": {
|
||||
supportedLevels: LEVELS_DEVICE_ONLY_SETTINGS,
|
||||
displayName: _td("Use a more compact 'Modern' layout"),
|
||||
|
@ -847,8 +841,8 @@ export const SETTINGS: { [setting: string]: ISetting } = {
|
|||
supportedLevels: LEVELS_ROOM_SETTINGS_WITH_ROOM,
|
||||
displayName: {
|
||||
"default": _td("settings|inline_url_previews_default"),
|
||||
"room-account": _td("Enable URL previews for this room (only affects you)"),
|
||||
"room": _td("Enable URL previews by default for participants in this room"),
|
||||
"room-account": _td("settings|inline_url_previews_room_account"),
|
||||
"room": _td("settings|inline_url_previews_room"),
|
||||
},
|
||||
default: true,
|
||||
controller: new UIFeatureController(UIFeature.URLPreviews),
|
||||
|
@ -856,7 +850,7 @@ export const SETTINGS: { [setting: string]: ISetting } = {
|
|||
"urlPreviewsEnabled_e2ee": {
|
||||
supportedLevels: [SettingLevel.ROOM_DEVICE, SettingLevel.ROOM_ACCOUNT],
|
||||
displayName: {
|
||||
"room-account": _td("Enable URL previews for this room (only affects you)"),
|
||||
"room-account": _td("settings|inline_url_previews_room_account"),
|
||||
},
|
||||
default: false,
|
||||
controller: new UIFeatureController(UIFeature.URLPreviews),
|
||||
|
|
Some files were not shown because too many files have changed in this diff Show more
Loading…
Add table
Add a link
Reference in a new issue