Merge remote-tracking branch 'origin/develop' into dbkr/jitsi_makewidget
						commit
						6252f5b818
					
				|  | @ -392,6 +392,7 @@ limitations under the License. | |||
|     overflow-x: overlay; | ||||
|     overflow-y: visible; | ||||
|     max-height: 30vh; | ||||
|     position: static; | ||||
| } | ||||
| 
 | ||||
| .mx_EventTile_content .markdown-body code { | ||||
|  | @ -406,7 +407,7 @@ limitations under the License. | |||
|     visibility: hidden; | ||||
|     cursor: pointer; | ||||
|     top: 6px; | ||||
|     right: 6px; | ||||
|     right: 36px; | ||||
|     width: 19px; | ||||
|     height: 19px; | ||||
|     background-image: url($copy-button-url); | ||||
|  |  | |||
|  | @ -243,6 +243,7 @@ function uploadFile(matrixClient, roomId, file, progressHandler) { | |||
|             const blob = new Blob([encryptResult.data]); | ||||
|             return matrixClient.uploadContent(blob, { | ||||
|                 progressHandler: progressHandler, | ||||
|                 includeFilename: false, | ||||
|             }).then(function(url) { | ||||
|                 // If the attachment is encrypted then bundle the URL along
 | ||||
|                 // with the information needed to decrypt the attachment and
 | ||||
|  |  | |||
|  | @ -0,0 +1,169 @@ | |||
| /* | ||||
| Copyright 2018 New Vector Ltd | ||||
| 
 | ||||
| Licensed under the Apache License, Version 2.0 (the "License"); | ||||
| you may not use this file except in compliance with the License. | ||||
| You may obtain a copy of the License at | ||||
| 
 | ||||
|     http://www.apache.org/licenses/LICENSE-2.0
 | ||||
| 
 | ||||
| Unless required by applicable law or agreed to in writing, software | ||||
| distributed under the License is distributed on an "AS IS" BASIS, | ||||
| WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. | ||||
| See the License for the specific language governing permissions and | ||||
| limitations under the License. | ||||
| */ | ||||
| 
 | ||||
| class DecryptionFailure { | ||||
|     constructor(failedEventId) { | ||||
|         this.failedEventId = failedEventId; | ||||
|         this.ts = Date.now(); | ||||
|     } | ||||
| } | ||||
| 
 | ||||
| export default class DecryptionFailureTracker { | ||||
|     // Array of items of type DecryptionFailure. Every `CHECK_INTERVAL_MS`, this list
 | ||||
|     // is checked for failures that happened > `GRACE_PERIOD_MS` ago. Those that did
 | ||||
|     // are added to `failuresToTrack`.
 | ||||
|     failures = []; | ||||
| 
 | ||||
|     // Every TRACK_INTERVAL_MS (so as to spread the number of hits done on Analytics),
 | ||||
|     // one DecryptionFailure of this FIFO is removed and tracked.
 | ||||
|     failuresToTrack = []; | ||||
| 
 | ||||
|     // Event IDs of failures that were tracked previously
 | ||||
|     trackedEventHashMap = { | ||||
|         // [eventId]: true
 | ||||
|     }; | ||||
| 
 | ||||
|     // Set to an interval ID when `start` is called
 | ||||
|     checkInterval = null; | ||||
|     trackInterval = null; | ||||
| 
 | ||||
|     // Spread the load on `Analytics` by sending at most 1 event per
 | ||||
|     // `TRACK_INTERVAL_MS`.
 | ||||
|     static TRACK_INTERVAL_MS = 1000; | ||||
| 
 | ||||
|     // Call `checkFailures` every `CHECK_INTERVAL_MS`.
 | ||||
|     static CHECK_INTERVAL_MS = 5000; | ||||
| 
 | ||||
|     // Give events a chance to be decrypted by waiting `GRACE_PERIOD_MS` before moving
 | ||||
|     // the failure to `failuresToTrack`.
 | ||||
|     static GRACE_PERIOD_MS = 5000; | ||||
| 
 | ||||
|     constructor(fn) { | ||||
|         if (!fn || typeof fn !== 'function') { | ||||
|             throw new Error('DecryptionFailureTracker requires tracking function'); | ||||
|         } | ||||
| 
 | ||||
|         this.trackDecryptionFailure = fn; | ||||
|     } | ||||
| 
 | ||||
|     // loadTrackedEventHashMap() {
 | ||||
|     //     this.trackedEventHashMap = JSON.parse(localStorage.getItem('mx-decryption-failure-event-id-hashes')) || {};
 | ||||
|     // }
 | ||||
| 
 | ||||
|     // saveTrackedEventHashMap() {
 | ||||
|     //     localStorage.setItem('mx-decryption-failure-event-id-hashes', JSON.stringify(this.trackedEventHashMap));
 | ||||
|     // }
 | ||||
| 
 | ||||
|     eventDecrypted(e) { | ||||
|         if (e.isDecryptionFailure()) { | ||||
|             this.addDecryptionFailureForEvent(e); | ||||
|         } else { | ||||
|             // Could be an event in the failures, remove it
 | ||||
|             this.removeDecryptionFailuresForEvent(e); | ||||
|         } | ||||
|     } | ||||
| 
 | ||||
|     addDecryptionFailureForEvent(e) { | ||||
|         this.failures.push(new DecryptionFailure(e.getId())); | ||||
|     } | ||||
| 
 | ||||
|     removeDecryptionFailuresForEvent(e) { | ||||
|         this.failures = this.failures.filter((f) => f.failedEventId !== e.getId()); | ||||
|     } | ||||
| 
 | ||||
|     /** | ||||
|      * Start checking for and tracking failures. | ||||
|      */ | ||||
|     start() { | ||||
|         this.checkInterval = setInterval( | ||||
|             () => this.checkFailures(Date.now()), | ||||
|             DecryptionFailureTracker.CHECK_INTERVAL_MS, | ||||
|         ); | ||||
| 
 | ||||
|         this.trackInterval = setInterval( | ||||
|             () => this.trackFailure(), | ||||
|             DecryptionFailureTracker.TRACK_INTERVAL_MS, | ||||
|         ); | ||||
|     } | ||||
| 
 | ||||
|     /** | ||||
|      * Clear state and stop checking for and tracking failures. | ||||
|      */ | ||||
|     stop() { | ||||
|         clearInterval(this.checkInterval); | ||||
|         clearInterval(this.trackInterval); | ||||
| 
 | ||||
|         this.failures = []; | ||||
|         this.failuresToTrack = []; | ||||
|     } | ||||
| 
 | ||||
|     /** | ||||
|      * Mark failures that occured before nowTs - GRACE_PERIOD_MS as failures that should be | ||||
|      * tracked. Only mark one failure per event ID. | ||||
|      * @param {number} nowTs the timestamp that represents the time now. | ||||
|      */ | ||||
|     checkFailures(nowTs) { | ||||
|         const failuresGivenGrace = []; | ||||
|         const failuresNotReady = []; | ||||
|         while (this.failures.length > 0) { | ||||
|             const f = this.failures.shift(); | ||||
|             if (nowTs > f.ts + DecryptionFailureTracker.GRACE_PERIOD_MS) { | ||||
|                 failuresGivenGrace.push(f); | ||||
|             } else { | ||||
|                 failuresNotReady.push(f); | ||||
|             } | ||||
|         } | ||||
|         this.failures = failuresNotReady; | ||||
| 
 | ||||
|         // Only track one failure per event
 | ||||
|         const dedupedFailuresMap = failuresGivenGrace.reduce( | ||||
|             (map, failure) => { | ||||
|                 if (!this.trackedEventHashMap[failure.failedEventId]) { | ||||
|                     return map.set(failure.failedEventId, failure); | ||||
|                 } else { | ||||
|                     return map; | ||||
|                 } | ||||
|             }, | ||||
|             // Use a map to preseve key ordering
 | ||||
|             new Map(), | ||||
|         ); | ||||
| 
 | ||||
|         const trackedEventIds = [...dedupedFailuresMap.keys()]; | ||||
| 
 | ||||
|         this.trackedEventHashMap = trackedEventIds.reduce( | ||||
|             (result, eventId) => ({...result, [eventId]: true}), | ||||
|             this.trackedEventHashMap, | ||||
|         ); | ||||
| 
 | ||||
|         // Commented out for now for expediency, we need to consider unbound nature of storing
 | ||||
|         // this in localStorage
 | ||||
|         // this.saveTrackedEventHashMap();
 | ||||
| 
 | ||||
|         const dedupedFailures = dedupedFailuresMap.values(); | ||||
| 
 | ||||
|         this.failuresToTrack = [...this.failuresToTrack, ...dedupedFailures]; | ||||
|     } | ||||
| 
 | ||||
|     /** | ||||
|      * If there is a failure that should be tracked, call the given trackDecryptionFailure | ||||
|      * function with the first failure in the FIFO of failures that should be tracked. | ||||
|      */ | ||||
|     trackFailure() { | ||||
|         if (this.failuresToTrack.length > 0) { | ||||
|             this.trackDecryptionFailure(this.failuresToTrack.shift()); | ||||
|         } | ||||
|     } | ||||
| } | ||||
|  | @ -14,28 +14,31 @@ See the License for the specific language governing permissions and | |||
| limitations under the License. | ||||
| */ | ||||
| 
 | ||||
| import MatrixClientPeg from "./MatrixClientPeg"; | ||||
| import dis from "./dispatcher"; | ||||
| import Tinter from "./Tinter"; | ||||
| 
 | ||||
| import React from 'react'; | ||||
| import MatrixClientPeg from './MatrixClientPeg'; | ||||
| import dis from './dispatcher'; | ||||
| import Tinter from './Tinter'; | ||||
| import sdk from './index'; | ||||
| import { _t } from './languageHandler'; | ||||
| import {_t, _td} from './languageHandler'; | ||||
| import Modal from './Modal'; | ||||
| import SettingsStore, {SettingLevel} from "./settings/SettingsStore"; | ||||
| import SettingsStore, {SettingLevel} from './settings/SettingsStore'; | ||||
| 
 | ||||
| 
 | ||||
| class Command { | ||||
|     constructor(name, paramArgs, runFn) { | ||||
|         this.name = name; | ||||
|         this.paramArgs = paramArgs; | ||||
|     constructor({name, args='', description, runFn}) { | ||||
|         this.command = '/' + name; | ||||
|         this.args = args; | ||||
|         this.description = description; | ||||
|         this.runFn = runFn; | ||||
|     } | ||||
| 
 | ||||
|     getCommand() { | ||||
|         return "/" + this.name; | ||||
|         return this.command; | ||||
|     } | ||||
| 
 | ||||
|     getCommandWithArgs() { | ||||
|         return this.getCommand() + " " + this.paramArgs; | ||||
|         return this.getCommand() + " " + this.args; | ||||
|     } | ||||
| 
 | ||||
|     run(roomId, args) { | ||||
|  | @ -47,16 +50,12 @@ class Command { | |||
|     } | ||||
| } | ||||
| 
 | ||||
| function reject(msg) { | ||||
|     return { | ||||
|         error: msg, | ||||
|     }; | ||||
| function reject(error) { | ||||
|     return {error}; | ||||
| } | ||||
| 
 | ||||
| function success(promise) { | ||||
|     return { | ||||
|         promise: promise, | ||||
|     }; | ||||
|     return {promise}; | ||||
| } | ||||
| 
 | ||||
| /* Disable the "unexpected this" error for these commands - all of the run | ||||
|  | @ -65,352 +64,408 @@ function success(promise) { | |||
| 
 | ||||
| /* eslint-disable babel/no-invalid-this */ | ||||
| 
 | ||||
| const commands = { | ||||
|     ddg: new Command("ddg", "<query>", function(roomId, args) { | ||||
|         const ErrorDialog = sdk.getComponent('dialogs.ErrorDialog'); | ||||
|         // TODO Don't explain this away, actually show a search UI here.
 | ||||
|         Modal.createTrackedDialog('Slash Commands', '/ddg is not a command', ErrorDialog, { | ||||
|             title: _t('/ddg is not a command'), | ||||
|             description: _t('To use it, just wait for autocomplete results to load and tab through them.'), | ||||
|         }); | ||||
|         return success(); | ||||
| export const CommandMap = { | ||||
|     ddg: new Command({ | ||||
|         name: 'ddg', | ||||
|         args: '<query>', | ||||
|         description: _td('Searches DuckDuckGo for results'), | ||||
|         runFn: function(roomId, args) { | ||||
|             const ErrorDialog = sdk.getComponent('dialogs.ErrorDialog'); | ||||
|             // TODO Don't explain this away, actually show a search UI here.
 | ||||
|             Modal.createTrackedDialog('Slash Commands', '/ddg is not a command', ErrorDialog, { | ||||
|                 title: _t('/ddg is not a command'), | ||||
|                 description: _t('To use it, just wait for autocomplete results to load and tab through them.'), | ||||
|             }); | ||||
|             return success(); | ||||
|         }, | ||||
|     }), | ||||
| 
 | ||||
|     // Change your nickname
 | ||||
|     nick: new Command("nick", "<display_name>", function(roomId, args) { | ||||
|         if (args) { | ||||
|             return success( | ||||
|                 MatrixClientPeg.get().setDisplayName(args), | ||||
|             ); | ||||
|         } | ||||
|         return reject(this.getUsage()); | ||||
|     }), | ||||
| 
 | ||||
|     // Changes the colorscheme of your current room
 | ||||
|     tint: new Command("tint", "<color1> [<color2>]", function(roomId, args) { | ||||
|         if (args) { | ||||
|             const matches = args.match(/^(#([0-9a-fA-F]{3}|[0-9a-fA-F]{6}))( +(#([0-9a-fA-F]{3}|[0-9a-fA-F]{6})))?$/); | ||||
|             if (matches) { | ||||
|                 Tinter.tint(matches[1], matches[4]); | ||||
|                 const colorScheme = {}; | ||||
|                 colorScheme.primary_color = matches[1]; | ||||
|                 if (matches[4]) { | ||||
|                     colorScheme.secondary_color = matches[4]; | ||||
|                 } else { | ||||
|                     colorScheme.secondary_color = colorScheme.primary_color; | ||||
|                 } | ||||
|                 return success( | ||||
|                     SettingsStore.setValue("roomColor", roomId, SettingLevel.ROOM_ACCOUNT, colorScheme), | ||||
|                 ); | ||||
|     nick: new Command({ | ||||
|         name: 'nick', | ||||
|         args: '<display_name>', | ||||
|         description: _td('Changes your display nickname'), | ||||
|         runFn: function(roomId, args) { | ||||
|             if (args) { | ||||
|                 return success(MatrixClientPeg.get().setDisplayName(args)); | ||||
|             } | ||||
|         } | ||||
|         return reject(this.getUsage()); | ||||
|             return reject(this.getUsage()); | ||||
|         }, | ||||
|     }), | ||||
| 
 | ||||
|     // Change the room topic
 | ||||
|     topic: new Command("topic", "<topic>", function(roomId, args) { | ||||
|         if (args) { | ||||
|             return success( | ||||
|                 MatrixClientPeg.get().setRoomTopic(roomId, args), | ||||
|             ); | ||||
|         } | ||||
|         return reject(this.getUsage()); | ||||
|     }), | ||||
| 
 | ||||
|     // Invite a user
 | ||||
|     invite: new Command("invite", "<userId>", function(roomId, args) { | ||||
|         if (args) { | ||||
|             const matches = args.match(/^(\S+)$/); | ||||
|             if (matches) { | ||||
|                 return success( | ||||
|                     MatrixClientPeg.get().invite(roomId, matches[1]), | ||||
|                 ); | ||||
|             } | ||||
|         } | ||||
|         return reject(this.getUsage()); | ||||
|     }), | ||||
| 
 | ||||
|     // Join a room
 | ||||
|     join: new Command("join", "#alias:domain", function(roomId, args) { | ||||
|         if (args) { | ||||
|             const matches = args.match(/^(\S+)$/); | ||||
|             if (matches) { | ||||
|                 let roomAlias = matches[1]; | ||||
|                 if (roomAlias[0] !== '#') { | ||||
|                     return reject(this.getUsage()); | ||||
|                 } | ||||
|                 if (!roomAlias.match(/:/)) { | ||||
|                     roomAlias += ':' + MatrixClientPeg.get().getDomain(); | ||||
|                 } | ||||
| 
 | ||||
|                 dis.dispatch({ | ||||
|                     action: 'view_room', | ||||
|                     room_alias: roomAlias, | ||||
|                     auto_join: true, | ||||
|                 }); | ||||
| 
 | ||||
|                 return success(); | ||||
|             } | ||||
|         } | ||||
|         return reject(this.getUsage()); | ||||
|     }), | ||||
| 
 | ||||
|     part: new Command("part", "[#alias:domain]", function(roomId, args) { | ||||
|         let targetRoomId; | ||||
|         if (args) { | ||||
|             const matches = args.match(/^(\S+)$/); | ||||
|             if (matches) { | ||||
|                 let roomAlias = matches[1]; | ||||
|                 if (roomAlias[0] !== '#') { | ||||
|                     return reject(this.getUsage()); | ||||
|                 } | ||||
|                 if (!roomAlias.match(/:/)) { | ||||
|                     roomAlias += ':' + MatrixClientPeg.get().getDomain(); | ||||
|                 } | ||||
| 
 | ||||
|                 // Try to find a room with this alias
 | ||||
|                 const rooms = MatrixClientPeg.get().getRooms(); | ||||
|                 for (let i = 0; i < rooms.length; i++) { | ||||
|                     const aliasEvents = rooms[i].currentState.getStateEvents( | ||||
|                         "m.room.aliases", | ||||
|                     ); | ||||
|                     for (let j = 0; j < aliasEvents.length; j++) { | ||||
|                         const aliases = aliasEvents[j].getContent().aliases || []; | ||||
|                         for (let k = 0; k < aliases.length; k++) { | ||||
|                             if (aliases[k] === roomAlias) { | ||||
|                                 targetRoomId = rooms[i].roomId; | ||||
|                                 break; | ||||
|                             } | ||||
|                         } | ||||
|                         if (targetRoomId) { break; } | ||||
|     tint: new Command({ | ||||
|         name: 'tint', | ||||
|         args: '<color1> [<color2>]', | ||||
|         description: _td('Changes colour scheme of current room'), | ||||
|         runFn: function(roomId, args) { | ||||
|             if (args) { | ||||
|                 const matches = args.match(/^(#([\da-fA-F]{3}|[\da-fA-F]{6}))( +(#([\da-fA-F]{3}|[\da-fA-F]{6})))?$/); | ||||
|                 if (matches) { | ||||
|                     Tinter.tint(matches[1], matches[4]); | ||||
|                     const colorScheme = {}; | ||||
|                     colorScheme.primary_color = matches[1]; | ||||
|                     if (matches[4]) { | ||||
|                         colorScheme.secondary_color = matches[4]; | ||||
|                     } else { | ||||
|                         colorScheme.secondary_color = colorScheme.primary_color; | ||||
|                     } | ||||
|                     if (targetRoomId) { break; } | ||||
|                 } | ||||
|                 if (!targetRoomId) { | ||||
|                     return reject(_t("Unrecognised room alias:") + ' ' + roomAlias); | ||||
|                     return success( | ||||
|                         SettingsStore.setValue('roomColor', roomId, SettingLevel.ROOM_ACCOUNT, colorScheme), | ||||
|                     ); | ||||
|                 } | ||||
|             } | ||||
|         } | ||||
|         if (!targetRoomId) targetRoomId = roomId; | ||||
|         return success( | ||||
|             MatrixClientPeg.get().leave(targetRoomId).then( | ||||
|                 function() { | ||||
|                     dis.dispatch({action: 'view_next_room'}); | ||||
|                 }, | ||||
|             ), | ||||
|         ); | ||||
|             return reject(this.getUsage()); | ||||
|         }, | ||||
|     }), | ||||
| 
 | ||||
|     // Kick a user from the room with an optional reason
 | ||||
|     kick: new Command("kick", "<userId> [<reason>]", function(roomId, args) { | ||||
|         if (args) { | ||||
|             const matches = args.match(/^(\S+?)( +(.*))?$/); | ||||
|             if (matches) { | ||||
|                 return success( | ||||
|                     MatrixClientPeg.get().kick(roomId, matches[1], matches[3]), | ||||
|                 ); | ||||
|     topic: new Command({ | ||||
|         name: 'topic', | ||||
|         args: '<topic>', | ||||
|         description: _td('Sets the room topic'), | ||||
|         runFn: function(roomId, args) { | ||||
|             if (args) { | ||||
|                 return success(MatrixClientPeg.get().setRoomTopic(roomId, args)); | ||||
|             } | ||||
|         } | ||||
|         return reject(this.getUsage()); | ||||
|             return reject(this.getUsage()); | ||||
|         }, | ||||
|     }), | ||||
| 
 | ||||
|     invite: new Command({ | ||||
|         name: 'invite', | ||||
|         args: '<user-id>', | ||||
|         description: _td('Invites user with given id to current room'), | ||||
|         runFn: function(roomId, args) { | ||||
|             if (args) { | ||||
|                 const matches = args.match(/^(\S+)$/); | ||||
|                 if (matches) { | ||||
|                     return success(MatrixClientPeg.get().invite(roomId, matches[1])); | ||||
|                 } | ||||
|             } | ||||
|             return reject(this.getUsage()); | ||||
|         }, | ||||
|     }), | ||||
| 
 | ||||
|     join: new Command({ | ||||
|         name: 'join', | ||||
|         args: '<room-alias>', | ||||
|         description: _td('Joins room with given alias'), | ||||
|         runFn: function(roomId, args) { | ||||
|             if (args) { | ||||
|                 const matches = args.match(/^(\S+)$/); | ||||
|                 if (matches) { | ||||
|                     let roomAlias = matches[1]; | ||||
|                     if (roomAlias[0] !== '#') return reject(this.getUsage()); | ||||
| 
 | ||||
|                     if (!roomAlias.includes(':')) { | ||||
|                         roomAlias += ':' + MatrixClientPeg.get().getDomain(); | ||||
|                     } | ||||
| 
 | ||||
|                     dis.dispatch({ | ||||
|                         action: 'view_room', | ||||
|                         room_alias: roomAlias, | ||||
|                         auto_join: true, | ||||
|                     }); | ||||
| 
 | ||||
|                     return success(); | ||||
|                 } | ||||
|             } | ||||
|             return reject(this.getUsage()); | ||||
|         }, | ||||
|     }), | ||||
| 
 | ||||
|     part: new Command({ | ||||
|         name: 'part', | ||||
|         args: '[<room-alias>]', | ||||
|         description: _td('Leave room'), | ||||
|         runFn: function(roomId, args) { | ||||
|             const cli = MatrixClientPeg.get(); | ||||
| 
 | ||||
|             let targetRoomId; | ||||
|             if (args) { | ||||
|                 const matches = args.match(/^(\S+)$/); | ||||
|                 if (matches) { | ||||
|                     let roomAlias = matches[1]; | ||||
|                     if (roomAlias[0] !== '#') return reject(this.getUsage()); | ||||
| 
 | ||||
|                     if (!roomAlias.includes(':')) { | ||||
|                         roomAlias += ':' + cli.getDomain(); | ||||
|                     } | ||||
| 
 | ||||
|                     // Try to find a room with this alias
 | ||||
|                     const rooms = cli.getRooms(); | ||||
|                     for (let i = 0; i < rooms.length; i++) { | ||||
|                         const aliasEvents = rooms[i].currentState.getStateEvents('m.room.aliases'); | ||||
|                         for (let j = 0; j < aliasEvents.length; j++) { | ||||
|                             const aliases = aliasEvents[j].getContent().aliases || []; | ||||
|                             for (let k = 0; k < aliases.length; k++) { | ||||
|                                 if (aliases[k] === roomAlias) { | ||||
|                                     targetRoomId = rooms[i].roomId; | ||||
|                                     break; | ||||
|                                 } | ||||
|                             } | ||||
|                             if (targetRoomId) break; | ||||
|                         } | ||||
|                         if (targetRoomId) break; | ||||
|                     } | ||||
|                     if (!targetRoomId) return reject(_t('Unrecognised room alias:') + ' ' + roomAlias); | ||||
|                 } | ||||
|             } | ||||
| 
 | ||||
|             if (!targetRoomId) targetRoomId = roomId; | ||||
|             return success( | ||||
|                 cli.leave(targetRoomId).then(function() { | ||||
|                     dis.dispatch({action: 'view_next_room'}); | ||||
|                 }), | ||||
|             ); | ||||
|         }, | ||||
|     }), | ||||
| 
 | ||||
|     kick: new Command({ | ||||
|         name: 'kick', | ||||
|         args: '<user-id> [reason]', | ||||
|         description: _td('Kicks user with given id'), | ||||
|         runFn: function(roomId, args) { | ||||
|             if (args) { | ||||
|                 const matches = args.match(/^(\S+?)( +(.*))?$/); | ||||
|                 if (matches) { | ||||
|                     return success(MatrixClientPeg.get().kick(roomId, matches[1], matches[3])); | ||||
|                 } | ||||
|             } | ||||
|             return reject(this.getUsage()); | ||||
|         }, | ||||
|     }), | ||||
| 
 | ||||
|     // Ban a user from the room with an optional reason
 | ||||
|     ban: new Command("ban", "<userId> [<reason>]", function(roomId, args) { | ||||
|         if (args) { | ||||
|             const matches = args.match(/^(\S+?)( +(.*))?$/); | ||||
|             if (matches) { | ||||
|                 return success( | ||||
|                     MatrixClientPeg.get().ban(roomId, matches[1], matches[3]), | ||||
|                 ); | ||||
|     ban: new Command({ | ||||
|         name: 'ban', | ||||
|         args: '<user-id> [reason]', | ||||
|         description: _td('Bans user with given id'), | ||||
|         runFn: function(roomId, args) { | ||||
|             if (args) { | ||||
|                 const matches = args.match(/^(\S+?)( +(.*))?$/); | ||||
|                 if (matches) { | ||||
|                     return success(MatrixClientPeg.get().ban(roomId, matches[1], matches[3])); | ||||
|                 } | ||||
|             } | ||||
|         } | ||||
|         return reject(this.getUsage()); | ||||
|             return reject(this.getUsage()); | ||||
|         }, | ||||
|     }), | ||||
| 
 | ||||
|     // Unban a user from the room
 | ||||
|     unban: new Command("unban", "<userId>", function(roomId, args) { | ||||
|         if (args) { | ||||
|             const matches = args.match(/^(\S+)$/); | ||||
|             if (matches) { | ||||
|                 // Reset the user membership to "leave" to unban him
 | ||||
|                 return success( | ||||
|                     MatrixClientPeg.get().unban(roomId, matches[1]), | ||||
|                 ); | ||||
|     // Unban a user from ythe room
 | ||||
|     unban: new Command({ | ||||
|         name: 'unban', | ||||
|         args: '<user-id>', | ||||
|         description: _td('Unbans user with given id'), | ||||
|         runFn: function(roomId, args) { | ||||
|             if (args) { | ||||
|                 const matches = args.match(/^(\S+)$/); | ||||
|                 if (matches) { | ||||
|                     // Reset the user membership to "leave" to unban him
 | ||||
|                     return success(MatrixClientPeg.get().unban(roomId, matches[1])); | ||||
|                 } | ||||
|             } | ||||
|         } | ||||
|         return reject(this.getUsage()); | ||||
|             return reject(this.getUsage()); | ||||
|         }, | ||||
|     }), | ||||
| 
 | ||||
|     ignore: new Command("ignore", "<userId>", function(roomId, args) { | ||||
|         if (args) { | ||||
|             const matches = args.match(/^(\S+)$/); | ||||
|             if (matches) { | ||||
|                 const userId = matches[1]; | ||||
|                 const ignoredUsers = MatrixClientPeg.get().getIgnoredUsers(); | ||||
|                 ignoredUsers.push(userId); // de-duped internally in the js-sdk
 | ||||
|                 return success( | ||||
|                     MatrixClientPeg.get().setIgnoredUsers(ignoredUsers).then(() => { | ||||
|                         const QuestionDialog = sdk.getComponent("dialogs.QuestionDialog"); | ||||
|                         Modal.createTrackedDialog('Slash Commands', 'User ignored', QuestionDialog, { | ||||
|                             title: _t("Ignored user"), | ||||
|                             description: ( | ||||
|                                 <div> | ||||
|                                     <p>{ _t("You are now ignoring %(userId)s", {userId: userId}) }</p> | ||||
|                                 </div> | ||||
|                             ), | ||||
|                             hasCancelButton: false, | ||||
|                         }); | ||||
|                     }), | ||||
|                 ); | ||||
|     ignore: new Command({ | ||||
|         name: 'ignore', | ||||
|         args: '<user-id>', | ||||
|         description: _td('Ignores a user, hiding their messages from you'), | ||||
|         runFn: function(roomId, args) { | ||||
|             if (args) { | ||||
|                 const cli = MatrixClientPeg.get(); | ||||
| 
 | ||||
|                 const matches = args.match(/^(\S+)$/); | ||||
|                 if (matches) { | ||||
|                     const userId = matches[1]; | ||||
|                     const ignoredUsers = cli.getIgnoredUsers(); | ||||
|                     ignoredUsers.push(userId); // de-duped internally in the js-sdk
 | ||||
|                     return success( | ||||
|                         cli.setIgnoredUsers(ignoredUsers).then(() => { | ||||
|                             const QuestionDialog = sdk.getComponent('dialogs.QuestionDialog'); | ||||
|                             Modal.createTrackedDialog('Slash Commands', 'User ignored', QuestionDialog, { | ||||
|                                 title: _t('Ignored user'), | ||||
|                                 description: <div> | ||||
|                                     <p>{ _t('You are now ignoring %(userId)s', {userId}) }</p> | ||||
|                                 </div>, | ||||
|                                 hasCancelButton: false, | ||||
|                             }); | ||||
|                         }), | ||||
|                     ); | ||||
|                 } | ||||
|             } | ||||
|         } | ||||
|         return reject(this.getUsage()); | ||||
|             return reject(this.getUsage()); | ||||
|         }, | ||||
|     }), | ||||
| 
 | ||||
|     unignore: new Command("unignore", "<userId>", function(roomId, args) { | ||||
|         if (args) { | ||||
|             const matches = args.match(/^(\S+)$/); | ||||
|             if (matches) { | ||||
|                 const userId = matches[1]; | ||||
|                 const ignoredUsers = MatrixClientPeg.get().getIgnoredUsers(); | ||||
|                 const index = ignoredUsers.indexOf(userId); | ||||
|                 if (index !== -1) ignoredUsers.splice(index, 1); | ||||
|                 return success( | ||||
|                     MatrixClientPeg.get().setIgnoredUsers(ignoredUsers).then(() => { | ||||
|                         const QuestionDialog = sdk.getComponent("dialogs.QuestionDialog"); | ||||
|                         Modal.createTrackedDialog('Slash Commands', 'User unignored', QuestionDialog, { | ||||
|                             title: _t("Unignored user"), | ||||
|                             description: ( | ||||
|                                 <div> | ||||
|                                     <p>{ _t("You are no longer ignoring %(userId)s", {userId: userId}) }</p> | ||||
|                                 </div> | ||||
|                             ), | ||||
|                             hasCancelButton: false, | ||||
|                         }); | ||||
|                     }), | ||||
|                 ); | ||||
|     unignore: new Command({ | ||||
|         name: 'unignore', | ||||
|         args: '<user-id>', | ||||
|         description: _td('Stops ignoring a user, showing their messages going forward'), | ||||
|         runFn: function(roomId, args) { | ||||
|             if (args) { | ||||
|                 const cli = MatrixClientPeg.get(); | ||||
| 
 | ||||
|                 const matches = args.match(/^(\S+)$/); | ||||
|                 if (matches) { | ||||
|                     const userId = matches[1]; | ||||
|                     const ignoredUsers = cli.getIgnoredUsers(); | ||||
|                     const index = ignoredUsers.indexOf(userId); | ||||
|                     if (index !== -1) ignoredUsers.splice(index, 1); | ||||
|                     return success( | ||||
|                         cli.setIgnoredUsers(ignoredUsers).then(() => { | ||||
|                             const QuestionDialog = sdk.getComponent('dialogs.QuestionDialog'); | ||||
|                             Modal.createTrackedDialog('Slash Commands', 'User unignored', QuestionDialog, { | ||||
|                                 title: _t('Unignored user'), | ||||
|                                 description: <div> | ||||
|                                     <p>{ _t('You are no longer ignoring %(userId)s', {userId}) }</p> | ||||
|                                 </div>, | ||||
|                                 hasCancelButton: false, | ||||
|                             }); | ||||
|                         }), | ||||
|                     ); | ||||
|                 } | ||||
|             } | ||||
|         } | ||||
|         return reject(this.getUsage()); | ||||
|             return reject(this.getUsage()); | ||||
|         }, | ||||
|     }), | ||||
| 
 | ||||
|     // Define the power level of a user
 | ||||
|     op: new Command("op", "<userId> [<power level>]", function(roomId, args) { | ||||
|         if (args) { | ||||
|             const matches = args.match(/^(\S+?)( +(-?\d+))?$/); | ||||
|             let powerLevel = 50; // default power level for op
 | ||||
|             if (matches) { | ||||
|                 const userId = matches[1]; | ||||
|                 if (matches.length === 4 && undefined !== matches[3]) { | ||||
|                     powerLevel = parseInt(matches[3]); | ||||
|                 } | ||||
|                 if (!isNaN(powerLevel)) { | ||||
|                     const room = MatrixClientPeg.get().getRoom(roomId); | ||||
|                     if (!room) { | ||||
|                         return reject("Bad room ID: " + roomId); | ||||
|     op: new Command({ | ||||
|         name: 'op', | ||||
|         args: '<user-id> [<power-level>]', | ||||
|         description: _td('Define the power level of a user'), | ||||
|         runFn: function(roomId, args) { | ||||
|             if (args) { | ||||
|                 const matches = args.match(/^(\S+?)( +(-?\d+))?$/); | ||||
|                 let powerLevel = 50; // default power level for op
 | ||||
|                 if (matches) { | ||||
|                     const userId = matches[1]; | ||||
|                     if (matches.length === 4 && undefined !== matches[3]) { | ||||
|                         powerLevel = parseInt(matches[3]); | ||||
|                     } | ||||
|                     if (!isNaN(powerLevel)) { | ||||
|                         const cli = MatrixClientPeg.get(); | ||||
|                         const room = cli.getRoom(roomId); | ||||
|                         if (!room) return reject('Bad room ID: ' + roomId); | ||||
| 
 | ||||
|                         const powerLevelEvent = room.currentState.getStateEvents('m.room.power_levels', ''); | ||||
|                         return success(cli.setPowerLevel(roomId, userId, powerLevel, powerLevelEvent)); | ||||
|                     } | ||||
|                     const powerLevelEvent = room.currentState.getStateEvents( | ||||
|                         "m.room.power_levels", "", | ||||
|                     ); | ||||
|                     return success( | ||||
|                         MatrixClientPeg.get().setPowerLevel( | ||||
|                             roomId, userId, powerLevel, powerLevelEvent, | ||||
|                         ), | ||||
|                     ); | ||||
|                 } | ||||
|             } | ||||
|         } | ||||
|         return reject(this.getUsage()); | ||||
|             return reject(this.getUsage()); | ||||
|         }, | ||||
|     }), | ||||
| 
 | ||||
|     // Reset the power level of a user
 | ||||
|     deop: new Command("deop", "<userId>", function(roomId, args) { | ||||
|         if (args) { | ||||
|             const matches = args.match(/^(\S+)$/); | ||||
|             if (matches) { | ||||
|                 const room = MatrixClientPeg.get().getRoom(roomId); | ||||
|                 if (!room) { | ||||
|                     return reject("Bad room ID: " + roomId); | ||||
|                 } | ||||
|     deop: new Command({ | ||||
|         name: 'deop', | ||||
|         args: '<user-id>', | ||||
|         description: _td('Deops user with given id'), | ||||
|         runFn: function(roomId, args) { | ||||
|             if (args) { | ||||
|                 const matches = args.match(/^(\S+)$/); | ||||
|                 if (matches) { | ||||
|                     const cli = MatrixClientPeg.get(); | ||||
|                     const room = cli.getRoom(roomId); | ||||
|                     if (!room) return reject('Bad room ID: ' + roomId); | ||||
| 
 | ||||
|                 const powerLevelEvent = room.currentState.getStateEvents( | ||||
|                     "m.room.power_levels", "", | ||||
|                 ); | ||||
|                 return success( | ||||
|                     MatrixClientPeg.get().setPowerLevel( | ||||
|                         roomId, args, undefined, powerLevelEvent, | ||||
|                     ), | ||||
|                 ); | ||||
|                     const powerLevelEvent = room.currentState.getStateEvents('m.room.power_levels', ''); | ||||
|                     return success(cli.setPowerLevel(roomId, args, undefined, powerLevelEvent)); | ||||
|                 } | ||||
|             } | ||||
|         } | ||||
|         return reject(this.getUsage()); | ||||
|             return reject(this.getUsage()); | ||||
|         }, | ||||
|     }), | ||||
| 
 | ||||
|     // Open developer tools
 | ||||
|     devtools: new Command("devtools", "", function(roomId) { | ||||
|         const DevtoolsDialog = sdk.getComponent("dialogs.DevtoolsDialog"); | ||||
|         Modal.createDialog(DevtoolsDialog, { roomId }); | ||||
|         return success(); | ||||
|     devtools: new Command({ | ||||
|         name: 'devtools', | ||||
|         description: _td('Opens the Developer Tools dialog'), | ||||
|         runFn: function(roomId) { | ||||
|             const DevtoolsDialog = sdk.getComponent('dialogs.DevtoolsDialog'); | ||||
|             Modal.createDialog(DevtoolsDialog, {roomId}); | ||||
|             return success(); | ||||
|         }, | ||||
|     }), | ||||
| 
 | ||||
|     // Verify a user, device, and pubkey tuple
 | ||||
|     verify: new Command("verify", "<userId> <deviceId> <deviceSigningKey>", function(roomId, args) { | ||||
|         if (args) { | ||||
|             const matches = args.match(/^(\S+) +(\S+) +(\S+)$/); | ||||
|             if (matches) { | ||||
|                 const userId = matches[1]; | ||||
|                 const deviceId = matches[2]; | ||||
|                 const fingerprint = matches[3]; | ||||
|     verify: new Command({ | ||||
|         name: 'verify', | ||||
|         args: '<user-id> <device-id> <device-signing-key>', | ||||
|         description: _td('Verifies a user, device, and pubkey tuple'), | ||||
|         runFn: function(roomId, args) { | ||||
|             if (args) { | ||||
|                 const matches = args.match(/^(\S+) +(\S+) +(\S+)$/); | ||||
|                 if (matches) { | ||||
|                     const cli = MatrixClientPeg.get(); | ||||
| 
 | ||||
|                 return success( | ||||
|                     // Promise.resolve to handle transition from static result to promise; can be removed
 | ||||
|                     // in future
 | ||||
|                     Promise.resolve(MatrixClientPeg.get().getStoredDevice(userId, deviceId)).then((device) => { | ||||
|                         if (!device) { | ||||
|                             throw new Error(_t(`Unknown (user, device) pair:`) + ` (${userId}, ${deviceId})`); | ||||
|                         } | ||||
|                     const userId = matches[1]; | ||||
|                     const deviceId = matches[2]; | ||||
|                     const fingerprint = matches[3]; | ||||
| 
 | ||||
|                         if (device.isVerified()) { | ||||
|                             if (device.getFingerprint() === fingerprint) { | ||||
|                                 throw new Error(_t(`Device already verified!`)); | ||||
|                             } else { | ||||
|                                 throw new Error(_t(`WARNING: Device already verified, but keys do NOT MATCH!`)); | ||||
|                     return success( | ||||
|                         // Promise.resolve to handle transition from static result to promise; can be removed
 | ||||
|                         // in future
 | ||||
|                         Promise.resolve(cli.getStoredDevice(userId, deviceId)).then((device) => { | ||||
|                             if (!device) { | ||||
|                                 throw new Error(_t('Unknown (user, device) pair:') + ` (${userId}, ${deviceId})`); | ||||
|                             } | ||||
|                         } | ||||
| 
 | ||||
|                         if (device.getFingerprint() !== fingerprint) { | ||||
|                             const fprint = device.getFingerprint(); | ||||
|                             throw new Error( | ||||
|                                 _t('WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and device' + | ||||
|                                    ' %(deviceId)s is "%(fprint)s" which does not match the provided key' + | ||||
|                                    ' "%(fingerprint)s". This could mean your communications are being intercepted!', | ||||
|                                    {deviceId: deviceId, fprint: fprint, userId: userId, fingerprint: fingerprint})); | ||||
|                         } | ||||
|                             if (device.isVerified()) { | ||||
|                                 if (device.getFingerprint() === fingerprint) { | ||||
|                                     throw new Error(_t('Device already verified!')); | ||||
|                                 } else { | ||||
|                                     throw new Error(_t('WARNING: Device already verified, but keys do NOT MATCH!')); | ||||
|                                 } | ||||
|                             } | ||||
| 
 | ||||
|                         return MatrixClientPeg.get().setDeviceVerified(userId, deviceId, true); | ||||
|                     }).then(() => { | ||||
|                         // Tell the user we verified everything
 | ||||
|                         const QuestionDialog = sdk.getComponent("dialogs.QuestionDialog"); | ||||
|                         Modal.createTrackedDialog('Slash Commands', 'Verified key', QuestionDialog, { | ||||
|                             title: _t("Verified key"), | ||||
|                             description: ( | ||||
|                                 <div> | ||||
|                                   <p> | ||||
|                                     { | ||||
|                                         _t("The signing key you provided matches the signing key you received " + | ||||
|                                            "from %(userId)s's device %(deviceId)s. Device marked as verified.", | ||||
|                                            {userId: userId, deviceId: deviceId}) | ||||
|                                     } | ||||
|                                   </p> | ||||
|                                 </div> | ||||
|                             ), | ||||
|                             hasCancelButton: false, | ||||
|                         }); | ||||
|                     }), | ||||
|                 ); | ||||
|                             if (device.getFingerprint() !== fingerprint) { | ||||
|                                 const fprint = device.getFingerprint(); | ||||
|                                 throw new Error( | ||||
|                                     _t('WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and device' + | ||||
|                                         ' %(deviceId)s is "%(fprint)s" which does not match the provided key ' + | ||||
|                                         '"%(fingerprint)s". This could mean your communications are being intercepted!', | ||||
|                                         { | ||||
|                                             fprint, | ||||
|                                             userId, | ||||
|                                             deviceId, | ||||
|                                             fingerprint, | ||||
|                                         })); | ||||
|                             } | ||||
| 
 | ||||
|                             return cli.setDeviceVerified(userId, deviceId, true); | ||||
|                         }).then(() => { | ||||
|                             // Tell the user we verified everything
 | ||||
|                             const QuestionDialog = sdk.getComponent('dialogs.QuestionDialog'); | ||||
|                             Modal.createTrackedDialog('Slash Commands', 'Verified key', QuestionDialog, { | ||||
|                                 title: _t('Verified key'), | ||||
|                                 description: <div> | ||||
|                                     <p> | ||||
|                                         { | ||||
|                                             _t('The signing key you provided matches the signing key you received ' + | ||||
|                                                 'from %(userId)s\'s device %(deviceId)s. Device marked as verified.', | ||||
|                                                 {userId, deviceId}) | ||||
|                                         } | ||||
|                                     </p> | ||||
|                                 </div>, | ||||
|                                 hasCancelButton: false, | ||||
|                             }); | ||||
|                         }), | ||||
|                     ); | ||||
|                 } | ||||
|             } | ||||
|         } | ||||
|         return reject(this.getUsage()); | ||||
|             return reject(this.getUsage()); | ||||
|         }, | ||||
|     }), | ||||
| 
 | ||||
|     // Command definitions for autocompletion ONLY:
 | ||||
| 
 | ||||
|     // /me is special because its not handled by SlashCommands.js and is instead done inside the Composer classes
 | ||||
|     me: new Command({ | ||||
|         name: 'me', | ||||
|         args: '<message>', | ||||
|         description: _td('Displays action'), | ||||
|     }), | ||||
| }; | ||||
| /* eslint-enable babel/no-invalid-this */ | ||||
|  | @ -421,50 +476,39 @@ const aliases = { | |||
|     j: "join", | ||||
| }; | ||||
| 
 | ||||
| module.exports = { | ||||
|     /** | ||||
|      * Process the given text for /commands and perform them. | ||||
|      * @param {string} roomId The room in which the command was performed. | ||||
|      * @param {string} input The raw text input by the user. | ||||
|      * @return {Object|null} An object with the property 'error' if there was an error | ||||
|      * processing the command, or 'promise' if a request was sent out. | ||||
|      * Returns null if the input didn't match a command. | ||||
|      */ | ||||
|     processInput: function(roomId, input) { | ||||
|         // trim any trailing whitespace, as it can confuse the parser for
 | ||||
|         // IRC-style commands
 | ||||
|         input = input.replace(/\s+$/, ""); | ||||
|         if (input[0] === "/" && input[1] !== "/") { | ||||
|             const bits = input.match(/^(\S+?)( +((.|\n)*))?$/); | ||||
|             let cmd; | ||||
|             let args; | ||||
|             if (bits) { | ||||
|                 cmd = bits[1].substring(1).toLowerCase(); | ||||
|                 args = bits[3]; | ||||
|             } else { | ||||
|                 cmd = input; | ||||
|             } | ||||
|             if (cmd === "me") return null; | ||||
|             if (aliases[cmd]) { | ||||
|                 cmd = aliases[cmd]; | ||||
|             } | ||||
|             if (commands[cmd]) { | ||||
|                 return commands[cmd].run(roomId, args); | ||||
|             } else { | ||||
|                 return reject(_t("Unrecognised command:") + ' ' + input); | ||||
|             } | ||||
|         } | ||||
|         return null; // not a command
 | ||||
|     }, | ||||
| /** | ||||
|  * Process the given text for /commands and perform them. | ||||
|  * @param {string} roomId The room in which the command was performed. | ||||
|  * @param {string} input The raw text input by the user. | ||||
|  * @return {Object|null} An object with the property 'error' if there was an error | ||||
|  * processing the command, or 'promise' if a request was sent out. | ||||
|  * Returns null if the input didn't match a command. | ||||
|  */ | ||||
| export function processCommandInput(roomId, input) { | ||||
|     // trim any trailing whitespace, as it can confuse the parser for
 | ||||
|     // IRC-style commands
 | ||||
|     input = input.replace(/\s+$/, ''); | ||||
|     if (input[0] !== '/' || input[1] === '/') return null; // not a command
 | ||||
| 
 | ||||
|     getCommandList: function() { | ||||
|         // Return all the commands plus /me and /markdown which aren't handled like normal commands
 | ||||
|         const cmds = Object.keys(commands).sort().map(function(cmdKey) { | ||||
|             return commands[cmdKey]; | ||||
|         }); | ||||
|         cmds.push(new Command("me", "<action>", function() {})); | ||||
|         cmds.push(new Command("markdown", "<on|off>", function() {})); | ||||
|     const bits = input.match(/^(\S+?)( +((.|\n)*))?$/); | ||||
|     let cmd; | ||||
|     let args; | ||||
|     if (bits) { | ||||
|         cmd = bits[1].substring(1).toLowerCase(); | ||||
|         args = bits[3]; | ||||
|     } else { | ||||
|         cmd = input; | ||||
|     } | ||||
| 
 | ||||
|         return cmds; | ||||
|     }, | ||||
| }; | ||||
|     if (aliases[cmd]) { | ||||
|         cmd = aliases[cmd]; | ||||
|     } | ||||
|     if (CommandMap[cmd]) { | ||||
|         // if it has no runFn then its an ignored/nop command (autocomplete only) e.g `/me`
 | ||||
|         if (!CommandMap[cmd].runFn) return null; | ||||
| 
 | ||||
|         return CommandMap[cmd].run(roomId, args); | ||||
|     } else { | ||||
|         return reject(_t('Unrecognised command:') + ' ' + input); | ||||
|     } | ||||
| } | ||||
|  |  | |||
|  | @ -2,6 +2,7 @@ | |||
| Copyright 2016 Aviral Dasgupta | ||||
| Copyright 2017 Vector Creations Ltd | ||||
| Copyright 2017 New Vector Ltd | ||||
| Copyright 2018 Michael Telatynski <7t3chguy@gmail.com> | ||||
| 
 | ||||
| Licensed under the Apache License, Version 2.0 (the "License"); | ||||
| you may not use this file except in compliance with the License. | ||||
|  | @ -17,103 +18,16 @@ limitations under the License. | |||
| */ | ||||
| 
 | ||||
| import React from 'react'; | ||||
| import { _t, _td } from '../languageHandler'; | ||||
| import {_t} from '../languageHandler'; | ||||
| import AutocompleteProvider from './AutocompleteProvider'; | ||||
| import FuzzyMatcher from './FuzzyMatcher'; | ||||
| import {TextualCompletion} from './Components'; | ||||
| import {CommandMap} from '../SlashCommands'; | ||||
| import type {SelectionRange} from "./Autocompleter"; | ||||
| 
 | ||||
| // TODO merge this with the factory mechanics of SlashCommands?
 | ||||
| // Warning: Since the description string will be translated in _t(result.description), all these strings below must be in i18n/strings/en_EN.json file
 | ||||
| const COMMANDS = [ | ||||
|     { | ||||
|         command: '/me', | ||||
|         args: '<message>', | ||||
|         description: _td('Displays action'), | ||||
|     }, | ||||
|     { | ||||
|         command: '/ban', | ||||
|         args: '<user-id> [reason]', | ||||
|         description: _td('Bans user with given id'), | ||||
|     }, | ||||
|     { | ||||
|         command: '/unban', | ||||
|         args: '<user-id>', | ||||
|         description: _td('Unbans user with given id'), | ||||
|     }, | ||||
|     { | ||||
|         command: '/op', | ||||
|         args: '<user-id> [<power-level>]', | ||||
|         description: _td('Define the power level of a user'), | ||||
|     }, | ||||
|     { | ||||
|         command: '/deop', | ||||
|         args: '<user-id>', | ||||
|         description: _td('Deops user with given id'), | ||||
|     }, | ||||
|     { | ||||
|         command: '/invite', | ||||
|         args: '<user-id>', | ||||
|         description: _td('Invites user with given id to current room'), | ||||
|     }, | ||||
|     { | ||||
|         command: '/join', | ||||
|         args: '<room-alias>', | ||||
|         description: _td('Joins room with given alias'), | ||||
|     }, | ||||
|     { | ||||
|         command: '/part', | ||||
|         args: '[<room-alias>]', | ||||
|         description: _td('Leave room'), | ||||
|     }, | ||||
|     { | ||||
|         command: '/topic', | ||||
|         args: '<topic>', | ||||
|         description: _td('Sets the room topic'), | ||||
|     }, | ||||
|     { | ||||
|         command: '/kick', | ||||
|         args: '<user-id> [reason]', | ||||
|         description: _td('Kicks user with given id'), | ||||
|     }, | ||||
|     { | ||||
|         command: '/nick', | ||||
|         args: '<display-name>', | ||||
|         description: _td('Changes your display nickname'), | ||||
|     }, | ||||
|     { | ||||
|         command: '/ddg', | ||||
|         args: '<query>', | ||||
|         description: _td('Searches DuckDuckGo for results'), | ||||
|     }, | ||||
|     { | ||||
|         command: '/tint', | ||||
|         args: '<color1> [<color2>]', | ||||
|         description: _td('Changes colour scheme of current room'), | ||||
|     }, | ||||
|     { | ||||
|         command: '/verify', | ||||
|         args: '<user-id> <device-id> <device-signing-key>', | ||||
|         description: _td('Verifies a user, device, and pubkey tuple'), | ||||
|     }, | ||||
|     { | ||||
|         command: '/ignore', | ||||
|         args: '<user-id>', | ||||
|         description: _td('Ignores a user, hiding their messages from you'), | ||||
|     }, | ||||
|     { | ||||
|         command: '/unignore', | ||||
|         args: '<user-id>', | ||||
|         description: _td('Stops ignoring a user, showing their messages going forward'), | ||||
|     }, | ||||
|     { | ||||
|         command: '/devtools', | ||||
|         args: '', | ||||
|         description: _td('Opens the Developer Tools dialog'), | ||||
|     }, | ||||
|     // Omitting `/markdown` as it only seems to apply to OldComposer
 | ||||
| ]; | ||||
| const COMMANDS = Object.values(CommandMap); | ||||
| 
 | ||||
| const COMMAND_RE = /(^\/\w*)/g; | ||||
| const COMMAND_RE = /(^\/\w*)(?: .*)?/g; | ||||
| 
 | ||||
| export default class CommandProvider extends AutocompleteProvider { | ||||
|     constructor() { | ||||
|  | @ -123,23 +37,36 @@ export default class CommandProvider extends AutocompleteProvider { | |||
|         }); | ||||
|     } | ||||
| 
 | ||||
|     async getCompletions(query: string, selection: {start: number, end: number}) { | ||||
|         let completions = []; | ||||
|     async getCompletions(query: string, selection: SelectionRange, force?: boolean) { | ||||
|         const {command, range} = this.getCurrentCommand(query, selection); | ||||
|         if (command) { | ||||
|             completions = this.matcher.match(command[0]).map((result) => { | ||||
|                 return { | ||||
|                     completion: result.command + ' ', | ||||
|                     component: (<TextualCompletion | ||||
|                         title={result.command} | ||||
|                         subtitle={result.args} | ||||
|                         description={_t(result.description)} | ||||
|                         />), | ||||
|                     range, | ||||
|                 }; | ||||
|             }); | ||||
|         if (!command) return []; | ||||
| 
 | ||||
|         let matches = []; | ||||
|         if (command[0] !== command[1]) { | ||||
|             // The input looks like a command with arguments, perform exact match
 | ||||
|             const name = command[1].substr(1); // strip leading `/`
 | ||||
|             if (CommandMap[name]) { | ||||
|                 matches = [CommandMap[name]]; | ||||
|             } | ||||
|         } else { | ||||
|             if (query === '/') { | ||||
|                 // If they have just entered `/` show everything
 | ||||
|                 matches = COMMANDS; | ||||
|             } else { | ||||
|                 // otherwise fuzzy match against all of the fields
 | ||||
|                 matches = this.matcher.match(command[1]); | ||||
|             } | ||||
|         } | ||||
|         return completions; | ||||
| 
 | ||||
|         return matches.map((result) => ({ | ||||
|             // If the command is the same as the one they entered, we don't want to discard their arguments
 | ||||
|             completion: result.command === command[1] ? command[0] : (result.command + ' '), | ||||
|             component: <TextualCompletion | ||||
|                 title={result.command} | ||||
|                 subtitle={result.args} | ||||
|                 description={_t(result.description)} />, | ||||
|             range, | ||||
|         })); | ||||
|     } | ||||
| 
 | ||||
|     getName() { | ||||
|  |  | |||
|  | @ -68,8 +68,8 @@ const FilePanel = React.createClass({ | |||
|                     "room": { | ||||
|                         "timeline": { | ||||
|                             "contains_url": true, | ||||
|                             "not_types": [ | ||||
|                                 "m.sticker", | ||||
|                             "types": [ | ||||
|                                 "m.room.message", | ||||
|                             ], | ||||
|                         }, | ||||
|                     }, | ||||
|  |  | |||
|  | @ -1059,7 +1059,7 @@ export default React.createClass({ | |||
|                     <input type="radio" | ||||
|                         value={GROUP_JOINPOLICY_INVITE} | ||||
|                         checked={this.state.joinableForm.policyType === GROUP_JOINPOLICY_INVITE} | ||||
|                         onClick={this._onJoinableChange} | ||||
|                         onChange={this._onJoinableChange} | ||||
|                     /> | ||||
|                     <div className="mx_GroupView_label_text"> | ||||
|                         { _t('Only people who have been invited') } | ||||
|  | @ -1071,7 +1071,7 @@ export default React.createClass({ | |||
|                     <input type="radio" | ||||
|                         value={GROUP_JOINPOLICY_OPEN} | ||||
|                         checked={this.state.joinableForm.policyType === GROUP_JOINPOLICY_OPEN} | ||||
|                         onClick={this._onJoinableChange} | ||||
|                         onChange={this._onJoinableChange} | ||||
|                     /> | ||||
|                     <div className="mx_GroupView_label_text"> | ||||
|                         { _t('Everyone') } | ||||
|  | @ -1134,10 +1134,6 @@ export default React.createClass({ | |||
|             let avatarNode; | ||||
|             let nameNode; | ||||
|             let shortDescNode; | ||||
|             const bodyNodes = [ | ||||
|                 this._getMembershipSection(), | ||||
|                 this._getGroupSection(), | ||||
|             ]; | ||||
|             const rightButtons = []; | ||||
|             if (this.state.editing && this.state.isUserPrivileged) { | ||||
|                 let avatarImage; | ||||
|  | @ -1282,7 +1278,8 @@ export default React.createClass({ | |||
|                         </div> | ||||
|                     </div> | ||||
|                     <GeminiScrollbarWrapper className="mx_GroupView_body"> | ||||
|                         { bodyNodes } | ||||
|                         { this._getMembershipSection() } | ||||
|                         { this._getGroupSection() } | ||||
|                     </GeminiScrollbarWrapper> | ||||
|                 </div> | ||||
|             ); | ||||
|  |  | |||
|  | @ -82,17 +82,26 @@ var LeftPanel = React.createClass({ | |||
| 
 | ||||
|     _onKeyDown: function(ev) { | ||||
|         if (!this.focusedElement) return; | ||||
|         let handled = false; | ||||
|         let handled = true; | ||||
| 
 | ||||
|         switch (ev.keyCode) { | ||||
|             case KeyCode.TAB: | ||||
|                 this._onMoveFocus(ev.shiftKey); | ||||
|                 break; | ||||
|             case KeyCode.UP: | ||||
|                 this._onMoveFocus(true); | ||||
|                 handled = true; | ||||
|                 break; | ||||
|             case KeyCode.DOWN: | ||||
|                 this._onMoveFocus(false); | ||||
|                 handled = true; | ||||
|                 break; | ||||
|             case KeyCode.ENTER: | ||||
|                 this._onMoveFocus(false); | ||||
|                 if (this.focusedElement) { | ||||
|                     this.focusedElement.click(); | ||||
|                 } | ||||
|                 break; | ||||
|             default: | ||||
|                 handled = false; | ||||
|         } | ||||
| 
 | ||||
|         if (handled) { | ||||
|  | @ -102,37 +111,33 @@ var LeftPanel = React.createClass({ | |||
|     }, | ||||
| 
 | ||||
|     _onMoveFocus: function(up) { | ||||
|         var element = this.focusedElement; | ||||
|         let element = this.focusedElement; | ||||
| 
 | ||||
|         // unclear why this isn't needed
 | ||||
|         // var descending = (up == this.focusDirection) ? this.focusDescending : !this.focusDescending;
 | ||||
|         // this.focusDirection = up;
 | ||||
| 
 | ||||
|         var descending = false; // are we currently descending or ascending through the DOM tree?
 | ||||
|         var classes; | ||||
|         let descending = false; // are we currently descending or ascending through the DOM tree?
 | ||||
|         let classes; | ||||
| 
 | ||||
|         do { | ||||
|             var child = up ? element.lastElementChild : element.firstElementChild; | ||||
|             var sibling = up ? element.previousElementSibling : element.nextElementSibling; | ||||
|             const child = up ? element.lastElementChild : element.firstElementChild; | ||||
|             const sibling = up ? element.previousElementSibling : element.nextElementSibling; | ||||
| 
 | ||||
|             if (descending) { | ||||
|                 if (child) { | ||||
|                     element = child; | ||||
|                 } | ||||
|                 else if (sibling) { | ||||
|                 } else if (sibling) { | ||||
|                     element = sibling; | ||||
|                 } | ||||
|                 else { | ||||
|                 } else { | ||||
|                     descending = false; | ||||
|                     element = element.parentElement; | ||||
|                 } | ||||
|             } | ||||
|             else { | ||||
|             } else { | ||||
|                 if (sibling) { | ||||
|                     element = sibling; | ||||
|                     descending = true; | ||||
|                 } | ||||
|                 else { | ||||
|                 } else { | ||||
|                     element = element.parentElement; | ||||
|                 } | ||||
|             } | ||||
|  | @ -144,8 +149,7 @@ var LeftPanel = React.createClass({ | |||
|                     descending = true; | ||||
|                 } | ||||
|             } | ||||
| 
 | ||||
|         } while(element && !( | ||||
|         } while (element && !( | ||||
|             classes.contains("mx_RoomTile") || | ||||
|             classes.contains("mx_SearchBox_search") || | ||||
|             classes.contains("mx_RoomSubList_ellipsis"))); | ||||
|  |  | |||
|  | @ -23,6 +23,7 @@ import PropTypes from 'prop-types'; | |||
| import Matrix from "matrix-js-sdk"; | ||||
| 
 | ||||
| import Analytics from "../../Analytics"; | ||||
| import DecryptionFailureTracker from "../../DecryptionFailureTracker"; | ||||
| import MatrixClientPeg from "../../MatrixClientPeg"; | ||||
| import PlatformPeg from "../../PlatformPeg"; | ||||
| import SdkConfig from "../../SdkConfig"; | ||||
|  | @ -1303,6 +1304,21 @@ export default React.createClass({ | |||
|             } | ||||
|         }); | ||||
| 
 | ||||
|         const dft = new DecryptionFailureTracker((failure) => { | ||||
|             // TODO: Pass reason for failure as third argument to trackEvent
 | ||||
|             Analytics.trackEvent('E2E', 'Decryption failure'); | ||||
|         }); | ||||
| 
 | ||||
|         // Shelved for later date when we have time to think about persisting history of
 | ||||
|         // tracked events across sessions.
 | ||||
|         // dft.loadTrackedEventHashMap();
 | ||||
| 
 | ||||
|         dft.start(); | ||||
| 
 | ||||
|         // When logging out, stop tracking failures and destroy state
 | ||||
|         cli.on("Session.logged_out", () => dft.stop()); | ||||
|         cli.on("Event.decrypted", (e) => dft.eventDecrypted(e)); | ||||
| 
 | ||||
|         const krh = new KeyRequestHandler(cli); | ||||
|         cli.on("crypto.roomKeyRequest", (req) => { | ||||
|             krh.handleKeyRequest(req); | ||||
|  |  | |||
|  | @ -1,5 +1,6 @@ | |||
| /* | ||||
| Copyright 2016 OpenMarket Ltd | ||||
| Copyright 2018 New Vector Ltd | ||||
| 
 | ||||
| Licensed under the Apache License, Version 2.0 (the "License"); | ||||
| you may not use this file except in compliance with the License. | ||||
|  | @ -25,6 +26,9 @@ import sdk from '../../index'; | |||
| 
 | ||||
| import MatrixClientPeg from '../../MatrixClientPeg'; | ||||
| 
 | ||||
| const CONTINUATION_MAX_INTERVAL = 5 * 60 * 1000; // 5 minutes
 | ||||
| const continuedTypes = ['m.sticker', 'm.room.message']; | ||||
| 
 | ||||
| /* (almost) stateless UI component which builds the event tiles in the room timeline. | ||||
|  */ | ||||
| module.exports = React.createClass({ | ||||
|  | @ -189,7 +193,7 @@ module.exports = React.createClass({ | |||
|     /** | ||||
|      * Page up/down. | ||||
|      * | ||||
|      * mult: -1 to page up, +1 to page down | ||||
|      * @param {number} mult: -1 to page up, +1 to page down | ||||
|      */ | ||||
|     scrollRelative: function(mult) { | ||||
|         if (this.refs.scrollPanel) { | ||||
|  | @ -199,6 +203,8 @@ module.exports = React.createClass({ | |||
| 
 | ||||
|     /** | ||||
|      * Scroll up/down in response to a scroll key | ||||
|      * | ||||
|      * @param {KeyboardEvent} ev: the keyboard event to handle | ||||
|      */ | ||||
|     handleScrollKey: function(ev) { | ||||
|         if (this.refs.scrollPanel) { | ||||
|  | @ -257,6 +263,7 @@ module.exports = React.createClass({ | |||
| 
 | ||||
|         this.eventNodes = {}; | ||||
| 
 | ||||
|         let visible = false; | ||||
|         let i; | ||||
| 
 | ||||
|         // first figure out which is the last event in the list which we're
 | ||||
|  | @ -297,7 +304,7 @@ module.exports = React.createClass({ | |||
|         // if the readmarker has moved, cancel any active ghost.
 | ||||
|         if (this.currentReadMarkerEventId && this.props.readMarkerEventId && | ||||
|                 this.props.readMarkerVisible && | ||||
|                 this.currentReadMarkerEventId != this.props.readMarkerEventId) { | ||||
|                 this.currentReadMarkerEventId !== this.props.readMarkerEventId) { | ||||
|             this.currentGhostEventId = null; | ||||
|         } | ||||
| 
 | ||||
|  | @ -404,8 +411,8 @@ module.exports = React.createClass({ | |||
| 
 | ||||
|             let isVisibleReadMarker = false; | ||||
| 
 | ||||
|             if (eventId == this.props.readMarkerEventId) { | ||||
|                 var visible = this.props.readMarkerVisible; | ||||
|             if (eventId === this.props.readMarkerEventId) { | ||||
|                 visible = this.props.readMarkerVisible; | ||||
| 
 | ||||
|                 // if the read marker comes at the end of the timeline (except
 | ||||
|                 // for local echoes, which are excluded from RMs, because they
 | ||||
|  | @ -423,11 +430,11 @@ module.exports = React.createClass({ | |||
| 
 | ||||
|             // XXX: there should be no need for a ghost tile - we should just use a
 | ||||
|             // a dispatch (user_activity_end) to start the RM animation.
 | ||||
|             if (eventId == this.currentGhostEventId) { | ||||
|             if (eventId === this.currentGhostEventId) { | ||||
|                 // if we're showing an animation, continue to show it.
 | ||||
|                 ret.push(this._getReadMarkerGhostTile()); | ||||
|             } else if (!isVisibleReadMarker && | ||||
|                        eventId == this.currentReadMarkerEventId) { | ||||
|                        eventId === this.currentReadMarkerEventId) { | ||||
|                 // there is currently a read-up-to marker at this point, but no
 | ||||
|                 // more. Show an animation of it disappearing.
 | ||||
|                 ret.push(this._getReadMarkerGhostTile()); | ||||
|  | @ -449,16 +456,17 @@ module.exports = React.createClass({ | |||
| 
 | ||||
|         // Some events should appear as continuations from previous events of
 | ||||
|         // different types.
 | ||||
|         const continuedTypes = ['m.sticker', 'm.room.message']; | ||||
| 
 | ||||
|         const eventTypeContinues = | ||||
|             prevEvent !== null && | ||||
|             continuedTypes.includes(mxEv.getType()) && | ||||
|             continuedTypes.includes(prevEvent.getType()); | ||||
| 
 | ||||
|         if (prevEvent !== null | ||||
|                 && prevEvent.sender && mxEv.sender | ||||
|                 && mxEv.sender.userId === prevEvent.sender.userId | ||||
|                 && (mxEv.getType() == prevEvent.getType() || eventTypeContinues)) { | ||||
|         // if there is a previous event and it has the same sender as this event
 | ||||
|         // and the types are the same/is in continuedTypes and the time between them is <= CONTINUATION_MAX_INTERVAL
 | ||||
|         if (prevEvent !== null && prevEvent.sender && mxEv.sender && mxEv.sender.userId === prevEvent.sender.userId && | ||||
|             (mxEv.getType() === prevEvent.getType() || eventTypeContinues) && | ||||
|             (mxEv.getTs() - prevEvent.getTs() <= CONTINUATION_MAX_INTERVAL)) { | ||||
|             continuation = true; | ||||
|         } | ||||
| 
 | ||||
|  | @ -493,7 +501,7 @@ module.exports = React.createClass({ | |||
|         } | ||||
| 
 | ||||
|         const eventId = mxEv.getId(); | ||||
|         const highlight = (eventId == this.props.highlightedEventId); | ||||
|         const highlight = (eventId === this.props.highlightedEventId); | ||||
| 
 | ||||
|         // we can't use local echoes as scroll tokens, because their event IDs change.
 | ||||
|         // Local echos have a send "status".
 | ||||
|  | @ -632,7 +640,8 @@ module.exports = React.createClass({ | |||
|     render: function() { | ||||
|         const ScrollPanel = sdk.getComponent("structures.ScrollPanel"); | ||||
|         const Spinner = sdk.getComponent("elements.Spinner"); | ||||
|         let topSpinner, bottomSpinner; | ||||
|         let topSpinner; | ||||
|         let bottomSpinner; | ||||
|         if (this.props.backPaginating) { | ||||
|             topSpinner = <li key="_topSpinner"><Spinner /></li>; | ||||
|         } | ||||
|  |  | |||
|  | @ -70,7 +70,7 @@ export default withMatrixClient(React.createClass({ | |||
|         if (this.state.groups) { | ||||
|             const groupNodes = []; | ||||
|             this.state.groups.forEach((g) => { | ||||
|                 groupNodes.push(<GroupTile groupId={g} />); | ||||
|                 groupNodes.push(<GroupTile key={g} groupId={g} />); | ||||
|             }); | ||||
|             contentHeader = groupNodes.length > 0 ? <h3>{ _t('Your Communities') }</h3> : <div />; | ||||
|             content = groupNodes.length > 0 ? | ||||
|  | @ -124,7 +124,7 @@ export default withMatrixClient(React.createClass({ | |||
|                         ) } | ||||
|                     </div> | ||||
|                 </div> | ||||
|                 <div className="mx_MyGroups_joinBox mx_MyGroups_headerCard"> | ||||
|                 {/*<div className="mx_MyGroups_joinBox mx_MyGroups_headerCard"> | ||||
|                     <AccessibleButton className='mx_MyGroups_headerCard_button' onClick={this._onJoinGroupClick}> | ||||
|                         <TintableSvg src="img/icons-create-room.svg" width="50" height="50" /> | ||||
|                     </AccessibleButton> | ||||
|  | @ -140,7 +140,7 @@ export default withMatrixClient(React.createClass({ | |||
|                             { 'i': (sub) => <i>{ sub }</i> }) | ||||
|                         } | ||||
|                     </div> | ||||
|                 </div> | ||||
|                 </div>*/} | ||||
|             </div> | ||||
|             <div className="mx_MyGroups_content"> | ||||
|                 { contentHeader } | ||||
|  |  | |||
|  | @ -913,6 +913,8 @@ module.exports = React.createClass({ | |||
|     }, | ||||
| 
 | ||||
|     uploadFile: async function(file) { | ||||
|         dis.dispatch({action: 'focus_composer'}); | ||||
| 
 | ||||
|         if (MatrixClientPeg.get().isGuest()) { | ||||
|             dis.dispatch({action: 'view_set_mxid'}); | ||||
|             return; | ||||
|  |  | |||
|  | @ -429,7 +429,6 @@ module.exports = React.createClass({ | |||
|                 "push notifications on other devices until you log back in to them", | ||||
|             ) + ".", | ||||
|         }); | ||||
|         dis.dispatch({action: 'password_changed'}); | ||||
|     }, | ||||
| 
 | ||||
|     _onAddEmailEditFinished: function(value, shouldSubmit) { | ||||
|  |  | |||
|  | @ -253,13 +253,11 @@ module.exports = React.createClass({ | |||
|                     </div> | ||||
|                 ); | ||||
| 
 | ||||
|                 if (SettingsStore.isFeatureEnabled("feature_rich_quoting")) { | ||||
|                     replyButton = ( | ||||
|                         <div className="mx_MessageContextMenu_field" onClick={this.onReplyClick}> | ||||
|                             { _t('Reply') } | ||||
|                         </div> | ||||
|                     ); | ||||
|                 } | ||||
|                 replyButton = ( | ||||
|                     <div className="mx_MessageContextMenu_field" onClick={this.onReplyClick}> | ||||
|                         { _t('Reply') } | ||||
|                     </div> | ||||
|                 ); | ||||
| 
 | ||||
|                 if (this.state.canPin) { | ||||
|                     pinButton = ( | ||||
|  |  | |||
|  | @ -1,6 +1,6 @@ | |||
| /* | ||||
| Copyright 2015, 2016 OpenMarket Ltd | ||||
| Copyright 2017 New Vector Ltd | ||||
| Copyright 2017, 2018 New Vector Ltd | ||||
| 
 | ||||
| Licensed under the Apache License, Version 2.0 (the "License"); | ||||
| you may not use this file except in compliance with the License. | ||||
|  | @ -17,7 +17,7 @@ limitations under the License. | |||
| 
 | ||||
| import React from 'react'; | ||||
| import PropTypes from 'prop-types'; | ||||
| import { _t } from '../../../languageHandler'; | ||||
| import { _t, _td } from '../../../languageHandler'; | ||||
| import sdk from '../../../index'; | ||||
| import MatrixClientPeg from '../../../MatrixClientPeg'; | ||||
| import Promise from 'bluebird'; | ||||
|  | @ -27,6 +27,13 @@ import GroupStore from '../../../stores/GroupStore'; | |||
| const TRUNCATE_QUERY_LIST = 40; | ||||
| const QUERY_USER_DIRECTORY_DEBOUNCE_MS = 200; | ||||
| 
 | ||||
| const addressTypeName = { | ||||
|     'mx-user-id': _td("Matrix ID"), | ||||
|     'mx-room-id': _td("Matrix Room ID"), | ||||
|     'email': _td("email address"), | ||||
| }; | ||||
| 
 | ||||
| 
 | ||||
| module.exports = React.createClass({ | ||||
|     displayName: "AddressPickerDialog", | ||||
| 
 | ||||
|  | @ -66,7 +73,7 @@ module.exports = React.createClass({ | |||
| 
 | ||||
|             // List of UserAddressType objects representing
 | ||||
|             // the list of addresses we're going to invite
 | ||||
|             userList: [], | ||||
|             selectedList: [], | ||||
| 
 | ||||
|             // Whether a search is ongoing
 | ||||
|             busy: false, | ||||
|  | @ -76,10 +83,9 @@ module.exports = React.createClass({ | |||
|             serverSupportsUserDirectory: true, | ||||
|             // The query being searched for
 | ||||
|             query: "", | ||||
|             // List of UserAddressType objects representing
 | ||||
|             // the set of auto-completion results for the current search
 | ||||
|             // query.
 | ||||
|             queryList: [], | ||||
|             // List of UserAddressType objects representing the set of
 | ||||
|             // auto-completion results for the current search query.
 | ||||
|             suggestedList: [], | ||||
|         }; | ||||
|     }, | ||||
| 
 | ||||
|  | @ -91,14 +97,14 @@ module.exports = React.createClass({ | |||
|     }, | ||||
| 
 | ||||
|     onButtonClick: function() { | ||||
|         let userList = this.state.userList.slice(); | ||||
|         let selectedList = this.state.selectedList.slice(); | ||||
|         // Check the text input field to see if user has an unconverted address
 | ||||
|         // If there is and it's valid add it to the local userList
 | ||||
|         // If there is and it's valid add it to the local selectedList
 | ||||
|         if (this.refs.textinput.value !== '') { | ||||
|             userList = this._addInputToList(); | ||||
|             if (userList === null) return; | ||||
|             selectedList = this._addInputToList(); | ||||
|             if (selectedList === null) return; | ||||
|         } | ||||
|         this.props.onFinished(true, userList); | ||||
|         this.props.onFinished(true, selectedList); | ||||
|     }, | ||||
| 
 | ||||
|     onCancel: function() { | ||||
|  | @ -118,18 +124,18 @@ module.exports = React.createClass({ | |||
|             e.stopPropagation(); | ||||
|             e.preventDefault(); | ||||
|             if (this.addressSelector) this.addressSelector.moveSelectionDown(); | ||||
|         } else if (this.state.queryList.length > 0 && (e.keyCode === 188 || e.keyCode === 13 || e.keyCode === 9)) { // comma or enter or tab
 | ||||
|         } else if (this.state.suggestedList.length > 0 && (e.keyCode === 188 || e.keyCode === 13 || e.keyCode === 9)) { // comma or enter or tab
 | ||||
|             e.stopPropagation(); | ||||
|             e.preventDefault(); | ||||
|             if (this.addressSelector) this.addressSelector.chooseSelection(); | ||||
|         } else if (this.refs.textinput.value.length === 0 && this.state.userList.length && e.keyCode === 8) { // backspace
 | ||||
|         } else if (this.refs.textinput.value.length === 0 && this.state.selectedList.length && e.keyCode === 8) { // backspace
 | ||||
|             e.stopPropagation(); | ||||
|             e.preventDefault(); | ||||
|             this.onDismissed(this.state.userList.length - 1)(); | ||||
|             this.onDismissed(this.state.selectedList.length - 1)(); | ||||
|         } else if (e.keyCode === 13) { // enter
 | ||||
|             e.stopPropagation(); | ||||
|             e.preventDefault(); | ||||
|             if (this.refs.textinput.value == '') { | ||||
|             if (this.refs.textinput.value === '') { | ||||
|                 // if there's nothing in the input box, submit the form
 | ||||
|                 this.onButtonClick(); | ||||
|             } else { | ||||
|  | @ -148,7 +154,7 @@ module.exports = React.createClass({ | |||
|             clearTimeout(this.queryChangedDebouncer); | ||||
|         } | ||||
|         // Only do search if there is something to search
 | ||||
|         if (query.length > 0 && query != '@' && query.length >= 2) { | ||||
|         if (query.length > 0 && query !== '@' && query.length >= 2) { | ||||
|             this.queryChangedDebouncer = setTimeout(() => { | ||||
|                 if (this.props.pickerType === 'user') { | ||||
|                     if (this.props.groupId) { | ||||
|  | @ -170,7 +176,7 @@ module.exports = React.createClass({ | |||
|             }, QUERY_USER_DIRECTORY_DEBOUNCE_MS); | ||||
|         } else { | ||||
|             this.setState({ | ||||
|                 queryList: [], | ||||
|                 suggestedList: [], | ||||
|                 query: "", | ||||
|                 searchError: null, | ||||
|             }); | ||||
|  | @ -179,11 +185,11 @@ module.exports = React.createClass({ | |||
| 
 | ||||
|     onDismissed: function(index) { | ||||
|         return () => { | ||||
|             const userList = this.state.userList.slice(); | ||||
|             userList.splice(index, 1); | ||||
|             const selectedList = this.state.selectedList.slice(); | ||||
|             selectedList.splice(index, 1); | ||||
|             this.setState({ | ||||
|                 userList: userList, | ||||
|                 queryList: [], | ||||
|                 selectedList, | ||||
|                 suggestedList: [], | ||||
|                 query: "", | ||||
|             }); | ||||
|             if (this._cancelThreepidLookup) this._cancelThreepidLookup(); | ||||
|  | @ -197,11 +203,11 @@ module.exports = React.createClass({ | |||
|     }, | ||||
| 
 | ||||
|     onSelected: function(index) { | ||||
|         const userList = this.state.userList.slice(); | ||||
|         userList.push(this.state.queryList[index]); | ||||
|         const selectedList = this.state.selectedList.slice(); | ||||
|         selectedList.push(this.state.suggestedList[index]); | ||||
|         this.setState({ | ||||
|             userList: userList, | ||||
|             queryList: [], | ||||
|             selectedList, | ||||
|             suggestedList: [], | ||||
|             query: "", | ||||
|         }); | ||||
|         if (this._cancelThreepidLookup) this._cancelThreepidLookup(); | ||||
|  | @ -379,10 +385,10 @@ module.exports = React.createClass({ | |||
|     }, | ||||
| 
 | ||||
|     _processResults: function(results, query) { | ||||
|         const queryList = []; | ||||
|         const suggestedList = []; | ||||
|         results.forEach((result) => { | ||||
|             if (result.room_id) { | ||||
|                 queryList.push({ | ||||
|                 suggestedList.push({ | ||||
|                     addressType: 'mx-room-id', | ||||
|                     address: result.room_id, | ||||
|                     displayName: result.name, | ||||
|  | @ -399,7 +405,7 @@ module.exports = React.createClass({ | |||
| 
 | ||||
|             // Return objects, structure of which is defined
 | ||||
|             // by UserAddressType
 | ||||
|             queryList.push({ | ||||
|             suggestedList.push({ | ||||
|                 addressType: 'mx-user-id', | ||||
|                 address: result.user_id, | ||||
|                 displayName: result.display_name, | ||||
|  | @ -413,18 +419,18 @@ module.exports = React.createClass({ | |||
|         // a perfectly valid address if there are close matches.
 | ||||
|         const addrType = getAddressType(query); | ||||
|         if (this.props.validAddressTypes.includes(addrType)) { | ||||
|             queryList.unshift({ | ||||
|             suggestedList.unshift({ | ||||
|                 addressType: addrType, | ||||
|                 address: query, | ||||
|                 isKnown: false, | ||||
|             }); | ||||
|             if (this._cancelThreepidLookup) this._cancelThreepidLookup(); | ||||
|             if (addrType == 'email') { | ||||
|             if (addrType === 'email') { | ||||
|                 this._lookupThreepid(addrType, query).done(); | ||||
|             } | ||||
|         } | ||||
|         this.setState({ | ||||
|             queryList, | ||||
|             suggestedList, | ||||
|             error: false, | ||||
|         }, () => { | ||||
|             if (this.addressSelector) this.addressSelector.moveSelectionTop(); | ||||
|  | @ -442,14 +448,14 @@ module.exports = React.createClass({ | |||
|         if (!this.props.validAddressTypes.includes(addrType)) { | ||||
|             this.setState({ error: true }); | ||||
|             return null; | ||||
|         } else if (addrType == 'mx-user-id') { | ||||
|         } else if (addrType === 'mx-user-id') { | ||||
|             const user = MatrixClientPeg.get().getUser(addrObj.address); | ||||
|             if (user) { | ||||
|                 addrObj.displayName = user.displayName; | ||||
|                 addrObj.avatarMxc = user.avatarUrl; | ||||
|                 addrObj.isKnown = true; | ||||
|             } | ||||
|         } else if (addrType == 'mx-room-id') { | ||||
|         } else if (addrType === 'mx-room-id') { | ||||
|             const room = MatrixClientPeg.get().getRoom(addrObj.address); | ||||
|             if (room) { | ||||
|                 addrObj.displayName = room.name; | ||||
|  | @ -458,15 +464,15 @@ module.exports = React.createClass({ | |||
|             } | ||||
|         } | ||||
| 
 | ||||
|         const userList = this.state.userList.slice(); | ||||
|         userList.push(addrObj); | ||||
|         const selectedList = this.state.selectedList.slice(); | ||||
|         selectedList.push(addrObj); | ||||
|         this.setState({ | ||||
|             userList: userList, | ||||
|             queryList: [], | ||||
|             selectedList, | ||||
|             suggestedList: [], | ||||
|             query: "", | ||||
|         }); | ||||
|         if (this._cancelThreepidLookup) this._cancelThreepidLookup(); | ||||
|         return userList; | ||||
|         return selectedList; | ||||
|     }, | ||||
| 
 | ||||
|     _lookupThreepid: function(medium, address) { | ||||
|  | @ -492,7 +498,7 @@ module.exports = React.createClass({ | |||
|             if (res === null) return null; | ||||
|             if (cancelled) return null; | ||||
|             this.setState({ | ||||
|                 queryList: [{ | ||||
|                 suggestedList: [{ | ||||
|                     // a UserAddressType
 | ||||
|                     addressType: medium, | ||||
|                     address: address, | ||||
|  | @ -510,15 +516,27 @@ module.exports = React.createClass({ | |||
|         const AddressSelector = sdk.getComponent("elements.AddressSelector"); | ||||
|         this.scrollElement = null; | ||||
| 
 | ||||
|         // map addressType => set of addresses to avoid O(n*m) operation
 | ||||
|         const selectedAddresses = {}; | ||||
|         this.state.selectedList.forEach(({address, addressType}) => { | ||||
|             if (!selectedAddresses[addressType]) selectedAddresses[addressType] = new Set(); | ||||
|             selectedAddresses[addressType].add(address); | ||||
|         }); | ||||
| 
 | ||||
|         // Filter out any addresses in the above already selected addresses (matching both type and address)
 | ||||
|         const filteredSuggestedList = this.state.suggestedList.filter(({address, addressType}) => { | ||||
|             return !(selectedAddresses[addressType] && selectedAddresses[addressType].has(address)); | ||||
|         }); | ||||
| 
 | ||||
|         const query = []; | ||||
|         // create the invite list
 | ||||
|         if (this.state.userList.length > 0) { | ||||
|         if (this.state.selectedList.length > 0) { | ||||
|             const AddressTile = sdk.getComponent("elements.AddressTile"); | ||||
|             for (let i = 0; i < this.state.userList.length; i++) { | ||||
|             for (let i = 0; i < this.state.selectedList.length; i++) { | ||||
|                 query.push( | ||||
|                     <AddressTile | ||||
|                         key={i} | ||||
|                         address={this.state.userList[i]} | ||||
|                         address={this.state.selectedList[i]} | ||||
|                         canDismiss={true} | ||||
|                         onDismissed={this.onDismissed(i)} | ||||
|                         showAddress={this.props.pickerType === 'user'} />, | ||||
|  | @ -528,7 +546,7 @@ module.exports = React.createClass({ | |||
| 
 | ||||
|         // Add the query at the end
 | ||||
|         query.push( | ||||
|             <textarea key={this.state.userList.length} | ||||
|             <textarea key={this.state.selectedList.length} | ||||
|                 rows="1" | ||||
|                 id="textinput" | ||||
|                 ref="textinput" | ||||
|  | @ -543,34 +561,22 @@ module.exports = React.createClass({ | |||
|         let error; | ||||
|         let addressSelector; | ||||
|         if (this.state.error) { | ||||
|             let tryUsing = ''; | ||||
|             const validTypeDescriptions = this.props.validAddressTypes.map((t) => { | ||||
|                 return { | ||||
|                     'mx-user-id': _t("Matrix ID"), | ||||
|                     'mx-room-id': _t("Matrix Room ID"), | ||||
|                     'email': _t("email address"), | ||||
|                 }[t]; | ||||
|             }); | ||||
|             tryUsing = _t("Try using one of the following valid address types: %(validTypesList)s.", { | ||||
|                 validTypesList: validTypeDescriptions.join(", "), | ||||
|             }); | ||||
|             const validTypeDescriptions = this.props.validAddressTypes.map((t) => _t(addressTypeName[t])); | ||||
|             error = <div className="mx_ChatInviteDialog_error"> | ||||
|                 { _t("You have entered an invalid address.") } | ||||
|                 <br /> | ||||
|                 { tryUsing } | ||||
|                 { _t("Try using one of the following valid address types: %(validTypesList)s.", { | ||||
|                     validTypesList: validTypeDescriptions.join(", "), | ||||
|                 }) } | ||||
|             </div>; | ||||
|         } else if (this.state.searchError) { | ||||
|             error = <div className="mx_ChatInviteDialog_error">{ this.state.searchError }</div>; | ||||
|         } else if ( | ||||
|             this.state.query.length > 0 && | ||||
|             this.state.queryList.length === 0 && | ||||
|             !this.state.busy | ||||
|         ) { | ||||
|         } else if (this.state.query.length > 0 && filteredSuggestedList.length === 0 && !this.state.busy) { | ||||
|             error = <div className="mx_ChatInviteDialog_error">{ _t("No results") }</div>; | ||||
|         } else { | ||||
|             addressSelector = ( | ||||
|                 <AddressSelector ref={(ref) => {this.addressSelector = ref;}} | ||||
|                     addressList={this.state.queryList} | ||||
|                     addressList={filteredSuggestedList} | ||||
|                     showAddress={this.props.pickerType === 'user'} | ||||
|                     onSelected={this.onSelected} | ||||
|                     truncateAt={TRUNCATE_QUERY_LIST} | ||||
|  |  | |||
|  | @ -1,5 +1,6 @@ | |||
| /* | ||||
| Copyright 2017 Vector Creations Ltd | ||||
| Copyright 2018 New Vector Ltd | ||||
| 
 | ||||
| Licensed under the Apache License, Version 2.0 (the "License"); | ||||
| you may not use this file except in compliance with the License. | ||||
|  | @ -28,6 +29,7 @@ export default class ChatCreateOrReuseDialog extends React.Component { | |||
| 
 | ||||
|     constructor(props) { | ||||
|         super(props); | ||||
|         this.onFinished = this.onFinished.bind(this); | ||||
|         this.onRoomTileClick = this.onRoomTileClick.bind(this); | ||||
| 
 | ||||
|         this.state = { | ||||
|  | @ -53,10 +55,7 @@ export default class ChatCreateOrReuseDialog extends React.Component { | |||
|             const room = client.getRoom(roomId); | ||||
|             if (room) { | ||||
|                 const me = room.getMember(client.credentials.userId); | ||||
|                 const highlight = ( | ||||
|                     room.getUnreadNotificationCount('highlight') > 0 || | ||||
|                     me.membership == "invite" | ||||
|                 ); | ||||
|                 const highlight = room.getUnreadNotificationCount('highlight') > 0 || me.membership === "invite"; | ||||
|                 tiles.push( | ||||
|                     <RoomTile key={room.roomId} room={room} | ||||
|                         transparent={true} | ||||
|  | @ -64,7 +63,7 @@ export default class ChatCreateOrReuseDialog extends React.Component { | |||
|                         selected={false} | ||||
|                         unread={Unread.doesRoomHaveUnreadMessages(room)} | ||||
|                         highlight={highlight} | ||||
|                         isInvite={me.membership == "invite"} | ||||
|                         isInvite={me.membership === "invite"} | ||||
|                         onClick={this.onRoomTileClick} | ||||
|                     />, | ||||
|                 ); | ||||
|  | @ -110,6 +109,10 @@ export default class ChatCreateOrReuseDialog extends React.Component { | |||
|         this.props.onExistingRoomSelected(roomId); | ||||
|     } | ||||
| 
 | ||||
|     onFinished() { | ||||
|         this.props.onFinished(false); | ||||
|     } | ||||
| 
 | ||||
|     render() { | ||||
|         let title = ''; | ||||
|         let content = null; | ||||
|  | @ -170,14 +173,14 @@ export default class ChatCreateOrReuseDialog extends React.Component { | |||
|                     { profile } | ||||
|                 </div> | ||||
|                 <DialogButtons primaryButton={_t('Start Chatting')} | ||||
|                     onPrimaryButtonClick={this.props.onNewDMClick} focus="true" /> | ||||
|                     onPrimaryButtonClick={this.props.onNewDMClick} focus={true} /> | ||||
|             </div>; | ||||
|         } | ||||
| 
 | ||||
|         const BaseDialog = sdk.getComponent('views.dialogs.BaseDialog'); | ||||
|         return ( | ||||
|             <BaseDialog className='mx_ChatCreateOrReuseDialog' | ||||
|                 onFinished={this.props.onFinished.bind(false)} | ||||
|                 onFinished={this.onFinished} | ||||
|                 title={title} | ||||
|                 contentId='mx_Dialog_content' | ||||
|             > | ||||
|  |  | |||
|  | @ -1,5 +1,6 @@ | |||
| /* | ||||
| Copyright 2017 Vector Creations Ltd | ||||
| Copyright 2018 New Vector Ltd | ||||
| 
 | ||||
| Licensed under the Apache License, Version 2.0 (the "License"); | ||||
| you may not use this file except in compliance with the License. | ||||
|  | @ -36,7 +37,7 @@ export default React.createClass({ | |||
| 
 | ||||
|     getInitialState: function() { | ||||
|         return { | ||||
|             emailAddress: null, | ||||
|             emailAddress: '', | ||||
|             emailBusy: false, | ||||
|         }; | ||||
|     }, | ||||
|  | @ -127,6 +128,7 @@ export default React.createClass({ | |||
|         const EditableText = sdk.getComponent('elements.EditableText'); | ||||
| 
 | ||||
|         const emailInput = this.state.emailBusy ? <Spinner /> : <EditableText | ||||
|             initialValue={this.state.emailAddress} | ||||
|             className="mx_SetEmailDialog_email_input" | ||||
|             autoFocus="true" | ||||
|             placeholder={_t("Email address")} | ||||
|  |  | |||
|  | @ -1,5 +1,6 @@ | |||
| /* | ||||
| Copyright 2017 Vector Creations Ltd | ||||
| Copyright 2018 New Vector Ltd | ||||
| 
 | ||||
| Licensed under the Apache License, Version 2.0 (the "License"); | ||||
| you may not use this file except in compliance with the License. | ||||
|  | @ -79,15 +80,11 @@ export default React.createClass({ | |||
|         Modal.createDialog(WarmFuzzy, { | ||||
|             didSetEmail: res.didSetEmail, | ||||
|             onFinished: () => { | ||||
|                 this._onContinueClicked(); | ||||
|                 this.props.onFinished(); | ||||
|             }, | ||||
|         }); | ||||
|     }, | ||||
| 
 | ||||
|     _onContinueClicked: function() { | ||||
|         this.props.onFinished(true); | ||||
|     }, | ||||
| 
 | ||||
|     _onPasswordChangeError: function(err) { | ||||
|         let errMsg = err.error || ""; | ||||
|         if (err.httpStatus === 403) { | ||||
|  |  | |||
|  | @ -1,5 +1,6 @@ | |||
| /* | ||||
| Copyright 2015, 2016 OpenMarket Ltd | ||||
| Copyright 2018 New Vector Ltd | ||||
| 
 | ||||
| Licensed under the Apache License, Version 2.0 (the "License"); | ||||
| you may not use this file except in compliance with the License. | ||||
|  | @ -14,15 +15,9 @@ See the License for the specific language governing permissions and | |||
| limitations under the License. | ||||
| */ | ||||
| 
 | ||||
| 'use strict'; | ||||
| 
 | ||||
| const React = require('react'); | ||||
| import React from 'react'; | ||||
| import PropTypes from 'prop-types'; | ||||
| 
 | ||||
| const KEY_TAB = 9; | ||||
| const KEY_SHIFT = 16; | ||||
| const KEY_WINDOWS = 91; | ||||
| 
 | ||||
| module.exports = React.createClass({ | ||||
|     displayName: 'EditableText', | ||||
| 
 | ||||
|  | @ -66,9 +61,7 @@ module.exports = React.createClass({ | |||
|     }, | ||||
| 
 | ||||
|     componentWillReceiveProps: function(nextProps) { | ||||
|         if (nextProps.initialValue !== this.props.initialValue || | ||||
|             nextProps.initialValue !== this.value | ||||
|         ) { | ||||
|         if (nextProps.initialValue !== this.props.initialValue || nextProps.initialValue !== this.value) { | ||||
|             this.value = nextProps.initialValue; | ||||
|             if (this.refs.editable_div) { | ||||
|                 this.showPlaceholder(!this.value); | ||||
|  | @ -139,7 +132,7 @@ module.exports = React.createClass({ | |||
|             this.showPlaceholder(false); | ||||
|         } | ||||
| 
 | ||||
|         if (ev.key == "Enter") { | ||||
|         if (ev.key === "Enter") { | ||||
|             ev.stopPropagation(); | ||||
|             ev.preventDefault(); | ||||
|         } | ||||
|  | @ -156,9 +149,9 @@ module.exports = React.createClass({ | |||
|             this.value = ev.target.textContent; | ||||
|         } | ||||
| 
 | ||||
|         if (ev.key == "Enter") { | ||||
|         if (ev.key === "Enter") { | ||||
|             this.onFinish(ev); | ||||
|         } else if (ev.key == "Escape") { | ||||
|         } else if (ev.key === "Escape") { | ||||
|             this.cancelEdit(); | ||||
|         } | ||||
| 
 | ||||
|  | @ -193,7 +186,7 @@ module.exports = React.createClass({ | |||
|         const submit = (ev.key === "Enter") || shouldSubmit; | ||||
|         this.setState({ | ||||
|             phase: this.Phases.Display, | ||||
|         }, function() { | ||||
|         }, () => { | ||||
|             if (this.value !== this.props.initialValue) { | ||||
|                 self.onValueChanged(submit); | ||||
|             } | ||||
|  | @ -204,23 +197,35 @@ module.exports = React.createClass({ | |||
|         const sel = window.getSelection(); | ||||
|         sel.removeAllRanges(); | ||||
| 
 | ||||
|         if (this.props.blurToCancel) {this.cancelEdit();} else {this.onFinish(ev, this.props.blurToSubmit);} | ||||
|         if (this.props.blurToCancel) { | ||||
|             this.cancelEdit(); | ||||
|         } else { | ||||
|             this.onFinish(ev, this.props.blurToSubmit); | ||||
|         } | ||||
| 
 | ||||
|         this.showPlaceholder(!this.value); | ||||
|     }, | ||||
| 
 | ||||
|     render: function() { | ||||
|         let editable_el; | ||||
|         const {className, editable, initialValue, label, labelClassName} = this.props; | ||||
|         let editableEl; | ||||
| 
 | ||||
|         if (!this.props.editable || (this.state.phase == this.Phases.Display && (this.props.label || this.props.labelClassName) && !this.value)) { | ||||
|         if (!editable || (this.state.phase === this.Phases.Display && (label || labelClassName) && !this.value)) { | ||||
|             // show the label
 | ||||
|             editable_el = <div className={this.props.className + " " + this.props.labelClassName} onClick={this.onClickDiv}>{ this.props.label || this.props.initialValue }</div>; | ||||
|             editableEl = <div className={className + " " + labelClassName} onClick={this.onClickDiv}> | ||||
|                 { label || initialValue } | ||||
|             </div>; | ||||
|         } else { | ||||
|             // show the content editable div, but manually manage its contents as react and contentEditable don't play nice together
 | ||||
|             editable_el = <div ref="editable_div" contentEditable="true" className={this.props.className} | ||||
|                                onKeyDown={this.onKeyDown} onKeyUp={this.onKeyUp} onFocus={this.onFocus} onBlur={this.onBlur}></div>; | ||||
|             editableEl = <div ref="editable_div" | ||||
|                               contentEditable={true} | ||||
|                               className={className} | ||||
|                               onKeyDown={this.onKeyDown} | ||||
|                               onKeyUp={this.onKeyUp} | ||||
|                               onFocus={this.onFocus} | ||||
|                               onBlur={this.onBlur} />; | ||||
|         } | ||||
| 
 | ||||
|         return editable_el; | ||||
|         return editableEl; | ||||
|     }, | ||||
| }); | ||||
|  |  | |||
|  | @ -36,7 +36,7 @@ function getOrCreateContainer() { | |||
| } | ||||
| 
 | ||||
| // Greater than that of the ContextualMenu
 | ||||
| const PE_Z_INDEX = 3000; | ||||
| const PE_Z_INDEX = 5000; | ||||
| 
 | ||||
| /* | ||||
|  * Class of component that renders its children in a separate ReactDOM virtual tree | ||||
|  |  | |||
|  | @ -160,7 +160,7 @@ export default class ReplyThread extends React.Component { | |||
|     } | ||||
| 
 | ||||
|     static makeThread(parentEv, onWidgetLoad, ref) { | ||||
|         if (!SettingsStore.isFeatureEnabled("feature_rich_quoting") || !ReplyThread.getParentEventId(parentEv)) { | ||||
|         if (!ReplyThread.getParentEventId(parentEv)) { | ||||
|             return <div />; | ||||
|         } | ||||
|         return <ReplyThread parentEv={parentEv} onWidgetLoad={onWidgetLoad} ref={ref} />; | ||||
|  |  | |||
|  | @ -1,5 +1,6 @@ | |||
| /* | ||||
| Copyright 2017 New Vector Ltd. | ||||
| Copyright 2018 Michael Telatynski <7t3chguy@gmail.com> | ||||
| 
 | ||||
| Licensed under the Apache License, Version 2.0 (the "License"); | ||||
| you may not use this file except in compliance with the License. | ||||
|  | @ -103,14 +104,27 @@ export default React.createClass({ | |||
|         } | ||||
|     }, | ||||
| 
 | ||||
|     onContextButtonClick: function(e) { | ||||
|         e.preventDefault(); | ||||
|         e.stopPropagation(); | ||||
| 
 | ||||
|     _openContextMenu: function(x, y, chevronOffset) { | ||||
|         // Hide the (...) immediately
 | ||||
|         this.setState({ hover: false }); | ||||
| 
 | ||||
|         const TagTileContextMenu = sdk.getComponent('context_menus.TagTileContextMenu'); | ||||
|         ContextualMenu.createMenu(TagTileContextMenu, { | ||||
|             chevronOffset: chevronOffset, | ||||
|             left: x, | ||||
|             top: y, | ||||
|             tag: this.props.tag, | ||||
|             onFinished: () => { | ||||
|                 this.setState({ menuDisplayed: false }); | ||||
|             }, | ||||
|         }); | ||||
|         this.setState({ menuDisplayed: true }); | ||||
|     }, | ||||
| 
 | ||||
|     onContextButtonClick: function(e) { | ||||
|         e.preventDefault(); | ||||
|         e.stopPropagation(); | ||||
| 
 | ||||
|         const elementRect = e.target.getBoundingClientRect(); | ||||
| 
 | ||||
|         // The window X and Y offsets are to adjust position when zoomed in to page
 | ||||
|  | @ -119,17 +133,14 @@ export default React.createClass({ | |||
|         let y = (elementRect.top + (elementRect.height / 2) + window.pageYOffset); | ||||
|         y = y - (chevronOffset + 8); // where 8 is half the height of the chevron
 | ||||
| 
 | ||||
|         const self = this; | ||||
|         ContextualMenu.createMenu(TagTileContextMenu, { | ||||
|             chevronOffset: chevronOffset, | ||||
|             left: x, | ||||
|             top: y, | ||||
|             tag: this.props.tag, | ||||
|             onFinished: function() { | ||||
|                 self.setState({ menuDisplayed: false }); | ||||
|             }, | ||||
|         }); | ||||
|         this.setState({ menuDisplayed: true }); | ||||
|         this._openContextMenu(x, y, chevronOffset); | ||||
|     }, | ||||
| 
 | ||||
|     onContextMenu: function(e) { | ||||
|         e.preventDefault(); | ||||
| 
 | ||||
|         const chevronOffset = 12; | ||||
|         this._openContextMenu(e.clientX, e.clientY - (chevronOffset + 8), chevronOffset); | ||||
|     }, | ||||
| 
 | ||||
|     onMouseOver: function() { | ||||
|  | @ -164,7 +175,7 @@ export default React.createClass({ | |||
|             <div className="mx_TagTile_context_button" onClick={this.onContextButtonClick}> | ||||
|                 { "\u00B7\u00B7\u00B7" } | ||||
|             </div> : <div />; | ||||
|         return <AccessibleButton className={className} onClick={this.onClick}> | ||||
|         return <AccessibleButton className={className} onClick={this.onClick} onContextMenu={this.onContextMenu}> | ||||
|             <div className="mx_TagTile_avatar" onMouseOver={this.onMouseOver} onMouseOut={this.onMouseOut}> | ||||
|                 <BaseAvatar | ||||
|                     name={name} | ||||
|  |  | |||
|  | @ -1,5 +1,6 @@ | |||
| /* | ||||
| Copyright 2017 Vector Creations Ltd | ||||
| Copyright 2018 New Vector Ltd | ||||
| 
 | ||||
| Licensed under the Apache License, Version 2.0 (the "License"); | ||||
| you may not use this file except in compliance with the License. | ||||
|  | @ -14,28 +15,15 @@ See the License for the specific language governing permissions and | |||
| limitations under the License. | ||||
| */ | ||||
| 
 | ||||
| 'use strict'; | ||||
| 
 | ||||
| import React from 'react'; | ||||
| import sdk from '../../../index'; | ||||
| import Modal from '../../../Modal'; | ||||
| import dis from '../../../dispatcher'; | ||||
| import { _t } from '../../../languageHandler'; | ||||
| 
 | ||||
| export default React.createClass({ | ||||
|     onUpdateClicked: function() { | ||||
|         const SetPasswordDialog = sdk.getComponent('dialogs.SetPasswordDialog'); | ||||
|         Modal.createTrackedDialog('Set Password Dialog', 'Password Nag Bar', SetPasswordDialog, { | ||||
|             onFinished: (passwordChanged) => { | ||||
|                 if (!passwordChanged) { | ||||
|                     return; | ||||
|                 } | ||||
|                 // Notify SessionStore that the user's password was changed
 | ||||
|                 dis.dispatch({ | ||||
|                     action: 'password_changed', | ||||
|                 }); | ||||
|             }, | ||||
|         }); | ||||
|         Modal.createTrackedDialog('Set Password Dialog', 'Password Nag Bar', SetPasswordDialog); | ||||
|     }, | ||||
| 
 | ||||
|     render: function() { | ||||
|  |  | |||
|  | @ -1,5 +1,6 @@ | |||
| /* | ||||
| Copyright 2017, 2018 New Vector Ltd | ||||
| Copyright 2018 Michael Telatynski <7t3chguy@gmail.com> | ||||
| 
 | ||||
| Licensed under the Apache License, Version 2.0 (the "License"); | ||||
| you may not use this file except in compliance with the License. | ||||
|  | @ -20,8 +21,9 @@ import { MatrixClient } from 'matrix-js-sdk'; | |||
| import sdk from '../../../index'; | ||||
| import dis from '../../../dispatcher'; | ||||
| import AccessibleButton from '../elements/AccessibleButton'; | ||||
| import * as ContextualMenu from "../../structures/ContextualMenu"; | ||||
| import classNames from 'classnames'; | ||||
| import MatrixClientPeg from "../../../MatrixClientPeg"; | ||||
| import {createMenu} from "../../structures/ContextualMenu"; | ||||
| 
 | ||||
| export default React.createClass({ | ||||
|     displayName: 'GroupInviteTile', | ||||
|  | @ -66,29 +68,11 @@ export default React.createClass({ | |||
|         }); | ||||
|     }, | ||||
| 
 | ||||
|     onBadgeClicked: function(e) { | ||||
|         // Prevent the RoomTile onClick event firing as well
 | ||||
|         e.stopPropagation(); | ||||
|     _showContextMenu: function(x, y, chevronOffset) { | ||||
|         const GroupInviteTileContextMenu = sdk.getComponent('context_menus.GroupInviteTileContextMenu'); | ||||
| 
 | ||||
|         // Only allow none guests to access the context menu
 | ||||
|         if (this.context.matrixClient.isGuest()) return; | ||||
| 
 | ||||
|         // If the badge is clicked, then no longer show tooltip
 | ||||
|         if (this.props.collapsed) { | ||||
|             this.setState({ hover: false }); | ||||
|         } | ||||
| 
 | ||||
|         const RoomTileContextMenu = sdk.getComponent('context_menus.GroupInviteTileContextMenu'); | ||||
|         const elementRect = e.target.getBoundingClientRect(); | ||||
| 
 | ||||
|         // The window X and Y offsets are to adjust position when zoomed in to page
 | ||||
|         const x = elementRect.right + window.pageXOffset + 3; | ||||
|         const chevronOffset = 12; | ||||
|         let y = (elementRect.top + (elementRect.height / 2) + window.pageYOffset); | ||||
|         y = y - (chevronOffset + 8); // where 8 is half the height of the chevron
 | ||||
| 
 | ||||
|         ContextualMenu.createMenu(RoomTileContextMenu, { | ||||
|             chevronOffset: chevronOffset, | ||||
|         createMenu(GroupInviteTileContextMenu, { | ||||
|             chevronOffset, | ||||
|             left: x, | ||||
|             top: y, | ||||
|             group: this.props.group, | ||||
|  | @ -99,6 +83,38 @@ export default React.createClass({ | |||
|         this.setState({ menuDisplayed: true }); | ||||
|     }, | ||||
| 
 | ||||
|     onContextMenu: function(e) { | ||||
|         // Prevent the RoomTile onClick event firing as well
 | ||||
|         e.preventDefault(); | ||||
|         // Only allow non-guests to access the context menu
 | ||||
|         if (MatrixClientPeg.get().isGuest()) return; | ||||
| 
 | ||||
|         const chevronOffset = 12; | ||||
|         this._showContextMenu(e.clientX, e.clientY - (chevronOffset + 8), chevronOffset); | ||||
|     }, | ||||
| 
 | ||||
|     onBadgeClicked: function(e) { | ||||
|         // Prevent the RoomTile onClick event firing as well
 | ||||
|         e.stopPropagation(); | ||||
|         // Only allow non-guests to access the context menu
 | ||||
|         if (MatrixClientPeg.get().isGuest()) return; | ||||
| 
 | ||||
|         // If the badge is clicked, then no longer show tooltip
 | ||||
|         if (this.props.collapsed) { | ||||
|             this.setState({ hover: false }); | ||||
|         } | ||||
| 
 | ||||
|         const elementRect = e.target.getBoundingClientRect(); | ||||
| 
 | ||||
|         // The window X and Y offsets are to adjust position when zoomed in to page
 | ||||
|         const x = elementRect.right + window.pageXOffset + 3; | ||||
|         const chevronOffset = 12; | ||||
|         let y = (elementRect.top + (elementRect.height / 2) + window.pageYOffset); | ||||
|         y = y - (chevronOffset + 8); // where 8 is half the height of the chevron
 | ||||
| 
 | ||||
|         this._showContextMenu(x, y, chevronOffset); | ||||
|     }, | ||||
| 
 | ||||
|     render: function() { | ||||
|         const BaseAvatar = sdk.getComponent('avatars.BaseAvatar'); | ||||
|         const EmojiText = sdk.getComponent('elements.EmojiText'); | ||||
|  | @ -139,7 +155,12 @@ export default React.createClass({ | |||
|         }); | ||||
| 
 | ||||
|         return ( | ||||
|             <AccessibleButton className={classes} onClick={this.onClick} onMouseEnter={this.onMouseEnter} onMouseLeave={this.onMouseLeave}> | ||||
|             <AccessibleButton className={classes} | ||||
|                               onClick={this.onClick} | ||||
|                               onMouseEnter={this.onMouseEnter} | ||||
|                               onMouseLeave={this.onMouseLeave} | ||||
|                               onContextMenu={this.onContextMenu} | ||||
|             > | ||||
|                 <div className="mx_RoomTile_avatar"> | ||||
|                     { av } | ||||
|                 </div> | ||||
|  |  | |||
|  | @ -69,7 +69,7 @@ export default React.createClass({ | |||
|     render() { | ||||
|         const GroupTile = sdk.getComponent('groups.GroupTile'); | ||||
|         const input = <input type="checkbox" | ||||
|             onClick={this._onPublicityToggle} | ||||
|             onChange={this._onPublicityToggle} | ||||
|             checked={this.state.isGroupPublicised} | ||||
|         />; | ||||
|         const labelText = !this.state.ready ? _t("Loading...") : | ||||
|  |  | |||
|  | @ -22,6 +22,7 @@ import sdk from '../../../index'; | |||
| import dis from '../../../dispatcher'; | ||||
| import FlairStore from '../../../stores/FlairStore'; | ||||
| 
 | ||||
| function nop() {} | ||||
| 
 | ||||
| const GroupTile = React.createClass({ | ||||
|     displayName: 'GroupTile', | ||||
|  | @ -81,7 +82,7 @@ const GroupTile = React.createClass({ | |||
|         ) : null; | ||||
|         // XXX: Use onMouseDown as a workaround for https://github.com/atlassian/react-beautiful-dnd/issues/273
 | ||||
|         // instead of onClick. Otherwise we experience https://github.com/vector-im/riot-web/issues/6156
 | ||||
|         return <AccessibleButton className="mx_GroupTile" onMouseDown={this.onMouseDown}> | ||||
|         return <AccessibleButton className="mx_GroupTile" onMouseDown={this.onMouseDown} onClick={nop}> | ||||
|             <Droppable droppableId="my-groups-droppable" type="draggable-TagTile"> | ||||
|                 { (droppableProvided, droppableSnapshot) => ( | ||||
|                     <div ref={droppableProvided.innerRef}> | ||||
|  |  | |||
|  | @ -327,6 +327,7 @@ module.exports = React.createClass({ | |||
|                     // will have the correct name when the user tries to download it.
 | ||||
|                     // We can't provide a Content-Disposition header like we would for HTTP.
 | ||||
|                     download: fileName, | ||||
|                     rel: "noopener", | ||||
|                     target: "_blank", | ||||
|                     textContent: _t("Download %(text)s", { text: text }), | ||||
|                 }, "*"); | ||||
|  |  | |||
|  | @ -1,6 +1,7 @@ | |||
| /* | ||||
| Copyright 2015, 2016 OpenMarket Ltd | ||||
| Copyright 2018 New Vector Ltd | ||||
| Copyright 2018 Michael Telatynski <7t3chguy@gmail.com> | ||||
| 
 | ||||
| Licensed under the Apache License, Version 2.0 (the "License"); | ||||
| you may not use this file except in compliance with the License. | ||||
|  | @ -15,8 +16,6 @@ See the License for the specific language governing permissions and | |||
| limitations under the License. | ||||
| */ | ||||
| 
 | ||||
| 'use strict'; | ||||
| 
 | ||||
| import React from 'react'; | ||||
| import PropTypes from 'prop-types'; | ||||
| import { MatrixClient } from 'matrix-js-sdk'; | ||||
|  | @ -29,9 +28,7 @@ import Promise from 'bluebird'; | |||
| import { _t } from '../../../languageHandler'; | ||||
| import SettingsStore from "../../../settings/SettingsStore"; | ||||
| 
 | ||||
| export default class extends React.Component { | ||||
|     displayName: 'MImageBody' | ||||
| 
 | ||||
| export default class MImageBody extends React.Component { | ||||
|     static propTypes = { | ||||
|         /* the MatrixEvent to show */ | ||||
|         mxEvent: PropTypes.object.isRequired, | ||||
|  | @ -41,11 +38,11 @@ export default class extends React.Component { | |||
| 
 | ||||
|         /* the maximum image height to use */ | ||||
|         maxImageHeight: PropTypes.number, | ||||
|     } | ||||
|     }; | ||||
| 
 | ||||
|     static contextTypes = { | ||||
|         matrixClient: PropTypes.instanceOf(MatrixClient), | ||||
|     } | ||||
|     }; | ||||
| 
 | ||||
|     constructor(props) { | ||||
|         super(props); | ||||
|  | @ -90,7 +87,7 @@ export default class extends React.Component { | |||
|     } | ||||
| 
 | ||||
|     onClick(ev) { | ||||
|         if (ev.button == 0 && !ev.metaKey) { | ||||
|         if (ev.button === 0 && !ev.metaKey) { | ||||
|             ev.preventDefault(); | ||||
|             const content = this.props.mxEvent.getContent(); | ||||
|             const httpUrl = this._getContentUrl(); | ||||
|  | @ -177,9 +174,7 @@ export default class extends React.Component { | |||
|                 return this.state.decryptedThumbnailUrl; | ||||
|             } | ||||
|             return this.state.decryptedUrl; | ||||
|         } else if (content.info && | ||||
|                    content.info.mimetype == "image/svg+xml" && | ||||
|                    content.info.thumbnail_url) { | ||||
|         } else if (content.info && content.info.mimetype === "image/svg+xml" && content.info.thumbnail_url) { | ||||
|             // special case to return client-generated thumbnails for SVGs, if any,
 | ||||
|             // given we deliberately don't thumbnail them serverside to prevent
 | ||||
|             // billion lol attacks and similar
 | ||||
|  | @ -299,7 +294,7 @@ export default class extends React.Component { | |||
|             // which has the same width as the timeline
 | ||||
|             // mx_MImageBody_thumbnail resizes img to exactly container size
 | ||||
|             img = <img className="mx_MImageBody_thumbnail" src={thumbUrl} ref="image" | ||||
|                 style={{ "max-width": maxWidth + "px" }} | ||||
|                 style={{ maxWidth: maxWidth + "px" }} | ||||
|                 alt={content.body} | ||||
|                 onError={this.onImageError} | ||||
|                 onLoad={this.onImageLoad} | ||||
|  | @ -308,14 +303,14 @@ export default class extends React.Component { | |||
|         } | ||||
| 
 | ||||
|         const thumbnail = ( | ||||
|             <div className="mx_MImageBody_thumbnail_container" style={{ "max-height": maxHeight + "px" }} > | ||||
|             <div className="mx_MImageBody_thumbnail_container" style={{ maxHeight: maxHeight + "px" }} > | ||||
|                 { /* Calculate aspect ratio, using %padding will size _container correctly */ } | ||||
|                 <div style={{ paddingBottom: (100 * infoHeight / infoWidth) + '%' }}></div> | ||||
|                 <div style={{ paddingBottom: (100 * infoHeight / infoWidth) + '%' }} /> | ||||
| 
 | ||||
|                 { showPlaceholder && | ||||
|                     <div className="mx_MImageBody_thumbnail" style={{ | ||||
|                         // Constrain width here so that spinner appears central to the loaded thumbnail
 | ||||
|                         "max-width": infoWidth + "px", | ||||
|                         maxWidth: infoWidth + "px", | ||||
|                     }}> | ||||
|                         <div className="mx_MImageBody_thumbnail_spinner"> | ||||
|                             { placeholder } | ||||
|  |  | |||
|  | @ -36,6 +36,7 @@ import * as ContextualMenu from '../../structures/ContextualMenu'; | |||
| import SettingsStore from "../../../settings/SettingsStore"; | ||||
| import PushProcessor from 'matrix-js-sdk/lib/pushprocessor'; | ||||
| import ReplyThread from "../elements/ReplyThread"; | ||||
| import {host as matrixtoHost} from '../../../matrix-to'; | ||||
| 
 | ||||
| linkifyMatrix(linkify); | ||||
| 
 | ||||
|  | @ -304,7 +305,7 @@ module.exports = React.createClass({ | |||
|             // never preview matrix.to links (if anything we should give a smart
 | ||||
|             // preview of the room/user they point to: nobody needs to be reminded
 | ||||
|             // what the matrix.to site looks like).
 | ||||
|             if (host == 'matrix.to') return false; | ||||
|             if (host === matrixtoHost) return false; | ||||
| 
 | ||||
|             if (node.textContent.toLowerCase().trim().startsWith(host.toLowerCase())) { | ||||
|                 // it's a "foo.pl" style link
 | ||||
|  | @ -422,8 +423,7 @@ module.exports = React.createClass({ | |||
|         const mxEvent = this.props.mxEvent; | ||||
|         const content = mxEvent.getContent(); | ||||
| 
 | ||||
|         const stripReply = SettingsStore.isFeatureEnabled("feature_rich_quoting") && | ||||
|             ReplyThread.getParentEventId(mxEvent); | ||||
|         const stripReply = ReplyThread.getParentEventId(mxEvent); | ||||
|         let body = HtmlUtils.bodyToHtml(content, this.props.highlights, { | ||||
|             disableBigEmoji: SettingsStore.getValue('TextualBody.disableBigEmoji'), | ||||
|             // Part of Replies fallback support
 | ||||
|  |  | |||
|  | @ -28,7 +28,7 @@ import Promise from 'bluebird'; | |||
| 
 | ||||
| import MatrixClientPeg from '../../../MatrixClientPeg'; | ||||
| import type {MatrixClient} from 'matrix-js-sdk/lib/matrix'; | ||||
| import SlashCommands from '../../../SlashCommands'; | ||||
| import {processCommandInput} from '../../../SlashCommands'; | ||||
| import { KeyCode, isOnlyCtrlOrCmdKeyEvent } from '../../../Keyboard'; | ||||
| import Modal from '../../../Modal'; | ||||
| import sdk from '../../../index'; | ||||
|  | @ -45,8 +45,7 @@ import Markdown from '../../../Markdown'; | |||
| import ComposerHistoryManager from '../../../ComposerHistoryManager'; | ||||
| import MessageComposerStore from '../../../stores/MessageComposerStore'; | ||||
| 
 | ||||
| import {MATRIXTO_URL_PATTERN, MATRIXTO_MD_LINK_PATTERN} from '../../../linkify-matrix'; | ||||
| const REGEX_MATRIXTO = new RegExp(MATRIXTO_URL_PATTERN); | ||||
| import {MATRIXTO_MD_LINK_PATTERN} from '../../../linkify-matrix'; | ||||
| const REGEX_MATRIXTO_MARKDOWN_GLOBAL = new RegExp(MATRIXTO_MD_LINK_PATTERN, 'g'); | ||||
| 
 | ||||
| import {asciiRegexp, shortnameToUnicode, emojioneList, asciiList, mapUnicodeToShort} from 'emojione'; | ||||
|  | @ -722,7 +721,7 @@ export default class MessageComposerInput extends React.Component { | |||
| 
 | ||||
|         // Some commands (/join) require pills to be replaced with their text content
 | ||||
|         const commandText = this.removeMDLinks(contentState, ['#']); | ||||
|         const cmd = SlashCommands.processInput(this.props.room.roomId, commandText); | ||||
|         const cmd = processCommandInput(this.props.room.roomId, commandText); | ||||
|         if (cmd) { | ||||
|             if (!cmd.error) { | ||||
|                 this.historyManager.save(contentState, this.state.isRichtextEnabled ? 'html' : 'markdown'); | ||||
|  | @ -1182,7 +1181,7 @@ export default class MessageComposerInput extends React.Component { | |||
|         return ( | ||||
|             <div className="mx_MessageComposer_input_wrapper"> | ||||
|                 <div className="mx_MessageComposer_autocomplete_wrapper"> | ||||
|                     { SettingsStore.isFeatureEnabled("feature_rich_quoting") && <ReplyPreview /> } | ||||
|                     <ReplyPreview /> | ||||
|                     <Autocomplete | ||||
|                         ref={(e) => this.autocomplete = e} | ||||
|                         room={this.props.room} | ||||
|  |  | |||
|  | @ -1,6 +1,7 @@ | |||
| /* | ||||
| Copyright 2015, 2016 OpenMarket Ltd | ||||
| Copyright 2017 New Vector Ltd | ||||
| Copyright 2018 Michael Telatynski <7t3chguy@gmail.com> | ||||
| 
 | ||||
| Licensed under the Apache License, Version 2.0 (the "License"); | ||||
| you may not use this file except in compliance with the License. | ||||
|  | @ -15,19 +16,17 @@ See the License for the specific language governing permissions and | |||
| limitations under the License. | ||||
| */ | ||||
| 
 | ||||
| 'use strict'; | ||||
| 
 | ||||
| const React = require('react'); | ||||
| const ReactDOM = require("react-dom"); | ||||
| import React from 'react'; | ||||
| import PropTypes from 'prop-types'; | ||||
| const classNames = require('classnames'); | ||||
| import classNames from 'classnames'; | ||||
| import dis from '../../../dispatcher'; | ||||
| const MatrixClientPeg = require('../../../MatrixClientPeg'); | ||||
| import MatrixClientPeg from '../../../MatrixClientPeg'; | ||||
| import DMRoomMap from '../../../utils/DMRoomMap'; | ||||
| const sdk = require('../../../index'); | ||||
| const ContextualMenu = require('../../structures/ContextualMenu'); | ||||
| const RoomNotifs = require('../../../RoomNotifs'); | ||||
| const FormattingUtils = require('../../../utils/FormattingUtils'); | ||||
| import sdk from '../../../index'; | ||||
| import {createMenu} from '../../structures/ContextualMenu'; | ||||
| import * as RoomNotifs from '../../../RoomNotifs'; | ||||
| import * as FormattingUtils from '../../../utils/FormattingUtils'; | ||||
| import AccessibleButton from '../elements/AccessibleButton'; | ||||
| import ActiveRoomObserver from '../../../ActiveRoomObserver'; | ||||
| import RoomViewStore from '../../../stores/RoomViewStore'; | ||||
|  | @ -72,16 +71,12 @@ module.exports = React.createClass({ | |||
|     }, | ||||
| 
 | ||||
|     _shouldShowMentionBadge: function() { | ||||
|         return this.state.notifState != RoomNotifs.MUTE; | ||||
|         return this.state.notifState !== RoomNotifs.MUTE; | ||||
|     }, | ||||
| 
 | ||||
|     _isDirectMessageRoom: function(roomId) { | ||||
|         const dmRooms = DMRoomMap.shared().getUserIdForRoomId(roomId); | ||||
|         if (dmRooms) { | ||||
|             return true; | ||||
|         } else { | ||||
|             return false; | ||||
|         } | ||||
|         return Boolean(dmRooms); | ||||
|     }, | ||||
| 
 | ||||
|     onRoomTimeline: function(ev, room) { | ||||
|  | @ -99,7 +94,7 @@ module.exports = React.createClass({ | |||
|     }, | ||||
| 
 | ||||
|     onAccountData: function(accountDataEvent) { | ||||
|         if (accountDataEvent.getType() == 'm.push_rules') { | ||||
|         if (accountDataEvent.getType() === 'm.push_rules') { | ||||
|             this.setState({ | ||||
|                 notifState: RoomNotifs.getRoomNotifsState(this.props.room.roomId), | ||||
|             }); | ||||
|  | @ -187,6 +182,32 @@ module.exports = React.createClass({ | |||
|         this.badgeOnMouseLeave(); | ||||
|     }, | ||||
| 
 | ||||
|     _showContextMenu: function(x, y, chevronOffset) { | ||||
|         const RoomTileContextMenu = sdk.getComponent('context_menus.RoomTileContextMenu'); | ||||
| 
 | ||||
|         createMenu(RoomTileContextMenu, { | ||||
|             chevronOffset, | ||||
|             left: x, | ||||
|             top: y, | ||||
|             room: this.props.room, | ||||
|             onFinished: () => { | ||||
|                 this.setState({ menuDisplayed: false }); | ||||
|                 this.props.refreshSubList(); | ||||
|             }, | ||||
|         }); | ||||
|         this.setState({ menuDisplayed: true }); | ||||
|     }, | ||||
| 
 | ||||
|     onContextMenu: function(e) { | ||||
|         // Prevent the RoomTile onClick event firing as well
 | ||||
|         e.preventDefault(); | ||||
|         // Only allow non-guests to access the context menu
 | ||||
|         if (MatrixClientPeg.get().isGuest()) return; | ||||
| 
 | ||||
|         const chevronOffset = 12; | ||||
|         this._showContextMenu(e.clientX, e.clientY - (chevronOffset + 8), chevronOffset); | ||||
|     }, | ||||
| 
 | ||||
|     badgeOnMouseEnter: function() { | ||||
|         // Only allow non-guests to access the context menu
 | ||||
|         // and only change it if it needs to change
 | ||||
|  | @ -200,37 +221,25 @@ module.exports = React.createClass({ | |||
|     }, | ||||
| 
 | ||||
|     onBadgeClicked: function(e) { | ||||
|         // Only allow none guests to access the context menu
 | ||||
|         if (!MatrixClientPeg.get().isGuest()) { | ||||
|             // If the badge is clicked, then no longer show tooltip
 | ||||
|             if (this.props.collapsed) { | ||||
|                 this.setState({ hover: false }); | ||||
|             } | ||||
| 
 | ||||
|             const RoomTileContextMenu = sdk.getComponent('context_menus.RoomTileContextMenu'); | ||||
|             const elementRect = e.target.getBoundingClientRect(); | ||||
| 
 | ||||
|             // The window X and Y offsets are to adjust position when zoomed in to page
 | ||||
|             const x = elementRect.right + window.pageXOffset + 3; | ||||
|             const chevronOffset = 12; | ||||
|             let y = (elementRect.top + (elementRect.height / 2) + window.pageYOffset); | ||||
|             y = y - (chevronOffset + 8); // where 8 is half the height of the chevron
 | ||||
| 
 | ||||
|             const self = this; | ||||
|             ContextualMenu.createMenu(RoomTileContextMenu, { | ||||
|                 chevronOffset: chevronOffset, | ||||
|                 left: x, | ||||
|                 top: y, | ||||
|                 room: this.props.room, | ||||
|                 onFinished: function() { | ||||
|                     self.setState({ menuDisplayed: false }); | ||||
|                     self.props.refreshSubList(); | ||||
|                 }, | ||||
|             }); | ||||
|             this.setState({ menuDisplayed: true }); | ||||
|         } | ||||
|         // Prevent the RoomTile onClick event firing as well
 | ||||
|         e.stopPropagation(); | ||||
|         // Only allow non-guests to access the context menu
 | ||||
|         if (MatrixClientPeg.get().isGuest()) return; | ||||
| 
 | ||||
|         // If the badge is clicked, then no longer show tooltip
 | ||||
|         if (this.props.collapsed) { | ||||
|             this.setState({ hover: false }); | ||||
|         } | ||||
| 
 | ||||
|         const elementRect = e.target.getBoundingClientRect(); | ||||
| 
 | ||||
|         // The window X and Y offsets are to adjust position when zoomed in to page
 | ||||
|         const x = elementRect.right + window.pageXOffset + 3; | ||||
|         const chevronOffset = 12; | ||||
|         let y = (elementRect.top + (elementRect.height / 2) + window.pageYOffset); | ||||
|         y = y - (chevronOffset + 8); // where 8 is half the height of the chevron
 | ||||
| 
 | ||||
|         this._showContextMenu(x, y, chevronOffset); | ||||
|     }, | ||||
| 
 | ||||
|     render: function() { | ||||
|  | @ -250,7 +259,7 @@ module.exports = React.createClass({ | |||
|             'mx_RoomTile_unread': this.props.unread, | ||||
|             'mx_RoomTile_unreadNotify': notifBadges, | ||||
|             'mx_RoomTile_highlight': mentionBadges, | ||||
|             'mx_RoomTile_invited': (me && me.membership == 'invite'), | ||||
|             'mx_RoomTile_invited': (me && me.membership === 'invite'), | ||||
|             'mx_RoomTile_menuDisplayed': this.state.menuDisplayed, | ||||
|             'mx_RoomTile_noBadges': !badges, | ||||
|             'mx_RoomTile_transparent': this.props.transparent, | ||||
|  | @ -268,7 +277,6 @@ module.exports = React.createClass({ | |||
|         let name = this.state.roomName; | ||||
|         name = name.replace(":", ":\u200b"); // add a zero-width space to allow linewrapping after the colon
 | ||||
| 
 | ||||
|         let badge; | ||||
|         let badgeContent; | ||||
| 
 | ||||
|         if (this.state.badgeHover || this.state.menuDisplayed) { | ||||
|  | @ -280,7 +288,7 @@ module.exports = React.createClass({ | |||
|             badgeContent = '\u200B'; | ||||
|         } | ||||
| 
 | ||||
|         badge = <div className={badgeClasses} onClick={this.onBadgeClicked}>{ badgeContent }</div>; | ||||
|         const badge = <div className={badgeClasses} onClick={this.onBadgeClicked}>{ badgeContent }</div>; | ||||
| 
 | ||||
|         const EmojiText = sdk.getComponent('elements.EmojiText'); | ||||
|         let label; | ||||
|  | @ -312,16 +320,22 @@ module.exports = React.createClass({ | |||
| 
 | ||||
|         const RoomAvatar = sdk.getComponent('avatars.RoomAvatar'); | ||||
| 
 | ||||
|         let directMessageIndicator; | ||||
|         let dmIndicator; | ||||
|         if (this._isDirectMessageRoom(this.props.room.roomId)) { | ||||
|             directMessageIndicator = <img src="img/icon_person.svg" className="mx_RoomTile_dm" width="11" height="13" alt="dm" />; | ||||
|             dmIndicator = <img src="img/icon_person.svg" className="mx_RoomTile_dm" width="11" height="13" alt="dm" />; | ||||
|         } | ||||
| 
 | ||||
|         return <AccessibleButton className={classes} tabIndex="0" onClick={this.onClick} onMouseEnter={this.onMouseEnter} onMouseLeave={this.onMouseLeave}> | ||||
|         return <AccessibleButton tabIndex="0" | ||||
|                                  className={classes} | ||||
|                                  onClick={this.onClick} | ||||
|                                  onMouseEnter={this.onMouseEnter} | ||||
|                                  onMouseLeave={this.onMouseLeave} | ||||
|                                  onContextMenu={this.onContextMenu} | ||||
|         > | ||||
|             <div className={avatarClasses}> | ||||
|                 <div className="mx_RoomTile_avatar_container"> | ||||
|                     <RoomAvatar room={this.props.room} width={24} height={24} /> | ||||
|                     { directMessageIndicator } | ||||
|                     { dmIndicator } | ||||
|                 </div> | ||||
|             </div> | ||||
|             <div className="mx_RoomTile_nameContainer"> | ||||
|  |  | |||
|  | @ -1,5 +1,6 @@ | |||
| /* | ||||
| Copyright 2015, 2016 OpenMarket Ltd | ||||
| Copyright 2018 New Vector Ltd | ||||
| 
 | ||||
| Licensed under the Apache License, Version 2.0 (the "License"); | ||||
| you may not use this file except in compliance with the License. | ||||
|  | @ -14,36 +15,28 @@ See the License for the specific language governing permissions and | |||
| limitations under the License. | ||||
| */ | ||||
| 
 | ||||
| 'use strict'; | ||||
| const React = require('react'); | ||||
| const sdk = require('../../../index'); | ||||
| const MatrixClientPeg = require("../../../MatrixClientPeg"); | ||||
| import React from 'react'; | ||||
| import sdk from '../../../index'; | ||||
| import MatrixClientPeg from '../../../MatrixClientPeg'; | ||||
| import { _t } from '../../../languageHandler'; | ||||
| 
 | ||||
| module.exports = React.createClass({ | ||||
|     displayName: 'ChangeDisplayName', | ||||
| 
 | ||||
|     _getDisplayName: function() { | ||||
|     _getDisplayName: async function() { | ||||
|         const cli = MatrixClientPeg.get(); | ||||
|         return cli.getProfileInfo(cli.credentials.userId).then(function(result) { | ||||
|             let displayname = result.displayname; | ||||
|             if (!displayname) { | ||||
|                 if (MatrixClientPeg.get().isGuest()) { | ||||
|                     displayname = "Guest " + MatrixClientPeg.get().getUserIdLocalpart(); | ||||
|                 } else { | ||||
|                     displayname = MatrixClientPeg.get().getUserIdLocalpart(); | ||||
|                 } | ||||
|             } | ||||
|             return displayname; | ||||
|         }, function(error) { | ||||
|         try { | ||||
|             const res = await cli.getProfileInfo(cli.getUserId()); | ||||
|             return res.displayname; | ||||
|         } catch (e) { | ||||
|             throw new Error("Failed to fetch display name"); | ||||
|         }); | ||||
|         } | ||||
|     }, | ||||
| 
 | ||||
|     _changeDisplayName: function(new_displayname) { | ||||
|     _changeDisplayName: function(newDisplayname) { | ||||
|         const cli = MatrixClientPeg.get(); | ||||
|         return cli.setDisplayName(new_displayname).catch(function(e) { | ||||
|             throw new Error("Failed to set display name"); | ||||
|         return cli.setDisplayName(newDisplayname).catch(function(e) { | ||||
|             throw new Error("Failed to set display name", e); | ||||
|         }); | ||||
|     }, | ||||
| 
 | ||||
|  |  | |||
|  | @ -1,5 +1,6 @@ | |||
| /* | ||||
| Copyright 2015, 2016 OpenMarket Ltd | ||||
| Copyright 2018 New Vector Ltd | ||||
| 
 | ||||
| Licensed under the Apache License, Version 2.0 (the "License"); | ||||
| you may not use this file except in compliance with the License. | ||||
|  | @ -14,14 +15,13 @@ See the License for the specific language governing permissions and | |||
| limitations under the License. | ||||
| */ | ||||
| 
 | ||||
| 'use strict'; | ||||
| 
 | ||||
| const React = require('react'); | ||||
| import PropTypes from 'prop-types'; | ||||
| const MatrixClientPeg = require("../../../MatrixClientPeg"); | ||||
| const Modal = require("../../../Modal"); | ||||
| const sdk = require("../../../index"); | ||||
| 
 | ||||
| import dis from "../../../dispatcher"; | ||||
| import Promise from 'bluebird'; | ||||
| import AccessibleButton from '../elements/AccessibleButton'; | ||||
| import { _t } from '../../../languageHandler'; | ||||
|  | @ -143,6 +143,9 @@ module.exports = React.createClass({ | |||
|         }); | ||||
| 
 | ||||
|         cli.setPassword(authDict, newPassword).then(() => { | ||||
|             // Notify SessionStore that the user's password was changed
 | ||||
|             dis.dispatch({action: 'password_changed'}); | ||||
| 
 | ||||
|             if (this.props.shouldAskForEmail) { | ||||
|                 return this._optionallySetEmail().then((confirmed) => { | ||||
|                     this.props.onFinished({ | ||||
|  |  | |||
|  | @ -136,7 +136,6 @@ | |||
|     "Missing room_id in request": "Липсва room_id в заявката", | ||||
|     "Room %(roomId)s not visible": "Стая %(roomId)s не е видима", | ||||
|     "Missing user_id in request": "Липсва user_id в заявката", | ||||
|     "Failed to lookup current room": "Неуспешно намиране на текущата стая", | ||||
|     "/ddg is not a command": "/ddg не е команда", | ||||
|     "To use it, just wait for autocomplete results to load and tab through them.": "За използване, изчакайте зареждането на списъка с предложения и изберете от него.", | ||||
|     "Unrecognised room alias:": "Непознат псевдоним на стая:", | ||||
|  | @ -204,9 +203,7 @@ | |||
|     "Not a valid Riot keyfile": "Невалиден файл с ключ за Riot", | ||||
|     "Authentication check failed: incorrect password?": "Неуспешна автентикация: неправилна парола?", | ||||
|     "Failed to join room": "Неуспешно присъединяване към стаята", | ||||
|     "Message Replies": "Отговори на съобщението", | ||||
|     "Message Pinning": "Функция за закачане на съобщения", | ||||
|     "Tag Panel": "Панел с етикети", | ||||
|     "Disable Emoji suggestions while typing": "Изключване на предложенията за емотиконите при писане", | ||||
|     "Use compact timeline layout": "Използване на компактно оформление за списъка със съобщения", | ||||
|     "Hide removed messages": "Скриване на премахнати съобщения", | ||||
|  | @ -491,7 +488,6 @@ | |||
|     "Decrypt %(text)s": "Разшифровай %(text)s", | ||||
|     "Download %(text)s": "Изтегли %(text)s", | ||||
|     "(could not connect media)": "(неуспешно свързване на медийните устройства)", | ||||
|     "Must be viewing a room": "Трябва да извършите това в стая", | ||||
|     "Usage": "Употреба", | ||||
|     "Remove from community": "Премахни от общността", | ||||
|     "Disinvite this user from community?": "Оттегляне на поканата към този потребител от общността?", | ||||
|  | @ -520,8 +516,6 @@ | |||
|     "Community %(groupId)s not found": "Общност %(groupId)s не е намерена", | ||||
|     "Create a new community": "Създаване на нова общност", | ||||
|     "Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.": "Създайте общност, за да групирате потребители и стаи! Изградете персонализирана начална страница, за да маркирате своето пространство в Matrix Вселената.", | ||||
|     "Join an existing community": "Присъединяване към съществуваща общност", | ||||
|     "To join an existing community you'll have to know its community identifier; this will look something like <i>+example:matrix.org</i>.": "За да се присъедините към вече съществуваща общност, трябва да знаете нейния идентификатор; той изглежда нещо подобно на <i>+example:matrix.org</i>.", | ||||
|     "Unknown (user, device) pair:": "Непозната двойка (потребител, устройство):", | ||||
|     "The signing key you provided matches the signing key you received from %(userId)s's device %(deviceId)s. Device marked as verified.": "Подписващият ключ, който сте предоставили, съвпада с подписващия ключ, който сте получили от устройството %(deviceId)s на %(userId)s. Устройството е маркирано като потвърдено.", | ||||
|     "Hide avatars in user and room mentions": "Скриване на аватара на потребители и стаи при споменаването им", | ||||
|  | @ -1186,5 +1180,6 @@ | |||
|     "Terms and Conditions": "Правила и условия", | ||||
|     "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "За да продължите да ползвате %(homeserverDomain)s е необходимо да прегледате и да се съгласите с правилата и условията за ползване.", | ||||
|     "Review terms and conditions": "Прегледай правилата и условията", | ||||
|     "Failed to indicate account erasure": "Неуспешно указване на желанието за изтриване на акаунта" | ||||
|     "Failed to indicate account erasure": "Неуспешно указване на желанието за изтриване на акаунта", | ||||
|     "Try the app first": "Първо пробвайте приложението" | ||||
| } | ||||
|  |  | |||
|  | @ -134,10 +134,8 @@ | |||
|     "You are not in this room.": "No heu entrat a aquesta sala.", | ||||
|     "You do not have permission to do that in this room.": "No teniu el permís per realitzar aquesta acció en aquesta sala.", | ||||
|     "Missing room_id in request": "Falta l'ID de la sala en la vostra sol·licitud", | ||||
|     "Must be viewing a room": "Hauríeu de veure una sala", | ||||
|     "Room %(roomId)s not visible": "La sala %(roomId)s no és visible", | ||||
|     "Missing user_id in request": "Falta l'ID d'usuari a la vostre sol·licitud", | ||||
|     "Failed to lookup current room": "No s'ha pogut buscar la sala actual", | ||||
|     "Usage": "Ús", | ||||
|     "/ddg is not a command": "/ddg no és un comandament", | ||||
|     "To use it, just wait for autocomplete results to load and tab through them.": "Per utilitzar-lo, simplement espereu que es completin els resultats automàticament i seleccioneu-ne el desitjat.", | ||||
|  | @ -211,9 +209,7 @@ | |||
|     "Not a valid Riot keyfile": "El fitxer no és un fitxer de claus de Riot valid", | ||||
|     "Authentication check failed: incorrect password?": "Ha fallat l'autenticació: heu introduït correctament la contrasenya?", | ||||
|     "Failed to join room": "No s'ha pogut entrar a la sala", | ||||
|     "Message Replies": "Respostes del missatge", | ||||
|     "Message Pinning": "Fixació de missatges", | ||||
|     "Tag Panel": "Tauler d'etiquetes", | ||||
|     "Disable Emoji suggestions while typing": "Desactiva els suggeriments d'Emoji mentre s'escriu", | ||||
|     "Use compact timeline layout": "Utilitza el disseny compacte de la línia de temps", | ||||
|     "Hide join/leave messages (invites/kicks/bans unaffected)": "Amaga els missatges d'entrada i sortida (no afecta a les invitacions, expulsions o prohibicions)", | ||||
|  | @ -771,8 +767,6 @@ | |||
|     "Error whilst fetching joined communities": "S'ha produït un error en buscar comunitats unides", | ||||
|     "Create a new community": "Crea una nova comunitat", | ||||
|     "Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.": "Crea una comunitat per agrupar usuaris i sales! Creeu una pàgina d'inici personalitzada per definir el vostre espai a l'univers Matrix.", | ||||
|     "Join an existing community": "Uneix-te a una comunitat existent", | ||||
|     "To join an existing community you'll have to know its community identifier; this will look something like <i>+example:matrix.org</i>.": "Per unir-se a una comunitat existent, haureu de conèixer l'identificador de la comunitat; això es veurà com <i>+exemple:matrix.org</i>.", | ||||
|     "You have no visible notifications": "No teniu cap notificació visible", | ||||
|     "Scroll to bottom of page": "Desplaça't fins a la part inferior de la pàgina", | ||||
|     "Message not sent due to unknown devices being present": "El missatge no s'ha enviat perquè hi ha dispositius desconeguts presents", | ||||
|  |  | |||
|  | @ -632,9 +632,7 @@ | |||
|     "Show these rooms to non-members on the community page and room list?": "Zobrazovat tyto místnosti na domovské stránce skupiny a v seznamu místností i pro nečleny?", | ||||
|     "Restricted": "Omezené", | ||||
|     "Missing room_id in request": "V zadání chybí room_id", | ||||
|     "Must be viewing a room": "Musí být zobrazena místnost", | ||||
|     "Missing user_id in request": "V zadání chybí user_id", | ||||
|     "Failed to lookup current room": "Nepodařilo se vyhledat aktuální místnost", | ||||
|     "(could not connect media)": "(média se nepodařilo spojit)", | ||||
|     "%(senderName)s placed a %(callType)s call.": "%(senderName)s uskutečnil %(callType)s hovor.", | ||||
|     "%(senderName)s made future room history visible to unknown (%(visibility)s).": "%(senderName)s zpřístupnil budoucí historii místnosti neznámým (%(visibility)s).", | ||||
|  | @ -859,8 +857,6 @@ | |||
|     "Error whilst fetching joined communities": "Při získávání vašich skupin se vyskytla chyba", | ||||
|     "Create a new community": "Vytvořit novou skupinu", | ||||
|     "Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.": "Vytvořte skupinu s cílem seskupit uživatele a místnosti! Vytvořte si vlastní domovskou stránku a vymezte tak váš prostor ve světe Matrix.", | ||||
|     "Join an existing community": "Vstoupit do existující skupiny", | ||||
|     "To join an existing community you'll have to know its community identifier; this will look something like <i>+example:matrix.org</i>.": "Aby jste mohli vstoupit do existující skupiny, musíte znát její identifikátor; Měl by vypadat asi takto <i>+priklad:matrix.org</i>.", | ||||
|     "You have no visible notifications": "Nejsou dostupná žádná oznámení", | ||||
|     "Connectivity to the server has been lost.": "Spojení se serverem bylo přerušené.", | ||||
|     "Sent messages will be stored until your connection has returned.": "Odeslané zprávy zůstanou uložené, dokud se spojení znovu neobnoví.", | ||||
|  | @ -918,7 +914,6 @@ | |||
|     "Claimed Ed25519 fingerprint key": "Údajný klíč s otiskem prstu Ed25519", | ||||
|     "This process allows you to import encryption keys that you had previously exported from another Matrix client. You will then be able to decrypt any messages that the other client could decrypt.": "Tento proces vás provede importem šifrovacích klíčů, které jste si stáhli z jiného Matrix klienta. Po úspěšném naimportování budete v tomto klientovi moci dešifrovat všechny zprávy, které jste mohli dešifrovat v původním klientovi.", | ||||
|     "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Stažený soubor je chráněn heslem. Soubor můžete naimportovat pouze pokud zadáte odpovídající heslo.", | ||||
|     "Tag Panel": "Připnout panel", | ||||
|     "Call Failed": "Hovor selhal", | ||||
|     "There are unknown devices in this room: if you proceed without verifying them, it will be possible for someone to eavesdrop on your call.": "V této místnosti jsou neznámá zařízení: Pokud budete pokračovat bez jejich ověření, někdo může Váš hovor odposlouchávat.", | ||||
|     "Review Devices": "Ověřit zařízení", | ||||
|  |  | |||
|  | @ -193,10 +193,8 @@ | |||
|     "You are not in this room.": "Du er ikke i dette rum.", | ||||
|     "You do not have permission to do that in this room.": "Du har ikke tilladelse til at gøre dét i dette rum.", | ||||
|     "Missing room_id in request": "Mangler room_id i forespørgsel", | ||||
|     "Must be viewing a room": "Du skal være i gang med at se på rummet", | ||||
|     "Room %(roomId)s not visible": "rum %(roomId)s ikke synligt", | ||||
|     "Missing user_id in request": "Manglende user_id i forespørgsel", | ||||
|     "Failed to lookup current room": "Kunne ikke slå nuværende rum op", | ||||
|     "Usage": "Brug", | ||||
|     "/ddg is not a command": "/ddg er ikke en kommando", | ||||
|     "To use it, just wait for autocomplete results to load and tab through them.": "For at bruge det skal du bare vente på autocomplete resultaterne indlæser og tab'e igennem dem.", | ||||
|  |  | |||
|  | @ -249,7 +249,6 @@ | |||
|     "%(senderDisplayName)s changed the topic to \"%(topic)s\".": "%(senderDisplayName)s hat das Thema geändert in \"%(topic)s\".", | ||||
|     "/ddg is not a command": "/ddg ist kein Kommando", | ||||
|     "%(senderName)s ended the call.": "%(senderName)s hat den Anruf beendet.", | ||||
|     "Failed to lookup current room": "Fehler beim Nachschlagen des Raums", | ||||
|     "Failed to send request.": "Anfrage konnte nicht gesendet werden.", | ||||
|     "%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s von %(fromPowerLevel)s zu %(toPowerLevel)s", | ||||
|     "%(senderName)s invited %(targetName)s.": "%(senderName)s hat %(targetName)s eingeladen.", | ||||
|  | @ -264,7 +263,6 @@ | |||
|     "%(senderName)s made future room history visible to unknown (%(visibility)s).": "%(senderName)s hat den zukünftigen Chatverlauf sichtbar gemacht für unbekannt (%(visibility)s).", | ||||
|     "Missing room_id in request": "Fehlende room_id in Anfrage", | ||||
|     "Missing user_id in request": "Fehlende user_id in Anfrage", | ||||
|     "Must be viewing a room": "Muss einen Raum ansehen", | ||||
|     "(not supported by this browser)": "(wird von diesem Browser nicht unterstützt)", | ||||
|     "%(senderName)s placed a %(callType)s call.": "%(senderName)s startete einen %(callType)s-Anruf.", | ||||
|     "Power level must be positive integer.": "Berechtigungslevel muss eine positive ganze Zahl sein.", | ||||
|  | @ -784,8 +782,6 @@ | |||
|     "Failed to load %(groupId)s": "'%(groupId)s' konnte nicht geladen werden", | ||||
|     "Error whilst fetching joined communities": "Fehler beim Laden beigetretener Communities", | ||||
|     "Create a new community": "Neue Community erstellen", | ||||
|     "Join an existing community": "Einer bestehenden Community beitreten", | ||||
|     "To join an existing community you'll have to know its community identifier; this will look something like <i>+example:matrix.org</i>.": "Um einer bereits bestehenden Community beitreten zu können, musst dir deren Community-ID bekannt sein. Diese sieht z. B. aus wie <i>+example:matrix.org</i>.", | ||||
|     "Your Communities": "Deine Communities", | ||||
|     "You're not currently a member of any communities.": "Du gehörst aktuell keiner Community an.", | ||||
|     "Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.": "Erstelle eine Community, um Benutzer und Räume miteinander zu verbinden! Erstelle zusätzlich eine eigene Homepage, um deinen individuellen Bereich im Matrix-Universum zu gestalten.", | ||||
|  | @ -950,8 +946,6 @@ | |||
|     "Your homeserver's URL": "Die URL deines Homeservers", | ||||
|     "Your identity server's URL": "Die URL deines Identitätsservers", | ||||
|     "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s", | ||||
|     "Tag Panel": "Beschriftungsfeld", | ||||
|     "Message Replies": "Antworten auf Nachrichten", | ||||
|     "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Du wirst nicht in der Lage sein, die Änderung zurückzusetzen, da du dich degradierst. Wenn du der letze Nutzer mit Berechtigungen bist, wird es unmöglich sein die Privilegien zurückzubekommen.", | ||||
|     "Community IDs cannot not be empty.": "Community-IDs können nicht leer sein.", | ||||
|     "<showDevicesText>Show devices</showDevicesText>, <sendAnywayText>send anyway</sendAnywayText> or <cancelText>cancel</cancelText>.": "<showDevicesText>Geräte anzeigen</showDevicesText>, <sendAnywayText>trotzdem senden</sendAnywayText> oder <cancelText>abbrechen</cancelText>.", | ||||
|  | @ -1186,5 +1180,20 @@ | |||
|     "This room is used for important messages from the Homeserver, so you cannot leave it.": "Du kannst diesen Raum nicht verlassen, da dieser Raum für wichtige Nachrichten vom Heimserver verwendet wird.", | ||||
|     "Terms and Conditions": "Geschäftsbedingungen", | ||||
|     "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Um den %(homeserverDomain)s -Heimserver weiter zu verwenden, musst du die Geschäftsbedingungen sichten und ihnen zustimmen.", | ||||
|     "Review terms and conditions": "Geschäftsbedingungen anzeigen" | ||||
|     "Review terms and conditions": "Geschäftsbedingungen anzeigen", | ||||
|     "Encrypting": "Verschlüssele", | ||||
|     "Encrypted, not sent": "Verschlüsselt, nicht gesendet", | ||||
|     "Share Link to User": "Sende Link an Benutzer", | ||||
|     "Share room": "Teile Raum", | ||||
|     "Share Room": "Teile Raum", | ||||
|     "Link to most recent message": "Link zur aktuellsten Nachricht", | ||||
|     "Share User": "Teile Benutzer", | ||||
|     "Share Community": "Teile Community", | ||||
|     "Share Room Message": "Teile Raumnachricht", | ||||
|     "Link to selected message": "Link zur ausgewählten Nachricht", | ||||
|     "COPY": "KOPIEREN", | ||||
|     "Share Message": "Teile Nachricht", | ||||
|     "No Audio Outputs detected": "Keine Ton-Ausgabe erkannt", | ||||
|     "Audio Output": "Ton-Ausgabe", | ||||
|     "Try the app first": "App erst ausprobieren" | ||||
| } | ||||
|  |  | |||
|  | @ -107,7 +107,7 @@ | |||
|     "Failed to reject invitation": "Δεν ήταν δυνατή η απόρριψη της πρόσκλησης", | ||||
|     "Failed to save settings": "Δεν ήταν δυνατή η αποθήκευση των ρυθμίσεων", | ||||
|     "Failed to send email": "Δεν ήταν δυνατή η αποστολή ηλ. αλληλογραφίας", | ||||
|     "Failed to verify email address: make sure you clicked the link in the email": "Δεν ήταν δυνατή η επιβεβαίωση του μηνύματος ηλεκτρονικής αλληλογραφίας βεβαιωθείτε οτι κάνατε κλικ στον σύνδεσμο που σας στάλθηκε", | ||||
|     "Failed to verify email address: make sure you clicked the link in the email": "Δεν ήταν δυνατή η επιβεβαίωση της διεύθυνσης ηλεκτρονικής αλληλογραφίας: βεβαιωθείτε οτι κάνατε κλικ στον σύνδεσμο που σας στάλθηκε", | ||||
|     "Favourite": "Αγαπημένο", | ||||
|     "Favourites": "Αγαπημένα", | ||||
|     "Fill screen": "Γέμισε την οθόνη", | ||||
|  | @ -264,7 +264,7 @@ | |||
|     "Room %(roomId)s not visible": "Το δωμάτιο %(roomId)s δεν είναι ορατό", | ||||
|     "%(roomName)s does not exist.": "Το %(roomName)s δεν υπάρχει.", | ||||
|     "Searches DuckDuckGo for results": "Γίνεται αναζήτηση στο DuckDuckGo για αποτελέσματα", | ||||
|     "Seen by %(userName)s at %(dateTime)s": "Διαβάστηκε από %(userName)s στις %(dateTime)s", | ||||
|     "Seen by %(userName)s at %(dateTime)s": "Διαβάστηκε από τον/την %(userName)s στις %(dateTime)s", | ||||
|     "Send anyway": "Αποστολή ούτως ή άλλως", | ||||
|     "Send Invites": "Αποστολή προσκλήσεων", | ||||
|     "Send Reset Email": "Αποστολή μηνύματος επαναφοράς", | ||||
|  | @ -424,7 +424,6 @@ | |||
|     "Failed to ban user": "Δεν ήταν δυνατό ο αποκλεισμός του χρήστη", | ||||
|     "Failed to change power level": "Δεν ήταν δυνατή η αλλαγή του επιπέδου δύναμης", | ||||
|     "Failed to fetch avatar URL": "Δεν ήταν δυνατή η ανάκτηση της διεύθυνσης εικόνας", | ||||
|     "Failed to lookup current room": "Δεν ήταν δυνατή η εύρεση του τρέχοντος δωματίου", | ||||
|     "Failed to unban": "Δεν ήταν δυνατή η άρση του αποκλεισμού", | ||||
|     "%(userId)s from %(fromPowerLevel)s to %(toPowerLevel)s": "%(userId)s από %(fromPowerLevel)s σε %(toPowerLevel)s", | ||||
|     "Guest access is disabled on this Home Server.": "Έχει απενεργοποιηθεί η πρόσβαση στους επισκέπτες σε αυτόν τον διακομιστή.", | ||||
|  | @ -447,7 +446,6 @@ | |||
|     "%(senderName)s made future room history visible to unknown (%(visibility)s).": "Ο %(senderName)s έκανε το μελλοντικό ιστορικό του δωματίου δημόσιο άγνωστο (%(visibility)s).", | ||||
|     "Missing user_id in request": "Λείπει το user_id στο αίτημα", | ||||
|     "Mobile phone number (optional)": "Αριθμός κινητού τηλεφώνου (προαιρετικό)", | ||||
|     "Must be viewing a room": "Πρέπει να βλέπετε ένα δωμάτιο", | ||||
|     "Never send encrypted messages to unverified devices from this device": "Να μη γίνει ποτέ αποστολή κρυπτογραφημένων μηνυμάτων σε ανεπιβεβαίωτες συσκευές από αυτή τη συσκευή", | ||||
|     "Never send encrypted messages to unverified devices in this room from this device": "Να μη γίνει ποτέ αποστολή κρυπτογραφημένων μηνυμάτων σε ανεπιβεβαίωτες συσκευές, σε αυτό το δωμάτιο, από αυτή τη συσκευή", | ||||
|     "not set": "δεν έχει οριστεί", | ||||
|  | @ -465,7 +463,7 @@ | |||
|     "%(senderName)s removed their profile picture.": "Ο %(senderName)s αφαίρεσε τη φωτογραφία του προφίλ του.", | ||||
|     "%(senderName)s requested a VoIP conference.": "Ο %(senderName)s αιτήθηκε μια συνδιάσκεψη VoIP.", | ||||
|     "Riot does not have permission to send you notifications - please check your browser settings": "Το Riot δεν έχει δικαιώματα για αποστολή ειδοποιήσεων - παρακαλούμε ελέγξτε τις ρυθμίσεις του περιηγητή σας", | ||||
|     "Riot was not given permission to send notifications - please try again": "Δεν δόθηκαν δικαιώματα στο Riot να αποστείλει ειδοποιήσεις - παρακαλούμε προσπαθήστε ξανά", | ||||
|     "Riot was not given permission to send notifications - please try again": "Δεν δόθηκαν δικαιώματα αποστολής ειδοποιήσεων στο Riot - παρακαλούμε προσπαθήστε ξανά", | ||||
|     "Room contains unknown devices": "Το δωμάτιο περιέχει άγνωστες συσκευές", | ||||
|     "%(roomName)s is not accessible at this time.": "Το %(roomName)s δεν είναι προσβάσιμο αυτή τη στιγμή.", | ||||
|     "Scroll to bottom of page": "Μετάβαση στο τέλος της σελίδας", | ||||
|  | @ -772,5 +770,85 @@ | |||
|     "e.g. <CurrentPageURL>": "π.χ. <CurrentPageURL>", | ||||
|     "Your device resolution": "Η ανάλυση της συσκευής σας", | ||||
|     "The information being sent to us to help make Riot.im better includes:": "Οι πληροφορίες που στέλνονται σε εμάς με σκοπό την βελτίωση του Riot.im περιλαμβάνουν:", | ||||
|     "Call Failed": "Η κλήση απέτυχε" | ||||
|     "Call Failed": "Η κλήση απέτυχε", | ||||
|     "Whether or not you're logged in (we don't record your user name)": "Εάν είστε συνδεδεμένος/η ή όχι (δεν καταγράφουμε το όνομα χρήστη σας)", | ||||
|     "e.g. %(exampleValue)s": "π.χ. %(exampleValue)s", | ||||
|     "Review Devices": "Ανασκόπηση συσκευών", | ||||
|     "Call Anyway": "Κλήση όπως και να 'χει", | ||||
|     "Answer Anyway": "Απάντηση όπως και να 'χει", | ||||
|     "Call": "Κλήση", | ||||
|     "Answer": "Απάντηση", | ||||
|     "AM": "ΠΜ", | ||||
|     "PM": "ΜΜ", | ||||
|     "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s", | ||||
|     "Who would you like to add to this community?": "Ποιον/α θα θέλατε να προσθέσετε σε αυτή την κοινότητα;", | ||||
|     "Warning: any person you add to a community will be publicly visible to anyone who knows the community ID": "Προσοχή: κάθε άτομο που προσθέτετε στην κοινότητα θε είναι δημοσίως ορατό σε οποιονδήποτε γνωρίζει το αναγνωριστικό της κοινότητας", | ||||
|     "Invite new community members": "Προσκαλέστε νέα μέλη στην κοινότητα", | ||||
|     "Name or matrix ID": "Όνομα ή αναγνωριστικό του matrix", | ||||
|     "Invite to Community": "Πρόσκληση στην κοινότητα", | ||||
|     "Which rooms would you like to add to this community?": "Ποια δωμάτια θα θέλατε να προσθέσετε σε αυτή την κοινότητα;", | ||||
|     "Add rooms to the community": "Προσθήκη δωματίων στην κοινότητα", | ||||
|     "Add to community": "Προσθήκη στην κοινότητα", | ||||
|     "Failed to invite the following users to %(groupId)s:": "Αποτυχία πρόσκλησης των ακόλουθων χρηστών στο %(groupId)s :", | ||||
|     "Failed to invite users to community": "Αποτυχία πρόσκλησης χρηστών στην κοινότητα", | ||||
|     "Failed to invite users to %(groupId)s": "Αποτυχία πρόσκλησης χρηστών στο %(groupId)s", | ||||
|     "Failed to add the following rooms to %(groupId)s:": "Αποτυχία προσθήκης των ακόλουθων δωματίων στο %(groupId)s:", | ||||
|     "There are unknown devices in this room: if you proceed without verifying them, it will be possible for someone to eavesdrop on your call.": "Υπάρχουν άγνωστες συσκευές στο δωμάτιο: εάν συνεχίσετε χωρίς να τις επιβεβαιώσετε, θα μπορούσε κάποιος να κρυφακούει την κλήση σας.", | ||||
|     "Show these rooms to non-members on the community page and room list?": "Εμφάνιση αυτών των δωματίων σε μη-μέλη στην σελίδα της κοινότητας και στη λίστα δωματίων;", | ||||
|     "Room name or alias": "Όνομα η ψευδώνυμο δωματίου", | ||||
|     "Restricted": "Περιορισμένο", | ||||
|     "Unable to create widget.": "Αδυναμία δημιουργίας widget.", | ||||
|     "Reload widget": "Ανανέωση widget", | ||||
|     "You are not in this room.": "Δεν είστε μέλος αυτού του δωματίου.", | ||||
|     "You do not have permission to do that in this room.": "Δεν έχετε την άδεια να το κάνετε αυτό σε αυτό το δωμάτιο.", | ||||
|     "You are now ignoring %(userId)s": "Τώρα αγνοείτε τον/την %(userId)s", | ||||
|     "You are no longer ignoring %(userId)s": "Δεν αγνοείτε πια τον/την %(userId)s", | ||||
|     "%(oldDisplayName)s changed their display name to %(displayName)s.": "Ο/Η %(oldDisplayName)s άλλαξε το εμφανιζόμενο όνομά του/της σε %(displayName)s.", | ||||
|     "%(senderName)s changed the pinned messages for the room.": "Ο/Η %(senderName)s άλλαξε τα καρφιτσωμένα μηνύματα του δωματίου.", | ||||
|     "%(widgetName)s widget modified by %(senderName)s": "Έγινε αλλαγή στο widget %(widgetName)s από τον/την %(senderName)s", | ||||
|     "%(widgetName)s widget added by %(senderName)s": "Προστέθηκε το widget %(widgetName)s από τον/την %(senderName)s", | ||||
|     "%(widgetName)s widget removed by %(senderName)s": "Το widget %(widgetName)s αφαιρέθηκε από τον/την %(senderName)s", | ||||
|     "%(names)s and %(count)s others are typing|other": "Ο/Η %(names)s και άλλοι/ες %(count)s πληκτρολογούν", | ||||
|     "%(names)s and %(count)s others are typing|one": "Ο/Η %(names)s και άλλος ένας πληκτρολογούν", | ||||
|     "Message Replies": "Απαντήσεις", | ||||
|     "Message Pinning": "Καρφίτσωμα Μηνυμάτων", | ||||
|     "Hide avatar changes": "Απόκρυψη αλλαγών εικονιδίων χρηστών", | ||||
|     "Hide display name changes": "Απόκρυψη αλλαγών εμφανιζόμενων ονομάτων", | ||||
|     "Hide avatars in user and room mentions": "Απόκρυψη εικονιδίων στις αναφορές χρηστών και δωματίων", | ||||
|     "Enable URL previews for this room (only affects you)": "Ενεργοποίηση προεπισκόπισης URL για αυτό το δωμάτιο (επηρεάζει μόνο εσάς)", | ||||
|     "Delete %(count)s devices|other": "Διαγραφή %(count)s συσκευών", | ||||
|     "Delete %(count)s devices|one": "Διαγραφή συσκευής", | ||||
|     "Select devices": "Επιλογή συσκευών", | ||||
|     "Cannot add any more widgets": "Δεν είναι δυνατή η προσθήκη άλλων widget", | ||||
|     "The maximum permitted number of widgets have already been added to this room.": "Ο μέγιστος επιτρεπτός αριθμός widget έχει ήδη προστεθεί σε αυτό το δωμάτιο.", | ||||
|     "Add a widget": "Προσθήκη widget", | ||||
|     "%(senderName)s sent an image": "Ο/Η %(senderName)s έστειλε μία εικόνα", | ||||
|     "%(senderName)s sent a video": "Ο/Η %(senderName)s έστειλε ένα βίντεο", | ||||
|     "%(senderName)s uploaded a file": "Ο/Η %(senderName)s αναφόρτωσε ένα αρχείο", | ||||
|     "If your other devices do not have the key for this message you will not be able to decrypt them.": "Εάν οι άλλες συσκευές σας δεν έχουν το κλειδί για αυτό το μήνυμα, τότε δεν θα μπορείτε να το αποκρυπτογραφήσετε.", | ||||
|     "Disinvite this user?": "Ακύρωση πρόσκλησης αυτού του χρήστη;", | ||||
|     "Mention": "Αναφορά", | ||||
|     "Invite": "Πρόσκληση", | ||||
|     "User Options": "Επιλογές Χρήστη", | ||||
|     "Send an encrypted reply…": "Αποστολή κρυπτογραφημένης απάντησης…", | ||||
|     "Send a reply (unencrypted)…": "Αποστολή απάντησης (μη κρυπτογραφημένης)…", | ||||
|     "Send an encrypted message…": "Αποστολή κρυπτογραφημένου μηνύματος…", | ||||
|     "Send a message (unencrypted)…": "Αποστολή μηνύματος (μη κρυπτογραφημένου)…", | ||||
|     "Unable to reply": "Αδυναμία απάντησης", | ||||
|     "Unpin Message": "Ξεκαρφίτσωμα μηνύματος", | ||||
|     "Jump to message": "Πηγαίντε στο μήνυμα", | ||||
|     "No pinned messages.": "Κανένα καρφιτσωμένο μήνυμα.", | ||||
|     "Loading...": "Φόρτωση...", | ||||
|     "Pinned Messages": "Καρφιτσωμένα Μηνύματα", | ||||
|     "%(duration)ss": "%(duration)sδ", | ||||
|     "%(duration)sm": "%(duration)sλ", | ||||
|     "%(duration)sh": "%(duration)sω", | ||||
|     "%(duration)sd": "%(duration)sμ", | ||||
|     "Online for %(duration)s": "Σε σύνδεση για %(duration)s", | ||||
|     "Idle for %(duration)s": "Αδρανής για %(duration)s", | ||||
|     "Offline for %(duration)s": "Εκτός σύνδεσης για %(duration)s", | ||||
|     "Seen by %(displayName)s (%(userName)s) at %(dateTime)s": "Διαβάστηκε από τον/την %(displayName)s (%(userName)s) στις %(dateTime)s", | ||||
|     "Room Notification": "Ειδοποίηση Δωματίου", | ||||
|     "Notify the whole room": "Ειδοποιήστε όλο το δωμάτιο", | ||||
|     "Sets the room topic": "Ορίζει το θέμα του δωματίου" | ||||
| } | ||||
|  |  | |||
|  | @ -114,19 +114,36 @@ | |||
|     "Room %(roomId)s not visible": "Room %(roomId)s not visible", | ||||
|     "Missing user_id in request": "Missing user_id in request", | ||||
|     "Usage": "Usage", | ||||
|     "Searches DuckDuckGo for results": "Searches DuckDuckGo for results", | ||||
|     "/ddg is not a command": "/ddg is not a command", | ||||
|     "To use it, just wait for autocomplete results to load and tab through them.": "To use it, just wait for autocomplete results to load and tab through them.", | ||||
|     "Changes your display nickname": "Changes your display nickname", | ||||
|     "Changes colour scheme of current room": "Changes colour scheme of current room", | ||||
|     "Sets the room topic": "Sets the room topic", | ||||
|     "Invites user with given id to current room": "Invites user with given id to current room", | ||||
|     "Joins room with given alias": "Joins room with given alias", | ||||
|     "Leave room": "Leave room", | ||||
|     "Unrecognised room alias:": "Unrecognised room alias:", | ||||
|     "Kicks user with given id": "Kicks user with given id", | ||||
|     "Bans user with given id": "Bans user with given id", | ||||
|     "Unbans user with given id": "Unbans user with given id", | ||||
|     "Ignores a user, hiding their messages from you": "Ignores a user, hiding their messages from you", | ||||
|     "Ignored user": "Ignored user", | ||||
|     "You are now ignoring %(userId)s": "You are now ignoring %(userId)s", | ||||
|     "Stops ignoring a user, showing their messages going forward": "Stops ignoring a user, showing their messages going forward", | ||||
|     "Unignored user": "Unignored user", | ||||
|     "You are no longer ignoring %(userId)s": "You are no longer ignoring %(userId)s", | ||||
|     "Define the power level of a user": "Define the power level of a user", | ||||
|     "Deops user with given id": "Deops user with given id", | ||||
|     "Opens the Developer Tools dialog": "Opens the Developer Tools dialog", | ||||
|     "Verifies a user, device, and pubkey tuple": "Verifies a user, device, and pubkey tuple", | ||||
|     "Unknown (user, device) pair:": "Unknown (user, device) pair:", | ||||
|     "Device already verified!": "Device already verified!", | ||||
|     "WARNING: Device already verified, but keys do NOT MATCH!": "WARNING: Device already verified, but keys do NOT MATCH!", | ||||
|     "WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and device %(deviceId)s is \"%(fprint)s\" which does not match the provided key \"%(fingerprint)s\". This could mean your communications are being intercepted!": "WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and device %(deviceId)s is \"%(fprint)s\" which does not match the provided key \"%(fingerprint)s\". This could mean your communications are being intercepted!", | ||||
|     "Verified key": "Verified key", | ||||
|     "The signing key you provided matches the signing key you received from %(userId)s's device %(deviceId)s. Device marked as verified.": "The signing key you provided matches the signing key you received from %(userId)s's device %(deviceId)s. Device marked as verified.", | ||||
|     "Displays action": "Displays action", | ||||
|     "Unrecognised command:": "Unrecognised command:", | ||||
|     "Reason": "Reason", | ||||
|     "%(targetName)s accepted the invitation for %(displayName)s.": "%(targetName)s accepted the invitation for %(displayName)s.", | ||||
|  | @ -186,7 +203,6 @@ | |||
|     "Not a valid Riot keyfile": "Not a valid Riot keyfile", | ||||
|     "Authentication check failed: incorrect password?": "Authentication check failed: incorrect password?", | ||||
|     "Failed to join room": "Failed to join room", | ||||
|     "Message Replies": "Message Replies", | ||||
|     "Message Pinning": "Message Pinning", | ||||
|     "Jitsi Conference Calling": "Jitsi Conference Calling", | ||||
|     "Disable Emoji suggestions while typing": "Disable Emoji suggestions while typing", | ||||
|  | @ -499,7 +515,6 @@ | |||
|     "Muted Users": "Muted Users", | ||||
|     "Banned users": "Banned users", | ||||
|     "This room is not accessible by remote Matrix servers": "This room is not accessible by remote Matrix servers", | ||||
|     "Leave room": "Leave room", | ||||
|     "Favourite": "Favourite", | ||||
|     "Tagged as: ": "Tagged as: ", | ||||
|     "To link to a room it must have <a>an address</a>.": "To link to a room it must have <a>an address</a>.", | ||||
|  | @ -750,8 +765,8 @@ | |||
|     "Matrix ID": "Matrix ID", | ||||
|     "Matrix Room ID": "Matrix Room ID", | ||||
|     "email address": "email address", | ||||
|     "Try using one of the following valid address types: %(validTypesList)s.": "Try using one of the following valid address types: %(validTypesList)s.", | ||||
|     "You have entered an invalid address.": "You have entered an invalid address.", | ||||
|     "Try using one of the following valid address types: %(validTypesList)s.": "Try using one of the following valid address types: %(validTypesList)s.", | ||||
|     "Preparing to send logs": "Preparing to send logs", | ||||
|     "Logs sent": "Logs sent", | ||||
|     "Thank you!": "Thank you!", | ||||
|  | @ -976,8 +991,6 @@ | |||
|     "Error whilst fetching joined communities": "Error whilst fetching joined communities", | ||||
|     "Create a new community": "Create a new community", | ||||
|     "Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.": "Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.", | ||||
|     "Join an existing community": "Join an existing community", | ||||
|     "To join an existing community you'll have to know its community identifier; this will look something like <i>+example:matrix.org</i>.": "To join an existing community you'll have to know its community identifier; this will look something like <i>+example:matrix.org</i>.", | ||||
|     "You have no visible notifications": "You have no visible notifications", | ||||
|     "Members": "Members", | ||||
|     "%(count)s Members|other": "%(count)s Members", | ||||
|  | @ -1146,22 +1159,6 @@ | |||
|     "You need to enter a user name.": "You need to enter a user name.", | ||||
|     "An unknown error occurred.": "An unknown error occurred.", | ||||
|     "I already have an account": "I already have an account", | ||||
|     "Displays action": "Displays action", | ||||
|     "Bans user with given id": "Bans user with given id", | ||||
|     "Unbans user with given id": "Unbans user with given id", | ||||
|     "Define the power level of a user": "Define the power level of a user", | ||||
|     "Deops user with given id": "Deops user with given id", | ||||
|     "Invites user with given id to current room": "Invites user with given id to current room", | ||||
|     "Joins room with given alias": "Joins room with given alias", | ||||
|     "Sets the room topic": "Sets the room topic", | ||||
|     "Kicks user with given id": "Kicks user with given id", | ||||
|     "Changes your display nickname": "Changes your display nickname", | ||||
|     "Searches DuckDuckGo for results": "Searches DuckDuckGo for results", | ||||
|     "Changes colour scheme of current room": "Changes colour scheme of current room", | ||||
|     "Verifies a user, device, and pubkey tuple": "Verifies a user, device, and pubkey tuple", | ||||
|     "Ignores a user, hiding their messages from you": "Ignores a user, hiding their messages from you", | ||||
|     "Stops ignoring a user, showing their messages going forward": "Stops ignoring a user, showing their messages going forward", | ||||
|     "Opens the Developer Tools dialog": "Opens the Developer Tools dialog", | ||||
|     "Commands": "Commands", | ||||
|     "Results from DuckDuckGo": "Results from DuckDuckGo", | ||||
|     "Emoji": "Emoji", | ||||
|  |  | |||
|  | @ -135,7 +135,6 @@ | |||
|     "Failed to kick": "Failed to kick", | ||||
|     "Failed to leave room": "Failed to leave room", | ||||
|     "Failed to load timeline position": "Failed to load timeline position", | ||||
|     "Failed to lookup current room": "Failed to lookup current room", | ||||
|     "Failed to mute user": "Failed to mute user", | ||||
|     "Failed to reject invite": "Failed to reject invite", | ||||
|     "Failed to reject invitation": "Failed to reject invitation", | ||||
|  | @ -227,7 +226,6 @@ | |||
|     "Mobile phone number": "Mobile phone number", | ||||
|     "Mobile phone number (optional)": "Mobile phone number (optional)", | ||||
|     "Moderator": "Moderator", | ||||
|     "Must be viewing a room": "Must be viewing a room", | ||||
|     "Mute": "Mute", | ||||
|     "Name": "Name", | ||||
|     "Never send encrypted messages to unverified devices from this device": "Never send encrypted messages to unverified devices from this device", | ||||
|  |  | |||
|  | @ -90,10 +90,8 @@ | |||
|     "You are not in this room.": "Vi ne estas en tiu ĉi ĉambro.", | ||||
|     "You do not have permission to do that in this room.": "Vi ne havas permeson fari tion en tiu ĉi ĉambro.", | ||||
|     "Missing room_id in request": "En peto mankas «room_id»", | ||||
|     "Must be viewing a room": "Necesas vidi ĉambron", | ||||
|     "Room %(roomId)s not visible": "Ĉambro %(roomId)s ne videblas", | ||||
|     "Missing user_id in request": "En peto mankas «user_id»", | ||||
|     "Failed to lookup current room": "Malsukcesis trovi nunan ĉambron", | ||||
|     "Usage": "Uzo", | ||||
|     "/ddg is not a command": "/ddg ne estas komando", | ||||
|     "To use it, just wait for autocomplete results to load and tab through them.": "Por uzi ĝin, atendu aperon de sugestaj rezultoj, kaj tabu tra ili.", | ||||
|  | @ -165,7 +163,6 @@ | |||
|     "Authentication check failed: incorrect password?": "Aŭtentiga kontrolo malsukcesis: ĉu pro malĝusta pasvorto?", | ||||
|     "Failed to join room": "Malsukcesis aliĝi al ĉambro", | ||||
|     "Message Pinning": "Fikso de mesaĝoj", | ||||
|     "Tag Panel": "Etikeda panelo", | ||||
|     "Disable Emoji suggestions while typing": "Malŝalti mienetajn sugestojn dum tajpado", | ||||
|     "Use compact timeline layout": "Uzi densan okazordan aranĝon", | ||||
|     "Hide removed messages": "Kaŝi forigitajn mesaĝojn", | ||||
|  | @ -746,8 +743,6 @@ | |||
|     "Error whilst fetching joined communities": "Okazis eraro dum venigado de viaj komunumoj", | ||||
|     "Create a new community": "Krei novan komunumon", | ||||
|     "Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.": "Kreu komunumon por kunigi uzantojn kaj ĉambrojn! Fari propran hejmpaĝon por montri vian spacon en la universo de Matrix.", | ||||
|     "Join an existing community": "Aliĝi al jama komunumo", | ||||
|     "To join an existing community you'll have to know its community identifier; this will look something like <i>+example:matrix.org</i>.": "Por aliĝi al jama komunumo, vi devos scii ĝian komunuman identigilon; ĝi aspektas proksimume tiel ĉi: <i>+ekzemplo:matrix.org</i>.", | ||||
|     "You have no visible notifications": "Neniuj videblaj sciigoj", | ||||
|     "Scroll to bottom of page": "Rulumi al susbo de la paĝo", | ||||
|     "Message not sent due to unknown devices being present": "Mesaĝoj ne sendiĝis pro ĉeesto de nekonataj aparatoj", | ||||
|  |  | |||
|  | @ -108,7 +108,6 @@ | |||
|     "Failed to kick": "Falló al expulsar", | ||||
|     "Failed to leave room": "Falló al dejar la sala", | ||||
|     "Failed to load timeline position": "Falló al cargar el historico", | ||||
|     "Failed to lookup current room": "Falló al buscar la actual sala", | ||||
|     "Failed to mute user": "Falló al silenciar el usuario", | ||||
|     "Failed to reject invite": "Falló al rechazar invitación", | ||||
|     "Failed to reject invitation": "Falló al rechazar la invitación", | ||||
|  | @ -313,7 +312,6 @@ | |||
|     "Mobile phone number": "Número de teléfono móvil", | ||||
|     "Mobile phone number (optional)": "Número de teléfono móvil (opcional)", | ||||
|     "Moderator": "Moderador", | ||||
|     "Must be viewing a room": "Debe estar viendo una sala", | ||||
|     "Mute": "Silenciar", | ||||
|     "%(serverName)s Matrix ID": "%(serverName)s ID de Matrix", | ||||
|     "Name": "Nombre", | ||||
|  |  | |||
|  | @ -140,7 +140,6 @@ | |||
|     "Identity Server is": "Identitate zerbitzaria:", | ||||
|     "Mobile phone number (optional)": "Mugikor zenbakia (aukerazkoa)", | ||||
|     "Moderator": "Moderatzailea", | ||||
|     "Must be viewing a room": "Gela bat ikusten egon behar da", | ||||
|     "Account": "Kontua", | ||||
|     "Access Token:": "Sarbide tokena:", | ||||
|     "Active call (%(roomName)s)": "Dei aktiboa (%(roomName)s)", | ||||
|  | @ -243,7 +242,6 @@ | |||
|     "Failed to kick": "Huts egin du kanporatzean", | ||||
|     "Failed to leave room": "Huts egin du gelatik ateratzean", | ||||
|     "Failed to load timeline position": "Huts egin du denbora-lerroko puntua kargatzean", | ||||
|     "Failed to lookup current room": "Huts egin du uneko gela bilatzean", | ||||
|     "Failed to mute user": "Huts egin du erabiltzailea mututzean", | ||||
|     "Failed to reject invite": "Huts egin du gonbidapena baztertzean", | ||||
|     "Failed to reject invitation": "Huts egin du gonbidapena baztertzean", | ||||
|  | @ -586,7 +584,7 @@ | |||
|     "Please enter the code it contains:": "Sartu dakarren kodea:", | ||||
|     "If you don't specify an email address, you won't be able to reset your password. Are you sure?": "Ez baduzu e-mail helbide bat zehazten, ezin izango duzu zure pasahitza berrezarri. Ziur zaude?", | ||||
|     "You are registering with %(SelectedTeamName)s": "%(SelectedTeamName)s erabiliz erregistratzen ari zara", | ||||
|     "Default server": "Zerbitzari lenetetsia", | ||||
|     "Default server": "Zerbitzari lehenetsia", | ||||
|     "Custom server": "Zerbitzari aukeratua", | ||||
|     "Home server URL": "Hasiera zerbitzariaren URLa", | ||||
|     "Identity server URL": "Identitate zerbitzariaren URLa", | ||||
|  | @ -722,7 +720,6 @@ | |||
|     "%(names)s and %(count)s others are typing|one": "%(names)s eta beste bat idazten ari dira", | ||||
|     "Send": "Bidali", | ||||
|     "Message Pinning": "Mezuak finkatzea", | ||||
|     "Tag Panel": "Etiketen panela", | ||||
|     "Hide avatar changes": "Ezkutatu abatar aldaketak", | ||||
|     "Hide display name changes": "Ezkutatu pantaila izenen aldaketak", | ||||
|     "Disable big emoji in chat": "Desgaitu emoji handiak txatean", | ||||
|  | @ -807,7 +804,6 @@ | |||
|     "Old cryptography data detected": "Kriptografia datu zaharrak atzeman dira", | ||||
|     "Your Communities": "Zure komunitateak", | ||||
|     "Create a new community": "Sortu komunitate berria", | ||||
|     "Join an existing community": "Elkartu badagoen komunitate batetara", | ||||
|     "Warning": "Abisua", | ||||
|     "Please note you are logging into the %(hs)s server, not matrix.org.": "Kontuan izan %(hs)s zerbitzarira elkartu zarela, ez matrix.org.", | ||||
|     "Sign in to get started": "Hasi saioa hasteko", | ||||
|  | @ -844,8 +840,8 @@ | |||
|     "were unbanned %(count)s times|one": "debekua kendu zaie", | ||||
|     "was unbanned %(count)s times|other": "%(count)s aldiz kendu zaio debekua", | ||||
|     "was unbanned %(count)s times|one": "debekua kendu zaio", | ||||
|     "were kicked %(count)s times|other": "%(count)s kanporatu zaie", | ||||
|     "were kicked %(count)s times|one": "kanporatu zaie", | ||||
|     "were kicked %(count)s times|other": "%(count)s aldiz kanporatu zaie", | ||||
|     "were kicked %(count)s times|one": "(r) kanporatu zaie", | ||||
|     "was kicked %(count)s times|other": "%(count)s aldiz kanporatu zaio", | ||||
|     "was kicked %(count)s times|one": "kanporatu zaio", | ||||
|     "%(severalUsers)schanged their name %(count)s times|other": "%(severalUsers)s erabiltzaileek bere izena aldatu dute %(count)s aldiz", | ||||
|  | @ -926,7 +922,6 @@ | |||
|     "Custom of %(powerLevel)s": "%(powerLevel)s pertsonalizatua", | ||||
|     "Data from an older version of Riot has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Riot bertsio zahar batek datuak antzeman dira. Honek bertsio zaharrean  muturretik muturrerako zifratzea ez funtzionatzea eragingo du. Azkenaldian bertsio zaharrean bidali edo jasotako zifratutako mezuak agian ezin izango dira deszifratu bertsio honetan. Honek ere Bertsio honekin egindako mezu trukeak huts egitea ekar dezake. Arazoak badituzu, amaitu saioa eta hasi berriro saioa. Mezuen historiala gordetzeko, esportatu eta berriro inportatu zure gakoak.", | ||||
|     "Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.": "Sortu komunitate bat erabiltzaileak eta gelak biltzeko! Sortu zure hasiera orria eta markatu zure espazioa Matrix unibertsoan.", | ||||
|     "To join an existing community you'll have to know its community identifier; this will look something like <i>+example:matrix.org</i>.": "Bdagoen komunitate batera elkartzeko, komunitatearen identifikatzailea jakin behar duzu; honen antza izango du <i>+adibidea:matrix.org</i>.", | ||||
|     "There's no one else here! Would you like to <inviteText>invite others</inviteText> or <nowarnText>stop warning about the empty room</nowarnText>?": "Ez dago beste inor hemen! <inviteText>Beste batzuk gonbidatu</inviteText> nahi dituzu edo <nowarnText>gela hutsik dagoela abisatzeari utzi</nowarnText>?", | ||||
|     "Light theme": "Itxura argia", | ||||
|     "Dark theme": "Itxura iluna", | ||||
|  | @ -937,7 +932,6 @@ | |||
|     "%(count)s of your messages have not been sent.|one": "Zure mezua ez da bidali.", | ||||
|     "%(count)s <resendText>Resend all</resendText> or <cancelText>cancel all</cancelText> now. You can also select individual messages to resend or cancel.|other": "<resendText>Birbidali guztiak</resendText> edo <cancelText>baztertu guztiak</cancelText> orain. Mezuak banaka birbidali edo baztertu ditzakezu ere.", | ||||
|     "%(count)s <resendText>Resend all</resendText> or <cancelText>cancel all</cancelText> now. You can also select individual messages to resend or cancel.|one": "<resendText>Birbidali mezua</resendText> edo <cancelText>baztertu mezua</cancelText> orain.", | ||||
|     "Message Replies": "Mezuei erantzunak", | ||||
|     "Send an encrypted reply…": "Bidali zifratutako erantzun bat…", | ||||
|     "Send a reply (unencrypted)…": "Bidali erantzun bat (zifratu gabea)…", | ||||
|     "Send an encrypted message…": "Bidali zifratutako mezu bat…", | ||||
|  | @ -1186,5 +1180,20 @@ | |||
|     "Message visibility in Matrix is similar to email. Our forgetting your messages means that messages you have sent will not be shared with any new or unregistered users, but registered users who already have access to these messages will still have access to their copy.": "Matrix-eko mezuen ikusgaitasuna e-mail sistemaren antekoa da. Guk zure mezuak ahaztean ez dizkiogu erabiltzaile berriei edo izena eman ez dutenei erakutsiko, baina jada zure mezuak jaso dituzten erregistratutako erabiltzaileen bere kopia izaten jarraituko dute.", | ||||
|     "Please forget all messages I have sent when my account is deactivated (<b>Warning:</b> this will cause future users to see an incomplete view of conversations)": "Ahaztu bidali ditudan mezu guztiak kontua desaktibatzean (Abisua: Honekin etorkizuneko erabiltzaileek elkarrizketaren bertsio ez oso bat ikusiko dute)", | ||||
|     "Can't leave Server Notices room": "Ezin zara Server Notices gelatik atera", | ||||
|     "This room is used for important messages from the Homeserver, so you cannot leave it.": "Gela hau mezu hasiera zerbitzariaren garrantzitsuak bidaltzeko erabiltzen da, eta ezin zara atera." | ||||
|     "This room is used for important messages from the Homeserver, so you cannot leave it.": "Gela hau mezu hasiera zerbitzariaren garrantzitsuak bidaltzeko erabiltzen da, eta ezin zara atera.", | ||||
|     "Try the app first": "Probatu aplikazioa aurretik", | ||||
|     "Encrypting": "Zifratzen", | ||||
|     "Encrypted, not sent": "Zifratua, bidali gabe", | ||||
|     "Share Link to User": "Partekatu esteka erabiltzailearekin", | ||||
|     "Share room": "Partekatu gela", | ||||
|     "Share Room": "Partekatu gela", | ||||
|     "Link to most recent message": "Esteka azken mezura", | ||||
|     "Share User": "Partekatu erabiltzailea", | ||||
|     "Share Community": "Partekatu komunitatea", | ||||
|     "Share Room Message": "Partekatu gelako mezua", | ||||
|     "Link to selected message": "Esteka hautatutako mezura", | ||||
|     "COPY": "KOPIATU", | ||||
|     "Share Message": "Partekatu mezua", | ||||
|     "No Audio Outputs detected": "Ez da audio irteerarik antzeman", | ||||
|     "Audio Output": "Audio irteera" | ||||
| } | ||||
|  |  | |||
|  | @ -450,7 +450,6 @@ | |||
|     "End-to-end encryption is in beta and may not be reliable": "Päästä päähän salaus on vielä testausvaiheessa ja saattaa toimia epävarmasti", | ||||
|     "Error: Problem communicating with the given homeserver.": "Virhe: Ongelma yhteydenpidossa kotipalvelimeen.", | ||||
|     "Existing Call": "Käynnissä oleva puhelu", | ||||
|     "Failed to lookup current room": "Nykyisen huoneen löytäminen epäonnistui", | ||||
|     "Join as <voiceText>voice</voiceText> or <videoText>video</videoText>.": "Liity käyttäen <voiceText>ääntä</voiceText> tai <videoText>videota</videoText>.", | ||||
|     "%(targetName)s joined the room.": "%(targetName)s liittyi huoneeseen.", | ||||
|     "%(senderName)s kicked %(targetName)s.": "%(senderName)s poisti käyttäjän %(targetName)s huoneesta.", | ||||
|  | @ -458,7 +457,6 @@ | |||
|     "Publish this room to the public in %(domain)s's room directory?": "Julkaise tämä huone domainin %(domain)s huoneluettelossa?", | ||||
|     "Missing room_id in request": "room_id puuttuu kyselystä", | ||||
|     "Missing user_id in request": "user_id puuttuu kyselystä", | ||||
|     "Must be viewing a room": "Pakko olla huoneessa", | ||||
|     "Never send encrypted messages to unverified devices from this device": "Älä koskaa lähetä salattuja viestejä varmentamattomiin laitteisiin tältä laitteelta", | ||||
|     "Never send encrypted messages to unverified devices in this room from this device": "Älä koskaa lähetä salattuja viestejä varmentamattomiin laitteisiin tässä huoneessa tältä laitteelta", | ||||
|     "New address (e.g. #foo:%(localDomain)s)": "Uusi osoite (esim. #foo:%(localDomain)s)", | ||||
|  | @ -789,7 +787,6 @@ | |||
|     "You're not currently a member of any communities.": "Et ole minkään yhteisön jäsen tällä hetkellä.", | ||||
|     "Error whilst fetching joined communities": "Virhe ladatessa listaa yhteistöistä joihin olet liittynyt", | ||||
|     "Create a new community": "Luo uusi yhteisö", | ||||
|     "Join an existing community": "Liity olemassaolevaan yhteisöön", | ||||
|     "Light theme": "Vaalea ulkoasu", | ||||
|     "Dark theme": "Tumma ulkoasu", | ||||
|     "Status.im theme": "Status.im ulkoasu", | ||||
|  | @ -823,7 +820,6 @@ | |||
|     "%(widgetName)s widget added by %(senderName)s": "%(widgetName)s pienoisohjelman lisännyt %(senderName)s", | ||||
|     "%(widgetName)s widget removed by %(senderName)s": "%(widgetName)s pienoisohjelman poistanut %(senderName)s", | ||||
|     "Send": "Lähetä", | ||||
|     "Tag Panel": "Tagit", | ||||
|     "Delete %(count)s devices|other": "Poista %(count)s laitetta", | ||||
|     "Delete %(count)s devices|one": "Poista laite", | ||||
|     "Select devices": "Valitse laitteet", | ||||
|  |  | |||
|  | @ -105,7 +105,6 @@ | |||
|     "Failed to kick": "Échec de l'exclusion", | ||||
|     "Failed to leave room": "Échec du départ du salon", | ||||
|     "Failed to load timeline position": "Échec du chargement de la position dans l'historique", | ||||
|     "Failed to lookup current room": "Échec de la recherche du salon actuel", | ||||
|     "Failed to mute user": "Échec de la mise en sourdine de l'utilisateur", | ||||
|     "Failed to reject invite": "Échec du rejet de l'invitation", | ||||
|     "Failed to reject invitation": "Échec du rejet de l'invitation", | ||||
|  | @ -182,7 +181,6 @@ | |||
|     "Missing user_id in request": "Absence du user_id dans la requête", | ||||
|     "Mobile phone number": "Numéro de téléphone mobile", | ||||
|     "Moderator": "Modérateur", | ||||
|     "Must be viewing a room": "Doit être en train de visualiser un salon", | ||||
|     "%(serverName)s Matrix ID": "%(serverName)s identifiant Matrix", | ||||
|     "Name": "Nom", | ||||
|     "Never send encrypted messages to unverified devices from this device": "Ne jamais envoyer de message chiffré aux appareils non vérifiés depuis cet appareil", | ||||
|  | @ -863,8 +861,6 @@ | |||
|     "Error whilst fetching joined communities": "Erreur lors de l'obtention des communautés rejointes", | ||||
|     "Create a new community": "Créer une nouvelle communauté", | ||||
|     "Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.": "Créez une communauté pour grouper des utilisateurs et des salons ! Construisez une page d'accueil personnalisée pour distinguer votre espace dans l'univers Matrix.", | ||||
|     "Join an existing community": "Rejoindre une communauté existante", | ||||
|     "To join an existing community you'll have to know its community identifier; this will look something like <i>+example:matrix.org</i>.": "Pour rejoindre une communauté existante, vous devrez connaître son identifiant. Cela ressemblera à <i>+exemple:matrix.org</i>.", | ||||
|     "Disable Emoji suggestions while typing": "Désactiver les suggestions d'emojis lors de la saisie", | ||||
|     "Disable big emoji in chat": "Désactiver les gros emojis dans les discussions", | ||||
|     "Mirror local video feed": "Refléter le flux vidéo local", | ||||
|  | @ -918,7 +914,6 @@ | |||
|     "Flair will appear if enabled in room settings": "Les badges n'apparaîtront que s'ils sont activés dans les paramètres de chaque salon", | ||||
|     "Flair will not appear": "Les badges n'apparaîtront pas", | ||||
|     "Display your community flair in rooms configured to show it.": "Sélectionnez les badges dans les paramètres de chaque salon pour les afficher.", | ||||
|     "Tag Panel": "Panneau des étiquettes", | ||||
|     "Addresses": "Adresses", | ||||
|     "expand": "développer", | ||||
|     "collapse": "réduire", | ||||
|  | @ -937,7 +932,6 @@ | |||
|     "%(count)s of your messages have not been sent.|one": "Votre message n'a pas été envoyé.", | ||||
|     "%(count)s <resendText>Resend all</resendText> or <cancelText>cancel all</cancelText> now. You can also select individual messages to resend or cancel.|other": "<resendText>Tout renvoyer</resendText> ou <cancelText>tout annuler</cancelText> maintenant. Vous pouvez aussi choisir des messages individuels à renvoyer ou annuler.", | ||||
|     "%(count)s <resendText>Resend all</resendText> or <cancelText>cancel all</cancelText> now. You can also select individual messages to resend or cancel.|one": "<resendText>Renvoyer le message</resendText> ou <cancelText>annuler le message</cancelText> maintenant.", | ||||
|     "Message Replies": "Réponses", | ||||
|     "Send an encrypted reply…": "Envoyer une réponse chiffrée…", | ||||
|     "Send a reply (unencrypted)…": "Envoyer une réponse (non chiffrée)…", | ||||
|     "Send an encrypted message…": "Envoyer un message chiffré…", | ||||
|  | @ -1186,5 +1180,20 @@ | |||
|     "Yes, I want to help!": "Oui, je veux aider !", | ||||
|     "Can't leave Server Notices room": "Impossible de quitter le salon des Annonces du serveur", | ||||
|     "This room is used for important messages from the Homeserver, so you cannot leave it.": "Ce salon est utilisé pour les messages importants du serveur d'accueil, donc vous ne pouvez pas en partir.", | ||||
|     "To notify everyone in the room, you must be a": "Pour notifier tout le monde dans le salon, vous devez être un(e)" | ||||
|     "To notify everyone in the room, you must be a": "Pour notifier tout le monde dans le salon, vous devez être un(e)", | ||||
|     "Try the app first": "Essayer d'abord l'application", | ||||
|     "Encrypting": "Chiffrement en cours", | ||||
|     "Encrypted, not sent": "Chiffré, pas envoyé", | ||||
|     "No Audio Outputs detected": "Aucune sortie audio détectée", | ||||
|     "Audio Output": "Sortie audio", | ||||
|     "Share Link to User": "Partager le lien vers l'utilisateur", | ||||
|     "Share room": "Partager le salon", | ||||
|     "Share Room": "Partager le salon", | ||||
|     "Link to most recent message": "Lien vers le message le plus récent", | ||||
|     "Share User": "Partager l'utilisateur", | ||||
|     "Share Community": "Partager la communauté", | ||||
|     "Share Room Message": "Partager le message du salon", | ||||
|     "Link to selected message": "Lien vers le message sélectionné", | ||||
|     "COPY": "COPIER", | ||||
|     "Share Message": "Partager le message" | ||||
| } | ||||
|  |  | |||
										
											
												File diff suppressed because it is too large
												Load Diff
											
										
									
								
							|  | @ -168,7 +168,6 @@ | |||
|     "Failed to kick": "Kirúgás nem sikerült", | ||||
|     "Failed to leave room": "A szobát nem sikerült elhagyni", | ||||
|     "Failed to load timeline position": "Az idővonal pozíciót nem sikerült betölteni", | ||||
|     "Failed to lookup current room": "Az aktuális szoba felkeresése sikertelen", | ||||
|     "Failed to mute user": "A felhasználót nem sikerült hallgatásra bírni", | ||||
|     "Failed to reject invite": "A meghívót nem sikerült elutasítani", | ||||
|     "Failed to reject invitation": "A meghívót nem sikerült elutasítani", | ||||
|  | @ -255,7 +254,6 @@ | |||
|     "Mobile phone number": "Mobil telefonszám", | ||||
|     "Mobile phone number (optional)": "Mobill telefonszám (opcionális)", | ||||
|     "Moderator": "Moderátor", | ||||
|     "Must be viewing a room": "Meg kell nézni a szobát", | ||||
|     "%(serverName)s Matrix ID": "%(serverName)s Matrix azonosítóm", | ||||
|     "Name": "Név", | ||||
|     "Never send encrypted messages to unverified devices from this device": "Soha ne küldj titkosított üzenetet ellenőrizetlen eszközre erről az eszközről", | ||||
|  | @ -782,8 +780,6 @@ | |||
|     "This Home server does not support communities": "Ez a saját szerver nem támogatja a közösségeket", | ||||
|     "Error whilst fetching joined communities": "Hiba a csatlakozott közösségek betöltésénél", | ||||
|     "Create a new community": "Új közösség létrehozása", | ||||
|     "Join an existing community": "Meglévő közösséghez csatlakozás", | ||||
|     "To join an existing community you'll have to know its community identifier; this will look something like <i>+example:matrix.org</i>.": "Ahhoz hogy csatlakozni tudj egy meglévő közösséghez ismerned kell a közösségi azonosítót ami például így nézhet ki: <i>+pelda:matrix.org</i>.", | ||||
|     "example": "példa", | ||||
|     "Failed to load %(groupId)s": "Nem sikerült betölteni: %(groupId)s", | ||||
|     "Your Communities": "Közösségeid", | ||||
|  | @ -918,7 +914,6 @@ | |||
|     "Something went wrong when trying to get your communities.": "Valami nem sikerült a közösségeid elérésénél.", | ||||
|     "Display your community flair in rooms configured to show it.": "Közösségi jelvényeid megjelenítése azokban a szobákban ahol ez engedélyezett.", | ||||
|     "This homeserver doesn't offer any login flows which are supported by this client.": "Ez a saját szerver egyetlen bejelentkezési metódust sem támogat amit ez a kliens ismer.", | ||||
|     "Tag Panel": "Címke panel", | ||||
|     "Addresses": "Címek", | ||||
|     "collapse": "becsuk", | ||||
|     "expand": "kinyit", | ||||
|  | @ -937,7 +932,6 @@ | |||
|     "%(count)s of your messages have not been sent.|one": "Az üzeneted nem lett elküldve.", | ||||
|     "%(count)s <resendText>Resend all</resendText> or <cancelText>cancel all</cancelText> now. You can also select individual messages to resend or cancel.|other": "<resendText>Újraküldöd mind</resendText> vagy <cancelText>elveted mind</cancelText>. Az üzeneteket egyenként is elküldheted vagy elvetheted.", | ||||
|     "%(count)s <resendText>Resend all</resendText> or <cancelText>cancel all</cancelText> now. You can also select individual messages to resend or cancel.|one": "<resendText>Üzenet újraküldése</resendText> vagy <cancelText>üzenet elvetése</cancelText> most.", | ||||
|     "Message Replies": "Üzenet válaszok", | ||||
|     "Send an encrypted reply…": "Titkosított válasz küldése…", | ||||
|     "Send a reply (unencrypted)…": "Válasz küldése (titkosítatlanul)…", | ||||
|     "Send an encrypted message…": "Titkosított üzenet küldése…", | ||||
|  | @ -1186,5 +1180,20 @@ | |||
|     "Yes, I want to help!": "Igen, segítek!", | ||||
|     "Can't leave Server Notices room": "Nem lehet elhagyni a Szerver Üzenetek szobát", | ||||
|     "This room is used for important messages from the Homeserver, so you cannot leave it.": "Ez a szoba fontos szerverüzenetek közlésére jött létre, nem tudsz kilépni belőle.", | ||||
|     "To notify everyone in the room, you must be a": "Hogy mindenkinek tudj üzenni ahhoz ilyen szinten kell lenned:" | ||||
|     "To notify everyone in the room, you must be a": "Hogy mindenkinek tudj üzenni ahhoz ilyen szinten kell lenned:", | ||||
|     "Try the app first": "Először próbáld ki az alkalmazást", | ||||
|     "Encrypting": "Titkosít", | ||||
|     "Encrypted, not sent": "Titkosítva, de nincs elküldve", | ||||
|     "No Audio Outputs detected": "Nem található hang kimenet", | ||||
|     "Audio Output": "Hang kimenet", | ||||
|     "Share Link to User": "Hivatkozás megosztása felhasználóval", | ||||
|     "Share room": "Szoba megosztása", | ||||
|     "Share Room": "Szoba megosztása", | ||||
|     "Link to most recent message": "A legfrissebb üzenetre hivatkozás", | ||||
|     "Share User": "Felhasználó megosztás", | ||||
|     "Share Community": "Közösség megosztás", | ||||
|     "Share Room Message": "Szoba üzenet megosztás", | ||||
|     "Link to selected message": "Hivatkozás a kijelölt üzenetre", | ||||
|     "COPY": "Másol", | ||||
|     "Share Message": "Üzenet megosztása" | ||||
| } | ||||
|  |  | |||
|  | @ -160,10 +160,8 @@ | |||
|     "You are not in this room.": "Non sei in questa stanza.", | ||||
|     "You do not have permission to do that in this room.": "Non hai l'autorizzazione per farlo in questa stanza.", | ||||
|     "Missing room_id in request": "Manca l'id_stanza nella richiesta", | ||||
|     "Must be viewing a room": "Devi vedere una stanza", | ||||
|     "Room %(roomId)s not visible": "Stanza %(roomId)s non visibile", | ||||
|     "Missing user_id in request": "Manca l'id_utente nella richiesta", | ||||
|     "Failed to lookup current room": "Impossibile cercare la stanza attuale", | ||||
|     "Usage": "Utilizzo", | ||||
|     "/ddg is not a command": "/ddg non è un comando", | ||||
|     "To use it, just wait for autocomplete results to load and tab through them.": "Per usarlo, attendi l'autocompletamento dei risultati e selezionali con tab.", | ||||
|  | @ -231,7 +229,6 @@ | |||
|     "Not a valid Riot keyfile": "Non è una chiave di Riot valida", | ||||
|     "Authentication check failed: incorrect password?": "Controllo di autenticazione fallito: password sbagliata?", | ||||
|     "Failed to join room": "Accesso alla stanza fallito", | ||||
|     "Tag Panel": "Pannello etichette", | ||||
|     "Disable Emoji suggestions while typing": "Disattiva i suggerimenti delle emoji durante la digitazione", | ||||
|     "Use compact timeline layout": "Usa impaginazione cronologia compatta", | ||||
|     "Hide join/leave messages (invites/kicks/bans unaffected)": "Nascondi i messaggi di entrata/uscita (inviti/kick/ban esclusi)", | ||||
|  | @ -794,8 +791,6 @@ | |||
|     "Error whilst fetching joined communities": "Errore nella rilevazione delle comunità a cui ti sei unito", | ||||
|     "Create a new community": "Crea una nuova comunità", | ||||
|     "Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.": "Crea una comunità per raggruppare utenti e stanze! Crea una pagina iniziale personalizzata per stabilire il tuo spazio nell'universo di Matrix.", | ||||
|     "Join an existing community": "Unisciti ad una comunità esistente", | ||||
|     "To join an existing community you'll have to know its community identifier; this will look something like <i>+example:matrix.org</i>.": "Per unirti ad una comunità esistente devi conoscere il suo identificativo; è qualcosa del tipo <i>+esempio:matrix.org</i>.", | ||||
|     "You have no visible notifications": "Non hai alcuna notifica visibile", | ||||
|     "Scroll to bottom of page": "Scorri in fondo alla pagina", | ||||
|     "Message not sent due to unknown devices being present": "Messaggio non inviato data la presenza di dispositivi sconosciuti", | ||||
|  | @ -1179,5 +1174,12 @@ | |||
|     "Terms and Conditions": "Termini e condizioni", | ||||
|     "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Per continuare a usare l'homeserver %(homeserverDomain)s devi leggere e accettare i nostri termini e condizioni.", | ||||
|     "Review terms and conditions": "Leggi i termini e condizioni", | ||||
|     "Muted Users": "Utenti silenziati" | ||||
|     "Muted Users": "Utenti silenziati", | ||||
|     "Message Replies": "Risposte", | ||||
|     "Message Pinning": "Messaggi appuntati", | ||||
|     "Mirror local video feed": "Feed video dai ripetitori locali", | ||||
|     "Replying": "Rispondere", | ||||
|     "Popout widget": "Oggetto a comparsa", | ||||
|     "Failed to indicate account erasure": "Impossibile indicare la cancellazione dell'account", | ||||
|     "Bulk Options": "Opzioni applicate in massa" | ||||
| } | ||||
|  |  | |||
|  | @ -169,7 +169,6 @@ | |||
|     "Failed to kick": "내쫓지 못했어요", | ||||
|     "Failed to leave room": "방을 떠나지 못했어요", | ||||
|     "Failed to load timeline position": "타임라인 위치를 불러오지 못했어요", | ||||
|     "Failed to lookup current room": "현재 방을 찾지 못했어요", | ||||
|     "Failed to mute user": "사용자의 알림을 끄지 못했어요", | ||||
|     "Failed to reject invite": "초대를 거절하지 못했어요", | ||||
|     "Failed to reject invitation": "초대를 거절하지 못했어요", | ||||
|  | @ -257,7 +256,6 @@ | |||
|     "Mobile phone number": "휴대 전화번호", | ||||
|     "Mobile phone number (optional)": "휴대 전화번호 (선택)", | ||||
|     "Moderator": "조정자", | ||||
|     "Must be viewing a room": "방을 둘러봐야만 해요", | ||||
|     "Name": "이름", | ||||
|     "Never send encrypted messages to unverified devices from this device": "이 장치에서 인증받지 않은 장치로 암호화한 메시지를 보내지 마세요", | ||||
|     "Never send encrypted messages to unverified devices in this room from this device": "이 장치에서 이 방의 인증받지 않은 장치로 암호화한 메시지를 보내지 마세요", | ||||
|  |  | |||
|  | @ -153,7 +153,6 @@ | |||
|     "Failed to kick": "Neizdevās izspert/padzīt (kick)", | ||||
|     "Failed to leave room": "Neizdevās pamest istabu", | ||||
|     "Failed to load timeline position": "Neizdevās ielādēt laikpaziņojumu pozīciju", | ||||
|     "Failed to lookup current room": "Neizdevās uziet pašreizējo istabu", | ||||
|     "Failed to mute user": "Neizdevās apklusināt lietotāju", | ||||
|     "Failed to reject invite": "Neizdevās noraidīt uzaicinājumu", | ||||
|     "Failed to reject invitation": "Neizdevās noraidīt uzaicinājumu", | ||||
|  | @ -244,7 +243,6 @@ | |||
|     "Mobile phone number": "Mobilā telefona numurs", | ||||
|     "Mobile phone number (optional)": "Mobilā telefona numurs (nav obligāts)", | ||||
|     "Moderator": "Moderators", | ||||
|     "Must be viewing a room": "Jāapskata istaba", | ||||
|     "Mute": "Noklusināt (izslēgt skaņu)", | ||||
|     "%(serverName)s Matrix ID": "%(serverName)s Matrix Id", | ||||
|     "Name": "Vārds", | ||||
|  | @ -719,9 +717,7 @@ | |||
|     "%(widgetName)s widget modified by %(senderName)s": "%(widgetName)s vidžets, kuru mainīja %(senderName)s", | ||||
|     "%(names)s and %(count)s others are typing|other": "%(names)s un %(count)s citi raksta", | ||||
|     "%(names)s and %(count)s others are typing|one": "%(names)s un vēl kāds raksta", | ||||
|     "Message Replies": "Atbildes uz ziņām", | ||||
|     "Message Pinning": "Ziņu piekabināšana", | ||||
|     "Tag Panel": "Birku panelis", | ||||
|     "Disable Emoji suggestions while typing": "Atspējot Emoji ieteikumus teksta rakstīšanas laikā", | ||||
|     "Hide avatar changes": "Slēpt avatara izmaiņas", | ||||
|     "Hide display name changes": "Slēpt attēlojamā/redzamā vārda izmaiņas", | ||||
|  | @ -972,8 +968,6 @@ | |||
|     "Did you know: you can use communities to filter your Riot.im experience!": "Vai zināji: Tu vari izmantot kopienas, lai filtrētu (atlasītu) savu Riot.im pieredzi!", | ||||
|     "To set up a filter, drag a community avatar over to the filter panel on the far left hand side of the screen. You can click on an avatar in the filter panel at any time to see only the rooms and people associated with that community.": "Lai uzstādītu filtru, uzvelc kopienas avataru uz filtru paneļa ekrāna kreisajā malā. Lai redzētu tikai istabas un cilvēkus, kas saistīti ar šo kopienu, Tu vari klikšķināt uz avatara filtru panelī jebkurā brīdī.", | ||||
|     "Create a new community": "Izveidot jaunu kopienu", | ||||
|     "Join an existing community": "Pievienoties esošai kopienai", | ||||
|     "To join an existing community you'll have to know its community identifier; this will look something like <i>+example:matrix.org</i>.": "Lai pievienotos esošai kopienai Tev jāzina tā ID; tas izskatīties piemēram šādi <i>+paraugs:matrix.org</i>.", | ||||
|     "%(count)s <resendText>Resend all</resendText> or <cancelText>cancel all</cancelText> now. You can also select individual messages to resend or cancel.|other": "Tagad<resendText>visas atkārtoti sūtīt</resendText> vai <cancelText>visas atcelt</cancelText>. Tu vari atzīmēt arī individuālas ziņas, kuras atkārtoti sūtīt vai atcelt.", | ||||
|     "Clear filter": "Attīrīt filtru", | ||||
|     "Debug Logs Submission": "Iesniegt atutošanas logfailus", | ||||
|  |  | |||
|  | @ -64,7 +64,7 @@ | |||
|     "Active call (%(roomName)s)": "Actief gesprek (%(roomName)s)", | ||||
|     "Add": "Toevoegen", | ||||
|     "Add a topic": "Een onderwerp toevoegen", | ||||
|     "Admin Tools": "Beheerhulpmiddelen", | ||||
|     "Admin Tools": "Beheerdershulpmiddelen", | ||||
|     "VoIP": "VoiP", | ||||
|     "Missing Media Permissions, click here to request.": "Ontbrekende mediatoestemmingen, klik hier om aan te vragen.", | ||||
|     "No Microphones detected": "Geen microfoons gevonden", | ||||
|  | @ -101,7 +101,6 @@ | |||
|     "OK": "OK", | ||||
|     "Failed to change password. Is your password correct?": "Wachtwoord wijzigen mislukt. Is uw wachtwoord juist?", | ||||
|     "Moderator": "Moderator", | ||||
|     "Must be viewing a room": "Moet een ruimte weergeven", | ||||
|     "%(serverName)s Matrix ID": "%(serverName)s Matrix-ID", | ||||
|     "Name": "Naam", | ||||
|     "New password": "Nieuw wachtwoord", | ||||
|  | @ -238,7 +237,6 @@ | |||
|     "Failed to join room": "Niet gelukt om tot de ruimte toe te treden", | ||||
|     "Failed to leave room": "Niet gelukt om de ruimte te verlaten", | ||||
|     "Failed to load timeline position": "Niet gelukt om de tijdlijnpositie te laden", | ||||
|     "Failed to lookup current room": "Niet gelukt om de huidige ruimte op te zoeken", | ||||
|     "Failed to mute user": "Niet gelukt om de gebruiker te dempen", | ||||
|     "Failed to reject invite": "Niet gelukt om de uitnodiging te weigeren", | ||||
|     "Failed to reject invitation": "Niet gelukt om de uitnodiging te weigeren", | ||||
|  | @ -409,7 +407,7 @@ | |||
|     "Tried to load a specific point in this room's timeline, but was unable to find it.": "Het is niet gelukt om een specifiek punt in de tijdlijn van deze ruimte te laden.", | ||||
|     "Turn Markdown off": "Zet Markdown uit", | ||||
|     "Turn Markdown on": "Zet Markdown aan", | ||||
|     "%(senderName)s turned on end-to-end encryption (algorithm %(algorithm)s).": "%(senderName)s heeft eind-tot-eind versleuteling aangezet (algoritme %(algorithm)s).", | ||||
|     "%(senderName)s turned on end-to-end encryption (algorithm %(algorithm)s).": "%(senderName)s heeft end-to-endbeveiliging aangezet (algoritme %(algorithm)s).", | ||||
|     "Unable to add email address": "Niet mogelijk om e-mailadres toe te voegen", | ||||
|     "Unable to remove contact information": "Niet mogelijk om contactinformatie te verwijderen", | ||||
|     "Unable to verify email address.": "Niet mogelijk om het e-mailadres te verifiëren.", | ||||
|  | @ -580,7 +578,7 @@ | |||
|     "Add User": "Gebruiker Toevoegen", | ||||
|     "This Home Server would like to make sure you are not a robot": "Deze thuisserver wil er zeker van zijn dat je geen robot bent", | ||||
|     "Sign in with CAS": "Inloggen met CAS", | ||||
|     "You can use the custom server options to sign into other Matrix servers by specifying a different Home server URL.": "Je kan de aangepaste server opties gebruiken om bij andere Matrix-servers in te loggen door een andere thuisserver-URL te specificeren.", | ||||
|     "You can use the custom server options to sign into other Matrix servers by specifying a different Home server URL.": "Je kan de alternatieve-serverinstellingen gebruiken om bij andere Matrix-servers in te loggen door een andere thuisserver-URL te specificeren.", | ||||
|     "This allows you to use this app with an existing Matrix account on a different home server.": "Dit maakt het mogelijk om deze applicatie te gebruiken met een bestaand Matrix-account op een andere thuisserver.", | ||||
|     "You can also set a custom identity server but this will typically prevent interaction with users based on email address.": "Je kan ook een aangepaste identiteitsserver instellen maar dit zal waarschijnlijk interactie met gebruikers gebaseerd op een e-mailadres voorkomen.", | ||||
|     "Please check your email to continue registration.": "Bekijk je e-mail om door te gaan met de registratie.", | ||||
|  | @ -589,7 +587,7 @@ | |||
|     "If you don't specify an email address, you won't be able to reset your password. Are you sure?": "Als je geen e-mailadres specificeert zal je niet je wachtwoord kunnen resetten. Weet je het zeker?", | ||||
|     "You are registering with %(SelectedTeamName)s": "Je registreert je met %(SelectedTeamName)s", | ||||
|     "Default server": "Standaardserver", | ||||
|     "Custom server": "Aangepaste server", | ||||
|     "Custom server": "Alternatieve server", | ||||
|     "Home server URL": "Thuisserver-URL", | ||||
|     "Identity server URL": "Identiteitsserver-URL", | ||||
|     "What does this mean?": "Wat betekent dit?", | ||||
|  | @ -602,7 +600,7 @@ | |||
|     "URL Previews": "URL-Voorvertoningen", | ||||
|     "Drop file here to upload": "Bestand hier laten vallen om te uploaden", | ||||
|     " (unsupported)": " (niet ondersteund)", | ||||
|     "Ongoing conference call%(supportedText)s.": "Lopend vergaderingsgesprek %(supportedText)s.", | ||||
|     "Ongoing conference call%(supportedText)s.": "Lopend groepsgesprek%(supportedText)s.", | ||||
|     "Online": "Online", | ||||
|     "Idle": "Afwezig", | ||||
|     "Offline": "Offline", | ||||
|  | @ -707,8 +705,6 @@ | |||
|     "%(names)s and %(count)s others are typing|one": "%(names)s en iemand anders is aan het typen", | ||||
|     "Send": "Verstuur", | ||||
|     "Message Pinning": "Boodschap vastpinnen", | ||||
|     "Message Replies": "Antwoorden op bericht", | ||||
|     "Tag Panel": "Label Paneel", | ||||
|     "Disable Emoji suggestions while typing": "Emoji suggesties tijdens het typen uitzetten", | ||||
|     "Hide avatar changes": "Avatar veranderingen verbergen", | ||||
|     "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s", | ||||
|  | @ -758,7 +754,7 @@ | |||
|     "World readable": "Leesbaar voor iedereen", | ||||
|     "Guests can join": "Gasten kunnen toetreden", | ||||
|     "Remove avatar": "Avatar verwijderen", | ||||
|     "To change the room's avatar, you must be a": "Om de avatar van de ruimte te verwijderen, moet het volgende zijn:", | ||||
|     "To change the room's avatar, you must be a": "Om de avatar van de ruimte te verwijderen, moet je het volgende zijn:", | ||||
|     "Drop here to favourite": "Hier laten vallen om aan favorieten toe te voegen", | ||||
|     "Drop here to tag direct chat": "Hier laten vallen om als privégesprek te markeren", | ||||
|     "Drop here to restore": "Hier laten vallen om te herstellen", | ||||
|  | @ -922,13 +918,11 @@ | |||
|     "This Home server does not support communities": "Deze Thuisserver ondersteunt geen gemeenschappen", | ||||
|     "Failed to load %(groupId)s": "Het is niet gelukt om %(groupId)s te laden", | ||||
|     "Old cryptography data detected": "Oude cryptografie gegevens gedetecteerd", | ||||
|     "Data from an older version of Riot has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Er zijn gegevens van een oudere versie van Riot gedetecteerd. Dit zal eind-tot-eind versleuteling laten storen in de oudere versie. Eind-tot-eind berichten dat recent zijn uitgewisseld zal misschien niet ontsleutelbaar zijn in deze versie. Dit zou er misschien ook voor kunnen zorgen dat berichten die zijn uitgewisseld in deze versie falen. Indien je problemen ervaart, log opnieuw in. Om de berichtgeschiedenis te behouden, exporteer de sleutels en importeer ze achteraf weer.", | ||||
|     "Data from an older version of Riot has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Er zijn gegevens van een oudere versie van Riot gedetecteerd. Dit verstoorde end-to-endbeveiliging in de oude versie. End-to-endbeveiligde berichten die recent uitgewisseld zijn met de oude versie zijn wellicht niet te ontsleutelen in deze versie. Dit zou er ook voor kunnen zorgen dat berichten die zijn uitgewisseld in deze versie falen. Log opnieuw in als je problemen ervaart. Exporteer de sleutels en importeer ze achteraf weer om de berichtgeschiedenis te behouden.", | ||||
|     "Your Communities": "Jouw Gemeenschappen", | ||||
|     "Error whilst fetching joined communities": "Er is een fout opgetreden tijdens het ophalen van de gemeenschappen waar je lid van bent", | ||||
|     "Create a new community": "Maak een nieuwe gemeenschap aan", | ||||
|     "Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.": "Maak een gemeenschap aan om gebruikers en ruimtes samen te groeperen! Bouw een aangepaste homepagina om je eigen plek in het Matrix universum te maken.", | ||||
|     "Join an existing community": "Treed tot een bestaande gemeenschap toe", | ||||
|     "To join an existing community you'll have to know its community identifier; this will look something like <i>+example:matrix.org</i>.": "Je moet het gemeenschaps-ID weten om tot de gemeenschap toe te treden; dit zal er uitzien zoals <i>+voorbeeld:matrix.org</i>.", | ||||
|     "<showDevicesText>Show devices</showDevicesText>, <sendAnywayText>send anyway</sendAnywayText> or <cancelText>cancel</cancelText>.": "<showDevicesText>Toon apparaten</showDevicesText>, <sendAnywayText>Toch versturen</sendAnywayText> of <cancelText>annuleren</cancelText>.", | ||||
|     "%(count)s of your messages have not been sent.|one": "Je bericht was niet verstuurd.", | ||||
|     "%(count)s <resendText>Resend all</resendText> or <cancelText>cancel all</cancelText> now. You can also select individual messages to resend or cancel.|other": "Nu alles <resendText>opnieuw versturen</resendText> of <cancelText>annuleren</cancelText>. Je kan ook individuele berichten selecteren om opnieuw te versturen of te annuleren.", | ||||
|  | @ -1164,7 +1158,7 @@ | |||
|     "Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie.": "Help Riot.im te verbeteren door het versturen van <UsageDataLink>anonieme gebruiksgegevens</UsageDataLink>. Dit zal een cookie gebruiken.", | ||||
|     "Yes, I want to help!": "Ja, ik wil helpen!", | ||||
|     "Warning: This widget might use cookies.": "Waarschuwing: deze widget gebruikt misschien cookies.", | ||||
|     "Popout widget": "Opspringende widget", | ||||
|     "Popout widget": "Widget in nieuw venster openen", | ||||
|     "Picture": "Afbeelding", | ||||
|     "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Niet mogelijk om de gebeurtenis te laden waar op gereageerd was. Het kan zijn dat het niet bestaat of dat je niet toestemming hebt om het te bekijken.", | ||||
|     "Riot bugs are tracked on GitHub: <a>create a GitHub issue</a>.": "Riot fouten worden bijgehouden op GitHub: <a>maak een GitHub melding</a>.", | ||||
|  |  | |||
|  | @ -232,7 +232,6 @@ | |||
|     "Failed to kick": "Nie udało się wykopać użytkownika", | ||||
|     "Failed to leave room": "Nie udało się opuścić pokoju", | ||||
|     "Failed to load timeline position": "Nie udało się wczytać pozycji osi czasu", | ||||
|     "Failed to lookup current room": "Nie udało się wyszukać aktualnego pokoju", | ||||
|     "Failed to mute user": "Nie udało się wyciszyć użytkownika", | ||||
|     "Failed to reject invite": "Nie udało się odrzucić zaproszenia", | ||||
|     "Failed to reject invitation": "Nie udało się odrzucić zaproszenia", | ||||
|  | @ -434,7 +433,6 @@ | |||
|     "The signing key you provided matches the signing key you received from %(userId)s's device %(deviceId)s. Device marked as verified.": "Podany klucz podpisu odpowiada kluczowi podpisania otrzymanemu z urządzenia %(userId)s %(deviceId)s. Urządzenie oznaczone jako zweryfikowane.", | ||||
|     "This email address is already in use": "Podany adres e-mail jest już w użyciu", | ||||
|     "This email address was not found": "Podany adres e-mail nie został znaleziony", | ||||
|     "Must be viewing a room": "Musi być w trakcie wyświetlania pokoju", | ||||
|     "The email address linked to your account must be entered.": "Musisz wpisać adres e-mail połączony z twoim kontem.", | ||||
|     "The file '%(fileName)s' exceeds this home server's size limit for uploads": "Rozmiar pliku '%(fileName)s' przekracza możliwy limit do przesłania na serwer domowy", | ||||
|     "The file '%(fileName)s' failed to upload": "Przesyłanie pliku '%(fileName)s' nie powiodło się", | ||||
|  | @ -920,5 +918,42 @@ | |||
|     "Collapse panel": "Ukryj panel", | ||||
|     "With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "Z Twoją obecną przeglądarką, wygląd oraz wrażenia z używania aplikacji mogą być niepoprawne, a niektóre funkcje wcale nie działać. Kontynuuj jeśli chcesz spróbować, jednak trudno będzie pomóc w przypadku błędów, które mogą nastąpić!", | ||||
|     "Checking for an update...": "Sprawdzanie aktualizacji...", | ||||
|     "There are advanced notifications which are not shown here": "Masz zaawansowane powiadomienia, nie pokazane tutaj" | ||||
|     "There are advanced notifications which are not shown here": "Masz zaawansowane powiadomienia, nie pokazane tutaj", | ||||
|     "e.g. %(exampleValue)s": "np. %(exampleValue)s", | ||||
|     "Always show encryption icons": "Zawsze wyświetlaj ikony szyfrowania", | ||||
|     "Send analytics data": "Wysyłaj dane analityczne", | ||||
|     "%(duration)ss": "%(duration)ss", | ||||
|     "%(duration)sm": "%(duration)sm", | ||||
|     "%(duration)sh": "%(duration)sg", | ||||
|     "%(duration)sd": "%(duration)sd", | ||||
|     "%(user)s is a %(userRole)s": "%(user)s ma rolę %(userRole)s", | ||||
|     "Members only (since the point in time of selecting this option)": "Tylko członkowie (od momentu włączenia tej opcji)", | ||||
|     "Members only (since they were invited)": "Tylko członkowie (od kiedy zostali zaproszeni)", | ||||
|     "Members only (since they joined)": "Tylko członkowie (od kiedy dołączyli)", | ||||
|     "Copied!": "Skopiowano!", | ||||
|     "Failed to copy": "Kopiowanie nieudane", | ||||
|     "Message removed by %(userId)s": "Wiadomość usunięta przez %(userId)s", | ||||
|     "Message removed": "Wiadomość usunięta", | ||||
|     "An email has been sent to %(emailAddress)s": "Email został wysłany do %(emailAddress)s", | ||||
|     "A text message has been sent to %(msisdn)s": "Wysłano wiadomość tekstową do %(msisdn)s", | ||||
|     "Code": "Kod", | ||||
|     "Please help improve Riot.im by sending <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", | ||||
|     "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Usunięcie widżetu usuwa go dla wszystkich użytkowników w tym pokoju. Czy na pewno chcesz usunąć ten widżet?", | ||||
|     "Communities": "Społeczności", | ||||
|     "%(nameList)s %(transitionList)s": "%(nameList)s %(transitionList)s", | ||||
|     "collapse": "Zwiń", | ||||
|     "expand": "Rozwiń", | ||||
|     "Custom of %(powerLevel)s": "Poziom niestandardowy %(powerLevel)s", | ||||
|     "<a>In reply to</a> <pill>": "<a>W odpowiedzi do</a> <pill>", | ||||
|     "Matrix ID": "Matrix ID", | ||||
|     "email address": "adres e-mail", | ||||
|     "example": "przykład", | ||||
|     "Advanced options": "Opcje zaawansowane", | ||||
|     "To continue, please enter your password:": "Aby kontynuować, proszę wprowadzić swoje hasło:", | ||||
|     "password": "hasło", | ||||
|     "Refresh": "Odśwież" | ||||
| } | ||||
|  |  | |||
|  | @ -216,7 +216,6 @@ | |||
|     "Drop here to tag %(section)s": "Arraste aqui para marcar como %(section)s", | ||||
|     "%(senderName)s ended the call.": "%(senderName)s finalizou a chamada.", | ||||
|     "Existing Call": "Chamada em andamento", | ||||
|     "Failed to lookup current room": "Não foi possível buscar na sala atual", | ||||
|     "Failed to send email": "Falha ao enviar email", | ||||
|     "Failed to send request.": "Não foi possível mandar requisição.", | ||||
|     "Failed to set up conference call": "Não foi possível montar a chamada de conferência", | ||||
|  | @ -235,7 +234,6 @@ | |||
|     "%(senderName)s made future room history visible to unknown (%(visibility)s).": "%(senderName)s deixou o histórico futuro da sala visível para desconhecido (%(visibility)s).", | ||||
|     "Missing room_id in request": "Faltou o id da sala na requisição", | ||||
|     "Missing user_id in request": "Faltou o id de usuário na requisição", | ||||
|     "Must be viewing a room": "Tem que estar visualizando uma sala", | ||||
|     "(not supported by this browser)": "(não é compatível com este navegador)", | ||||
|     "%(senderName)s placed a %(callType)s call.": "%(senderName)s fez uma chamada de %(callType)s.", | ||||
|     "Power level must be positive integer.": "O nível de permissões tem que ser um número inteiro e positivo.", | ||||
|  |  | |||
|  | @ -216,7 +216,6 @@ | |||
|     "Drop here to tag %(section)s": "Arraste aqui para marcar como %(section)s", | ||||
|     "%(senderName)s ended the call.": "%(senderName)s finalizou a chamada.", | ||||
|     "Existing Call": "Chamada em andamento", | ||||
|     "Failed to lookup current room": "Não foi possível buscar na sala atual", | ||||
|     "Failed to send email": "Não foi possível enviar email", | ||||
|     "Failed to send request.": "Não foi possível mandar requisição.", | ||||
|     "Failed to set up conference call": "Não foi possível montar a chamada de conferência", | ||||
|  | @ -235,7 +234,6 @@ | |||
|     "%(senderName)s made future room history visible to unknown (%(visibility)s).": "%(senderName)s deixou o histórico futuro da sala visível para desconhecido (%(visibility)s).", | ||||
|     "Missing room_id in request": "Faltou o id da sala na requisição", | ||||
|     "Missing user_id in request": "Faltou o id de usuário na requisição", | ||||
|     "Must be viewing a room": "Tem que estar visualizando uma sala", | ||||
|     "(not supported by this browser)": "(não é compatível com este navegador)", | ||||
|     "%(senderName)s placed a %(callType)s call.": "%(senderName)s fez uma chamada de %(callType)s.", | ||||
|     "Power level must be positive integer.": "O nível de permissões tem que ser um número inteiro e positivo.", | ||||
|  | @ -683,9 +681,7 @@ | |||
|     "%(names)s and %(count)s others are typing|other": "%(names)s e %(count)s outras pessoas estão escrevendo", | ||||
|     "%(names)s and %(count)s others are typing|one": "%(names)s e uma outra pessoa estão escrevendo", | ||||
|     "Send": "Enviar", | ||||
|     "Message Replies": "Respostas", | ||||
|     "Message Pinning": "Fixar mensagem", | ||||
|     "Tag Panel": "Painel de tags", | ||||
|     "Disable Emoji suggestions while typing": "Desativar sugestões de emojis enquanto estiver escrevendo", | ||||
|     "Hide join/leave messages (invites/kicks/bans unaffected)": "Ocultar mensagens de entrada e de saída (não afeta convites, expulsões e banimentos)", | ||||
|     "Hide avatar changes": "Ocultar alterações da imagem de perfil", | ||||
|  | @ -932,8 +928,6 @@ | |||
|     "Error whilst fetching joined communities": "Erro baixando comunidades das quais você faz parte", | ||||
|     "Create a new community": "Criar nova comunidade", | ||||
|     "Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.": "Crie uma comunidade para agrupar em um mesmo local pessoas e salas! Monte uma página inicial personalizada para dar uma identidade ao seu espaço no universo Matrix.", | ||||
|     "Join an existing community": "Entrar numa comunidade existente", | ||||
|     "To join an existing community you'll have to know its community identifier; this will look something like <i>+example:matrix.org</i>.": "Para entrar em uma comunidade, você terá que conhecer o seu ID; um ID de comunidade normalmente tem este formato: <i>+exemplo:matrix.org</i>.", | ||||
|     "<showDevicesText>Show devices</showDevicesText>, <sendAnywayText>send anyway</sendAnywayText> or <cancelText>cancel</cancelText>.": "<showDevicesText>Exibir dispositivos</showDevicesText>, <sendAnywayText>enviar assim mesmo</sendAnywayText> ou <cancelText>cancelar</cancelText>.", | ||||
|     "%(count)s of your messages have not been sent.|one": "Sua mensagem não foi enviada.", | ||||
|     "%(count)s <resendText>Resend all</resendText> or <cancelText>cancel all</cancelText> now. You can also select individual messages to resend or cancel.|other": "<resendText>Reenviar todas</resendText> ou <cancelText>cancelar todas</cancelText> agora. Você também pode selecionar mensagens individualmente a serem reenviadas ou canceladas.", | ||||
|  |  | |||
|  | @ -155,7 +155,6 @@ | |||
|     "Drop here to tag %(section)s": "Перетащите сюда, чтобы пометить как %(section)s", | ||||
|     "%(senderName)s ended the call.": "%(senderName)s завершил(а) звонок.", | ||||
|     "Existing Call": "Текущий вызов", | ||||
|     "Failed to lookup current room": "Не удалось найти текущую комнату", | ||||
|     "Failed to send request.": "Не удалось отправить запрос.", | ||||
|     "Failed to set up conference call": "Не удалось сделать конференц-звонок", | ||||
|     "Failed to verify email address: make sure you clicked the link in the email": "Не удалось проверить email: убедитесь, что вы перешли по ссылке в письме", | ||||
|  | @ -174,7 +173,6 @@ | |||
|     "%(senderName)s made future room history visible to unknown (%(visibility)s).": "%(senderName)s сделал(а) историю комнаты видимой в неизвестном режиме (%(visibility)s).", | ||||
|     "Missing room_id in request": "Отсутствует room_id в запросе", | ||||
|     "Missing user_id in request": "Отсутствует user_id в запросе", | ||||
|     "Must be viewing a room": "Вы должны просматривать комнату", | ||||
|     "(not supported by this browser)": "(не поддерживается этим браузером)", | ||||
|     "Connectivity to the server has been lost.": "Связь с сервером потеряна.", | ||||
|     "Sent messages will be stored until your connection has returned.": "Отправленные сообщения будут сохранены, пока соединение не восстановится.", | ||||
|  | @ -787,8 +785,6 @@ | |||
|     "Error whilst fetching joined communities": "Ошибка при загрузке сообществ", | ||||
|     "Create a new community": "Создать новое сообщество", | ||||
|     "Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.": "Создайте сообщество для объединения пользователей и комнат! Создайте собственную домашнюю страницу, чтобы выделить свое пространство во вселенной Matrix.", | ||||
|     "Join an existing community": "Присоединиться к существующему сообществу", | ||||
|     "To join an existing community you'll have to know its community identifier; this will look something like <i>+example:matrix.org</i>.": "Чтобы присоединиться к существующему сообществу, вам нужно знать его ID; это будет выглядеть примерно так<i>+primer:matrix.org</i>.", | ||||
|     "Something went wrong whilst creating your community": "При создании сообщества что-то пошло не так", | ||||
|     "%(names)s and %(count)s others are typing|other": "%(names)s и еще %(count)s печатают", | ||||
|     "And %(count)s more...|other": "Еще %(count)s…", | ||||
|  | @ -908,7 +904,6 @@ | |||
|     "Unknown for %(duration)s": "Неизвестно %(duration)s", | ||||
|     "There's no one else here! Would you like to <inviteText>invite others</inviteText> or <nowarnText>stop warning about the empty room</nowarnText>?": "Здесь никого нет! Хотите <inviteText>пригласить кого-нибудь</inviteText> или <nowarnText>выключить предупреждение о пустой комнате</nowarnText>?", | ||||
|     "Something went wrong when trying to get your communities.": "Что-то пошло не так при попытке получить список ваших сообществ.", | ||||
|     "Tag Panel": "Панель тегов", | ||||
|     "Delete %(count)s devices|other": "Удалить (%(count)s)", | ||||
|     "Delete %(count)s devices|one": "Удалить", | ||||
|     "Select devices": "Выбрать", | ||||
|  | @ -937,7 +932,6 @@ | |||
|     "%(count)s of your messages have not been sent.|one": "Ваше сообщение не было отправлено.", | ||||
|     "%(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> сейчас. Можно также выбрать отдельные сообщения для отправки или отмены.", | ||||
|     "%(count)s <resendText>Resend all</resendText> or <cancelText>cancel all</cancelText> now. You can also select individual messages to resend or cancel.|one": "<resendText>Отправить</resendText> или <cancelText>отменить</cancelText> сообщение сейчас.", | ||||
|     "Message Replies": "Сообщения-ответы", | ||||
|     "Send an encrypted reply…": "Отправить зашифрованный ответ…", | ||||
|     "Send a reply (unencrypted)…": "Отправить ответ (нешифрованный)…", | ||||
|     "Send an encrypted message…": "Отправить зашифрованное сообщение…", | ||||
|  | @ -1183,6 +1177,19 @@ | |||
|     "Yes, I want to help!": "Да, я хочу помочь!", | ||||
|     "Reload widget": "Перезагрузить виджет", | ||||
|     "To notify everyone in the room, you must be a": "Для уведомления всех в комнате, вы должны быть", | ||||
|     "Can't leave Server Notices room": "Невозможно покинуть комнату для сервера по заметкам", | ||||
|     "This room is used for important messages from the Homeserver, so you cannot leave it.": "Эта комната для важных сообщений от сервера, потому ее не возможно покинуть." | ||||
|     "Can't leave Server Notices room": "Невозможно покинуть комнату сервера уведомлений", | ||||
|     "This room is used for important messages from the Homeserver, so you cannot leave it.": "Эта комната используется для важных сообщений от сервера, поэтому вы не можете ее покинуть.", | ||||
|     "Try the app first": "Сначала попробуйте приложение", | ||||
|     "Encrypting": "Шифрование", | ||||
|     "Encrypted, not sent": "Зашифровано, не отправлено", | ||||
|     "No Audio Outputs detected": "Аудиовыход не обнаружен", | ||||
|     "Audio Output": "Аудиовыход", | ||||
|     "Share Link to User": "Поделиться ссылкой с пользователем", | ||||
|     "Share room": "Поделиться комнатой", | ||||
|     "Share Room": "Поделиться комнатой", | ||||
|     "Link to most recent message": "Ссылка на последнее сообщение", | ||||
|     "Share User": "Поделиться пользователем", | ||||
|     "Share Community": "Поделиться сообществом", | ||||
|     "Link to selected message": "Ссылка на выбранное сообщение", | ||||
|     "COPY": "КОПИРОВАТЬ" | ||||
| } | ||||
|  |  | |||
|  | @ -84,10 +84,8 @@ | |||
|     "You are not in this room.": "Nenachádzate sa v tejto miestnosti.", | ||||
|     "You do not have permission to do that in this room.": "V tejto miestnosti nemáte oprávnenie na vykonanie takejto akcie.", | ||||
|     "Missing room_id in request": "V požiadavke chýba room_id", | ||||
|     "Must be viewing a room": "Musí byť zobrazená miestnosť", | ||||
|     "Room %(roomId)s not visible": "Miestnosť %(roomId)s nie je viditeľná", | ||||
|     "Missing user_id in request": "V požiadavke chýba user_id", | ||||
|     "Failed to lookup current room": "Nepodarilo sa vyhľadať aktuálnu miestnosť", | ||||
|     "Usage": "Použitie", | ||||
|     "/ddg is not a command": "/ddg nie je žiaden príkaz", | ||||
|     "To use it, just wait for autocomplete results to load and tab through them.": "Ak to chcete použiť, len počkajte na načítanie výsledkov automatického dopĺňania a cyklicky prechádzajte stláčaním klávesu tab..", | ||||
|  | @ -691,8 +689,6 @@ | |||
|     "Error whilst fetching joined communities": "Pri získavaní vašich komunít sa vyskytla chyba", | ||||
|     "Create a new community": "Vytvoriť novú komunitu", | ||||
|     "Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.": "Vytvorte si komunitu s cieľom zoskupiť miestnosti a používateľov! Zostavte si vlastnú domovskú stránku a vymedzte tak svoj priestor vo svete Matrix.", | ||||
|     "Join an existing community": "Vstúpiť do existujúcej komunity", | ||||
|     "To join an existing community you'll have to know its community identifier; this will look something like <i>+example:matrix.org</i>.": "Aby ste mohli vstúpiť do existujúcej komunity, musíte poznať jej identifikátor; Mal by vizerať nejako takto <i>+priklad:matrix.org</i>.", | ||||
|     "You have no visible notifications": "Nie sú k dispozícii žiadne oznámenia", | ||||
|     "Scroll to bottom of page": "Posunúť na spodok stránky", | ||||
|     "Connectivity to the server has been lost.": "Spojenie so serverom bolo prerušené.", | ||||
|  | @ -907,7 +903,6 @@ | |||
|     "Call": "Hovor", | ||||
|     "Answer": "Prijať", | ||||
|     "Send": "Odoslať", | ||||
|     "Tag Panel": "Panel so značkami", | ||||
|     "Delete %(count)s devices|other": "Vymazať %(count)s zariadení", | ||||
|     "Delete %(count)s devices|one": "Vymazať zariadenie", | ||||
|     "Select devices": "Vybrať zariadenia", | ||||
|  | @ -934,7 +929,6 @@ | |||
|     "Flair will not appear": "Príslušnosť ku komunite nebude zobrazená", | ||||
|     "Display your community flair in rooms configured to show it.": "Zobrazovať vašu príslušnosť ku komunite v miestnostiach, ktoré sú nastavené na zobrazovanie tejto príslušnosti.", | ||||
|     "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s", | ||||
|     "Message Replies": "Odpovede na správy", | ||||
|     "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Túto zmenu nebudete môcť vrátiť späť pretože  znižujete vašu vlastnú úroveň moci. Ak ste jediný poverený používateľ v miestnosti, nebudete môcť znovu získať úroveň, akú máte teraz.", | ||||
|     "Send an encrypted reply…": "Odoslať šifrovanú odpoveď…", | ||||
|     "Send a reply (unencrypted)…": "Odoslať odpoveď (nešifrovanú)…", | ||||
|  |  | |||
|  | @ -106,9 +106,7 @@ | |||
|     "Power level must be positive integer.": "Niveli fuqie duhet të jetë numër i plotë pozitiv.", | ||||
|     "You are not in this room.": "Ti nuk je në këtë dhomë.", | ||||
|     "You do not have permission to do that in this room.": "Nuk ke leje të bësh këtë në këtë dhomë.", | ||||
|     "Must be viewing a room": "Duhet të shikohet një dhomë", | ||||
|     "Room %(roomId)s not visible": "Dhoma %(roomId)s e padukshme", | ||||
|     "Failed to lookup current room": "Dhoma aktuale nuk mundi të kërkohej", | ||||
|     "Usage": "Përdorimi", | ||||
|     "/ddg is not a command": "/ddg s'është komandë", | ||||
|     "To use it, just wait for autocomplete results to load and tab through them.": "Për të përdorur, thjesht prit derisa të mbushën rezultatat vetëplotësuese dhe pastaj shfletoji.", | ||||
|  |  | |||
|  | @ -85,7 +85,6 @@ | |||
|     "You are not in this room.": "Нисте у овој соби.", | ||||
|     "You do not have permission to do that in this room.": "Немате овлашћење да урадите то у овој соби.", | ||||
|     "Missing room_id in request": "Недостаје room_id у захтеву", | ||||
|     "Must be viewing a room": "Морате гледати собу", | ||||
|     "Room %(roomId)s not visible": "Соба %(roomId)s није видљива", | ||||
|     "Missing user_id in request": "Недостаје user_id у захтеву", | ||||
|     "Call Failed": "Позивање неуспешно", | ||||
|  | @ -97,7 +96,6 @@ | |||
|     "Answer": "Одговори", | ||||
|     "Call Timeout": "Прекорачено време позивања", | ||||
|     "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s", | ||||
|     "Failed to lookup current room": "Неуспех при потраживању тренутне собе", | ||||
|     "Usage": "Коришћење", | ||||
|     "/ddg is not a command": "/ddg није наредба", | ||||
|     "To use it, just wait for autocomplete results to load and tab through them.": "Да бисте је користили, само сачекајте да се исходи самодовршавања учитају и табом прођите кроз њих.", | ||||
|  | @ -170,9 +168,7 @@ | |||
|     "Not a valid Riot keyfile": "Није исправана Riot кључ-датотека", | ||||
|     "Authentication check failed: incorrect password?": "Провера идентитета није успела: нетачна лозинка?", | ||||
|     "Failed to join room": "Нисам успео да уђем у собу", | ||||
|     "Message Replies": "Одговори", | ||||
|     "Message Pinning": "Закачене поруке", | ||||
|     "Tag Panel": "Означи површ", | ||||
|     "Disable Emoji suggestions while typing": "Онемогући предлагање емоџија приликом куцања", | ||||
|     "Use compact timeline layout": "Користи збијени распоред временске линије", | ||||
|     "Hide removed messages": "Сакриј уклоњене поруке", | ||||
|  | @ -778,8 +774,6 @@ | |||
|     "Error whilst fetching joined communities": "Грешка приликом добављања списка са приступљеним заједницама", | ||||
|     "Create a new community": "Направи нову заједницу", | ||||
|     "Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.": "Направите заједницу да бисте спојили кориснике и собе! Направите прилагођену почетну страницу да бисте означили ваш кутак у Матрикс универзуму.", | ||||
|     "Join an existing community": "Приступи већ постојећој заједници", | ||||
|     "To join an existing community you'll have to know its community identifier; this will look something like <i>+example:matrix.org</i>.": "Да бисте приступили већ постојећој заједници, морате знати њен идентификатор заједнице. Ово изгледа нешто као <i>+primer:matrix.org</i>.", | ||||
|     "You have no visible notifications": "Немате видљивих обавештења", | ||||
|     "Scroll to bottom of page": "Превуци на дно странице", | ||||
|     "Message not sent due to unknown devices being present": "Порука се неће послати због присутности непознатих уређаја", | ||||
|  | @ -1159,5 +1153,29 @@ | |||
|     "Clear Storage and Sign Out": "Очисти складиште и одјави ме", | ||||
|     "Refresh": "Освежи", | ||||
|     "We encountered an error trying to restore your previous session.": "Наишли смо на грешку приликом повраћаја ваше претходне сесије.", | ||||
|     "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Чишћење складишта вашег прегледача може решити проблем али ће вас то одјавити и учинити шифровани историјат ћаскања нечитљивим." | ||||
|     "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Чишћење складишта вашег прегледача може решити проблем али ће вас то одјавити и учинити шифровани историјат ћаскања нечитљивим.", | ||||
|     "e.g. %(exampleValue)s": "нпр.: %(exampleValue)s", | ||||
|     "Reload widget": "Поново учитај виџет", | ||||
|     "Send analytics data": "Пошаљи аналитичке податке", | ||||
|     "Enable widget screenshots on supported widgets": "Омогући снимке екрана виџета у подржаним виџетима", | ||||
|     "At this time it is not possible to reply with a file so this will be sent without being a reply.": "У овом тренутку није могуће одговорити са датотеком тако да ово неће бити послато у облику одговора.", | ||||
|     "Unable to reply": "Не могу да одговорим", | ||||
|     "At this time it is not possible to reply with an emote.": "У овом тренутку није могуће одговорити са емотиконом.", | ||||
|     "To notify everyone in the room, you must be a": "Да бисте обавестили све у соби, морате бити", | ||||
|     "Muted Users": "Утишани корисници", | ||||
|     "Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie (please see our <PolicyLink>Cookie Policy</PolicyLink>).": "Помозите побољшавање Riot.im програма тако што ћете послати <UsageDataLink>анонимне податке о коришћењу</UsageDataLink>. Ово ће захтевати коришћење колачића (погледајте нашу <PolicyLink>политику о колачићима</PolicyLink>).", | ||||
|     "Please help improve Riot.im by sending <UsageDataLink>anonymous usage data</UsageDataLink>. This will use a cookie.": "Помозите побољшавање Riot.im програма тако што ћете послати <UsageDataLink>анонимне податке о коришћењу</UsageDataLink>. Ово ће захтевати коришћење колачића.", | ||||
|     "Yes, I want to help!": "Да, желим помоћи!", | ||||
|     "Warning: This widget might use cookies.": "Упозорење: овај виџет ће можда користити колачиће.", | ||||
|     "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Не могу да учитам догађај на који је послат одговор, или не постоји или немате овлашћење да га погледате.", | ||||
|     "Failed to indicate account erasure": "Неуспех при наговештавању да је налог обрисан", | ||||
|     "To continue, please enter your password:": "Да бисте наставили, унесите вашу лозинку:", | ||||
|     "password": "лозинка", | ||||
|     "Collapse Reply Thread": "Скупи нит са одговорима", | ||||
|     "Can't leave Server Notices room": "Не могу да напустим собу са напоменама сервера", | ||||
|     "This room is used for important messages from the Homeserver, so you cannot leave it.": "Ова соба се користи за важне поруке са Кућног сервера, не можете изаћи из ове собе.", | ||||
|     "Terms and Conditions": "Услови коришћења", | ||||
|     "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Да бисте наставили са коришћењем Кућног сервера %(homeserverDomain)s морате погледати и пристати на наше услове коришћења.", | ||||
|     "Review terms and conditions": "Погледај услове коришћења", | ||||
|     "Try the app first": "Пробајте прво апликацију" | ||||
| } | ||||
|  |  | |||
|  | @ -128,7 +128,6 @@ | |||
|     "Failed to kick": "Det gick inte att kicka", | ||||
|     "Failed to leave room": "Det gick inte att lämna rummet", | ||||
|     "Failed to load timeline position": "Det gick inte att hämta positionen på tidslinjen", | ||||
|     "Failed to lookup current room": "Det gick inte att hämta det nuvarande rummet", | ||||
|     "Failed to mute user": "Det gick inte att dämpa användaren", | ||||
|     "Failed to reject invite": "Det gick inte att avböja inbjudan", | ||||
|     "Failed to reject invitation": "Det gick inte att avböja inbjudan", | ||||
|  | @ -149,7 +148,7 @@ | |||
|     "Add": "Lägg till", | ||||
|     "Admin Tools": "Admin-verktyg", | ||||
|     "Alias (optional)": "Alias (valfri)", | ||||
|     "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.": "Det gick inte att ansluta till servern - kontrollera anslutningen, försäkra att din <a>hemservers TLS-certifikat</a> är betrott, och att inget webbläsartillägg blockerar förfrågningar.", | ||||
|     "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.": "Det gick inte att ansluta till hemservern - kontrollera anslutningen, se till att <a>hemserverns SSL-certifikat</a> är betrott, och att inget webbläsartillägg blockerar förfrågningar.", | ||||
|     "%(senderName)s changed the power level of %(powerLevelDiffText)s.": "%(senderName)s ändrade behörighetsnivå för %(powerLevelDiffText)s.", | ||||
|     "<a>Click here</a> to join the discussion!": "<a>Klicka här</a> för att gå med i diskussionen!", | ||||
|     "Close": "Stäng", | ||||
|  | @ -240,7 +239,6 @@ | |||
|     "Mobile phone number": "Telefonnummer", | ||||
|     "Mobile phone number (optional)": "Telefonnummer (valfri)", | ||||
|     "Moderator": "Moderator", | ||||
|     "Must be viewing a room": "Du måste ha ett öppet rum", | ||||
|     "Mute": "Dämpa", | ||||
|     "%(serverName)s Matrix ID": "%(serverName)s Matrix-ID", | ||||
|     "Name": "Namn", | ||||
|  | @ -289,7 +287,7 @@ | |||
|     "Register": "Registrera", | ||||
|     "%(targetName)s rejected the invitation.": "%(targetName)s avvisade inbjudan.", | ||||
|     "Reject invitation": "Avböj inbjudan", | ||||
|     "Rejoin": "Gå med tillbaka", | ||||
|     "Rejoin": "Gå med igen", | ||||
|     "Remote addresses for this room:": "Fjärradresser för det här rummet:", | ||||
|     "Remove Contact Information?": "Ta bort kontaktuppgifter?", | ||||
|     "%(senderName)s removed their display name (%(oldDisplayName)s).": "%(senderName)s tog bort sitt visningsnamn (%(oldDisplayName)s).", | ||||
|  | @ -325,7 +323,7 @@ | |||
|     "%(senderName)s sent an invitation to %(targetDisplayName)s to join the room.": "%(senderName)s bjöd in %(targetDisplayName)s med i rummet.", | ||||
|     "Server error": "Serverfel", | ||||
|     "Server may be unavailable or overloaded": "Servern kan vara otillgänglig eller överbelastad", | ||||
|     "Server may be unavailable, overloaded, or search timed out :(": "Servern kan vara otillgänglig, överbelastad, eller så timade sökningen ut :(", | ||||
|     "Server may be unavailable, overloaded, or search timed out :(": "Servern kan vara otillgänglig, överbelastad, eller så tog sökningen för lång tid :(", | ||||
|     "Server may be unavailable, overloaded, or the file too big": "Servern kan vara otillgänglig, överbelastad, eller så är filen för stor", | ||||
|     "Server may be unavailable, overloaded, or you hit a bug.": "Servern kan vara otillgänglig, överbelastad, eller så stötte du på en bugg.", | ||||
|     "Server unavailable, overloaded, or something else went wrong.": "Servern är otillgänglig, överbelastad, eller så gick något annat fel.", | ||||
|  | @ -346,7 +344,7 @@ | |||
|     "Start Chat": "Starta en chatt", | ||||
|     "Cancel": "Avbryt", | ||||
|     "Create new room": "Skapa nytt rum", | ||||
|     "Custom Server Options": "Egna serverinställningar", | ||||
|     "Custom Server Options": "Anpassade serverinställningar", | ||||
|     "Dismiss": "Avvisa", | ||||
|     "powered by Matrix": "drivs av Matrix", | ||||
|     "Room directory": "Rumskatalog", | ||||
|  | @ -379,7 +377,7 @@ | |||
|     "The email address linked to your account must be entered.": "Epostadressen som är kopplad till ditt konto måste anges.", | ||||
|     "The file '%(fileName)s' exceeds this home server's size limit for uploads": "Filen '%(fileName)s' överskrider serverns största tillåtna filstorlek", | ||||
|     "The file '%(fileName)s' failed to upload": "Filen '%(fileName)s' kunde inte laddas upp", | ||||
|     "Online": "Aktiv", | ||||
|     "Online": "Online", | ||||
|     "Unnamed room": "Namnlöst rum", | ||||
|     "World readable": "Alla kan läsa", | ||||
|     "Guests can join": "Gäster kan bli medlem i rummet", | ||||
|  | @ -466,7 +464,7 @@ | |||
|     "Room not found": "Rummet hittades inte", | ||||
|     "Messages containing my display name": "Meddelanden som innehåller mitt namn", | ||||
|     "Messages in one-to-one chats": "Meddelanden i privata chattar", | ||||
|     "Unavailable": "Inte tillgänglig", | ||||
|     "Unavailable": "Otillgänglig", | ||||
|     "View Decrypted Source": "Visa dekrypterad källa", | ||||
|     "Failed to update keywords": "Det gick inte att uppdatera nyckelorden", | ||||
|     "remove %(name)s from the directory.": "ta bort %(name)s från katalogen.", | ||||
|  | @ -502,7 +500,7 @@ | |||
|     "Saturday": "lördag", | ||||
|     "I understand the risks and wish to continue": "Jag förstår riskerna och vill fortsätta", | ||||
|     "Direct Chat": "Direkt-chatt", | ||||
|     "The server may be unavailable or overloaded": "Servern kan vara överbelastad eller inte tillgänglig", | ||||
|     "The server may be unavailable or overloaded": "Servern kan vara otillgänglig eller överbelastad", | ||||
|     "Reject": "Avböj", | ||||
|     "Failed to set Direct Message status of room": "Det gick inte att ställa in direktmeddelandestatus för rummet", | ||||
|     "Monday": "måndag", | ||||
|  | @ -559,7 +557,7 @@ | |||
|     "View Source": "Visa källa", | ||||
|     "Thank you!": "Tack!", | ||||
|     "Quote": "Citera", | ||||
|     "Collapse panel": "Kollapsa panel", | ||||
|     "Collapse panel": "Dölj panel", | ||||
|     "With your current browser, the look and feel of the application may be completely incorrect, and some or all features may not function. If you want to try it anyway you can continue, but you are on your own in terms of any issues you may encounter!": "Med din nuvarande webbläsare kan appens utseende vara helt fel, och vissa eller alla egenskaper kommer nödvändigtvis inte att fungera. Om du ändå vill försöka så kan du fortsätta, men gör det på egen risk!", | ||||
|     "Checking for an update...": "Letar efter uppdateringar...", | ||||
|     "There are advanced notifications which are not shown here": "Det finns avancerade aviseringar som inte visas här", | ||||
|  | @ -636,7 +634,7 @@ | |||
|     "%(duration)sm": "%(duration)sm", | ||||
|     "%(duration)sh": "%(duration)sh", | ||||
|     "%(duration)sd": "%(duration)sd", | ||||
|     "Online for %(duration)s": "Aktiv i %(duration)s", | ||||
|     "Online for %(duration)s": "Online i %(duration)s", | ||||
|     "Idle for %(duration)s": "Inaktiv i %(duration)s", | ||||
|     "Offline for %(duration)s": "Offline i %(duration)s", | ||||
|     "Idle": "Inaktiv", | ||||
|  | @ -852,7 +850,7 @@ | |||
|     "Drop here to demote": "Släpp här för att göra till låg prioritet", | ||||
|     "You're not in any rooms yet! Press <CreateRoomButton> to make a room or <RoomDirectoryButton> to browse the directory": "Du är inte i något rum ännu! Tryck <CreateRoomButton> för att skapa ett rum eller <RoomDirectoryButton> för att bläddra i katalogen", | ||||
|     "Would you like to <acceptText>accept</acceptText> or <declineText>decline</declineText> this invitation?": "Vill du <acceptText>acceptera</acceptText> eller <declineText>avböja</declineText> denna inbjudan?", | ||||
|     "You have been invited to join this room by %(inviterName)s": "Du har blivit inbjuden att gå med i rummet av %(inviterName)s", | ||||
|     "You have been invited to join this room by %(inviterName)s": "Du har blivit inbjuden till rummet av %(inviterName)s", | ||||
|     "Kick this user?": "Kicka användaren?", | ||||
|     "To send messages, you must be a": "För att skicka meddelanden, måste du vara", | ||||
|     "To invite users into the room, you must be a": "För att bjuda in användare i rummet, måste du vara", | ||||
|  | @ -1021,7 +1019,6 @@ | |||
|     "Add rooms to the community": "Lägg till rum i communityn", | ||||
|     "Add to community": "Lägg till i community", | ||||
|     "Failed to invite users to community": "Det gick inte att bjuda in användare till communityn", | ||||
|     "Message Replies": "Meddelandesvar", | ||||
|     "Mirror local video feed": "Spegelvänd lokal video", | ||||
|     "Disable Community Filter Panel": "Inaktivera community-filterpanel", | ||||
|     "Community Invites": "Community-inbjudningar", | ||||
|  | @ -1052,7 +1049,7 @@ | |||
|     "Leave Community": "Lämna community", | ||||
|     "Unable to leave community": "Det gick inte att lämna community", | ||||
|     "Community Settings": "Community-inställningar", | ||||
|     "Changes made to your community <bold1>name</bold1> and <bold2>avatar</bold2> might not be seen by other users for up to 30 minutes.": "Ändringar på <bold1>namn</bold1> och <bold2>avatar</bold2> som gjorts i din community kommer eventuellt inte synas för andra användare i upp till 30 minuter.", | ||||
|     "Changes made to your community <bold1>name</bold1> and <bold2>avatar</bold2> might not be seen by other users for up to 30 minutes.": "Det kan dröja upp till 30 minuter innan ändringar på communityns <bold1>namn</bold1> och <bold2>avatar</bold2> blir synliga för andra användare.", | ||||
|     "These rooms are displayed to community members on the community page. Community members can join the rooms by clicking on them.": "Dessa rum visas för community-medlemmar på community-sidan. Community-medlemmar kan gå med i rummen genom att klicka på dem.", | ||||
|     "Add rooms to this community": "Lägg till rum i denna community", | ||||
|     "%(inviter)s has invited you to join this community": "%(inviter)s har bjudit in dig till denna community", | ||||
|  | @ -1066,8 +1063,6 @@ | |||
|     "To set up a filter, drag a community avatar over to the filter panel on the far left hand side of the screen. You can click on an avatar in the filter panel at any time to see only the rooms and people associated with that community.": "För att skapa ett filter, dra en community-avatar till filterpanelen längst till vänster på skärmen. Du kan när som helst klicka på en avatar i filterpanelen för att bara se rum och personer som är associerade med den communityn.", | ||||
|     "Create a new community": "Skapa en ny community", | ||||
|     "Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.": "Skapa en community för att gruppera användare och rum! Bygg en anpassad hemsida för att markera er plats i Matrix-universumet.", | ||||
|     "Join an existing community": "Gå med i en befintlig community", | ||||
|     "To join an existing community you'll have to know its community identifier; this will look something like <i>+example:matrix.org</i>.": "För att gå med i en befintlig gemenskap behöver du ha community-ID; det ser ut som något i stil med <i>+exempel:matrix.org</i>.", | ||||
|     "Invite to this community": "Bjud in till denna community", | ||||
|     "Something went wrong when trying to get your communities.": "Något gick fel vid hämtning av dina communityn.", | ||||
|     "You're not currently a member of any communities.": "Du är för närvarande inte medlem i någon community.", | ||||
|  | @ -1180,7 +1175,6 @@ | |||
|     "The exported file will allow anyone who can read it to decrypt any encrypted messages that you can see, so you should be careful to keep it secure. To help with this, you should enter a passphrase below, which will be used to encrypt the exported data. It will only be possible to import the data by using the same passphrase.": "Den exporterade filen kommer att låta någon som kan läsa den att dekryptera alla krypterade meddelanden som du kan se, så du bör vara noga med att hålla den säker. För att hjälpa till med detta, bör du ange en lösenfras nedan, som kommer att användas för att kryptera exporterad data. Det kommer bara vara möjligt att importera data genom att använda samma lösenfras.", | ||||
|     "This process allows you to import encryption keys that you had previously exported from another Matrix client. You will then be able to decrypt any messages that the other client could decrypt.": "Denna process möjliggör import av krypteringsnycklar som tidigare exporterats från en annan Matrix-klient. Du kommer då kunna dekryptera alla meddelanden som den andra klienten kunde dekryptera.", | ||||
|     "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Den exporterade filen kommer vara skyddad med en lösenfras. Du måste ange lösenfrasen här, för att dekryptera filen.", | ||||
|     "Tag Panel": "Tagg-panel", | ||||
|     "Flair": "Emblem", | ||||
|     "Showing flair for these communities:": "Visar emblem för dessa communityn:", | ||||
|     "This room is not showing flair for any communities": "Detta rum visar inte emblem för några communityn", | ||||
|  |  | |||
|  | @ -132,7 +132,6 @@ | |||
|     "Failed to join room": "การเข้าร่วมห้องล้มเหลว", | ||||
|     "Failed to kick": "การเตะล้มเหลว", | ||||
|     "Failed to leave room": "การออกจากห้องล้มเหลว", | ||||
|     "Failed to lookup current room": "การหาห้องปัจจุบันล้มเหลว", | ||||
|     "Failed to reject invite": "การปฏิเสธคำเชิญล้มเหลว", | ||||
|     "Failed to reject invitation": "การปฏิเสธคำเชิญล้มเหลว", | ||||
|     "Failed to save settings": "การบันทึกการตั้งค่าล้มเหลว", | ||||
|  |  | |||
|  | @ -153,7 +153,6 @@ | |||
|     "Failed to kick": "Atma(Kick) işlemi başarısız oldu", | ||||
|     "Failed to leave room": "Odadan ayrılma başarısız oldu", | ||||
|     "Failed to load timeline position": "Zaman çizelgesi konumu yüklenemedi", | ||||
|     "Failed to lookup current room": "Geçerli odayı aramak başarısız oldu", | ||||
|     "Failed to mute user": "Kullanıcıyı sessize almak başarısız oldu", | ||||
|     "Failed to reject invite": "Daveti reddetme başarısız oldu", | ||||
|     "Failed to reject invitation": "Davetiyeyi reddetme başarısız oldu", | ||||
|  | @ -241,7 +240,6 @@ | |||
|     "Mobile phone number": "Cep telefonu numarası", | ||||
|     "Mobile phone number (optional)": "Cep telefonu numarası (isteğe bağlı)", | ||||
|     "Moderator": "Moderatör", | ||||
|     "Must be viewing a room": "Bir oda görüntülemeli olmalı", | ||||
|     "Mute": "Sessiz", | ||||
|     "Name": "İsim", | ||||
|     "Never send encrypted messages to unverified devices from this device": "Bu cihazdan doğrulanmamış cihazlara asla şifrelenmiş mesajlar göndermeyin", | ||||
|  |  | |||
|  | @ -94,7 +94,7 @@ | |||
|     "Register": "Зарегіструватись", | ||||
|     "Rooms": "Кімнати", | ||||
|     "Add rooms to this community": "Добавити кімнати в це суспільство", | ||||
|     "This email address is already in use": "Ця адреса елект. почти вже використовується", | ||||
|     "This email address is already in use": "Ця е-пошта вже використовується", | ||||
|     "This phone number is already in use": "Цей телефонний номер вже використовується", | ||||
|     "Fetching third party location failed": "Не вдалось отримати стороннє місцеперебування", | ||||
|     "Messages in one-to-one chats": "Повідомлення у чатах \"сам на сам\"", | ||||
|  | @ -269,5 +269,15 @@ | |||
|     "Your language of choice": "Обрана мова", | ||||
|     "Which officially provided instance you are using, if any": "Яким офіційно наданим примірником ви користуєтесь (якщо користуєтесь)", | ||||
|     "Whether or not you're using the Richtext mode of the Rich Text Editor": "Чи використовуєте ви режим Richtext у редакторі Rich Text Editor", | ||||
|     "Your homeserver's URL": "URL адреса вашого домашнього серверу" | ||||
|     "Your homeserver's URL": "URL адреса вашого домашнього серверу", | ||||
|     "Failed to verify email address: make sure you clicked the link in the email": "Не вдалось перевірити адресу е-пошти: переконайтесь, що ви перейшли за посиланням у листі", | ||||
|     "The platform you're on": "Використовувана платформа", | ||||
|     "Your identity server's URL": "URL адреса серверу ідентифікації", | ||||
|     "e.g. %(exampleValue)s": "напр. %(exampleValue)s", | ||||
|     "Every page you use in the app": "Кожна використовувана у застосунку сторінка", | ||||
|     "e.g. <CurrentPageURL>": "напр. <CurrentPageURL>", | ||||
|     "Your User Agent": "Ваш користувацький агент", | ||||
|     "Your device resolution": "Роздільність вашого пристрою", | ||||
|     "Analytics": "Аналітика", | ||||
|     "The information being sent to us to help make Riot.im better includes:": "Надсилана інформація, що допомагає нам покращити Riot.im, вміщує:" | ||||
| } | ||||
|  |  | |||
|  | @ -42,7 +42,6 @@ | |||
|     "Failed to kick": "移除失败", | ||||
|     "Failed to leave room": "无法退出聊天室", | ||||
|     "Failed to load timeline position": "无法加载时间轴位置", | ||||
|     "Failed to lookup current room": "找不到当前聊天室", | ||||
|     "Failed to mute user": "禁言用户失败", | ||||
|     "Failed to reject invite": "拒绝邀请失败", | ||||
|     "Failed to reject invitation": "拒绝邀请失败", | ||||
|  | @ -742,7 +741,6 @@ | |||
|     "Add rooms to the community": "添加聊天室到社区", | ||||
|     "Add to community": "添加到社区", | ||||
|     "Failed to invite users to community": "邀请用户到社区失败", | ||||
|     "Message Replies": "消息回复", | ||||
|     "Disable Peer-to-Peer for 1:1 calls": "在一对一通话中禁用 P2P 对等网络", | ||||
|     "Enable inline URL previews by default": "默认启用网址预览", | ||||
|     "Disinvite this user?": "取消邀请此用户?", | ||||
|  | @ -934,7 +932,6 @@ | |||
|     "Create a new community": "创建新社区", | ||||
|     "Error whilst fetching joined communities": "获取已加入社区列表时出现错误", | ||||
|     "Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.": "创建社区,将用户与聊天室整合在一起!搭建自定义社区主页以在 Matrix 宇宙之中标记出您的私人空间。", | ||||
|     "Join an existing community": "加入已有的社区", | ||||
|     "<showDevicesText>Show devices</showDevicesText>, <sendAnywayText>send anyway</sendAnywayText> or <cancelText>cancel</cancelText>.": "<showDevicesText>显示未信任的设备</showDevicesText> 、 <sendAnywayText>不经信任直接发送</sendAnywayText> 或 <cancelText>取消发送</cancelText>。", | ||||
|     "%(count)s of your messages have not been sent.|one": "您的消息尚未发送。", | ||||
|     "Uploading %(filename)s and %(count)s others|other": "正在上传 %(filename)s 与其他 %(count)s 个文件", | ||||
|  | @ -961,7 +958,6 @@ | |||
|     "Tried to load a specific point in this room's timeline, but was unable to find it.": "尝试加载此房间的时间线的特定时间点,但是无法找到。", | ||||
|     "%(count)s <resendText>Resend all</resendText> or <cancelText>cancel all</cancelText> now. You can also select individual messages to resend or cancel.|one": "现在 <resendText>重新发送消息</resendText> 或 <cancelText>取消发送</cancelText> 。", | ||||
|     "%(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> 。你也可以单独选择消息以重新发送或取消。", | ||||
|     "To join an existing community you'll have to know its community identifier; this will look something like <i>+example:matrix.org</i>.": "要加入已有的社区,你需要知道它的社区链接,比如 <i>+example:matrix.org</i>。", | ||||
|     "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?": "删除小部件后,此聊天室中的所有用户的这个小部件都会被删除。你确定要删除这个小部件吗?", | ||||
|  | @ -1120,14 +1116,12 @@ | |||
|     "There's no one else here! Would you like to <inviteText>invite others</inviteText> or <nowarnText>stop warning about the empty room</nowarnText>?": "这里没有其他人了!你是想 <inviteText>邀请用户</inviteText> 还是 <nowarnText>不再提示</nowarnText>?", | ||||
|     "You need to be able to invite users to do that.": "你需要有邀请用户的权限才能进行此操作。", | ||||
|     "Missing roomId.": "找不到此聊天室 ID 所对应的聊天室。", | ||||
|     "Tag Panel": "标签面板", | ||||
|     "You have been banned from %(roomName)s by %(userName)s.": "您已被 %(userName)s 从聊天室 %(roomName)s 中封禁。", | ||||
|     "You have been banned from this room by %(userName)s.": "您已被 %(userName)s 从此聊天室中封禁。", | ||||
|     "Every page you use in the app": "您在 Riot 中使用的每一个页面", | ||||
|     "e.g. <CurrentPageURL>": "例如:<CurrentPageURL>", | ||||
|     "Your User Agent": "您的 User Agent", | ||||
|     "Your device resolution": "您设备的分辨率", | ||||
|     "Must be viewing a room": "必须是在查看一个聊天室时", | ||||
|     "Always show encryption icons": "总是显示加密标志", | ||||
|     "At this time it is not possible to reply with a file so this will be sent without being a reply.": "目前无法以文件作为回复的内容,所以此文件将不作为回复,独立发送。", | ||||
|     "Unable to reply": "无法回复", | ||||
|  |  | |||
|  | @ -78,7 +78,6 @@ | |||
|     "Failed to kick": "踢人失敗", | ||||
|     "Failed to leave room": "無法離開聊天室", | ||||
|     "Failed to load timeline position": "無法加載時間軸位置", | ||||
|     "Failed to lookup current room": "找不到當前聊天室", | ||||
|     "Failed to mute user": "禁言用戶失敗", | ||||
|     "Failed to reject invite": "拒絕邀請失敗", | ||||
|     "Failed to reject invitation": "拒絕邀請失敗", | ||||
|  | @ -151,7 +150,7 @@ | |||
|     "Server unavailable, overloaded, or something else went wrong.": "伺服器可能不可用、超載,或者其他東西出錯了.", | ||||
|     "Session ID": "會話 ID", | ||||
|     "%(senderName)s set a profile picture.": "%(senderName)s 設置了頭像。.", | ||||
|     "%(senderName)s set their display name to %(displayName)s.": "%(senderName)s 將暱稱改為了 %(displayName)s。.", | ||||
|     "%(senderName)s set their display name to %(displayName)s.": "%(senderName)s 將他的暱稱改成 %(displayName)s。.", | ||||
|     "Settings": "設定", | ||||
|     "Show panel": "顯示側邊欄", | ||||
|     "Show timestamps in 12 hour format (e.g. 2:30pm)": "用12小時制顯示時間戳 (如:下午 2:30)", | ||||
|  | @ -192,11 +191,11 @@ | |||
|     "%(senderDisplayName)s changed the avatar for %(roomName)s": "%(senderDisplayName)s 更改了聊天室 %(roomName)s 圖像", | ||||
|     "Cancel": "取消", | ||||
|     "Custom Server Options": "自訂伺服器選項", | ||||
|     "Dismiss": "無視", | ||||
|     "Dismiss": "關閉", | ||||
|     "Mute": "靜音", | ||||
|     "Notifications": "通知", | ||||
|     "Operation failed": "操作失敗", | ||||
|     "powered by Matrix": "由 Matrix 架設", | ||||
|     "powered by Matrix": "由 Matrix 提供", | ||||
|     "Remove": "移除", | ||||
|     "unknown error code": "未知的錯誤代碼", | ||||
|     "OK": "確定", | ||||
|  | @ -249,7 +248,7 @@ | |||
|     "Are you sure you want to leave the room '%(roomName)s'?": "您確定您要想要離開房間 '%(roomName)s' 嗎?", | ||||
|     "Bans user with given id": "禁止有指定 ID 的使用者", | ||||
|     "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>可被信任,而瀏覽器擴充套件也沒有阻擋請求。", | ||||
|     "%(senderName)s changed their profile picture.": "%(senderName)s 已經變更了他們的基本資料圖片。", | ||||
|     "%(senderName)s changed their profile picture.": "%(senderName)s 已經變更了他的基本資料圖片。", | ||||
|     "%(senderName)s changed the power level of %(powerLevelDiffText)s.": "%(senderName)s 變更了 %(powerLevelDiffText)s 權限等級。", | ||||
|     "%(senderDisplayName)s changed the room name to %(roomName)s.": "%(senderDisplayName)s 將房間名稱變更為 %(roomName)s。", | ||||
|     "%(senderDisplayName)s removed the room name.": "%(senderDisplayName)s 已經移除了房間名稱。", | ||||
|  | @ -336,7 +335,6 @@ | |||
|     "Mobile phone number": "行動電話號碼", | ||||
|     "Mobile phone number (optional)": "行動電話號碼(選擇性)", | ||||
|     "Moderator": "仲裁者", | ||||
|     "Must be viewing a room": "必須檢視房間", | ||||
|     "Name": "名稱", | ||||
|     "Never send encrypted messages to unverified devices from this device": "從不自此裝置傳送加密的訊息到未驗證的裝置", | ||||
|     "Never send encrypted messages to unverified devices in this room from this device": "從不在此房間中從此裝置上傳送未加密的訊息到未驗證的裝置", | ||||
|  | @ -380,8 +378,8 @@ | |||
|     "Rejoin": "重新加入", | ||||
|     "Remote addresses for this room:": "此房間的遠端地址:", | ||||
|     "Remove Contact Information?": "移除聯絡人資訊?", | ||||
|     "%(senderName)s removed their display name (%(oldDisplayName)s).": "%(senderName)s 移除了他們的顯示名稱 (%(oldDisplayName)s)。", | ||||
|     "%(senderName)s removed their profile picture.": "%(senderName)s 移除了他們的基本資寮圖片。", | ||||
|     "%(senderName)s removed their display name (%(oldDisplayName)s).": "%(senderName)s 移除了他的顯示名稱 (%(oldDisplayName)s)。", | ||||
|     "%(senderName)s removed their profile picture.": "%(senderName)s 移除了他的基本資料圖片。", | ||||
|     "Remove %(threePid)s?": "移除 %(threePid)s?", | ||||
|     "%(senderName)s requested a VoIP conference.": "%(senderName)s 請求了一次 VoIP 會議。", | ||||
|     "Results from DuckDuckGo": "DuckDuckGo 的結果", | ||||
|  | @ -702,9 +700,7 @@ | |||
|     "%(names)s and %(count)s others are typing|other": "%(names)s 與其他 %(count)s 個人正在輸入", | ||||
|     "%(names)s and %(count)s others are typing|one": "%(names)s 與另一個人正在輸入", | ||||
|     "Send": "傳送", | ||||
|     "Message Replies": "訊息回覆", | ||||
|     "Message Pinning": "訊息釘選", | ||||
|     "Tag Panel": "標籤面板", | ||||
|     "Disable Emoji suggestions while typing": "在輸入時停用繪文字建議", | ||||
|     "Hide avatar changes": "隱藏大頭貼變更", | ||||
|     "Hide display name changes": "隱藏顯示名稱變更", | ||||
|  | @ -925,8 +921,6 @@ | |||
|     "Error whilst fetching joined communities": "擷取已加入的社群時發生錯誤", | ||||
|     "Create a new community": "建立新社群", | ||||
|     "Create a community to group together users and rooms! Build a custom homepage to mark out your space in the Matrix universe.": "建立社群以將使用者與聊天室湊成一組!建立自訂的首頁以在 Matrix 宇宙中標出您的空間。", | ||||
|     "Join an existing community": "加入既有的社群", | ||||
|     "To join an existing community you'll have to know its community identifier; this will look something like <i>+example:matrix.org</i>.": "要加入既有的社群,您必須知道它的社群標記符號;其看起來像是 <i>+example:matrix.org</i>.", | ||||
|     "%(count)s of your messages have not been sent.|one": "您的訊息尚未傳送。", | ||||
|     "%(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>。您也可以選取單一訊息以重新傳送或取消。", | ||||
|     "%(count)s <resendText>Resend all</resendText> or <cancelText>cancel all</cancelText> now. You can also select individual messages to resend or cancel.|one": "現在<resendText>重新傳送訊息</resendText>或<cancelText>取消訊息</cancelText>。", | ||||
|  | @ -961,7 +955,7 @@ | |||
|     "Community IDs cannot not be empty.": "社群 ID 不能為空。", | ||||
|     "<showDevicesText>Show devices</showDevicesText>, <sendAnywayText>send anyway</sendAnywayText> or <cancelText>cancel</cancelText>.": "<showDevicesText>顯示裝置</showDevicesText>、<sendAnywayText>無論如何都要傳送</sendAnywayText>或<cancelText>取消</cancelText>。", | ||||
|     "<a>In reply to</a> <pill>": "<a>回覆給</a> <pill>", | ||||
|     "%(oldDisplayName)s changed their display name to %(displayName)s.": "%(oldDisplayName)s 變更了他們的顯示名稱為 %(displayName)s 。", | ||||
|     "%(oldDisplayName)s changed their display name to %(displayName)s.": "%(oldDisplayName)s 變更了他的顯示名稱為 %(displayName)s 。", | ||||
|     "Failed to set direct chat tag": "設定直接聊天標籤失敗", | ||||
|     "Failed to remove tag %(tagName)s from room": "從聊天室移除標籤 %(tagName)s 失敗", | ||||
|     "Failed to add tag %(tagName)s to room": "新增標籤 %(tagName)s 到聊天室失敗", | ||||
|  | @ -1186,5 +1180,20 @@ | |||
|     "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": "審閱條款與細則", | ||||
|     "To notify everyone in the room, you must be a": "為了通知每個在聊天室裡的人,您必須為" | ||||
|     "To notify everyone in the room, you must be a": "為了通知每個在聊天室裡的人,您必須為", | ||||
|     "Encrypting": "正在加密", | ||||
|     "Encrypted, not sent": "已加密,未傳送", | ||||
|     "No Audio Outputs detected": "未偵測到音訊輸出", | ||||
|     "Audio Output": "音訊輸出", | ||||
|     "Try the app first": "先試試看應用程式", | ||||
|     "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": "分享訊息" | ||||
| } | ||||
|  |  | |||
|  | @ -169,11 +169,18 @@ matrixLinkify.VECTOR_URL_PATTERN = "^(?:https?:\/\/)?(?:" | |||
|     + "(?:www\\.)?(?:riot|vector)\\.im/(?:app|beta|staging|develop)/" | ||||
|     + ")(#.*)"; | ||||
| 
 | ||||
| matrixLinkify.MATRIXTO_URL_PATTERN = "^(?:https?:\/\/)?(?:www\\.)?matrix\\.to/#/((#|@|!).*)"; | ||||
| matrixLinkify.MATRIXTO_URL_PATTERN = "^(?:https?:\/\/)?(?:www\\.)?matrix\\.to/#/(([#@!+]).*)"; | ||||
| matrixLinkify.MATRIXTO_MD_LINK_PATTERN = | ||||
|     '\\[([^\\]]*)\\]\\((?:https?:\/\/)?(?:www\\.)?matrix\\.to/#/((#|@|!)[^\\)]*)\\)'; | ||||
|     '\\[([^\\]]*)\\]\\((?:https?:\/\/)?(?:www\\.)?matrix\\.to/#/([#@!+][^\\)]*)\\)'; | ||||
| matrixLinkify.MATRIXTO_BASE_URL= baseUrl; | ||||
| 
 | ||||
| const matrixToEntityMap = { | ||||
|     '@': '#/user/', | ||||
|     '#': '#/room/', | ||||
|     '!': '#/room/', | ||||
|     '+': '#/group/', | ||||
| }; | ||||
| 
 | ||||
| matrixLinkify.options = { | ||||
|     events: function(href, type) { | ||||
|         switch (type) { | ||||
|  | @ -204,24 +211,20 @@ matrixLinkify.options = { | |||
|             case 'userid': | ||||
|             case 'groupid': | ||||
|                 return matrixLinkify.MATRIXTO_BASE_URL + '/#/' + href; | ||||
|             default: | ||||
|                 var m; | ||||
|             default: { | ||||
|                 // FIXME: horrible duplication with HtmlUtils' transform tags
 | ||||
|                 m = href.match(matrixLinkify.VECTOR_URL_PATTERN); | ||||
|                 let m = href.match(matrixLinkify.VECTOR_URL_PATTERN); | ||||
|                 if (m) { | ||||
|                     return m[1]; | ||||
|                 } | ||||
|                 m = href.match(matrixLinkify.MATRIXTO_URL_PATTERN); | ||||
|                 if (m) { | ||||
|                     const entity = m[1]; | ||||
|                     if (entity[0] === '@') { | ||||
|                         return '#/user/' + entity; | ||||
|                     } else if (entity[0] === '#' || entity[0] === '!') { | ||||
|                         return '#/room/' + entity; | ||||
|                     } | ||||
|                     if (matrixToEntityMap[entity[0]]) return matrixToEntityMap[entity[0]] + entity; | ||||
|                 } | ||||
| 
 | ||||
|                 return href; | ||||
|             } | ||||
|         } | ||||
|     }, | ||||
| 
 | ||||
|  |  | |||
|  | @ -14,7 +14,8 @@ See the License for the specific language governing permissions and | |||
| limitations under the License. | ||||
| */ | ||||
| 
 | ||||
| export const baseUrl = "https://matrix.to"; | ||||
| export const host = "matrix.to"; | ||||
| export const baseUrl = `https://${host}`; | ||||
| 
 | ||||
| export function makeEventPermalink(roomId, eventId) { | ||||
|     return `${baseUrl}/#/${roomId}/${eventId}`; | ||||
|  |  | |||
|  | @ -77,12 +77,6 @@ export const SETTINGS = { | |||
|     //     // level is always appended to the end.
 | ||||
|     //     supportedLevelsAreOrdered: false,
 | ||||
|     // },
 | ||||
|     "feature_rich_quoting": { | ||||
|         isFeature: true, | ||||
|         displayName: _td("Message Replies"), | ||||
|         supportedLevels: LEVELS_FEATURE, | ||||
|         default: false, | ||||
|     }, | ||||
|     "feature_pinning": { | ||||
|         isFeature: true, | ||||
|         displayName: _td("Message Pinning"), | ||||
|  |  | |||
|  | @ -0,0 +1,185 @@ | |||
| /* | ||||
| Copyright 2018 New Vector Ltd | ||||
| 
 | ||||
| Licensed under the Apache License, Version 2.0 (the "License"); | ||||
| you may not use this file except in compliance with the License. | ||||
| You may obtain a copy of the License at | ||||
| 
 | ||||
|     http://www.apache.org/licenses/LICENSE-2.0
 | ||||
| 
 | ||||
| Unless required by applicable law or agreed to in writing, software | ||||
| distributed under the License is distributed on an "AS IS" BASIS, | ||||
| WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. | ||||
| See the License for the specific language governing permissions and | ||||
| limitations under the License. | ||||
| */ | ||||
| 
 | ||||
| import expect from 'expect'; | ||||
| 
 | ||||
| import DecryptionFailureTracker from '../src/DecryptionFailureTracker'; | ||||
| 
 | ||||
| import { MatrixEvent } from 'matrix-js-sdk'; | ||||
| 
 | ||||
| function createFailedDecryptionEvent() { | ||||
|     const event = new MatrixEvent({ | ||||
|         event_id: "event-id-" + Math.random().toString(16).slice(2), | ||||
|     }); | ||||
|     event._setClearData( | ||||
|         event._badEncryptedMessage(":("), | ||||
|     ); | ||||
|     return event; | ||||
| } | ||||
| 
 | ||||
| describe('DecryptionFailureTracker', function() { | ||||
|     it('tracks a failed decryption', function(done) { | ||||
|         const failedDecryptionEvent = createFailedDecryptionEvent(); | ||||
|         let trackedFailure = null; | ||||
|         const tracker = new DecryptionFailureTracker((failure) => { | ||||
|             trackedFailure = failure; | ||||
|         }); | ||||
| 
 | ||||
|         tracker.eventDecrypted(failedDecryptionEvent); | ||||
| 
 | ||||
|         // Pretend "now" is Infinity
 | ||||
|         tracker.checkFailures(Infinity); | ||||
| 
 | ||||
|         // Immediately track the newest failure, if there is one
 | ||||
|         tracker.trackFailure(); | ||||
| 
 | ||||
|         expect(trackedFailure).toNotBe(null, 'should track a failure for an event that failed decryption'); | ||||
| 
 | ||||
|         done(); | ||||
|     }); | ||||
| 
 | ||||
|     it('does not track a failed decryption where the event is subsequently successfully decrypted', (done) => { | ||||
|         const decryptedEvent = createFailedDecryptionEvent(); | ||||
|         const tracker = new DecryptionFailureTracker((failure) => { | ||||
|             expect(true).toBe(false, 'should not track an event that has since been decrypted correctly'); | ||||
|         }); | ||||
| 
 | ||||
|         tracker.eventDecrypted(decryptedEvent); | ||||
| 
 | ||||
|         // Indicate successful decryption: clear data can be anything where the msgtype is not m.bad.encrypted
 | ||||
|         decryptedEvent._setClearData({}); | ||||
|         tracker.eventDecrypted(decryptedEvent); | ||||
| 
 | ||||
|         // Pretend "now" is Infinity
 | ||||
|         tracker.checkFailures(Infinity); | ||||
| 
 | ||||
|         // Immediately track the newest failure, if there is one
 | ||||
|         tracker.trackFailure(); | ||||
|         done(); | ||||
|     }); | ||||
| 
 | ||||
|     it('only tracks a single failure per event, despite multiple failed decryptions for multiple events', (done) => { | ||||
|         const decryptedEvent = createFailedDecryptionEvent(); | ||||
|         const decryptedEvent2 = createFailedDecryptionEvent(); | ||||
| 
 | ||||
|         let count = 0; | ||||
|         const tracker = new DecryptionFailureTracker((failure) => count++); | ||||
| 
 | ||||
|         // Arbitrary number of failed decryptions for both events
 | ||||
|         tracker.eventDecrypted(decryptedEvent); | ||||
|         tracker.eventDecrypted(decryptedEvent); | ||||
|         tracker.eventDecrypted(decryptedEvent); | ||||
|         tracker.eventDecrypted(decryptedEvent); | ||||
|         tracker.eventDecrypted(decryptedEvent); | ||||
|         tracker.eventDecrypted(decryptedEvent2); | ||||
|         tracker.eventDecrypted(decryptedEvent2); | ||||
|         tracker.eventDecrypted(decryptedEvent2); | ||||
| 
 | ||||
|         // Pretend "now" is Infinity
 | ||||
|         tracker.checkFailures(Infinity); | ||||
| 
 | ||||
|         // Simulated polling of `trackFailure`, an arbitrary number ( > 2 ) times
 | ||||
|         tracker.trackFailure(); | ||||
|         tracker.trackFailure(); | ||||
|         tracker.trackFailure(); | ||||
|         tracker.trackFailure(); | ||||
| 
 | ||||
|         expect(count).toBe(2, count + ' failures tracked, should only track a single failure per event'); | ||||
| 
 | ||||
|         done(); | ||||
|     }); | ||||
| 
 | ||||
|     it('track failures in the order they occured', (done) => { | ||||
|         const decryptedEvent = createFailedDecryptionEvent(); | ||||
|         const decryptedEvent2 = createFailedDecryptionEvent(); | ||||
| 
 | ||||
|         const failures = []; | ||||
|         const tracker = new DecryptionFailureTracker((failure) => failures.push(failure)); | ||||
| 
 | ||||
|         // Indicate decryption
 | ||||
|         tracker.eventDecrypted(decryptedEvent); | ||||
|         tracker.eventDecrypted(decryptedEvent2); | ||||
| 
 | ||||
|         // Pretend "now" is Infinity
 | ||||
|         tracker.checkFailures(Infinity); | ||||
| 
 | ||||
|         // Simulated polling of `trackFailure`, an arbitrary number ( > 2 ) times
 | ||||
|         tracker.trackFailure(); | ||||
|         tracker.trackFailure(); | ||||
| 
 | ||||
|         expect(failures.length).toBe(2, 'expected 2 failures to be tracked, got ' + failures.length); | ||||
|         expect(failures[0].failedEventId).toBe(decryptedEvent.getId(), 'the first failure should be tracked first'); | ||||
|         expect(failures[1].failedEventId).toBe(decryptedEvent2.getId(), 'the second failure should be tracked second'); | ||||
| 
 | ||||
|         done(); | ||||
|     }); | ||||
| 
 | ||||
|     it('should not track a failure for an event that was tracked previously', (done) => { | ||||
|         const decryptedEvent = createFailedDecryptionEvent(); | ||||
| 
 | ||||
|         const failures = []; | ||||
|         const tracker = new DecryptionFailureTracker((failure) => failures.push(failure)); | ||||
| 
 | ||||
|         // Indicate decryption
 | ||||
|         tracker.eventDecrypted(decryptedEvent); | ||||
| 
 | ||||
|         // Pretend "now" is Infinity
 | ||||
|         tracker.checkFailures(Infinity); | ||||
| 
 | ||||
|         tracker.trackFailure(); | ||||
| 
 | ||||
|         // Indicate a second decryption, after having tracked the failure
 | ||||
|         tracker.eventDecrypted(decryptedEvent); | ||||
| 
 | ||||
|         tracker.trackFailure(); | ||||
| 
 | ||||
|         expect(failures.length).toBe(1, 'should only track a single failure per event'); | ||||
| 
 | ||||
|         done(); | ||||
|     }); | ||||
| 
 | ||||
|     xit('should not track a failure for an event that was tracked in a previous session', (done) => { | ||||
|         // This test uses localStorage, clear it beforehand
 | ||||
|         localStorage.clear(); | ||||
| 
 | ||||
|         const decryptedEvent = createFailedDecryptionEvent(); | ||||
| 
 | ||||
|         const failures = []; | ||||
|         const tracker = new DecryptionFailureTracker((failure) => failures.push(failure)); | ||||
| 
 | ||||
|         // Indicate decryption
 | ||||
|         tracker.eventDecrypted(decryptedEvent); | ||||
| 
 | ||||
|         // Pretend "now" is Infinity
 | ||||
|         // NB: This saves to localStorage specific to DFT
 | ||||
|         tracker.checkFailures(Infinity); | ||||
| 
 | ||||
|         tracker.trackFailure(); | ||||
| 
 | ||||
|         // Simulate the browser refreshing by destroying tracker and creating a new tracker
 | ||||
|         const secondTracker = new DecryptionFailureTracker((failure) => failures.push(failure)); | ||||
| 
 | ||||
|         //secondTracker.loadTrackedEventHashMap();
 | ||||
| 
 | ||||
|         secondTracker.eventDecrypted(decryptedEvent); | ||||
|         secondTracker.checkFailures(Infinity); | ||||
|         secondTracker.trackFailure(); | ||||
| 
 | ||||
|         expect(failures.length).toBe(1, 'should track a single failure per event per session, got ' + failures.length); | ||||
| 
 | ||||
|         done(); | ||||
|     }); | ||||
| }); | ||||
		Loading…
	
		Reference in New Issue
	
	 David Baker
						David Baker