Merge branch 'develop' into t3chguy/optional_new_behaviour_roomsublist
						commit
						168edbca16
					
				|  | @ -14,6 +14,7 @@ See the License for the specific language governing permissions and | |||
| limitations under the License. | ||||
| */ | ||||
| 
 | ||||
| import React from 'react'; | ||||
| import Modal from './Modal'; | ||||
| import sdk from './'; | ||||
| import MultiInviter from './utils/MultiInviter'; | ||||
|  |  | |||
|  | @ -1306,7 +1306,7 @@ export default React.createClass({ | |||
| 
 | ||||
|         const dft = new DecryptionFailureTracker((total) => { | ||||
|             // TODO: Pass reason for failure as third argument to trackEvent
 | ||||
|             Analytics.trackEvent('E2E', 'Decryption failure', null, total); | ||||
|             Analytics.trackEvent('E2E', 'Decryption failure', 'unspecified_error', total); | ||||
|         }); | ||||
| 
 | ||||
|         // Shelved for later date when we have time to think about persisting history of
 | ||||
|  |  | |||
|  | @ -16,28 +16,24 @@ limitations under the License. | |||
| 
 | ||||
| const React = require('react'); | ||||
| const ReactDOM = require('react-dom'); | ||||
| const PropTypes = require('prop-types'); | ||||
| 
 | ||||
| // Shamelessly ripped off Modal.js.  There's probably a better way
 | ||||
| // of doing reusable widgets like dialog boxes & menus where we go and
 | ||||
| // pass in a custom control as the actual body.
 | ||||
| 
 | ||||
| const ContainerId = "mx_PersistedElement"; | ||||
| 
 | ||||
| function getOrCreateContainer() { | ||||
|     let container = document.getElementById(ContainerId); | ||||
| function getOrCreateContainer(containerId) { | ||||
|     let container = document.getElementById(containerId); | ||||
| 
 | ||||
|     if (!container) { | ||||
|         container = document.createElement("div"); | ||||
|         container.id = ContainerId; | ||||
|         container.id = containerId; | ||||
|         document.body.appendChild(container); | ||||
|     } | ||||
| 
 | ||||
|     return container; | ||||
| } | ||||
| 
 | ||||
| // Greater than that of the ContextualMenu
 | ||||
| const PE_Z_INDEX = 5000; | ||||
| 
 | ||||
| /* | ||||
|  * Class of component that renders its children in a separate ReactDOM virtual tree | ||||
|  * in a container element appended to document.body. | ||||
|  | @ -50,6 +46,14 @@ const PE_Z_INDEX = 5000; | |||
|  * bounding rect as the parent of PE. | ||||
|  */ | ||||
| export default class PersistedElement extends React.Component { | ||||
| 
 | ||||
|     static propTypes = { | ||||
|         // Unique identifier for this PersistedElement instance
 | ||||
|         // Any PersistedElements with the same persistKey will use
 | ||||
|         // the same DOM container.
 | ||||
|         persistKey: PropTypes.string.isRequired, | ||||
|     }; | ||||
| 
 | ||||
|     constructor() { | ||||
|         super(); | ||||
|         this.collectChildContainer = this.collectChildContainer.bind(this); | ||||
|  | @ -97,18 +101,16 @@ export default class PersistedElement extends React.Component { | |||
|             left: parentRect.left + 'px', | ||||
|             width: parentRect.width + 'px', | ||||
|             height: parentRect.height + 'px', | ||||
|             zIndex: PE_Z_INDEX, | ||||
|         }); | ||||
|     } | ||||
| 
 | ||||
|     render() { | ||||
|         const content = <div ref={this.collectChild}> | ||||
|         const content = <div ref={this.collectChild} style={this.props.style}> | ||||
|             {this.props.children} | ||||
|         </div>; | ||||
| 
 | ||||
|         ReactDOM.render(content, getOrCreateContainer()); | ||||
|         ReactDOM.render(content, getOrCreateContainer('mx_persistedElement_'+this.props.persistKey)); | ||||
| 
 | ||||
|         return <div ref={this.collectChildContainer}></div>; | ||||
|     } | ||||
| } | ||||
| 
 | ||||
|  |  | |||
|  | @ -16,6 +16,7 @@ limitations under the License. | |||
| 
 | ||||
| 'use strict'; | ||||
| 
 | ||||
| import React from 'react'; | ||||
| import MImageBody from './MImageBody'; | ||||
| import sdk from '../../../index'; | ||||
| 
 | ||||
|  |  | |||
|  | @ -332,13 +332,40 @@ module.exports = withMatrixClient(React.createClass({ | |||
|         }); | ||||
|     }, | ||||
| 
 | ||||
|     onMuteToggle: function() { | ||||
|     _warnSelfDemote: function() { | ||||
|         const QuestionDialog = sdk.getComponent("dialogs.QuestionDialog"); | ||||
|         return new Promise((resolve) => { | ||||
|             Modal.createTrackedDialog('Demoting Self', '', QuestionDialog, { | ||||
|                 title: _t("Demote yourself?"), | ||||
|                 description: | ||||
|                     <div> | ||||
|                         { _t("You will not be able to undo this change as you are demoting yourself, " + | ||||
|                             "if you are the last privileged user in the room it will be impossible " + | ||||
|                             "to regain privileges.") } | ||||
|                     </div>, | ||||
|                 button: _t("Demote"), | ||||
|                 onFinished: resolve, | ||||
|             }); | ||||
|         }); | ||||
|     }, | ||||
| 
 | ||||
|     onMuteToggle: async function() { | ||||
|         const ErrorDialog = sdk.getComponent("dialogs.ErrorDialog"); | ||||
|         const roomId = this.props.member.roomId; | ||||
|         const target = this.props.member.userId; | ||||
|         const room = this.props.matrixClient.getRoom(roomId); | ||||
|         if (!room) return; | ||||
| 
 | ||||
|         // if muting self, warn as it may be irreversible
 | ||||
|         if (target === this.props.matrixClient.getUserId()) { | ||||
|             try { | ||||
|                 if (!(await this._warnSelfDemote())) return; | ||||
|             } catch (e) { | ||||
|                 console.error("Failed to warn about self demotion: ", e); | ||||
|                 return; | ||||
|             } | ||||
|         } | ||||
| 
 | ||||
|         const powerLevelEvent = room.currentState.getStateEvents("m.room.power_levels", ""); | ||||
|         if (!powerLevelEvent) return; | ||||
| 
 | ||||
|  | @ -436,7 +463,7 @@ module.exports = withMatrixClient(React.createClass({ | |||
|         }).done(); | ||||
|     }, | ||||
| 
 | ||||
|     onPowerChange: function(powerLevel) { | ||||
|     onPowerChange: async function(powerLevel) { | ||||
|         const roomId = this.props.member.roomId; | ||||
|         const target = this.props.member.userId; | ||||
|         const room = this.props.matrixClient.getRoom(roomId); | ||||
|  | @ -455,20 +482,12 @@ module.exports = withMatrixClient(React.createClass({ | |||
| 
 | ||||
|         // If we are changing our own PL it can only ever be decreasing, which we cannot reverse.
 | ||||
|         if (myUserId === target) { | ||||
|             Modal.createTrackedDialog('Demoting Self', '', QuestionDialog, { | ||||
|                 title: _t("Warning!"), | ||||
|                 description: | ||||
|                     <div> | ||||
|                         { _t("You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.") }<br /> | ||||
|                         { _t("Are you sure?") } | ||||
|                     </div>, | ||||
|                 button: _t("Continue"), | ||||
|                 onFinished: (confirmed) => { | ||||
|                     if (confirmed) { | ||||
|                         this._applyPowerChange(roomId, target, powerLevel, powerLevelEvent); | ||||
|                     } | ||||
|                 }, | ||||
|             }); | ||||
|             try { | ||||
|                 if (!(await this._warnSelfDemote())) return; | ||||
|                 this._applyPowerChange(roomId, target, powerLevel, powerLevelEvent); | ||||
|             } catch (e) { | ||||
|                 console.error("Failed to warn about self demotion: ", e); | ||||
|             } | ||||
|             return; | ||||
|         } | ||||
| 
 | ||||
|  | @ -478,7 +497,8 @@ module.exports = withMatrixClient(React.createClass({ | |||
|                 title: _t("Warning!"), | ||||
|                 description: | ||||
|                     <div> | ||||
|                         { _t("You will not be able to undo this change as you are promoting the user to have the same power level as yourself.") }<br /> | ||||
|                         { _t("You will not be able to undo this change as you are promoting the user " + | ||||
|                             "to have the same power level as yourself.") }<br /> | ||||
|                         { _t("Are you sure?") } | ||||
|                     </div>, | ||||
|                 button: _t("Continue"), | ||||
|  |  | |||
|  | @ -27,6 +27,10 @@ import WidgetUtils from '../../../utils/WidgetUtils'; | |||
| 
 | ||||
| const widgetType = 'm.stickerpicker'; | ||||
| 
 | ||||
| // We sit in a context menu, so the persisted element container needs to float
 | ||||
| // above it, so it needs a greater z-index than the ContextMenu
 | ||||
| const STICKERPICKER_Z_INDEX = 5000; | ||||
| 
 | ||||
| export default class Stickerpicker extends React.Component { | ||||
|     constructor(props) { | ||||
|         super(props); | ||||
|  | @ -211,7 +215,7 @@ export default class Stickerpicker extends React.Component { | |||
|                             width: this.popoverWidth, | ||||
|                         }} | ||||
|                     > | ||||
|                     <PersistedElement> | ||||
|                     <PersistedElement containerId="mx_persisted_stickerPicker" style={{zIndex: STICKERPICKER_Z_INDEX}}> | ||||
|                         <AppTile | ||||
|                             collectWidgetMessaging={this._collectWidgetMessaging} | ||||
|                             id={stickerpickerWidget.id} | ||||
|  |  | |||
|  | @ -1181,5 +1181,32 @@ | |||
|     "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "За да продължите да ползвате %(homeserverDomain)s е необходимо да прегледате и да се съгласите с правилата и условията за ползване.", | ||||
|     "Review terms and conditions": "Прегледай правилата и условията", | ||||
|     "Failed to indicate account erasure": "Неуспешно указване на желанието за изтриване на акаунта", | ||||
|     "Try the app first": "Първо пробвайте приложението" | ||||
|     "Try the app first": "Първо пробвайте приложението", | ||||
|     "Encrypting": "Шифроване", | ||||
|     "Encrypted, not sent": "Шифровано, неизпратено", | ||||
|     "Share Link to User": "Сподели връзка с потребител", | ||||
|     "Share room": "Сподели стая", | ||||
|     "Share Room": "Споделяне на стая", | ||||
|     "Link to most recent message": "Създай връзка към най-новото съобщение", | ||||
|     "Share User": "Споделяне на потребител", | ||||
|     "Share Community": "Споделяне на общност", | ||||
|     "Share Room Message": "Споделяне на съобщение от стая", | ||||
|     "Link to selected message": "Създай връзка към избраното съобщение", | ||||
|     "COPY": "КОПИРАЙ", | ||||
|     "Share Message": "Сподели съобщението", | ||||
|     "No Audio Outputs detected": "Не са открити аудио изходи", | ||||
|     "Audio Output": "Аудио изходи", | ||||
|     "Jitsi Conference Calling": "Jitsi конферентни разговори", | ||||
|     "Call in Progress": "Тече разговор", | ||||
|     "A call is already in progress!": "В момента вече тече разговор!", | ||||
|     "You have no historical rooms": "Нямате стаи в архива", | ||||
|     "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "В шифровани стаи като тази, по подразбиране URL прегледите са изключени, за да се подсигури че сървърът (където става генерирането на прегледите) не може да събира информация за връзките споделени в стаята.", | ||||
|     "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Когато някой сподели URL връзка в съобщение, може да бъде показан URL преглед даващ повече информация за връзката (заглавие, описание и картинка от уебсайта).", | ||||
|     "The email field must not be blank.": "Имейл полето не може да бъде празно.", | ||||
|     "The user name field must not be blank.": "Полето за потребителско име не може да е празно.", | ||||
|     "The phone number field must not be blank.": "Полето за телефонен номер не може да е празно.", | ||||
|     "The password field must not be blank.": "Полето за парола не може да е празно.", | ||||
|     "You can't send any messages until you review and agree to <consentLink>our terms and conditions</consentLink>.": "Не можете да изпращате съобщения докато не прегледате и се съгласите с <consentLink>нашите правила и условия</consentLink>.", | ||||
|     "Demote yourself?": "Понижете себе си?", | ||||
|     "Demote": "Понижение" | ||||
| } | ||||
|  |  | |||
|  | @ -1076,5 +1076,9 @@ | |||
|     "Collapse panel": "Sbalit panel", | ||||
|     "With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "Vzhled a chování aplikace může být ve vašem aktuální prohlížeči nesprávné a některé nebo všechny funkce mohou být chybné. Chcete-li i přes to pokračovat, nebudeme vám bránit, ale se všemi problémy, na které narazíte, si musíte poradit sami!", | ||||
|     "Checking for an update...": "Kontrola aktualizací...", | ||||
|     "There are advanced notifications which are not shown here": "Jsou k dispozici pokročilá upozornění, která zde nejsou zobrazena" | ||||
|     "There are advanced notifications which are not shown here": "Jsou k dispozici pokročilá upozornění, která zde nejsou zobrazena", | ||||
|     "The platform you're on": "Platforma na které jsi", | ||||
|     "The version of Riot.im": "Verze Riot.im", | ||||
|     "Whether or not you're logged in (we don't record your user name)": "Jestli jsi, nebo nejsi přihlášen (tvou přezdívku neukládáme)", | ||||
|     "Your language of choice": "Tvá jazyková volba" | ||||
| } | ||||
|  |  | |||
|  | @ -1195,5 +1195,16 @@ | |||
|     "Share Message": "Teile Nachricht", | ||||
|     "No Audio Outputs detected": "Keine Ton-Ausgabe erkannt", | ||||
|     "Audio Output": "Ton-Ausgabe", | ||||
|     "Try the app first": "App erst ausprobieren" | ||||
|     "Try the app first": "App erst ausprobieren", | ||||
|     "Jitsi Conference Calling": "Jitsi-Konferenz Anruf", | ||||
|     "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "In verschlüsselten Räumen, wie diesem, ist die Link-Vorschau standardmäßig deaktiviert damit dein Heimserver (auf dem die Vorschau erzeugt wird) keine Informationen über Links in diesem Raum bekommt.", | ||||
|     "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Wenn jemand eine Nachricht mit einem Link schickt, kann die Link-Vorschau mehr Informationen, wie Titel, Beschreibung und Bild der Webseite, über den Link anzeigen.", | ||||
|     "The email field must not be blank.": "Das E-Mail-Feld darf nicht leer sein.", | ||||
|     "The user name field must not be blank.": "Das Benutzername-Feld darf nicht leer sein.", | ||||
|     "The phone number field must not be blank.": "Das Telefonnummern-Feld darf nicht leer sein.", | ||||
|     "The password field must not be blank.": "Das Passwort-Feld darf nicht leer sein.", | ||||
|     "Call in Progress": "Gespräch läuft", | ||||
|     "A call is already in progress!": "Ein Gespräch läuft bereits!", | ||||
|     "You have no historical rooms": "Du hast keine historischen Räume", | ||||
|     "You can't send any messages until you review and agree to <consentLink>our terms and conditions</consentLink>.": "Du kannst keine Nachrichten senden bis du die <consentLink>unsere Geschläftsbedingungen</consentLink> gelesen und akzeptiert hast." | ||||
| } | ||||
|  |  | |||
|  | @ -377,12 +377,14 @@ | |||
|     "Unban this user?": "Unban this user?", | ||||
|     "Ban this user?": "Ban this user?", | ||||
|     "Failed to ban user": "Failed to ban user", | ||||
|     "Demote yourself?": "Demote yourself?", | ||||
|     "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.", | ||||
|     "Demote": "Demote", | ||||
|     "Failed to mute user": "Failed to mute user", | ||||
|     "Failed to toggle moderator status": "Failed to toggle moderator status", | ||||
|     "Failed to change power level": "Failed to change power level", | ||||
|     "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.", | ||||
|     "Are you sure?": "Are you sure?", | ||||
|     "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.", | ||||
|     "Are you sure?": "Are you sure?", | ||||
|     "No devices with registered encryption keys": "No devices with registered encryption keys", | ||||
|     "Devices": "Devices", | ||||
|     "Unignore": "Unignore", | ||||
|  | @ -770,6 +772,7 @@ | |||
|     "Room directory": "Room directory", | ||||
|     "Start chat": "Start chat", | ||||
|     "And %(count)s more...|other": "And %(count)s more...", | ||||
|     "Share Link to User": "Share Link to User", | ||||
|     "ex. @bob:example.com": "ex. @bob:example.com", | ||||
|     "Add User": "Add User", | ||||
|     "Matrix ID": "Matrix ID", | ||||
|  |  | |||
|  | @ -1195,5 +1195,16 @@ | |||
|     "COPY": "KOPIATU", | ||||
|     "Share Message": "Partekatu mezua", | ||||
|     "No Audio Outputs detected": "Ez da audio irteerarik antzeman", | ||||
|     "Audio Output": "Audio irteera" | ||||
|     "Audio Output": "Audio irteera", | ||||
|     "Jitsi Conference Calling": "Jitsi konferentzia deia", | ||||
|     "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "Zifratutako gelatan, honetan esaterako, URL-en aurrebistak lehenetsita desgaituta daude zure hasiera-zerbitzariak gela honetan ikusten dituzun estekei buruzko informaziorik jaso ez dezan, hasiera-zerbitzarian sortzen baitira aurrebistak.", | ||||
|     "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Norbaitek mezu batean URL bat jartzen duenean, URL aurrebista bat erakutsi daiteke estekaren informazio gehiago erakusteko, adibidez webgunearen izenburua, deskripzioa eta irudi bat.", | ||||
|     "The email field must not be blank.": "E-mail eremua ezin da hutsik laga.", | ||||
|     "The user name field must not be blank.": "Erabiltzaile-izen eremua ezin da hutsik laga.", | ||||
|     "The phone number field must not be blank.": "Telefono zenbakia eremua ezin da hutsik laga.", | ||||
|     "The password field must not be blank.": "Pasahitza eremua ezin da hutsik laga.", | ||||
|     "Call in Progress": "Deia abian", | ||||
|     "A call is already in progress!": "Badago dei bat abian!", | ||||
|     "You have no historical rooms": "Ez duzu gelen historialik", | ||||
|     "You can't send any messages until you review and agree to <consentLink>our terms and conditions</consentLink>.": "Ezin duzu mezurik bidali <consentLink>gure termino eta baldintzak</consentLink> irakurri eta onartu arte." | ||||
| } | ||||
|  |  | |||
|  | @ -1195,5 +1195,18 @@ | |||
|     "Share Room Message": "Partager le message du salon", | ||||
|     "Link to selected message": "Lien vers le message sélectionné", | ||||
|     "COPY": "COPIER", | ||||
|     "Share Message": "Partager le message" | ||||
|     "Share Message": "Partager le message", | ||||
|     "Jitsi Conference Calling": "Appel en téléconférence Jitsi", | ||||
|     "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "Dans les salons chiffrés, comme celui-ci, l'aperçu des liens est désactivé par défaut pour s'assurer que le serveur d'accueil (où sont générés les aperçus) ne puisse pas collecter d'informations sur les liens qui apparaissent dans ce salon.", | ||||
|     "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Quand quelqu'un met un lien dans son message, un aperçu du lien peut être affiché afin de fournir plus d'informations sur ce lien comme le titre, la description et une image du site.", | ||||
|     "The email field must not be blank.": "Le champ de l'adresse e-mail ne doit pas être vide.", | ||||
|     "The user name field must not be blank.": "Le champ du nom d'utilisateur ne doit pas être vide.", | ||||
|     "The phone number field must not be blank.": "Le champ du numéro de téléphone ne doit pas être vide.", | ||||
|     "The password field must not be blank.": "Le champ du mot de passe ne doit pas être vide.", | ||||
|     "Call in Progress": "Appel en cours", | ||||
|     "A call is already in progress!": "Un appel est déjà en cours !", | ||||
|     "You have no historical rooms": "Vous n'avez aucun salon historique", | ||||
|     "You can't send any messages until you review and agree to <consentLink>our terms and conditions</consentLink>.": "Vous ne pouvez voir aucun message tant que vous ne lisez et n'acceptez pas nos <consentLink>conditions générales</consentLink>.", | ||||
|     "Demote yourself?": "Vous rétrograder ?", | ||||
|     "Demote": "Rétrograder" | ||||
| } | ||||
|  |  | |||
|  | @ -1195,5 +1195,6 @@ | |||
|     "Review terms and conditions": "Revise os termos e condicións", | ||||
|     "No Audio Outputs detected": "Non se detectou unha saída de audio", | ||||
|     "Audio Output": "Saída de audio", | ||||
|     "Try the app first": "Probe a aplicación primeiro" | ||||
|     "Try the app first": "Probe a aplicación primeiro", | ||||
|     "Jitsi Conference Calling": "Chamada para conferencia con Jitsi" | ||||
| } | ||||
|  |  | |||
|  | @ -1195,5 +1195,18 @@ | |||
|     "Share Room Message": "Szoba üzenet megosztás", | ||||
|     "Link to selected message": "Hivatkozás a kijelölt üzenetre", | ||||
|     "COPY": "Másol", | ||||
|     "Share Message": "Üzenet megosztása" | ||||
|     "Share Message": "Üzenet megosztása", | ||||
|     "Jitsi Conference Calling": "Jitsi konferencia hívás", | ||||
|     "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "Az olyan titkosított szobákban, mint ez is, az URL előnézet alapértelmezetten ki van kapcsolva, hogy biztosított legyen, hogy a matrix szerver (ahol az előnézet készül) ne tudjon információt gyűjteni arról, hogy milyen linkeket látsz ebben a szobában.", | ||||
|     "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Ha valaki URL linket helyez az üzenetébe, lehetőség van egy előnézet megjelenítésére amivel további információt kaphatunk a linkről, mint cím, leírás és a weboldal képe.", | ||||
|     "The email field must not be blank.": "Az e-mail mező nem lehet üres.", | ||||
|     "The user name field must not be blank.": "A felhasználói név mező nem lehet üres.", | ||||
|     "The phone number field must not be blank.": "A telefonszám mező nem lehet üres.", | ||||
|     "The password field must not be blank.": "A jelszó mező nem lehet üres.", | ||||
|     "Call in Progress": "Hívás folyamatban", | ||||
|     "A call is already in progress!": "A hívás már folyamatban van!", | ||||
|     "You have no historical rooms": "Nincsenek archív szobáid", | ||||
|     "You can't send any messages until you review and agree to <consentLink>our terms and conditions</consentLink>.": "Nem tudsz üzenetet küldeni amíg nem olvasod el és nem fogadod el a <consentLink>felhasználási feltételeket</consentLink>.", | ||||
|     "Demote yourself?": "Lefokozod magad?", | ||||
|     "Demote": "Lefokozás" | ||||
| } | ||||
|  |  | |||
|  | @ -1180,5 +1180,20 @@ | |||
|     "Replying": "Rispondere", | ||||
|     "Popout widget": "Oggetto a comparsa", | ||||
|     "Failed to indicate account erasure": "Impossibile indicare la cancellazione dell'account", | ||||
|     "Bulk Options": "Opzioni applicate in massa" | ||||
|     "Bulk Options": "Opzioni applicate in massa", | ||||
|     "Encrypting": "Cifratura...", | ||||
|     "Encrypted, not sent": "Cifrato, non inviato", | ||||
|     "Share Link to User": "Condividi link con utente", | ||||
|     "Share room": "Condividi stanza", | ||||
|     "Share Room": "Condividi stanza", | ||||
|     "Link to most recent message": "Link al messaggio più recente", | ||||
|     "Share User": "Condividi utente", | ||||
|     "Share Community": "Condividi comunità", | ||||
|     "Share Room Message": "Condividi messaggio stanza", | ||||
|     "Link to selected message": "Link al messaggio selezionato", | ||||
|     "COPY": "COPIA", | ||||
|     "Share Message": "Condividi messaggio", | ||||
|     "No Audio Outputs detected": "Nessuna uscita audio rilevata", | ||||
|     "Audio Output": "Uscita audio", | ||||
|     "Try the app first": "Prova prima l'app" | ||||
| } | ||||
|  |  | |||
|  | @ -650,7 +650,7 @@ | |||
|     "Automatically replace plain text Emoji": "Automatycznie zastępuj tekstowe emotikony", | ||||
|     "Failed to upload image": "Przesyłanie obrazka nie powiodło się", | ||||
|     "%(count)s new messages|one": "%(count)s nowa wiadomość", | ||||
|     "%(count)s new messages|other": "%(count)s nowe wiadomości", | ||||
|     "%(count)s new messages|other": "%(count)s nowych wiadomości", | ||||
|     "We recommend you go through the verification process for each device to confirm they belong to their legitimate owner, but you can resend the message without verifying if you prefer.": "Zalecamy Ci przejście przez proces weryfikacyjny dla każdego urządzenia aby potwierdzić, że należy ono do ich prawdziwego właściciela. Możesz jednak wysłać tę wiadomość bez potwierdzania.", | ||||
|     "Unblacklist": "Usuń z czarnej listy", | ||||
|     "Blacklist": "Dodaj do czarnej listy", | ||||
|  | @ -752,9 +752,9 @@ | |||
|     "Unnamed room": "Pokój bez nazwy", | ||||
|     "Guests can join": "Goście mogą dołączyć", | ||||
|     "Remove avatar": "Usuń awatar", | ||||
|     "Drop here to favourite": "Upuść to aby dodać do ulubionych", | ||||
|     "Drop here to restore": "Upuść tu aby przywrócić", | ||||
|     "Drop here to demote": "Upuść tu aby zdegradować", | ||||
|     "Drop here to favourite": "Upuść tutaj aby dodać do ulubionych", | ||||
|     "Drop here to restore": "Upuść tutaj aby przywrócić", | ||||
|     "Drop here to demote": "Upuść tutaj aby zdegradować", | ||||
|     "You have been kicked from this room by %(userName)s.": "Zostałeś usunięty z tego pokoju przez %(userName)s.", | ||||
|     "You have been banned from this room by %(userName)s.": "Zostałeś zbanowany z tego pokoju przez %(userName)s.", | ||||
|     "You are trying to access a room.": "Próbujesz uzyskać dostęp do pokoju.", | ||||
|  | @ -937,8 +937,8 @@ | |||
|     "An email has been sent to %(emailAddress)s": "Email został wysłany do %(emailAddress)s", | ||||
|     "A text message has been sent to %(msisdn)s": "Wysłano wiadomość tekstową do %(msisdn)s", | ||||
|     "Code": "Kod", | ||||
|     "Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie (please see our <PolicyLink>Cookie Policy</PolicyLink>).": "Pomóż nam ulepszyć Riot.im wysyłając <UsageDataLink>anonimowe dane analityczne</ UsageDataLink>. Spowoduje to użycie pliku cookie (zobacz naszą <PolicyLink>Politykę plików cookie</ PolicyLink>).", | ||||
|     "Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie.": "Pomóż nam ulepszyć Riot.im wysyłając <UsageDataLink>anonimowe dane analityczne</ UsageDataLink>. Spowoduje to użycie pliku cookie.", | ||||
|     "Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie (please see our <PolicyLink>Cookie Policy</PolicyLink>).": "Pomóż nam ulepszyć Riot.im wysyłając <UsageDataLink>anonimowe dane analityczne</UsageDataLink>. Spowoduje to użycie pliku cookie (zobacz naszą <PolicyLink>Politykę plików cookie</PolicyLink>).", | ||||
|     "Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie.": "Pomóż nam ulepszyć Riot.im wysyłając <UsageDataLink>anonimowe dane analityczne</UsageDataLink>. Spowoduje to użycie pliku cookie.", | ||||
|     "Yes, I want to help!": "Tak, chcę pomóc!", | ||||
|     "Warning: This widget might use cookies.": "Uwaga: Ten widżet może używać ciasteczek.", | ||||
|     "Delete Widget": "Usuń widżet", | ||||
|  | @ -955,5 +955,172 @@ | |||
|     "Advanced options": "Opcje zaawansowane", | ||||
|     "To continue, please enter your password:": "Aby kontynuować, proszę wprowadzić swoje hasło:", | ||||
|     "password": "hasło", | ||||
|     "Refresh": "Odśwież" | ||||
|     "Refresh": "Odśwież", | ||||
|     "Which officially provided instance you are using, if any": "Jakiej oficjalnej instancji używasz, jeżeli w ogóle", | ||||
|     "Every page you use in the app": "Każda strona, której używasz w aplikacji", | ||||
|     "e.g. <CurrentPageURL>": "np. <CurrentPageURL>", | ||||
|     "Your User Agent": "Identyfikator Twojej przeglądarki", | ||||
|     "Your device resolution": "Twoja rozdzielczość ekranu", | ||||
|     "Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "Dane identyfikujące, takie jak: pokój, identyfikator użytkownika lub grupy, są usuwane przed wysłaniem na serwer.", | ||||
|     "Who would you like to add to this community?": "Kogo chcesz dodać do tej społeczności?", | ||||
|     "Missing roomId.": "Brak identyfikatora pokoju (roomId).", | ||||
|     "Ignores a user, hiding their messages from you": "Ignoruje użytkownika ukrywając jego wiadomości przed Tobą", | ||||
|     "Stops ignoring a user, showing their messages going forward": "Przestaje ignorować użytkownika, zaczynaj pokazywać jego wiadomości od tego momentu", | ||||
|     "Opens the Developer Tools dialog": "Otwiera narzędzia deweloperskie", | ||||
|     "Encrypting": "Szyfrowanie", | ||||
|     "Encrypted, not sent": "Zaszyfrowane, nie wysłane", | ||||
|     "Disinvite this user?": "Anulować zaproszenie tego użytkownika?", | ||||
|     "Unignore": "Przestań ignorować", | ||||
|     "Jump to read receipt": "Przeskocz do potwierdzenia odczytu", | ||||
|     "Share Link to User": "Udostępnij link do użytkownika", | ||||
|     "At this time it is not possible to reply with a file so this will be sent without being a reply.": "W tej chwili nie można odpowiedzieć plikiem, więc zostanie wysłany nie będąc odpowiedzią.", | ||||
|     "Unable to reply": "Nie udało się odpowiedzieć", | ||||
|     "At this time it is not possible to reply with an emote.": "W tej chwili nie można odpowiedzieć emotikoną.", | ||||
|     "Replying": "Odpowiadanie", | ||||
|     "Share room": "Udostępnij pokój", | ||||
|     "Drop here to tag direct chat": "Upuść tutaj aby oznaczyć jako rozmowę bezpośrednią", | ||||
|     "Community Invites": "Zaproszenia do społeczności", | ||||
|     "To change the room's history visibility, you must be a": "Aby zmienić widoczność historii pokoju, musisz być", | ||||
|     "To change the permissions in the room, you must be a": "Aby zmienić uprawnienia pokoju, musisz być", | ||||
|     "To change the topic, you must be a": "Aby zmienić temat, musisz być", | ||||
|     "To modify widgets in the room, you must be a": "Aby modyfikować widżety w tym pokoju, musisz być", | ||||
|     "Banned by %(displayName)s": "Zbanowany przez %(displayName)s", | ||||
|     "To send messages, you must be a": "Aby wysyłać wiadomości, musisz być", | ||||
|     "To invite users into the room, you must be a": "Aby zapraszać użytkowników do pokoju, musisz być", | ||||
|     "To configure the room, you must be a": "Aby konfigurować pokój, musisz być", | ||||
|     "To kick users, you must be a": "Aby wyrzucać użytkowników, musisz być", | ||||
|     "To ban users, you must be a": "Aby blokować użytkowników, musisz być", | ||||
|     "To remove other users' messages, you must be a": "Aby usuwać wiadomości innych użytkowników, musisz być", | ||||
|     "To notify everyone in the room, you must be a": "Aby powiadamiać wszystkich w pokoju, musisz być", | ||||
|     "Muted Users": "Wyciszeni użytkownicy", | ||||
|     "To send events of type <eventType/>, you must be a": "Aby wysyłać zdarzenia typu <eventType/>, musisz być", | ||||
|     "Addresses": "Adresy", | ||||
|     "Invalid community ID": "Błędne ID społeczności", | ||||
|     "'%(groupId)s' is not a valid community ID": "'%(groupId)s' nie jest poprawnym ID społeczności", | ||||
|     "New community ID (e.g. +foo:%(localDomain)s)": "Nowe ID społeczności (np. +bla:%(localDomain)s)", | ||||
|     "URL previews are enabled by default for participants in this room.": "Podglądy linków są domyślnie włączone dla uczestników tego pokoju.", | ||||
|     "URL previews are disabled by default for participants in this room.": "Podglądy linków są domyślnie wyłączone dla uczestników tego pokoju.", | ||||
|     "Username on %(hs)s": "Nazwa użytkownika na %(hs)s", | ||||
|     "Remove from community": "Usuń ze społeczności", | ||||
|     "Disinvite this user from community?": "Anulować zaproszenie tego użytkownika ze społeczności?", | ||||
|     "Remove this user from community?": "Usunąć tego użytkownika ze społeczności?", | ||||
|     "Failed to withdraw invitation": "Nie udało się wycofać zaproszenia", | ||||
|     "Failed to remove user from community": "Nie udało się usunąć użytkownika ze społeczności", | ||||
|     "Filter community members": "Filtruj członków społeczności", | ||||
|     "Are you sure you want to remove '%(roomName)s' from %(groupId)s?": "Czy na pewno chcesz usunąć '%(roomName)s' z %(groupId)s?", | ||||
|     "Removing a room from the community will also remove it from the community page.": "Usunięcie pokoju ze społeczności spowoduje także jego usunięcie ze strony społeczności.", | ||||
|     "Failed to remove room from community": "Nie udało się usunąć pokoju ze społeczności", | ||||
|     "Failed to remove '%(roomName)s' from %(groupId)s": "Nie udało się usunąć '%(roomName)s' z %(groupId)s", | ||||
|     "The visibility of '%(roomName)s' in %(groupId)s could not be updated.": "Widoczność '%(roomName)s' w %(groupId)s nie może być zaktualizowana.", | ||||
|     "Visibility in Room List": "Widoczność na liście pokojów", | ||||
|     "Visible to everyone": "Widoczny dla wszystkich", | ||||
|     "Only visible to community members": "Widoczny tylko dla członków społeczności", | ||||
|     "Filter community rooms": "Filtruj pokoje społeczności", | ||||
|     "Something went wrong when trying to get your communities.": "Coś poszło nie tak podczas pobierania Twoich społeczności.", | ||||
|     "You're not currently a member of any communities.": "Nie jesteś obecnie członkiem żadnej społeczności.", | ||||
|     "Minimize apps": "Zminimalizuj aplikacje", | ||||
|     "Reload widget": "Przeładuj widżet", | ||||
|     "Picture": "Zdjęcie", | ||||
|     "Matrix Room ID": "ID pokoju Matrix", | ||||
|     "You have entered an invalid address.": "Podałeś nieprawidłowy adres.", | ||||
|     "Try using one of the following valid address types: %(validTypesList)s.": "Spróbuj użyć jednego z następujących poprawnych typów adresów: %(validTypesList)s.", | ||||
|     "Riot bugs are tracked on GitHub: <a>create a GitHub issue</a>.": "Błędy Riot śledzone są na GitHubie: <a>utwórz nowe zgłoszenie</a>.", | ||||
|     "Community IDs cannot not be empty.": "ID społeczności nie może być puste.", | ||||
|     "Community IDs may only contain characters a-z, 0-9, or '=_-./'": "ID społeczności może zawierać tylko znaki a-z, 0-9 lub '=_-./'", | ||||
|     "Something went wrong whilst creating your community": "Coś poszło nie tak podczas tworzenia Twojej społeczności", | ||||
|     "Create Community": "Utwórz społeczność", | ||||
|     "Community Name": "Nazwa społeczności", | ||||
|     "Community ID": "ID społeczności", | ||||
|     "Block users on other matrix homeservers from joining this room": "Blokuj użytkowników z innych serwerów Matrix przed dołączaniem do tego pokoju", | ||||
|     "This setting cannot be changed later!": "Tego ustawienia nie można zmienić później!", | ||||
|     "This will make your account permanently unusable. You will not be able to log in, and no one will be able to re-register the same user ID. This will cause your account to leave all rooms it is participating in, and it will remove your account details from your identity server. <b>This action is irreversible.</b>": "To sprawi, że Twoje konto stanie się na stałe niezdatne do użytku. Nie będziesz mógł się zalogować i nikt nie będzie mógł ponownie zarejestrować tego samego identyfikatora użytkownika. Spowoduje to, że Twoje konto opuści wszystkie pokoje, w których uczestniczy, i usunie dane Twojego konta z serwera tożsamości. <b>Ta czynność jest nieodwracalna.</b>", | ||||
|     "Deactivating your account <b>does not by default cause us to forget messages you have sent.</b> If you would like us to forget your messages, please tick the box below.": "Dezaktywacja konta <b>domyślnie nie powoduje, że skasowania wysłanych wiadomości.</b> Jeśli chcesz, abyśmy zapomnieli o Twoich wiadomościach, zaznacz pole poniżej.", | ||||
|     "Message visibility in Matrix is similar to email. Our forgetting your messages means that messages you have sent will not be shared with any new or unregistered users, but registered users who already have access to these messages will still have access to their copy.": "Widoczność wiadomości w Matrix jest podobna do wiadomości e-mail. Nasze zapomnienie wiadomości oznacza, że wysłane wiadomości nie będą udostępniane żadnym nowym lub niezarejestrowanym użytkownikom, ale zarejestrowani użytkownicy, którzy już mają dostęp do tych wiadomości, nadal będą mieli dostęp do ich kopii.", | ||||
|     "Please forget all messages I have sent when my account is deactivated (<b>Warning:</b> this will cause future users to see an incomplete view of conversations)": "Proszę zapomnieć o wszystkich wiadomościach, które wysłałem, gdy moje konto jest wyłączone (<b>Ostrzeżenie:</b> spowoduje to, że przyszli użytkownicy zobaczą niepełny obraz rozmów)", | ||||
|     "Log out and remove encryption keys?": "Wylogować i usunąć klucze szyfrujące?", | ||||
|     "Clear Storage and Sign Out": "Wyczyść pamięć i wyloguj się", | ||||
|     "Send Logs": "Wyślij dzienniki", | ||||
|     "We encountered an error trying to restore your previous session.": "Napotkaliśmy błąd podczas przywracania poprzedniej sesji.", | ||||
|     "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Wyczyszczenie pamięci przeglądarki może rozwiązać problem, ale wyloguje Cię i spowoduje, że jakakolwiek zaszyfrowana historia czatu stanie się nieczytelna.", | ||||
|     "Share Room": "Udostępnij pokój", | ||||
|     "Link to most recent message": "Link do najnowszej wiadomości", | ||||
|     "Share User": "Udostępnij użytkownika", | ||||
|     "Share Community": "Udostępnij Społeczność", | ||||
|     "Share Room Message": "Udostępnij wiadomość w pokoju", | ||||
|     "Link to selected message": "Link do zaznaczonej wiadomości", | ||||
|     "COPY": "KOPIUJ", | ||||
|     "Unable to reject invite": "Nie udało się odrzucić zaproszenia", | ||||
|     "Share Message": "Udostępnij wiadomość", | ||||
|     "Collapse Reply Thread": "Zwiń wątek odpowiedzi", | ||||
|     "<h1>HTML for your community's page</h1>\n<p>\n    Use the long description to introduce new members to the community, or distribute\n    some important <a href=\"foo\">links</a>\n</p>\n<p>\n    You can even use 'img' tags\n</p>\n": "<h1>Strona HTML dla Twojej Społeczności</h1>\n<p>\n    Skorzystaj z długiego opisu aby wprowadzić nowych członków do Społeczności lub rozpowszechnić ważne <a href=\"blabla\">linki</a>.\n</p>\n<p>\n    Możesz nawet używać tagów 'img'.\n</p>\n", | ||||
|     "Add rooms to the community summary": "Dodaj pokoje do podsumowania Społeczności", | ||||
|     "Which rooms would you like to add to this summary?": "Które pokoje chcesz dodać do tego podsumowania?", | ||||
|     "Add to summary": "Dodaj do podsumowania", | ||||
|     "Failed to add the following rooms to the summary of %(groupId)s:": "Nie udało się dodać następujących pokojów do podsumowania %(groupId)s:", | ||||
|     "Add a Room": "Dodaj pokój", | ||||
|     "Failed to remove the room from the summary of %(groupId)s": "Nie udało się usunąć pokoju z podsumowania %(groupId)s", | ||||
|     "The room '%(roomName)s' could not be removed from the summary.": "Pokój '%(roomName)s' nie mógł być usunięty z podsumowania.", | ||||
|     "Add users to the community summary": "Dodaj użytkowników do podsumowania Społeczności", | ||||
|     "Who would you like to add to this summary?": "Kogo chcesz dodać do tego podsumowania?", | ||||
|     "Failed to add the following users to the summary of %(groupId)s:": "Nie udało się dodać następujących użytkowników do podsumowania %(groupId)s:", | ||||
|     "Add a User": "Dodaj użytkownika", | ||||
|     "Failed to remove a user from the summary of %(groupId)s": "Nie udało się usunąć użytkownika z podsumowania %(groupId)s", | ||||
|     "The user '%(displayName)s' could not be removed from the summary.": "Użytkownik '%(displayName)s' nie mógł być usunięty z podsumowania.", | ||||
|     "Failed to update community": "Nie udało się zaktualizować Społeczności", | ||||
|     "Unable to accept invite": "Nie udało się zaakceptować zaproszenia", | ||||
|     "Unable to join community": "Nie udało się dołączyć do Społeczności", | ||||
|     "Leave Community": "Opuść Społeczność", | ||||
|     "Leave %(groupName)s?": "Opuścić %(groupName)s?", | ||||
|     "Unable to leave community": "Nie udało się opuścić Społeczności", | ||||
|     "Community Settings": "Ustawienia Społeczności", | ||||
|     "Changes made to your community <bold1>name</bold1> and <bold2>avatar</bold2> might not be seen by other users for up to 30 minutes.": "Zmiany <bold1>nazwy</bold1> oraz <bold2>awataru</bold2> Twojej Społeczności mogą nie być widoczne przez innych użytkowników nawet przez 30 minut.", | ||||
|     "These rooms are displayed to community members on the community page. Community members can join the rooms by clicking on them.": "Te pokoje są wyświetlane członkom społeczności na stronie społeczności. Członkowie społeczności mogą dołączyć do pokoi, klikając je.", | ||||
|     "%(inviter)s has invited you to join this community": "%(inviter)s zaprosił Cię do przyłączenia się do tej Społeczności", | ||||
|     "Join this community": "Dołącz do tej Społeczności", | ||||
|     "Leave this community": "Opuść tę Społeczność", | ||||
|     "You are an administrator of this community": "Jesteś administratorem tej Społeczności", | ||||
|     "You are a member of this community": "Jesteś członkiem tej społeczności", | ||||
|     "Who can join this community?": "Kto może dołączyć do tej Społeczności?", | ||||
|     "Everyone": "Każdy", | ||||
|     "Your community hasn't got a Long Description, a HTML page to show to community members.<br />Click here to open settings and give it one!": "Twoja Społeczność nie ma długiego opisu, strony HTML, która będzie wyświetlana członkom społeczności.<br />Kliknij tutaj, aby otworzyć ustawienia i nadać jej jakąś!", | ||||
|     "Long Description (HTML)": "Długi opis (HTML)", | ||||
|     "Description": "Opis", | ||||
|     "Community %(groupId)s not found": "Społeczność %(groupId)s nie znaleziona", | ||||
|     "This Home server does not support communities": "Ten serwer domowy nie wspiera Społeczności", | ||||
|     "Failed to load %(groupId)s": "Nie udało się załadować %(groupId)s", | ||||
|     "This room is not public. You will not be able to rejoin without an invite.": "Ten pokój nie jest publiczny. Nie będziesz w stanie do niego dołączyć bez zaproszenia.", | ||||
|     "Can't leave Server Notices room": "Nie można opuścić pokoju powiadomień serwera", | ||||
|     "This room is used for important messages from the Homeserver, so you cannot leave it.": "Ten pokój jest używany do ważnych wiadomości z serwera domowego, więc nie możesz go opuścić.", | ||||
|     "Terms and Conditions": "Warunki użytkowania", | ||||
|     "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Aby kontynuować używanie serwera domowego %(homeserverDomain)s musisz przejrzeć i zaakceptować nasze warunki użytkowania.", | ||||
|     "Review terms and conditions": "Przejrzyj warunki użytkowania", | ||||
|     "Old cryptography data detected": "Wykryto stare dane kryptograficzne", | ||||
|     "Data from an older version of Riot has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Dane ze starszej wersji Riot zostały wykryte. Spowoduje to błędne działanie kryptografii typu end-to-end w starszej wersji. Wiadomości szyfrowane end-to-end wymieniane ostatnio podczas korzystania ze starszej wersji mogą być niemożliwe do odszyfrowywane w tej wersji. Może to również spowodować niepowodzenie wiadomości wymienianych z tą wersją. Jeśli wystąpią problemy, wyloguj się i zaloguj ponownie. Aby zachować historię wiadomości, wyeksportuj i ponownie zaimportuj klucze.", | ||||
|     "Your Communities": "Twoje Społeczności", | ||||
|     "Did you know: you can use communities to filter your Riot.im experience!": "Czy wiesz, że: możesz używać Społeczności do filtrowania swoich doświadczeń z Riot.im!", | ||||
|     "To set up a filter, drag a community avatar over to the filter panel on the far left hand side of the screen. You can click on an avatar in the filter panel at any time to see only the rooms and people associated with that community.": "Aby ustawić filtr, przeciągnij awatar Społeczności do panelu filtra po lewej stronie ekranu. Możesz kliknąć awatar w panelu filtra w dowolnym momencie, aby zobaczyć tylko pokoje i osoby powiązane z tą społecznością.", | ||||
|     "Error whilst fetching joined communities": "Błąd podczas pobierania dołączonych społeczności", | ||||
|     "Create a new community": "Utwórz nową Społeczność", | ||||
|     "Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.": "Utwórz Społeczność, aby grupować użytkowników i pokoje! Zbuduj niestandardową stronę główną, aby zaznaczyć swoją przestrzeń we wszechświecie Matrix.", | ||||
|     "<showDevicesText>Show devices</showDevicesText>, <sendAnywayText>send anyway</sendAnywayText> or <cancelText>cancel</cancelText>.": "<showDevicesText>Pokaż urządzenia</showDevicesText>, <sendAnywayText>wyślij mimo to</sendAnywayText> lub <cancelText>anuluj</cancelText>.", | ||||
|     "%(count)s of your messages have not been sent.|one": "Twoja wiadomość nie została wysłana.", | ||||
|     "There's no one else here! Would you like to <inviteText>invite others</inviteText> or <nowarnText>stop warning about the empty room</nowarnText>?": "Nikogo tu nie ma! Czy chcesz <inviteText>zaprosić inne osoby</inviteText> lub <nowarnText>przestać ostrzegać o pustym pokoju</nowarnText>?", | ||||
|     "Clear filter": "Wyczyść filtr", | ||||
|     "Light theme": "Jasny motyw", | ||||
|     "Dark theme": "Ciemny motyw", | ||||
|     "Status.im theme": "Motyw Status.im", | ||||
|     "Ignored Users": "Ignorowani użytkownicy", | ||||
|     "Debug Logs Submission": "Wysyłanie dzienników błędów", | ||||
|     "If you've submitted a bug via GitHub, debug logs can help us track down the problem. Debug logs contain application usage data including your username, the IDs or aliases of the rooms or groups you have visited and the usernames of other users. They do not contain messages.": "Jeśli zgłosiłeś błąd za pośrednictwem GitHuba, dzienniki błędów mogą nam pomóc wyśledzić problem. Dzienniki błędów zawierają dane o użytkowaniu aplikacji, w tym nazwę użytkownika, identyfikatory lub aliasy odwiedzonych pomieszczeń lub grup oraz nazwy użytkowników innych użytkowników. Nie zawierają wiadomości.", | ||||
|     "Privacy is important to us, so we don't collect any personal or identifiable data for our analytics.": "Prywatność jest dla nas ważna, dlatego nie gromadzimy żadnych danych osobowych ani danych identyfikujących w naszych analizach.", | ||||
|     "Learn more about how we use analytics.": "Dowiedz się więcej co analizujemy.", | ||||
|     "No Audio Outputs detected": "Nie wykryto wyjść audio", | ||||
|     "Audio Output": "Wyjście audio", | ||||
|     "An email has been sent to %(emailAddress)s. Once you've followed the link it contains, click below.": "E-mail został wysłany na adres %(emailAddress)s. Gdy otworzysz link, który zawiera, kliknij poniżej.", | ||||
|     "Please note you are logging into the %(hs)s server, not matrix.org.": "Zauważ proszę, że logujesz się na serwer %(hs)s, nie matrix.org.", | ||||
|     "This homeserver doesn't offer any login flows which are supported by this client.": "Ten serwer domowy nie oferuje żadnych trybów logowania wspieranych przez Twojego klienta.", | ||||
|     "Try the app first": "Najpierw wypróbuj aplikację", | ||||
|     "Sign in to get started": "Zaloguj się, aby rozpocząć", | ||||
|     "Notify the whole room": "Powiadom cały pokój", | ||||
|     "Room Notification": "Powiadomienia pokoju" | ||||
| } | ||||
|  |  | |||
|  | @ -1191,5 +1191,20 @@ | |||
|     "Share User": "Поделиться пользователем", | ||||
|     "Share Community": "Поделиться сообществом", | ||||
|     "Link to selected message": "Ссылка на выбранное сообщение", | ||||
|     "COPY": "КОПИРОВАТЬ" | ||||
|     "COPY": "КОПИРОВАТЬ", | ||||
|     "Jitsi Conference Calling": "Конференц-связь Jitsi", | ||||
|     "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "В зашифрованных комнатах, подобных этой, предварительный просмотр URL-адресов отключен по умолчанию, чтобы гарантировать, что ваш сервер (где создаются предварительные просмотры) не может собирать информацию о ссылках, которые вы видите в этой комнате.", | ||||
|     "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Когда кто-то вставляет URL-адрес в свое сообщение, может быть отображен предварительный просмотр URL-адреса, чтобы предоставить дополнительную информацию об этой ссылке, такую как название, описание и изображение с веб-сайта.", | ||||
|     "The email field must not be blank.": "Поле email не должно быть пустым.", | ||||
|     "The user name field must not be blank.": "Поле имени пользователя не должно быть пустым.", | ||||
|     "The phone number field must not be blank.": "Поле номера телефона не должно быть пустым.", | ||||
|     "The password field must not be blank.": "Поле пароля не должно быть пустым.", | ||||
|     "Call in Progress": "Выполнение вызова", | ||||
|     "A call is already in progress!": "Вызов выполняется!", | ||||
|     "You have no historical rooms": "У вас нет архивных комнат", | ||||
|     "Share Room Message": "Обмен сообщениями в комнате", | ||||
|     "Share Message": "Обмен сообщениями", | ||||
|     "You can't send any messages until you review and agree to <consentLink>our terms and conditions</consentLink>.": "Вы не можете отправлять сообщения до тех пор, пока вы не примете <consentLink>наши правила и положения</consentLink>.", | ||||
|     "Demote": "Понижение", | ||||
|     "Demote yourself?": "Понизить самого себя?" | ||||
| } | ||||
|  |  | |||
|  | @ -60,7 +60,7 @@ | |||
|     "Riot was not given permission to send notifications - please try again": "Aplikácii Riot neboli udelené oprávnenia potrebné pre posielanie oznámení - prosím, skúste to znovu", | ||||
|     "Unable to enable Notifications": "Nie je možné povoliť oznámenia", | ||||
|     "This email address was not found": "Túto emailovú adresu sa nepodarilo nájsť", | ||||
|     "Your email address does not appear to be associated with a Matrix ID on this Homeserver.": "Zdá sa, že vaša emailová adresa nie je priradená k žiadnemu Matrix ID na tomto domovskom servery.", | ||||
|     "Your email address does not appear to be associated with a Matrix ID on this Homeserver.": "Zdá sa, že vaša emailová adresa nie je priradená k žiadnemu Matrix ID na tomto domovskom serveri.", | ||||
|     "Default": "Predvolené", | ||||
|     "Moderator": "Moderátor", | ||||
|     "Admin": "Správca", | ||||
|  | @ -118,7 +118,7 @@ | |||
|     "%(targetName)s rejected the invitation.": "%(targetName)s odmietol pozvanie.", | ||||
|     "%(targetName)s left the room.": "%(targetName)s opustil miestnosť.", | ||||
|     "%(senderName)s unbanned %(targetName)s.": "%(senderName)s povolil vstup %(targetName)s.", | ||||
|     "%(senderName)s kicked %(targetName)s.": "%(senderName)s vykopol %(targetName)s.", | ||||
|     "%(senderName)s kicked %(targetName)s.": "%(senderName)s vykázal %(targetName)s.", | ||||
|     "%(senderName)s withdrew %(targetName)s's invitation.": "%(senderName)s stiahol pozvanie %(targetName)s.", | ||||
|     "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s zmenil tému na \"%(topic)s\".", | ||||
|     "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s odstránil názov miestnosti.", | ||||
|  | @ -219,10 +219,10 @@ | |||
|     "Unverified": "Neoverené", | ||||
|     "device id: ": "ID zariadenia: ", | ||||
|     "Disinvite": "Stiahnuť pozvanie", | ||||
|     "Kick": "Vykopnúť", | ||||
|     "Kick": "Vykázať", | ||||
|     "Disinvite this user?": "Stiahnuť pozvanie tohoto používateľa?", | ||||
|     "Kick this user?": "Vykopnúť tohoto používateľa?", | ||||
|     "Failed to kick": "Nepodarilo sa vykopnúť", | ||||
|     "Kick this user?": "Vykázať tohoto používateľa?", | ||||
|     "Failed to kick": "Nepodarilo sa vykázať", | ||||
|     "Unban": "Povoliť vstup", | ||||
|     "Ban": "Zakázať vstup", | ||||
|     "Unban this user?": "Povoliť vstúpiť tomuto používateľovi?", | ||||
|  | @ -326,8 +326,8 @@ | |||
|     "Would you like to <acceptText>accept</acceptText> or <declineText>decline</declineText> this invitation?": "Chcete <acceptText>prijať</acceptText> alebo <declineText>odmietnuť</declineText> toto pozvanie?", | ||||
|     "Reason: %(reasonText)s": "Dôvod: %(reasonText)s", | ||||
|     "Rejoin": "Vstúpiť znovu", | ||||
|     "You have been kicked from %(roomName)s by %(userName)s.": "Používateľ %(userName)s vás vykopol z miestnosti %(roomName)s.", | ||||
|     "You have been kicked from this room by %(userName)s.": "Používateľ %(userName)s vás vykopol z tejto miestnosti.", | ||||
|     "You have been kicked from %(roomName)s by %(userName)s.": "Používateľ %(userName)s vás vykázal z miestnosti %(roomName)s.", | ||||
|     "You have been kicked from this room by %(userName)s.": "Používateľ %(userName)s vás vykázal z tejto miestnosti.", | ||||
|     "You have been banned from %(roomName)s by %(userName)s.": "Používateľ %(userName)s vám zakázal vstúpiť do miestnosti %(roomName)s.", | ||||
|     "You have been banned from this room by %(userName)s.": "Používateľ %(userName)s vám zakázal vstúpiť do tejto miestnosti.", | ||||
|     "This room": "Táto miestnosť", | ||||
|  | @ -364,7 +364,7 @@ | |||
|     "Privileged Users": "Poverení používatelia", | ||||
|     "No users have specific privileges in this room": "Žiadny používatelia nemajú v tejto miestnosti pridelené konkrétne poverenia", | ||||
|     "Banned users": "Používatelia, ktorým bol zakázaný vstup", | ||||
|     "This room is not accessible by remote Matrix servers": "Táto miestnosť nie je prístupná cez vzdialené Matrix servery", | ||||
|     "This room is not accessible by remote Matrix servers": "Táto miestnosť nie je prístupná zo vzdialených Matrix serverov", | ||||
|     "Leave room": "Opustiť miestnosť", | ||||
|     "Favourite": "Obľúbená", | ||||
|     "Tagged as: ": "Označená ako: ", | ||||
|  | @ -375,7 +375,7 @@ | |||
|     "Only people who have been invited": "Len pozvaní ľudia", | ||||
|     "Anyone who knows the room's link, apart from guests": "Ktokoľvek, kto pozná odkaz do miestnosti (okrem hostí)", | ||||
|     "Anyone who knows the room's link, including guests": "Ktokoľvek, kto pozná odkaz do miestnosti (vrátane hostí)", | ||||
|     "Publish this room to the public in %(domain)s's room directory?": "Uverejniť túto miestnosť v adresáry miestností na servery %(domain)s?", | ||||
|     "Publish this room to the public in %(domain)s's room directory?": "Uverejniť túto miestnosť v adresári miestností na serveri %(domain)s?", | ||||
|     "Who can read history?": "Kto môže čítať históriu?", | ||||
|     "Anyone": "Ktokoľvek", | ||||
|     "Members only (since the point in time of selecting this option)": "Len členovia (odkedy je aktívna táto voľba)", | ||||
|  | @ -387,7 +387,7 @@ | |||
|     "To send messages, you must be a": "Aby ste mohli posielať správy, musíte byť", | ||||
|     "To invite users into the room, you must be a": "Aby ste mohli pozývať používateľov do miestnosti, musíte byť", | ||||
|     "To configure the room, you must be a": "Aby ste mohli nastavovať miestnosť, musíte byť", | ||||
|     "To kick users, you must be a": "Aby ste mohli vykopávať používateľov, musíte byť", | ||||
|     "To kick users, you must be a": "Aby ste mohli vykazovať používateľov, musíte byť", | ||||
|     "To ban users, you must be a": "Aby ste používateľom mohli zakazovať vstup, musíte byť", | ||||
|     "To remove other users' messages, you must be a": "Aby ste mohli odstraňovať správy, ktoré poslali iní používatelia, musíte byť", | ||||
|     "To send events of type <eventType/>, you must be a": "Aby ste mohli posielať udalosti typu <eventType/>, musíte byť", | ||||
|  | @ -437,7 +437,7 @@ | |||
|     "Sign in with CAS": "Prihlásiť sa s použitím CAS", | ||||
|     "Custom Server Options": "Vlastné možnosti servera", | ||||
|     "You can use the custom server options to sign into other Matrix servers by specifying a different Home server URL.": "Vlastné nastavenia servera môžete použiť na pripojenie k iným serverom Matrix a to zadaním URL adresy domovského servera.", | ||||
|     "This allows you to use this app with an existing Matrix account on a different home server.": "Umožní vám to použiť túto aplikáciu s už existujúcim Matrix účtom na akomkoľvek domovskom servery.", | ||||
|     "This allows you to use this app with an existing Matrix account on a different home server.": "Umožní vám to použiť túto aplikáciu s už existujúcim Matrix účtom na akomkoľvek domovskom serveri.", | ||||
|     "You can also set a custom identity server but this will typically prevent interaction with users based on email address.": "Môžete tiež zadať vlastnú adresu servera totožností, čo však za štandardných okolností znemožní interakcie medzi používateľmi založené emailovou adresou.", | ||||
|     "Dismiss": "Zamietnuť", | ||||
|     "To continue, please enter your password.": "Aby ste mohli pokračovať, prosím zadajte svoje heslo.", | ||||
|  | @ -452,7 +452,7 @@ | |||
|     "User name": "Meno používateľa", | ||||
|     "Mobile phone number": "Číslo mobilného telefónu", | ||||
|     "Forgot your password?": "Zabudli ste heslo?", | ||||
|     "%(serverName)s Matrix ID": "Matrix ID na servery %(serverName)s", | ||||
|     "%(serverName)s Matrix ID": "Matrix ID na serveri %(serverName)s", | ||||
|     "Sign in with": "Na prihlásenie sa použije", | ||||
|     "Email address": "Emailová adresa", | ||||
|     "Sign in": "Prihlásiť sa", | ||||
|  | @ -539,10 +539,10 @@ | |||
|     "were unbanned %(count)s times|one": "mali povolený vstup", | ||||
|     "was unbanned %(count)s times|other": "mal %(count)s krát povolený vstup", | ||||
|     "was unbanned %(count)s times|one": "mal povolený vstup", | ||||
|     "were kicked %(count)s times|other": "boli %(count)s krát vykopnutí", | ||||
|     "were kicked %(count)s times|one": "boli vykopnutí", | ||||
|     "was kicked %(count)s times|other": "bol %(count)s krát vykopnutý", | ||||
|     "was kicked %(count)s times|one": "bol vykopnutý", | ||||
|     "were kicked %(count)s times|other": "boli %(count)s krát vykázaní", | ||||
|     "were kicked %(count)s times|one": "boli vykázaní", | ||||
|     "was kicked %(count)s times|other": "bol %(count)s krát vykázaný", | ||||
|     "was kicked %(count)s times|one": "bol vykázaný", | ||||
|     "%(severalUsers)schanged their name %(count)s times|other": "%(severalUsers)ssi %(count)s krát zmenili meno", | ||||
|     "%(severalUsers)schanged their name %(count)s times|one": "%(severalUsers)ssi zmenili meno", | ||||
|     "%(oneUser)schanged their name %(count)s times|other": "%(oneUser)ssi %(count)s krát zmenil meno", | ||||
|  | @ -621,7 +621,7 @@ | |||
|     "An error occurred: %(error_string)s": "Vyskytla sa chyba: %(error_string)s", | ||||
|     "Username available": "Používateľské meno je k dispozícii", | ||||
|     "To get started, please pick a username!": "Začnite tým, že si zvolíte používateľské meno!", | ||||
|     "This will be your account name on the <span></span> homeserver, or you can pick a <a>different server</a>.": "Toto bude názov vašeho účtu na domovskom servery <span></span>, alebo si môžete zvoliť <a>iný server</a>.", | ||||
|     "This will be your account name on the <span></span> homeserver, or you can pick a <a>different server</a>.": "Toto bude názov vašeho účtu na domovskom serveri <span></span>, alebo si môžete zvoliť <a>iný server</a>.", | ||||
|     "If you already have a Matrix account you can <a>log in</a> instead.": "Ak už máte Matrix účet, môžete sa hneď <a>Prihlásiť</a>.", | ||||
|     "You are currently blacklisting unverified devices; to send messages to these devices you must verify them.": "Momentálne sa ku všetkym neovereným zariadeniam správate ako by boli na čiernej listine; aby ste na tieto zariadenia mohli posielať správy, mali by ste ich overiť.", | ||||
|     "We recommend you go through the verification process for each device to confirm they belong to their legitimate owner, but you can resend the message without verifying if you prefer.": "Odporúčame vám prejsť procesom overenia pre všetky tieto zariadenia aby ste si potvrdili, že skutočne patria ich pravým vlastníkom, ak si to však želáte, môžete tiež znovu poslať správu bez overovania.", | ||||
|  | @ -725,7 +725,7 @@ | |||
|     "Don't send typing notifications": "Neposielať oznámenia keď píšete", | ||||
|     "Always show message timestamps": "Vždy zobrazovať časovú značku správ", | ||||
|     "Show timestamps in 12 hour format (e.g. 2:30pm)": "Pri zobrazovaní časových značiek používať 12 hodinový formát (napr. 2:30pm)", | ||||
|     "Hide join/leave messages (invites/kicks/bans unaffected)": "Skryť správy o vstupe a opustení miestnosti (netýka sa pozvaní/vykopnutí/zákazov vstupu)", | ||||
|     "Hide join/leave messages (invites/kicks/bans unaffected)": "Skryť správy o vstupe a opustení miestnosti (netýka sa pozvaní/vykázaní/zákazov vstupu)", | ||||
|     "Use compact timeline layout": "Použiť kompaktné rozloženie časovej osy", | ||||
|     "Hide removed messages": "Skryť odstránené správy", | ||||
|     "Enable automatic language detection for syntax highlighting": "Povoliť automatickú detegciu jazyka pre zvýrazňovanie syntaxe", | ||||
|  | @ -775,8 +775,8 @@ | |||
|     "No media permissions": "Žiadne oprávnenia k médiám", | ||||
|     "You may need to manually permit Riot to access your microphone/webcam": "Mali by ste aplikácii Riot ručne udeliť právo pristupovať k mikrofónu a kamere", | ||||
|     "Missing Media Permissions, click here to request.": "Kliknutím sem vyžiadate chýbajúce oprávnenia na prístup k mediálnym zariadeniam.", | ||||
|     "No Microphones detected": "Neboli nájdené žiadne mikrofóny", | ||||
|     "No Webcams detected": "Neboli nájdené žiadne kamery", | ||||
|     "No Microphones detected": "Neboli rozpoznané žiadne mikrofóny", | ||||
|     "No Webcams detected": "Neboli rozpoznané žiadne kamery", | ||||
|     "Default Device": "Predvolené zariadenie", | ||||
|     "Microphone": "Mikrofón", | ||||
|     "Camera": "Kamera", | ||||
|  | @ -813,7 +813,7 @@ | |||
|     "Create an account": "Vytvoriť účet", | ||||
|     "This Home Server does not support login using email address.": "Tento domovský server nepodporuje prihlasovanie sa emailom.", | ||||
|     "Incorrect username and/or password.": "Nesprávne meno používateľa a / alebo heslo.", | ||||
|     "Guest access is disabled on this Home Server.": "Na tomto domovskom servery je zakázaný prístup pre hostí.", | ||||
|     "Guest access is disabled on this Home Server.": "Na tomto domovskom serveri je zakázaný prístup pre hostí.", | ||||
|     "The phone number entered looks invalid": "Zdá sa, že zadané telefónne číslo je neplatné", | ||||
|     "Error: Problem communicating with the given homeserver.": "Chyba: Nie je možné komunikovať so zadaným domovským serverom.", | ||||
|     "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or <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>.", | ||||
|  | @ -838,7 +838,7 @@ | |||
|     "Invites user with given id to current room": "Pošle používateľovi so zadaným ID pozvanie do tejto miestnosti", | ||||
|     "Joins room with given alias": "Vstúpi do miestnosti so zadaným aliasom", | ||||
|     "Sets the room topic": "Nastaví tému miestnosti", | ||||
|     "Kicks user with given id": "Vykopne používateľa so zadaným ID", | ||||
|     "Kicks user with given id": "Vykáže používateľa so zadaným ID", | ||||
|     "Changes your display nickname": "Zmení vaše zobrazované meno", | ||||
|     "Searches DuckDuckGo for results": "Vyhľadá výsledky na DuckDuckGo", | ||||
|     "Changes colour scheme of current room": "Zmení farebnú schému aktuálnej miestnosti", | ||||
|  | @ -884,7 +884,7 @@ | |||
|     "Sign in to get started": "Začnite prihlásením sa", | ||||
|     "Status.im theme": "Téma status.im", | ||||
|     "Please note you are logging into the %(hs)s server, not matrix.org.": "Všimnite si: Práve sa prihlasujete na server %(hs)s, nie na server matrix.org.", | ||||
|     "Username on %(hs)s": "Meno používateľa na servery %(hs)s", | ||||
|     "Username on %(hs)s": "Meno používateľa na serveri %(hs)s", | ||||
|     "Restricted": "Obmedzené", | ||||
|     "Hide avatar changes": "Skryť zmeny obrázka v profile", | ||||
|     "Hide display name changes": "Skryť zmeny zobrazovaného mena", | ||||
|  | @ -1095,7 +1095,7 @@ | |||
|     "When I'm invited to a room": "Pozvania vstúpiť do miestnosti", | ||||
|     "Can't update user notification settings": "Nie je možné aktualizovať používateľské nastavenia oznamovania", | ||||
|     "Notify for all other messages/rooms": "oznamovať všetky ostatné správy / miestnosti", | ||||
|     "Unable to look up room ID from server": "Nie je možné vyhľadať ID miestnosti na servery", | ||||
|     "Unable to look up room ID from server": "Nie je možné vyhľadať ID miestnosti na serveri", | ||||
|     "Couldn't find a matching Matrix room": "Nie je možné nájsť zodpovedajúcu Matrix miestnosť", | ||||
|     "Invite to this room": "Pozvať do tejto miestnosti", | ||||
|     "You cannot delete this message. (%(code)s)": "Nemôžete vymazať túto správu. (%(code)s)", | ||||
|  | @ -1180,5 +1180,30 @@ | |||
|     "Terms and Conditions": "Zmluvné podmienky", | ||||
|     "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Ak chcete aj naďalej používať domovský server %(homeserverDomain)s, mali by ste si prečítať a odsúhlasiť naše zmluvné podmienky.", | ||||
|     "Review terms and conditions": "Prečítať zmluvné podmienky", | ||||
|     "To notify everyone in the room, you must be a": "Aby ste mohli upozorňovať všetkých členov v miestnosti, musíte byť" | ||||
|     "To notify everyone in the room, you must be a": "Aby ste mohli upozorňovať všetkých členov v miestnosti, musíte byť", | ||||
|     "Encrypting": "Šifrovanie", | ||||
|     "Encrypted, not sent": "Zašifrované, ale neodoslané", | ||||
|     "Share Link to User": "Zdieľať odkaz na používateľa", | ||||
|     "Share room": "Zdieľaj miestnosť", | ||||
|     "Share Room": "Zdieľať miestnosť", | ||||
|     "Link to most recent message": "Odkaz na najnovšiu správu", | ||||
|     "Share User": "Zdieľať používateľa", | ||||
|     "Share Community": "Zdieľať komunitu", | ||||
|     "Link to selected message": "Odkaz na vybratú správu", | ||||
|     "COPY": "Kopírovať", | ||||
|     "Share Message": "Zdieľaj správu", | ||||
|     "No Audio Outputs detected": "Neboli rozpoznané žiadne zvukové výstupy", | ||||
|     "Audio Output": "Výstup zvuku", | ||||
|     "Try the app first": "Vyskúšať si aplikáciu", | ||||
|     "Share Room Message": "Zdieľať správu z miestnosti", | ||||
|     "The email field must not be blank.": "Email nemôže ostať prázdny.", | ||||
|     "The user name field must not be blank.": "Používateľské meno nemôže ostať prázdne.", | ||||
|     "The phone number field must not be blank.": "Telefónne číslo nemôže ostať prázdne.", | ||||
|     "The password field must not be blank.": "Heslo nemôže ostať prázdne.", | ||||
|     "Jitsi Conference Calling": "Konferenčné hovory Jitsi", | ||||
|     "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "Náhľady URL adries sú v šifrovaných miestnostiach ako je táto predvolene zakázané, aby ste si mohli byť istí, že obsah odkazov z vašej konverzácii nebude zaznamenaný na vašom domovskom serveri počas ich generovania.", | ||||
|     "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Ak niekto vo svojej správe pošle URL adresu, môže byť zobrazený jej náhľad obsahujúci názov, popis a obrázok z cieľovej web stránky.", | ||||
|     "Call in Progress": "Prebiehajúci hovor", | ||||
|     "A call is already in progress!": "Jeden hovor už prebieha!", | ||||
|     "You have no historical rooms": "Nemáte žiadne historické miestnosti" | ||||
| } | ||||
|  |  | |||
|  | @ -1177,5 +1177,24 @@ | |||
|     "Terms and Conditions": "Услови коришћења", | ||||
|     "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Да бисте наставили са коришћењем Кућног сервера %(homeserverDomain)s морате погледати и пристати на наше услове коришћења.", | ||||
|     "Review terms and conditions": "Погледај услове коришћења", | ||||
|     "Try the app first": "Пробајте прво апликацију" | ||||
|     "Try the app first": "Пробајте прво апликацију", | ||||
|     "Jitsi Conference Calling": "Jitsi конференцијско позивање", | ||||
|     "Encrypting": "Шифрујем", | ||||
|     "Encrypted, not sent": "Шифровано, непослато", | ||||
|     "Share Link to User": "Подели везу са корисником", | ||||
|     "Share room": "Подели собу", | ||||
|     "This will make your account permanently unusable. You will not be able to log in, and no one will be able to re-register the same user ID. This will cause your account to leave all rooms it is participating in, and it will remove your account details from your identity server. <b>This action is irreversible.</b>": "Ово ће учинити ваш налог трајно неупотребљивим. Нећете моћи да се пријавите и нико се неће моћи поново регистровати са истим корисничким ИБ-јем. Ово ће учинити да ваш налог напусти све собе у којима учествује и уклониће појединости вашег налога са идентитетског сервера. <b>Ова радња се не може опозвати.</b>", | ||||
|     "Deactivating your account <b>does not by default cause us to forget messages you have sent.</b> If you would like us to forget your messages, please tick the box below.": "Деактивирањем вашег налога се <b>ваше поруке неће заборавити.</b> Ако желите да заборавимо ваше поруке, штиклирајте кућицу испод.", | ||||
|     "Message visibility in Matrix is similar to email. Our forgetting your messages means that messages you have sent will not be shared with any new or unregistered users, but registered users who already have access to these messages will still have access to their copy.": "Видљивост порука у Матриксу је слична мејловима. Оне поруке које заборавимо нећемо делити са новим и нерегистрованим корисницима али постојећи корисници који су имали приступ овим порукама ће и даље моћи да виде своју копију.", | ||||
|     "Please forget all messages I have sent when my account is deactivated (<b>Warning:</b> this will cause future users to see an incomplete view of conversations)": "Заборавите све моје поруке које сам послао када се мој налог деактивира (<b>Упозорење:</b> овим ће будући корисници видети непотпуне разговоре)", | ||||
|     "Share Room": "Подели собу", | ||||
|     "Link to most recent message": "Веза ка најновијој поруци", | ||||
|     "Share User": "Подели корисника", | ||||
|     "Share Community": "Подели заједницу", | ||||
|     "Share Room Message": "Подели поруку у соби", | ||||
|     "Link to selected message": "Веза ка изабраној поруци", | ||||
|     "COPY": "КОПИРАЈ", | ||||
|     "Share Message": "Подели поруку", | ||||
|     "No Audio Outputs detected": "Нема уочених излаза звука", | ||||
|     "Audio Output": "Излаз звука" | ||||
| } | ||||
|  |  | |||
|  | @ -1180,5 +1180,21 @@ | |||
|     "This room is not showing flair for any communities": "Detta rum visar inte emblem för några communityn", | ||||
|     "Flair will appear if enabled in room settings": "Emblem kommer visas om det är aktiverat i rumsinställningarna", | ||||
|     "Flair will not appear": "Emblem kommer inte att visas", | ||||
|     "Display your community flair in rooms configured to show it.": "Visa ditt community-emblem i rum som är konfigurerade för att visa det." | ||||
|     "Display your community flair in rooms configured to show it.": "Visa ditt community-emblem i rum som är konfigurerade för att visa det.", | ||||
|     "Jitsi Conference Calling": "Jitsi konferenssamtal", | ||||
|     "Encrypting": "Krypterar", | ||||
|     "Encrypted, not sent": "Krypterat, inte skickat", | ||||
|     "Share Link to User": "Dela länk till användare", | ||||
|     "Share room": "Dela rum", | ||||
|     "Share Room": "Dela rum", | ||||
|     "Link to most recent message": "Länk till senaste meddelandet", | ||||
|     "Share User": "Dela användare", | ||||
|     "Share Community": "Dela community", | ||||
|     "Share Room Message": "Dela rumsmeddelande", | ||||
|     "Link to selected message": "Länk till valt meddelande", | ||||
|     "COPY": "KOPIERA", | ||||
|     "Share Message": "Dela meddelande", | ||||
|     "No Audio Outputs detected": "Inga ljudutgångar hittades", | ||||
|     "Audio Output": "Ljudutgång", | ||||
|     "Try the app first": "Testa appen först" | ||||
| } | ||||
|  |  | |||
|  | @ -279,5 +279,55 @@ | |||
|     "Your User Agent": "Ваш користувацький агент", | ||||
|     "Your device resolution": "Роздільність вашого пристрою", | ||||
|     "Analytics": "Аналітика", | ||||
|     "The information being sent to us to help make Riot.im better includes:": "Надсилана інформація, що допомагає нам покращити Riot.im, вміщує:" | ||||
|     "The information being sent to us to help make Riot.im better includes:": "Надсилана інформація, що допомагає нам покращити Riot.im, вміщує:", | ||||
|     "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Введіть пароль для захисту експортованого файлу. Щоб розшифрувати файл потрібно буде ввести цей пароль.", | ||||
|     "Call Failed": "Виклик не вдався", | ||||
|     "There are unknown devices in this room: if you proceed without verifying them, it will be possible for someone to eavesdrop on your call.": "У цій кімнаті є невідомі пристрої: якщо ви продовжите без їхньої перевірки, зважайте на те, що вас можна буде прослуховувати.", | ||||
|     "Review Devices": "Перевірити пристрої", | ||||
|     "Call Anyway": "Подзвонити все одно", | ||||
|     "Answer Anyway": "Відповісти все одно", | ||||
|     "Call": "Подзвонити", | ||||
|     "Answer": "Відповісти", | ||||
|     "The remote side failed to pick up": "На ваш дзвінок не змогли відповісти", | ||||
|     "Unable to capture screen": "Не вдалось захопити екран", | ||||
|     "Existing Call": "Наявний виклик", | ||||
|     "You are already in a call.": "Ви вже розмовляєте.", | ||||
|     "VoIP is unsupported": "VoIP не підтримується", | ||||
|     "You cannot place VoIP calls in this browser.": "Цей оглядач не підтримує VoIP дзвінки.", | ||||
|     "You cannot place a call with yourself.": "Ви не можете подзвонити самим собі.", | ||||
|     "Conference calls are not supported in encrypted rooms": "Режим конференції не підтримується у зашифрованих кімнатах", | ||||
|     "Conference calls are not supported in this client": "Режим конференції не підтримується у цьому клієнті", | ||||
|     "Warning!": "Увага!", | ||||
|     "Conference calling is in development and may not be reliable.": "Режим конференції ще знаходиться в стані розробки та може бути ненадійним.", | ||||
|     "Failed to set up conference call": "Не вдалось встановити конференцію", | ||||
|     "Conference call failed.": "Конференц-виклик зазнав невдачі.", | ||||
|     "The file '%(fileName)s' failed to upload": "Не вдалось відвантажити файл '%(fileName)s'", | ||||
|     "The file '%(fileName)s' exceeds this home server's size limit for uploads": "Файл '%(fileName)s' перевищує максимальні розміри, дозволені на цьому сервері", | ||||
|     "Upload Failed": "Помилка відвантаження", | ||||
|     "Sun": "Нд", | ||||
|     "Mon": "Пн", | ||||
|     "Tue": "Вт", | ||||
|     "Wed": "Ср", | ||||
|     "Thu": "Чт", | ||||
|     "Fri": "Пт", | ||||
|     "Sat": "Сб", | ||||
|     "Jan": "Січ", | ||||
|     "Feb": "Лют", | ||||
|     "Mar": "Бер", | ||||
|     "Apr": "Квіт", | ||||
|     "May": "Трав", | ||||
|     "Jun": "Чер", | ||||
|     "Jul": "Лип", | ||||
|     "Aug": "Сер", | ||||
|     "Sep": "Вер", | ||||
|     "Oct": "Жов", | ||||
|     "Nov": "Лис", | ||||
|     "Dec": "Гру", | ||||
|     "PM": "PM", | ||||
|     "AM": "AM", | ||||
|     "%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s", | ||||
|     "%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s, %(monthName)s, %(day)s, %(time)s", | ||||
|     "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(monthName)s, %(day)s, %(fullYear)s", | ||||
|     "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s", | ||||
|     "Who would you like to add to this community?": "Кого ви хочете додати до цієї спільноти?" | ||||
| } | ||||
|  |  | |||
|  | @ -35,7 +35,7 @@ | |||
|     "Event information": "事件信息", | ||||
|     "Existing Call": "当前通话", | ||||
|     "Export E2E room keys": "导出聊天室的端到端加密密钥", | ||||
|     "Failed to ban user": "封禁用户失败", | ||||
|     "Failed to ban user": "封禁失败", | ||||
|     "Failed to change password. Is your password correct?": "修改密码失败。确认原密码输入正确吗?", | ||||
|     "Failed to forget room %(errCode)s": "忘记聊天室失败,错误代码: %(errCode)s", | ||||
|     "Failed to join room": "无法加入聊天室", | ||||
|  | @ -103,7 +103,7 @@ | |||
|     "Server may be unavailable or overloaded": "服务器可能不可用或者超载", | ||||
|     "Server may be unavailable, overloaded, or search timed out :(": "服务器可能不可用、超载,或者搜索超时 :(", | ||||
|     "Server may be unavailable, overloaded, or the file too big": "服务器可能不可用、超载,或者文件过大", | ||||
|     "Server may be unavailable, overloaded, or you hit a bug.": "服务器可能不可用、超载,或者你遇到了一个 bug。", | ||||
|     "Server may be unavailable, overloaded, or you hit a bug.": "当前服务器可能处于不可用或过载状态,或者您遇到了一个 bug。", | ||||
|     "Server unavailable, overloaded, or something else went wrong.": "服务器可能不可用、超载,或者其他东西出错了.", | ||||
|     "Session ID": "会话 ID", | ||||
|     "%(senderName)s set a profile picture.": "%(senderName)s 设置了头像。.", | ||||
|  | @ -179,7 +179,7 @@ | |||
|     "Are you sure you want to reject the invitation?": "你确定要拒绝邀请吗?", | ||||
|     "Are you sure you want to upload the following files?": "你确定要上传这些文件吗?", | ||||
|     "Bans user with given id": "按照 ID 封禁指定的用户", | ||||
|     "Blacklisted": "已列入黑名单", | ||||
|     "Blacklisted": "已拉黑", | ||||
|     "Bulk Options": "批量操作", | ||||
|     "Call Timeout": "通话超时", | ||||
|     "Can't connect to homeserver - please check your connectivity, ensure your <a>homeserver's SSL certificate</a> is trusted, and that a browser extension is not blocking requests.": "无法连接主服务器 - 请检查网络连接,确保你的<a>主服务器 SSL 证书</a>被信任,且没有浏览器插件拦截请求。", | ||||
|  | @ -192,7 +192,7 @@ | |||
|     "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s 将话题修改为 “%(topic)s”。", | ||||
|     "Changes to who can read history will only apply to future messages in this room": "修改阅读历史的权限仅对此聊天室以后的消息有效", | ||||
|     "Changes your display nickname": "修改昵称", | ||||
|     "Changing password will currently reset any end-to-end encryption keys on all devices, making encrypted chat history unreadable, unless you first export your room keys and re-import them afterwards. In future this will be improved.": "目前,修改密码会导致所有设备上的端到端密钥被重置,使得加密的聊天记录不再可读。除非你事先导出聊天室密钥,修改密码后再导入。这个问题未来会改善。", | ||||
|     "Changing password will currently reset any end-to-end encryption keys on all devices, making encrypted chat history unreadable, unless you first export your room keys and re-import them afterwards. In future this will be improved.": "目前,修改密码会导致所有设备上的端到端密钥被重置,使得加密的聊天记录不再可读。除非事先导出你的密钥,并在密码修改后导入回去。此问题将会在未来得到改善。", | ||||
|     "Clear Cache and Reload": "清除缓存并刷新", | ||||
|     "Clear Cache": "清除缓存", | ||||
|     "<a>Click here</a> to join the discussion!": "<a>点此</a> 加入讨论!", | ||||
|  | @ -222,8 +222,8 @@ | |||
|     "Drop File Here": "把文件拖拽到这里", | ||||
|     "Email address (optional)": "邮箱地址 (可选)", | ||||
|     "Enable Notifications": "启用消息通知", | ||||
|     "Encrypted by a verified device": "由一个已验证的设备加密", | ||||
|     "Encrypted by an unverified device": "由一个未经验证的设备加密", | ||||
|     "Encrypted by a verified device": "由已验证设备加密", | ||||
|     "Encrypted by an unverified device": "由未验证设备加密", | ||||
|     "Encryption is enabled in this room": "此聊天室启用了加密", | ||||
|     "Encryption is not enabled in this room": "此聊天室未启用加密", | ||||
|     "Enter passphrase": "输入密码", | ||||
|  | @ -254,7 +254,7 @@ | |||
|     "Moderator": "协管员", | ||||
|     "Mute": "静音", | ||||
|     "Name": "姓名", | ||||
|     "Never send encrypted messages to unverified devices from this device": "在此设备上不向未经验证的设备发送消息", | ||||
|     "Never send encrypted messages to unverified devices from this device": "在此设备上,从不对未经验证的设备发送消息", | ||||
|     "New passwords don't match": "两次输入的新密码不符", | ||||
|     "none": "无", | ||||
|     "not set": "未设置", | ||||
|  | @ -320,7 +320,7 @@ | |||
|     "VoIP conference started.": "VoIP 会议开始。", | ||||
|     "VoIP is unsupported": "不支持 VoIP", | ||||
|     "Warning!": "警告!", | ||||
|     "You must <a>register</a> to use this functionality": "你必须<a>注册</a>以使用这个功能", | ||||
|     "You must <a>register</a> to use this functionality": "你必须 <a>注册</a> 以使用此功能", | ||||
|     "You need to be logged in.": "你需要登录。", | ||||
|     "You need to enter a user name.": "你需要输入一个用户名。", | ||||
|     "Your password has been reset": "你的密码已被重置", | ||||
|  | @ -394,29 +394,29 @@ | |||
|     "Kicks user with given id": "按照 ID 移除特定的用户", | ||||
|     "Last seen": "最近一次上线", | ||||
|     "Level:": "级别:", | ||||
|     "Local addresses for this room:": "这个聊天室的本地地址:", | ||||
|     "Local addresses for this room:": "此聊天室的本地地址:", | ||||
|     "New passwords must match each other.": "新密码必须互相匹配。", | ||||
|     "Power level must be positive integer.": "权限级别必须是正整数。", | ||||
|     "Reason: %(reasonText)s": "理由: %(reasonText)s", | ||||
|     "Revoke Moderator": "撤销主持人", | ||||
|     "Revoke widget access": "撤销小部件的访问", | ||||
|     "Remote addresses for this room:": "这个聊天室的远程地址:", | ||||
|     "Remote addresses for this room:": "此聊天室的远程地址:", | ||||
|     "Remove Contact Information?": "移除联系人信息?", | ||||
|     "Remove %(threePid)s?": "移除 %(threePid)s?", | ||||
|     "Results from DuckDuckGo": "来自 DuckDuckGo 的结果", | ||||
|     "Room contains unknown devices": "聊天室包含未知设备", | ||||
|     "%(roomName)s does not exist.": "%(roomName)s 不存在。", | ||||
|     "Save": "保存", | ||||
|     "Send anyway": "无论任何都发送", | ||||
|     "Send anyway": "仍然发送", | ||||
|     "Sets the room topic": "设置聊天室主题", | ||||
|     "Show Text Formatting Toolbar": "显示文字格式工具栏", | ||||
|     "This room has no local addresses": "这个聊天室没有本地地址", | ||||
|     "This room has no local addresses": "此聊天室没有本地地址", | ||||
|     "This doesn't appear to be a valid email address": "这看起来不是一个合法的邮箱地址", | ||||
|     "This is a preview of this room. Room interactions have been disabled": "这是这个聊天室的一个预览。聊天室交互已禁用", | ||||
|     "This is a preview of this room. Room interactions have been disabled": "这是此聊天室的预览。交互操作已被禁用", | ||||
|     "This phone number is already in use": "此手机号码已被使用", | ||||
|     "This room": "这个聊天室", | ||||
|     "This room is not accessible by remote Matrix servers": "这个聊天室无法被远程 Matrix 服务器访问", | ||||
|     "This room's internal ID is": "这个聊天室的内部 ID 是", | ||||
|     "This room": "此聊天室", | ||||
|     "This room is not accessible by remote Matrix servers": "此聊天室无法被远程 Matrix 服务器访问", | ||||
|     "This room's internal ID is": "此聊天室的内部 ID 为", | ||||
|     "Turn Markdown off": "禁用 Markdown", | ||||
|     "Turn Markdown on": "启用 Markdown", | ||||
|     "Unable to create widget.": "无法创建小部件。", | ||||
|  | @ -427,7 +427,7 @@ | |||
|     "Undecryptable": "无法解密的", | ||||
|     "Unencrypted room": "未加密的聊天室", | ||||
|     "unencrypted": "未加密的", | ||||
|     "Unencrypted message": "未加密的消息", | ||||
|     "Unencrypted message": "未加密消息", | ||||
|     "unknown caller": "未知呼叫者", | ||||
|     "unknown device": "未知设备", | ||||
|     "Unnamed Room": "未命名的聊天室", | ||||
|  | @ -438,7 +438,7 @@ | |||
|     "Upload file": "上传文件", | ||||
|     "Usage": "用法", | ||||
|     "Who can read history?": "谁可以阅读历史消息?", | ||||
|     "You are not in this room.": "你不在这个聊天室。", | ||||
|     "You are not in this room.": "您不在此聊天室中。", | ||||
|     "You have no visible notifications": "你没有可见的通知", | ||||
|     "Missing password.": "缺少密码。", | ||||
|     "Passwords don't match.": "密码不匹配。", | ||||
|  | @ -449,9 +449,9 @@ | |||
|     "Do you want to load widget from URL:": "你想从此 URL 加载小组件吗:", | ||||
|     "Hide join/leave messages (invites/kicks/bans unaffected)": "隐藏加入/退出消息(邀请/踢出/封禁不受影响)", | ||||
|     "Integrations Error": "集成错误", | ||||
|     "Publish this room to the public in %(domain)s's room directory?": "把这个聊天室发布到 %(domain)s 的聊天室目录吗?", | ||||
|     "Publish this room to the public in %(domain)s's room directory?": "是否将此聊天室发布至 %(domain)s 的聊天室目录中?", | ||||
|     "Manage Integrations": "管理集成", | ||||
|     "No users have specific privileges in this room": "没有用户在这个聊天室有特殊权限", | ||||
|     "No users have specific privileges in this room": "此聊天室中没有用户有特殊权限", | ||||
|     "%(senderName)s placed a %(callType)s call.": "%(senderName)s 发起了一个 %(callType)s 通话。", | ||||
|     "Please check your email and click on the link it contains. Once this is done, click continue.": "请检查你的电子邮箱并点击里面包含的链接。完成时请点击继续。", | ||||
|     "Press <StartChatButton> to start a chat with someone": "按下 <StartChatButton> 来开始和某个人聊天", | ||||
|  | @ -480,7 +480,7 @@ | |||
|     "Refer a friend to Riot:": "介绍朋友加入Riot:", | ||||
|     "%(roomName)s is not accessible at this time.": "%(roomName)s 此时无法访问。", | ||||
|     "Start authentication": "开始认证", | ||||
|     "The maximum permitted number of widgets have already been added to this room.": "小部件的最大允许数量已经添加到这个聊天室了。", | ||||
|     "The maximum permitted number of widgets have already been added to this room.": "此聊天室可拥有的小部件数量已达到上限。", | ||||
|     "The phone number entered looks invalid": "输入的手机号码看起来无效", | ||||
|     "The remote side failed to pick up": "对方未能接听", | ||||
|     "This Home Server does not support login using email address.": "HS不支持使用邮箱地址登陆。", | ||||
|  | @ -501,15 +501,15 @@ | |||
|     "(no answer)": "(没有回答)", | ||||
|     "(warning: cannot be disabled again!)": "(警告:无法再被禁用!)", | ||||
|     "WARNING: Device already verified, but keys do NOT MATCH!": "警告:设备已经验证,但密钥不匹配!", | ||||
|     "Who can access this room?": "谁可以访问这个聊天室?", | ||||
|     "Who would you like to add to this room?": "你想把谁加入这个聊天室?", | ||||
|     "Who can access this room?": "谁有权访问此聊天室?", | ||||
|     "Who would you like to add to this room?": "你想把谁添加到此聊天室?", | ||||
|     "Who would you like to communicate with?": "你想和谁交流?", | ||||
|     "You are already in a call.": "您正在通话。", | ||||
|     "You do not have permission to do that in this room.": "你没有权限在这个聊天室里面做那件事。", | ||||
|     "You do not have permission to do that in this room.": "您没有进行此操作的权限。", | ||||
|     "You are trying to access %(roomName)s.": "你正在尝试访问 %(roomName)s.", | ||||
|     "You cannot place VoIP calls in this browser.": "你不能在这个浏览器中发起 VoIP 通话。", | ||||
|     "You do not have permission to post to this room": "你没有发送到这个聊天室的权限", | ||||
|     "You have been invited to join this room by %(inviterName)s": "您已被 %(inviterName)s 邀请加入这个聊天室", | ||||
|     "You cannot place VoIP calls in this browser.": "无法在此浏览器中发起 VoIP 通话。", | ||||
|     "You do not have permission to post to this room": "您没有在此聊天室发送消息的权限", | ||||
|     "You have been invited to join this room by %(inviterName)s": "您已被 %(inviterName)s 邀请加入此聊天室", | ||||
|     "You seem to be in a call, are you sure you want to quit?": "您似乎正在进行通话,确定要退出吗?", | ||||
|     "You seem to be uploading files, are you sure you want to quit?": "您似乎正在上传文件,确定要退出吗?", | ||||
|     "You should not yet trust it to secure data": "你不应该相信它来保护你的数据", | ||||
|  | @ -520,7 +520,7 @@ | |||
|     "An unknown error occurred.": "一个未知错误出现了。", | ||||
|     "An error occurred: %(error_string)s": "一个错误出现了: %(error_string)s", | ||||
|     "Encrypt room": "加密聊天室", | ||||
|     "There are no visible files in this room": "这个聊天室里面没有可见的文件", | ||||
|     "There are no visible files in this room": "此聊天室中没有可见的文件", | ||||
|     "Active call": "当前通话", | ||||
|     "Verify...": "验证...", | ||||
|     "Error decrypting audio": "解密音频时出错", | ||||
|  | @ -544,34 +544,34 @@ | |||
|     "Would you like to <acceptText>accept</acceptText> or <declineText>decline</declineText> this invitation?": "你想要 <acceptText>接受</acceptText> 还是 <declineText>拒绝</declineText> 这个邀请?", | ||||
|     "You already have existing direct chats with this user:": "你已经有和此用户的直接聊天:", | ||||
|     "You're not in any rooms yet! Press <CreateRoomButton> to make a room or <RoomDirectoryButton> to browse the directory": "你现在还不再任何聊天室!按下 <CreateRoomButton> 来创建一个聊天室或者 <RoomDirectoryButton> 来浏览目录", | ||||
|     "You cannot place a call with yourself.": "你不能和你自己发起一个通话。", | ||||
|     "You cannot place a call with yourself.": "你怎么寂寞到要和自己打电话,不支持的啦。", | ||||
|     "You have been kicked from %(roomName)s by %(userName)s.": "您已被 %(userName)s 从聊天室 %(roomName)s 中移除。", | ||||
|     "You have been logged out of all devices and will no longer receive push notifications. To re-enable notifications, sign in again on each device": "你已经登出了所有的设备并不再接收推送通知。要重新启用通知,请再在每个设备上登录", | ||||
|     "You have <a>disabled</a> URL previews by default.": "你已经默认 <a>禁用</a> 链接预览。", | ||||
|     "You have <a>enabled</a> URL previews by default.": "你已经默认 <a>启用</a> 链接预览。", | ||||
|     "Your home server does not support device management.": "你的 home server 不支持设备管理。", | ||||
|     "Set a display name:": "设置一个昵称:", | ||||
|     "This server does not support authentication with a phone number.": "这个服务器不支持用手机号码认证。", | ||||
|     "This server does not support authentication with a phone number.": "此服务器不支持使用手机号码认证。", | ||||
|     "Password too short (min %(MIN_PASSWORD_LENGTH)s).": "密码过短(最短为 %(MIN_PASSWORD_LENGTH)s)。", | ||||
|     "Make this room private": "使这个聊天室私密", | ||||
|     "Make this room private": "将此聊天室转为私密聊天室", | ||||
|     "Share message history with new users": "和新用户共享消息历史", | ||||
|     "Copied!": "已复制!", | ||||
|     "Failed to copy": "复制失败", | ||||
|     "Sent messages will be stored until your connection has returned.": "已发送的消息会被保存直到你的连接回来。", | ||||
|     "(~%(count)s results)|one": "(~%(count)s 个结果)", | ||||
|     "(~%(count)s results)|other": "(~%(count)s 个结果)", | ||||
|     "Please select the destination room for this message": "请选择这条消息的目标聊天室", | ||||
|     "Please select the destination room for this message": "请选择此消息的目标聊天室", | ||||
|     "Start automatically after system login": "在系统登录后自动启动", | ||||
|     "Analytics": "统计分析服务", | ||||
|     "Reject all %(invitedRooms)s invites": "拒绝所有 %(invitedRooms)s 邀请", | ||||
|     "You may wish to login with a different account, or add this email to this account.": "你可能希望用另外一个账户登录,或者添加这个电子邮件到这个账户上。", | ||||
|     "Sun": "星期日", | ||||
|     "Mon": "星期一", | ||||
|     "Tue": "星期二", | ||||
|     "Wed": "星期三", | ||||
|     "Thu": "星期四", | ||||
|     "Fri": "星期五", | ||||
|     "Sat": "星期六", | ||||
|     "You may wish to login with a different account, or add this email to this account.": "您可能是想要用另一个账户登录,或是将此电子邮件关联至当前账户。", | ||||
|     "Sun": "周日", | ||||
|     "Mon": "周一", | ||||
|     "Tue": "周二", | ||||
|     "Wed": "周三", | ||||
|     "Thu": "周四", | ||||
|     "Fri": "周五", | ||||
|     "Sat": "周六", | ||||
|     "Jan": "一月", | ||||
|     "Feb": "二月", | ||||
|     "Mar": "三月", | ||||
|  | @ -597,10 +597,10 @@ | |||
|     "The visibility of existing history will be unchanged": "现有历史记录的可见性不会改变", | ||||
|     "%(senderName)s turned on end-to-end encryption (algorithm %(algorithm)s).": "%(senderName)s 打开了端到端加密 (算法 %(algorithm)s).", | ||||
|     "Unable to remove contact information": "无法移除联系人信息", | ||||
|     "Riot collects anonymous analytics to allow us to improve the application.": "Riot 收集匿名的分析数据来允许我们改善这个应用。", | ||||
|     "Riot collects anonymous analytics to allow us to improve the application.": "Riot 收集匿名的分析数据以允许我们改善它。", | ||||
|     "\"%(RoomName)s\" contains devices that you haven't seen before.": "\"%(RoomName)s\" 包含你以前没见过的设备。", | ||||
|     "You can use the custom server options to sign into other Matrix servers by specifying a different Home server URL.": "你可以使用自定义的服务器选项来通过指定一个不同的主服务器 URL 来登录其他 Matrix 服务器。", | ||||
|     "This allows you to use this app with an existing Matrix account on a different home server.": "这允许你用一个已有在不同主服务器的 Matrix 账户使用这个应用。", | ||||
|     "This allows you to use this app with an existing Matrix account on a different home server.": "这允许你使用其他主服务器上的 Matrix 帐号。", | ||||
|     "Please check your email to continue registration.": "请查看你的电子邮件以继续注册。", | ||||
|     "If you don't specify an email address, you won't be able to reset your password. Are you sure?": "如果你不指定一个邮箱地址,你将不能重置你的密码。你确定吗?", | ||||
|     "Home server URL": "主服务器 URL", | ||||
|  | @ -650,9 +650,9 @@ | |||
|     "Hide avatar changes": "隐藏头像修改", | ||||
|     "Hide display name changes": "隐藏昵称修改", | ||||
|     "Disable big emoji in chat": "禁用聊天中的大Emoji", | ||||
|     "Never send encrypted messages to unverified devices in this room from this device": "在此设备上,在此聊天室中不向未经验证的设备发送加密的消息", | ||||
|     "Enable URL previews for this room (only affects you)": "在此聊天室启用链接预览(只影响你)", | ||||
|     "Enable URL previews by default for participants in this room": "对这个聊天室的参与者默认启用 链接预览", | ||||
|     "Never send encrypted messages to unverified devices in this room from this device": "在此设备上、此聊天室中,从不对未经验证的设备发送加密的消息", | ||||
|     "Enable URL previews for this room (only affects you)": "在此聊天室中启用链接预览(仅影响你)", | ||||
|     "Enable URL previews by default for participants in this room": "对此聊天室的所有成员默认启用链接预览", | ||||
|     "Delete %(count)s devices|other": "删除了 %(count)s 个设备", | ||||
|     "Delete %(count)s devices|one": "删除设备", | ||||
|     "Select devices": "选择设备", | ||||
|  | @ -729,24 +729,24 @@ | |||
|     "Your homeserver's URL": "您的主服务器的链接", | ||||
|     "Your identity server's URL": "您的身份认证服务器的链接", | ||||
|     "The information being sent to us to help make Riot.im better includes:": "将要为帮助 Riot.im 发展而发送的信息包含:", | ||||
|     "Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "这个页面中含有可能能用于识别您身份的信息,比如聊天室、用户或群组 ID,在它们发送到服务器上之前,这些数据会被移除。", | ||||
|     "Where this page includes identifiable information, such as a room, user or group ID, that data is removed before being sent to the server.": "此页面中含有可用于识别您身份的信息,比如聊天室、用户或群组 ID,这些数据会在发送到服务器前被移除。", | ||||
|     "%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s", | ||||
|     "%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s,%(monthName)s %(day)s %(time)s", | ||||
|     "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s,%(monthName)s %(day)s %(fullYear)s", | ||||
|     "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s,%(monthName)s %(day)s %(fullYear)s %(time)s", | ||||
|     "Who would you like to add to this community?": "您想把谁添加到这个社区内?", | ||||
|     "%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(monthName)s %(day)s %(time)s, %(weekDayName)s", | ||||
|     "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(fullYear)s %(monthName)s %(day)s, %(weekDayName)s", | ||||
|     "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(fullYear)s %(monthName)s %(day)s %(time)s, %(weekDayName)s", | ||||
|     "Who would you like to add to this community?": "你想把谁添加到此社区中?", | ||||
|     "Warning: any person you add to a community will be publicly visible to anyone who knows the community ID": "警告:您添加的一切用户都将会对一切知道此社区的 ID 的人公开", | ||||
|     "Name or matrix ID": "名称或 Matrix ID", | ||||
|     "Which rooms would you like to add to this community?": "您想把哪个聊天室添加到这个社区中?", | ||||
|     "Which rooms would you like to add to this community?": "您想把哪个聊天室添加到此社区中?", | ||||
|     "Add rooms to the community": "添加聊天室到社区", | ||||
|     "Add to community": "添加到社区", | ||||
|     "Failed to invite users to community": "邀请用户到社区失败", | ||||
|     "Disable Peer-to-Peer for 1:1 calls": "在一对一通话中禁用 P2P 对等网络", | ||||
|     "Enable inline URL previews by default": "默认启用网址预览", | ||||
|     "Disinvite this user?": "取消邀请此用户?", | ||||
|     "Kick this user?": "移除此用户?", | ||||
|     "Unban this user?": "解除此用户的封禁?", | ||||
|     "Ban this user?": "封紧此用户?", | ||||
|     "Enable inline URL previews by default": "默认启用链接预览", | ||||
|     "Disinvite this user?": "是否不再邀请此用户?", | ||||
|     "Kick this user?": "是否移除此用户?", | ||||
|     "Unban this user?": "是否解封此用户?", | ||||
|     "Ban this user?": "是否封禁此用户?", | ||||
|     "Send an encrypted reply…": "发送加密的回复…", | ||||
|     "Send a reply (unencrypted)…": "发送回复(未加密)…", | ||||
|     "Send an encrypted message…": "发送加密消息…", | ||||
|  | @ -766,7 +766,7 @@ | |||
|     "%(user)s is a %(userRole)s": "%(user)s 是一个 %(userRole)s", | ||||
|     "To link to a room it must have <a>an address</a>.": "要链接一个聊天室,它必须有一个<a>地址</a>。", | ||||
|     "To send events of type <eventType/>, you must be a": "要发送类型为 <eventType/> 的事件,你必须是", | ||||
|     "Members only (since the point in time of selecting this option)": "只有成员(从选择这个选项的时间开始)", | ||||
|     "Members only (since the point in time of selecting this option)": "仅成员(从选中此选项时开始)", | ||||
|     "Members only (since they were invited)": "只有成员(从他们被邀请开始)", | ||||
|     "Members only (since they joined)": "只有成员(从他们加入开始)", | ||||
|     "Invalid community ID": "无效的社区 ID", | ||||
|  | @ -803,8 +803,8 @@ | |||
|     "Your key share request has been sent - please check your other devices for key share requests.": "已请求共享密钥 - 请在您的其他设备上进行确认。", | ||||
|     "Key share requests are sent to your other devices automatically. If you rejected or dismissed the key share request on your other devices, click here to request the keys for this session again.": "密钥共享请求将会自动发送到您的其他设备上。如果您在其他设备上拒绝了请求,请点击此处以再次请求此会话的密钥。", | ||||
|     "If your other devices do not have the key for this message you will not be able to decrypt them.": "如果您的其他设备上没有此消息的密钥,您将依然无法解密。", | ||||
|     "Key request sent.": "已请求共享密钥。", | ||||
|     "<requestLink>Re-request encryption keys</requestLink> from your other devices.": "在您的其他设备上 <requestLink>重新请求加密密钥</requestLink>。", | ||||
|     "Key request sent.": "已发送密钥共享请求。", | ||||
|     "<requestLink>Re-request encryption keys</requestLink> from your other devices.": "从其他设备上 <requestLink>重新请求密钥</requestLink>。", | ||||
|     "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "如果您是房间中最后一位有权限的用户,在您降低自己的权限等级后将无法撤回此修改,因为你将无法重新获得权限。", | ||||
|     "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "你将无法撤回此修改,因为您正在将此用户的权限提升至和你相同的级别。", | ||||
|     "No devices with registered encryption keys": "没有设备有已注册的加密密钥", | ||||
|  | @ -901,7 +901,7 @@ | |||
|     "Block users on other matrix homeservers from joining this room": "禁止其他 Matrix 主服务器上的用户加入此聊天室", | ||||
|     "To verify that this device can be trusted, please contact its owner using some other means (e.g. in person or a phone call) and ask them whether the key they see in their User Settings for this device matches the key below:": "为验证此设备是否可信,请通过其他方式(例如面对面交换或拨打电话)与其拥有者联系,并询问他们该设备的用户设置中的密钥是否与以下密钥匹配:", | ||||
|     "If it matches, press the verify button below. If it doesn't, then someone else is intercepting this device and you probably want to press the blacklist button instead.": "如果匹配,请点击下面的验证按钮。 如果不匹配,那么这可能说明其他人正在盗用此设备,而您应当点击黑名单按钮。", | ||||
|     "In future this verification process will be more sophisticated.": "未来,这个验证过程将会变得更加精致、巧妙一些。", | ||||
|     "In future this verification process will be more sophisticated.": "未来,此验证过程将更为精致、巧妙一些。", | ||||
|     "We recommend you go through the verification process for each device to confirm they belong to their legitimate owner, but you can resend the message without verifying if you prefer.": "我们建议您对每台设备进行验证以保证它们属于其合法所有者,但是您可以在不验证它们的情况下重新发送消息。", | ||||
|     "<h1>HTML for your community's page</h1>\n<p>\n    Use the long description to introduce new members to the community, or distribute\n    some important <a href=\"foo\">links</a>\n</p>\n<p>\n    You can even use 'img' tags\n</p>\n": "<h1>社区页面的 HTML 代码</h1>\n<p>\n    你可以给社区的新成员们写些长长的社区简介来引导他们,或者放置\n    一些重要的<a href=\"foo\">链接</a>\n</p>\n<p>\n    你甚至可以使用 <img> 标签\n</p>\n", | ||||
|     "Add rooms to the community summary": "将聊天室添加到社区简介", | ||||
|  | @ -946,13 +946,13 @@ | |||
|     "Opens the Developer Tools dialog": "打开开发者工具窗口", | ||||
|     "Notify the whole room": "通知聊天室全体成员", | ||||
|     "This process allows you to export the keys for messages you have received in encrypted rooms to a local file. You will then be able to import the file into another Matrix client in the future, so that client will also be able to decrypt these messages.": "此操作允许您将加密聊天室中收到的消息的密钥导出为本地文件。您可以将文件导入其他 Matrix 客户端,以便让别的客户端在未收到密钥的情况下解密这些消息。", | ||||
|     "The exported file will allow anyone who can read it to decrypt any encrypted messages that you can see, so you should be careful to keep it secure. To help with this, you should enter a passphrase below, which will be used to encrypt the exported data. It will only be possible to import the data by using the same passphrase.": "导出的文件将允许任何可以读取它的人解密任何他们可以看到的加密消息,因此您应该小心以确保其安全。为了解决这个问题,您应该在下面输入一个密码,用于加密导出的数据。只有输入相同的密码才能导入数据。", | ||||
|     "The exported file will allow anyone who can read it to decrypt any encrypted messages that you can see, so you should be careful to keep it secure. To help with this, you should enter a passphrase below, which will be used to encrypt the exported data. It will only be possible to import the data by using the same passphrase.": "导出的文件将允许任何可以读取它的人解密任何他们可以看到的加密消息,因此您应该小心以确保其安全。为解决此问题,您应该在下面输入密码以加密导出的数据。只有输入相同的密码才能导入数据。", | ||||
|     "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "导出文件有密码保护。你需要在此输入密码以解密此文件。", | ||||
|     "This process allows you to import encryption keys that you had previously exported from another Matrix client. You will then be able to decrypt any messages that the other client could decrypt.": "此操作允许您导入之前从另一个 Matrix 客户端中导出的加密密钥文件。导入完成后,您将能够解密那个客户端可以解密的加密消息。", | ||||
|     "Ignores a user, hiding their messages from you": "忽略用户,隐藏他们的消息", | ||||
|     "Stops ignoring a user, showing their messages going forward": "解除忽略用户,显示他们的消息", | ||||
|     "To return to your account in future you need to set a password": "如果你想再次使用账号,您得为它设置一个密码", | ||||
|     "If you've submitted a bug via GitHub, debug logs can help us track down the problem. Debug logs contain application usage data including your username, the IDs or aliases of the rooms or groups you have visited and the usernames of other users. They do not contain messages.": "如果你在 GitHub 提交了一个 bug,调试日志可以帮助我们追踪这个问题。 调试日志包含应用程序使用数据,这包括您的用户名、您访问的房间或社区的 ID 或名称以及其他用户的用户名,不包扩聊天记录。", | ||||
|     "If you've submitted a bug via GitHub, debug logs can help us track down the problem. Debug logs contain application usage data including your username, the IDs or aliases of the rooms or groups you have visited and the usernames of other users. They do not contain messages.": "如果你在 GitHub 提交了一个 bug,调试日志可以帮助我们追踪这个问题。 调试日志包含应用程序使用数据,也就包括您的用户名、您访问的房间或社区的 ID 或名称,以及其他用户的用户名,但不包括聊天记录。", | ||||
|     "Debug Logs Submission": "发送调试日志", | ||||
|     "Your password was successfully changed. You will not receive push notifications on other devices until you log back in to them": "密码修改成功。在您在其他设备上重新登录之前,其他设备不会收到推送通知", | ||||
|     "Tried to load a specific point in this room's timeline, but was unable to find it.": "尝试加载此房间的时间线的特定时间点,但是无法找到。", | ||||
|  | @ -960,7 +960,7 @@ | |||
|     "%(count)s <resendText>Resend all</resendText> or <cancelText>cancel all</cancelText> now. You can also select individual messages to resend or cancel.|other": "現在 <resendText>重新发送消息</resendText> 或 <cancelText>取消发送</cancelText> 。你也可以单独选择消息以重新发送或取消。", | ||||
|     "Visibility in Room List": "是否在聊天室目录中可见", | ||||
|     "Something went wrong when trying to get your communities.": "获取你加入的社区时发生错误。", | ||||
|     "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "删除小部件后,此聊天室中的所有用户的这个小部件都会被删除。你确定要删除这个小部件吗?", | ||||
|     "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "删除小部件时将为聊天室中的所有成员删除。您确定要删除此小部件吗?", | ||||
|     "Fetching third party location failed": "获取第三方位置失败", | ||||
|     "A new version of Riot is available.": "Riot 有更新可用。", | ||||
|     "Couldn't load home page": "不能加载首页", | ||||
|  | @ -990,7 +990,7 @@ | |||
|     "Forget": "忘记", | ||||
|     "#example": "#例子", | ||||
|     "Hide panel": "隐藏面板", | ||||
|     "You cannot delete this image. (%(code)s)": "您不能删除这个图片。(%(code)s)", | ||||
|     "You cannot delete this image. (%(code)s)": "无法删除此图片。(%(code)s)", | ||||
|     "Cancel Sending": "取消发送", | ||||
|     "This Room": "此聊天室", | ||||
|     "The Home Server may be too old to support third party networks": "主服务器可能太老旧无法支持第三方网络", | ||||
|  | @ -1135,5 +1135,15 @@ | |||
|     "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "无法加载被回复的事件,它可能不存在,也可能是您没有权限查看它。", | ||||
|     "And %(count)s more...|other": "和 %(count)s 个其他…", | ||||
|     "Try using one of the following valid address types: %(validTypesList)s.": "请尝试使用以下的有效邮箱地址格式中的一种:%(validTypesList)s", | ||||
|     "Riot bugs are tracked on GitHub: <a>create a GitHub issue</a>.": "Riot 使用 GitHub 追踪 bug:<a>在 GitHub 上创建新 Issue</a>" | ||||
|     "Riot bugs are tracked on GitHub: <a>create a GitHub issue</a>.": "Riot 使用 GitHub 追踪 bug:<a>在 GitHub 上创建新 Issue</a>", | ||||
|     "e.g. %(exampleValue)s": "例如:%(exampleValue)s", | ||||
|     "Call in Progress": "正在通话", | ||||
|     "A call is already in progress!": "您已在通话中!", | ||||
|     "Jitsi Conference Calling": "Jitsi 电话会议", | ||||
|     "Send analytics data": "发送统计数据", | ||||
|     "Enable widget screenshots on supported widgets": "对支持的小部件启用小部件截图", | ||||
|     "Encrypting": "正在加密", | ||||
|     "Encrypted, not sent": "已加密,未发送", | ||||
|     "Demote yourself?": "是否降低您自己的权限?", | ||||
|     "Demote": "降权" | ||||
| } | ||||
|  |  | |||
|  | @ -1195,5 +1195,16 @@ | |||
|     "Share Room Message": "分享聊天室訊息", | ||||
|     "Link to selected message": "連結到選定的訊息", | ||||
|     "COPY": "複製", | ||||
|     "Share Message": "分享訊息" | ||||
|     "Share Message": "分享訊息", | ||||
|     "Jitsi Conference Calling": "Jitsi 會議通話", | ||||
|     "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "在加密的聊天室中(這個就是),URL 預覽會預設停用以確保您的家伺服器(預覽生成的地方)無法在這個聊天室中收集關於您看到的連結的資訊。", | ||||
|     "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "當某人在他們的訊息中放置 URL 時,URL 預覽可以顯示如標題、描述與網頁上的圖片等等來給您更多關於該連結的資訊。", | ||||
|     "The email field must not be blank.": "電子郵件欄不能留空。", | ||||
|     "The user name field must not be blank.": "使用者名稱欄不能留空。", | ||||
|     "The phone number field must not be blank.": "電話號碼欄不能留空。", | ||||
|     "The password field must not be blank.": "密碼欄不能留空。", | ||||
|     "Call in Progress": "進行中的通話", | ||||
|     "A call is already in progress!": "已有一通電話進行中!", | ||||
|     "You have no historical rooms": "您沒有過去的聊天室", | ||||
|     "You can't send any messages until you review and agree to <consentLink>our terms and conditions</consentLink>.": "您在審閱並同意<consentLink>我們的條款與條件</consentLink>前無法傳送訊息。" | ||||
| } | ||||
|  |  | |||
		Loading…
	
		Reference in New Issue
	
	 Michael Telatynski
						Michael Telatynski