/* Copyright 2015, 2016 OpenMarket Ltd Copyright 2017 Vector Creations Ltd Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. 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. */ /* * State vars: * 'can': { * kick: boolean, * ban: boolean, * mute: boolean, * modifyLevel: boolean * }, * 'muted': boolean, * 'isTargetMod': boolean */ import React from 'react'; import classNames from 'classnames'; import dis from '../../../dispatcher'; import Modal from '../../../Modal'; import sdk from '../../../index'; import { _t } from '../../../languageHandler'; import createRoom from '../../../createRoom'; import DMRoomMap from '../../../utils/DMRoomMap'; import Unread from '../../../Unread'; import { findReadReceiptFromUserId } from '../../../utils/Receipt'; import withMatrixClient from '../../../wrappers/withMatrixClient'; import AccessibleButton from '../elements/AccessibleButton'; import GeminiScrollbar from 'react-gemini-scrollbar'; module.exports = withMatrixClient(React.createClass({ displayName: 'MemberInfo', propTypes: { matrixClient: React.PropTypes.object.isRequired, member: React.PropTypes.object.isRequired, }, getInitialState: function() { return { can: { kick: false, ban: false, mute: false, modifyLevel: false, }, muted: false, isTargetMod: false, updating: 0, devicesLoading: true, devices: null, isIgnoring: false, }; }, componentWillMount: function() { this._cancelDeviceList = null; // only display the devices list if our client supports E2E this._enableDevices = this.props.matrixClient.isCryptoEnabled(); const cli = this.props.matrixClient; cli.on("deviceVerificationChanged", this.onDeviceVerificationChanged); cli.on("Room", this.onRoom); cli.on("deleteRoom", this.onDeleteRoom); cli.on("Room.timeline", this.onRoomTimeline); cli.on("Room.name", this.onRoomName); cli.on("Room.receipt", this.onRoomReceipt); cli.on("RoomState.events", this.onRoomStateEvents); cli.on("RoomMember.name", this.onRoomMemberName); cli.on("accountData", this.onAccountData); this._checkIgnoreState(); }, componentDidMount: function() { this._updateStateForNewMember(this.props.member); }, componentWillReceiveProps: function(newProps) { if (this.props.member.userId != newProps.member.userId) { this._updateStateForNewMember(newProps.member); } }, componentWillUnmount: function() { const client = this.props.matrixClient; if (client) { client.removeListener("deviceVerificationChanged", this.onDeviceVerificationChanged); client.removeListener("Room", this.onRoom); client.removeListener("deleteRoom", this.onDeleteRoom); client.removeListener("Room.timeline", this.onRoomTimeline); client.removeListener("Room.name", this.onRoomName); client.removeListener("Room.receipt", this.onRoomReceipt); client.removeListener("RoomState.events", this.onRoomStateEvents); client.removeListener("RoomMember.name", this.onRoomMemberName); client.removeListener("accountData", this.onAccountData); } if (this._cancelDeviceList) { this._cancelDeviceList(); } }, _checkIgnoreState: function() { const isIgnoring = this.props.matrixClient.isUserIgnored(this.props.member.userId); this.setState({isIgnoring: isIgnoring}); }, _disambiguateDevices: function(devices) { const names = Object.create(null); for (let i = 0; i < devices.length; i++) { var name = devices[i].getDisplayName(); const indexList = names[name] || []; indexList.push(i); names[name] = indexList; } for (name in names) { if (names[name].length > 1) { names[name].forEach((j)=>{ devices[j].ambiguous = true; }); } } }, onDeviceVerificationChanged: function(userId, device) { if (!this._enableDevices) { return; } if (userId == this.props.member.userId) { // no need to re-download the whole thing; just update our copy of // the list. // Promise.resolve to handle transition from static result to promise; can be removed // in future Promise.resolve(this.props.matrixClient.getStoredDevicesForUser(userId)).then((devices) => { this.setState({devices: devices}); }); } }, onRoom: function(room) { this.forceUpdate(); }, onDeleteRoom: function(roomId) { this.forceUpdate(); }, onRoomTimeline: function(ev, room, toStartOfTimeline) { if (toStartOfTimeline) return; this.forceUpdate(); }, onRoomName: function(room) { this.forceUpdate(); }, onRoomReceipt: function(receiptEvent, room) { // because if we read a notification, it will affect notification count // only bother updating if there's a receipt from us if (findReadReceiptFromUserId(receiptEvent, this.props.matrixClient.credentials.userId)) { this.forceUpdate(); } }, onRoomStateEvents: function(ev, state) { this.forceUpdate(); }, onRoomMemberName: function(ev, member) { this.forceUpdate(); }, onAccountData: function(ev) { if (ev.getType() == 'm.direct') { this.forceUpdate(); } }, _updateStateForNewMember: function(member) { const newState = this._calculateOpsPermissions(member); newState.devicesLoading = true; newState.devices = null; this.setState(newState); if (this._cancelDeviceList) { this._cancelDeviceList(); this._cancelDeviceList = null; } this._downloadDeviceList(member); }, _downloadDeviceList: function(member) { if (!this._enableDevices) { return; } let cancelled = false; this._cancelDeviceList = function() { cancelled = true; }; const client = this.props.matrixClient; const self = this; client.downloadKeys([member.userId], true).then(() => { return client.getStoredDevicesForUser(member.userId); }).finally(function() { self._cancelDeviceList = null; }).done(function(devices) { if (cancelled) { // we got cancelled - presumably a different user now return; } self._disambiguateDevices(devices); self.setState({devicesLoading: false, devices: devices}); }, function(err) { console.log("Error downloading devices", err); self.setState({devicesLoading: false}); }); }, onIgnoreToggle: function() { const ignoredUsers = this.props.matrixClient.getIgnoredUsers(); if (this.state.isIgnoring) { const index = ignoredUsers.indexOf(this.props.member.userId); if (index !== -1) ignoredUsers.splice(index, 1); } else { ignoredUsers.push(this.props.member.userId); } this.props.matrixClient.setIgnoredUsers(ignoredUsers).then(() => this.setState({isIgnoring: !this.state.isIgnoring})); }, onKick: function() { const membership = this.props.member.membership; const ConfirmUserActionDialog = sdk.getComponent("dialogs.ConfirmUserActionDialog"); Modal.createTrackedDialog('Confirm User Action Dialog', 'onKick', ConfirmUserActionDialog, { member: this.props.member, action: membership === "invite" ? _t("Disinvite") : _t("Kick"), title: membership === "invite" ? _t("Disinvite this user?") : _t("Kick this user?"), askReason: membership == "join", danger: true, onFinished: (proceed, reason) => { if (!proceed) return; this.setState({ updating: this.state.updating + 1 }); this.props.matrixClient.kick( this.props.member.roomId, this.props.member.userId, reason || undefined, ).then(function() { // NO-OP; rely on the m.room.member event coming down else we could // get out of sync if we force setState here! console.log("Kick success"); }, function(err) { const ErrorDialog = sdk.getComponent("dialogs.ErrorDialog"); console.error("Kick error: " + err); Modal.createTrackedDialog('Failed to kick', '', ErrorDialog, { title: _t("Failed to kick"), description: ((err && err.message) ? err.message : "Operation failed"), }); }, ).finally(()=>{ this.setState({ updating: this.state.updating - 1 }); }); }, }); }, onBanOrUnban: function() { const ConfirmUserActionDialog = sdk.getComponent("dialogs.ConfirmUserActionDialog"); Modal.createTrackedDialog('Confirm User Action Dialog', 'onBanOrUnban', ConfirmUserActionDialog, { member: this.props.member, action: this.props.member.membership == 'ban' ? _t("Unban") : _t("Ban"), title: this.props.member.membership == 'ban' ? _t("Unban this user?") : _t("Ban this user?"), askReason: this.props.member.membership != 'ban', danger: this.props.member.membership != 'ban', onFinished: (proceed, reason) => { if (!proceed) return; this.setState({ updating: this.state.updating + 1 }); let promise; if (this.props.member.membership == 'ban') { promise = this.props.matrixClient.unban( this.props.member.roomId, this.props.member.userId, ); } else { promise = this.props.matrixClient.ban( this.props.member.roomId, this.props.member.userId, reason || undefined, ); } promise.then( function() { // NO-OP; rely on the m.room.member event coming down else we could // get out of sync if we force setState here! console.log("Ban success"); }, function(err) { const ErrorDialog = sdk.getComponent("dialogs.ErrorDialog"); console.error("Ban error: " + err); Modal.createTrackedDialog('Failed to ban user', '', ErrorDialog, { title: _t("Error"), description: _t("Failed to ban user"), }); }, ).finally(()=>{ this.setState({ updating: this.state.updating - 1 }); }); }, }); }, onMuteToggle: function() { const ErrorDialog = sdk.getComponent("dialogs.ErrorDialog"); const roomId = this.props.member.roomId; const target = this.props.member.userId; const room = this.props.matrixClient.getRoom(roomId); if (!room) { return; } const powerLevelEvent = room.currentState.getStateEvents( "m.room.power_levels", "", ); if (!powerLevelEvent) { return; } const isMuted = this.state.muted; const powerLevels = powerLevelEvent.getContent(); const levelToSend = ( (powerLevels.events ? powerLevels.events["m.room.message"] : null) || powerLevels.events_default ); let level; if (isMuted) { // unmute level = levelToSend; } else { // mute level = levelToSend - 1; } level = parseInt(level); if (level !== NaN) { this.setState({ updating: this.state.updating + 1 }); this.props.matrixClient.setPowerLevel(roomId, target, level, powerLevelEvent).then( function() { // NO-OP; rely on the m.room.member event coming down else we could // get out of sync if we force setState here! console.log("Mute toggle success"); }, function(err) { console.error("Mute error: " + err); Modal.createTrackedDialog('Failed to mute user', '', ErrorDialog, { title: _t("Error"), description: _t("Failed to mute user"), }); }, ).finally(()=>{ this.setState({ updating: this.state.updating - 1 }); }); } }, onModToggle: function() { const ErrorDialog = sdk.getComponent("dialogs.ErrorDialog"); const roomId = this.props.member.roomId; const target = this.props.member.userId; const room = this.props.matrixClient.getRoom(roomId); if (!room) { return; } const powerLevelEvent = room.currentState.getStateEvents( "m.room.power_levels", "", ); if (!powerLevelEvent) { return; } const me = room.getMember(this.props.matrixClient.credentials.userId); if (!me) { return; } const defaultLevel = powerLevelEvent.getContent().users_default; let modLevel = me.powerLevel - 1; if (modLevel > 50 && defaultLevel < 50) modLevel = 50; // try to stick with the vector level defaults // toggle the level const newLevel = this.state.isTargetMod ? defaultLevel : modLevel; this.setState({ updating: this.state.updating + 1 }); this.props.matrixClient.setPowerLevel(roomId, target, parseInt(newLevel), powerLevelEvent).then( function() { // NO-OP; rely on the m.room.member event coming down else we could // get out of sync if we force setState here! console.log("Mod toggle success"); }, function(err) { if (err.errcode == 'M_GUEST_ACCESS_FORBIDDEN') { dis.dispatch({action: 'view_set_mxid'}); } else { console.error("Toggle moderator error:" + err); Modal.createTrackedDialog('Failed to toggle moderator status', '', ErrorDialog, { title: _t("Error"), description: _t("Failed to toggle moderator status"), }); } }, ).finally(()=>{ this.setState({ updating: this.state.updating - 1 }); }); }, _applyPowerChange: function(roomId, target, powerLevel, powerLevelEvent) { this.setState({ updating: this.state.updating + 1 }); this.props.matrixClient.setPowerLevel(roomId, target, parseInt(powerLevel), powerLevelEvent).then( function() { // NO-OP; rely on the m.room.member event coming down else we could // get out of sync if we force setState here! console.log("Power change success"); }, function(err) { const ErrorDialog = sdk.getComponent("dialogs.ErrorDialog"); console.error("Failed to change power level " + err); Modal.createTrackedDialog('Failed to change power level', '', ErrorDialog, { title: _t("Error"), description: _t("Failed to change power level"), }); }, ).finally(()=>{ this.setState({ updating: this.state.updating - 1 }); }).done(); }, onPowerChange: function(powerLevel) { const ErrorDialog = sdk.getComponent("dialogs.ErrorDialog"); const roomId = this.props.member.roomId; const target = this.props.member.userId; const room = this.props.matrixClient.getRoom(roomId); const self = this; if (!room) { return; } const powerLevelEvent = room.currentState.getStateEvents( "m.room.power_levels", "", ); if (!powerLevelEvent) { return; } if (powerLevelEvent.getContent().users) { const myPower = powerLevelEvent.getContent().users[this.props.matrixClient.credentials.userId]; if (parseInt(myPower) === parseInt(powerLevel)) { const QuestionDialog = sdk.getComponent("dialogs.QuestionDialog"); Modal.createTrackedDialog('Promote to PL100 Warning', '', QuestionDialog, { title: _t("Warning!"), description:
{ _t("You will not be able to undo this change as you are promoting the user to have the same power level as yourself.") }
{ _t("Are you sure?") }
, button: _t("Continue"), onFinished: function(confirmed) { if (confirmed) { self._applyPowerChange(roomId, target, powerLevel, powerLevelEvent); } }, }); } else { this._applyPowerChange(roomId, target, powerLevel, powerLevelEvent); } } else { this._applyPowerChange(roomId, target, powerLevel, powerLevelEvent); } }, onNewDMClick: function() { this.setState({ updating: this.state.updating + 1 }); createRoom({dmUserId: this.props.member.userId}).finally(() => { this.setState({ updating: this.state.updating - 1 }); }).done(); }, onLeaveClick: function() { dis.dispatch({ action: 'leave_room', room_id: this.props.member.roomId, }); }, _calculateOpsPermissions: function(member) { const defaultPerms = { can: {}, muted: false, modifyLevel: false, }; const room = this.props.matrixClient.getRoom(member.roomId); if (!room) { return defaultPerms; } const powerLevels = room.currentState.getStateEvents( "m.room.power_levels", "", ); if (!powerLevels) { return defaultPerms; } const me = room.getMember(this.props.matrixClient.credentials.userId); if (!me) { return defaultPerms; } const them = member; return { can: this._calculateCanPermissions( me, them, powerLevels.getContent(), ), muted: this._isMuted(them, powerLevels.getContent()), isTargetMod: them.powerLevel > powerLevels.getContent().users_default, }; }, _calculateCanPermissions: function(me, them, powerLevels) { const can = { kick: false, ban: false, mute: false, modifyLevel: false, }; const canAffectUser = them.powerLevel < me.powerLevel; if (!canAffectUser) { //console.log("Cannot affect user: %s >= %s", them.powerLevel, me.powerLevel); return can; } const editPowerLevel = ( (powerLevels.events ? powerLevels.events["m.room.power_levels"] : null) || powerLevels.state_default ); const levelToSend = ( (powerLevels.events ? powerLevels.events["m.room.message"] : null) || powerLevels.events_default ); can.kick = me.powerLevel >= powerLevels.kick; can.ban = me.powerLevel >= powerLevels.ban; can.mute = me.powerLevel >= editPowerLevel; can.toggleMod = me.powerLevel > them.powerLevel && them.powerLevel >= levelToSend; can.modifyLevel = me.powerLevel > them.powerLevel; return can; }, _isMuted: function(member, powerLevelContent) { if (!powerLevelContent || !member) { return false; } const levelToSend = ( (powerLevelContent.events ? powerLevelContent.events["m.room.message"] : null) || powerLevelContent.events_default ); return member.powerLevel < levelToSend; }, onCancel: function(e) { dis.dispatch({ action: "view_user", member: null, }); }, onMemberAvatarClick: function() { const avatarUrl = this.props.member.user ? this.props.member.user.avatarUrl : this.props.member.events.member.getContent().avatar_url; if(!avatarUrl) return; const httpUrl = this.props.matrixClient.mxcUrlToHttp(avatarUrl); const ImageView = sdk.getComponent("elements.ImageView"); const params = { src: httpUrl, name: this.props.member.name, }; Modal.createDialog(ImageView, params, "mx_Dialog_lightbox"); }, onRoomTileClick(roomId) { dis.dispatch({ action: 'view_room', room_id: roomId, }); }, _renderDevices: function() { if (!this._enableDevices) { return null; } const devices = this.state.devices; const MemberDeviceInfo = sdk.getComponent('rooms.MemberDeviceInfo'); const Spinner = sdk.getComponent("elements.Spinner"); let devComponents; if (this.state.devicesLoading) { // still loading devComponents = ; } else if (devices === null) { devComponents = _t("Unable to load device list"); } else if (devices.length === 0) { devComponents = _t("No devices with registered encryption keys"); } else { devComponents = []; for (let i = 0; i < devices.length; i++) { devComponents.push(); } } return (

{ _t("Devices") }

{ devComponents }
); }, _renderUserOptions: function() { const cli = this.props.matrixClient; const member = this.props.member; let ignoreButton = null; let readReceiptButton = null; // Only allow the user to ignore the user if its not ourselves // same goes for jumping to read receipt if (member.userId !== cli.getUserId()) { ignoreButton = ( { this.state.isIgnoring ? _t("Unignore") : _t("Ignore") } ); if (member.roomId) { const room = cli.getRoom(member.roomId); const eventId = room.getEventReadUpTo(member.userId); const onReadReceiptButton = function() { dis.dispatch({ action: 'view_room', highlighted: true, event_id: eventId, room_id: member.roomId, }); }; readReceiptButton = ( { _t('Jump to read receipt') } ); } } if (!ignoreButton && !readReceiptButton) return null; return (

{ _t("User Options") }

{ readReceiptButton } { ignoreButton }
); }, render: function() { let startChat, kickButton, banButton, muteButton, giveModButton, spinner; if (this.props.member.userId !== this.props.matrixClient.credentials.userId) { const dmRoomMap = new DMRoomMap(this.props.matrixClient); const dmRooms = dmRoomMap.getDMRoomsForUserId(this.props.member.userId); const RoomTile = sdk.getComponent("rooms.RoomTile"); const tiles = []; for (const roomId of dmRooms) { const room = this.props.matrixClient.getRoom(roomId); if (room) { const me = room.getMember(this.props.matrixClient.credentials.userId); const highlight = ( room.getUnreadNotificationCount('highlight') > 0 || me.membership == "invite" ); tiles.push( , ); } } const labelClasses = classNames({ mx_MemberInfo_createRoom_label: true, mx_RoomTile_name: true, }); const startNewChat =
{ _t("Start a chat") }
; startChat =

{ _t("Direct chats") }

{ tiles } { startNewChat }
; } if (this.state.updating) { const Loader = sdk.getComponent("elements.Spinner"); spinner = ; } if (this.state.can.kick) { const membership = this.props.member.membership; const kickLabel = membership === "invite" ? _t("Disinvite") : _t("Kick"); kickButton = ( { kickLabel } ); } if (this.state.can.ban) { let label = _t("Ban"); if (this.props.member.membership == 'ban') { label = _t("Unban"); } banButton = ( { label } ); } if (this.state.can.mute) { const muteLabel = this.state.muted ? _t("Unmute") : _t("Mute"); muteButton = ( { muteLabel } ); } if (this.state.can.toggleMod) { const giveOpLabel = this.state.isTargetMod ? _t("Revoke Moderator") : _t("Make Moderator"); giveModButton = { giveOpLabel } ; } // TODO: we should have an invite button if this MemberInfo is showing a user who isn't actually in the current room yet // e.g. clicking on a linkified userid in a room let adminTools; if (kickButton || banButton || muteButton || giveModButton) { adminTools =

{ _t("Admin Tools") }

{ muteButton } { kickButton } { banButton } { giveModButton }
; } const memberName = this.props.member.name; if (this.props.member.user) { var presenceState = this.props.member.user.presence; var presenceLastActiveAgo = this.props.member.user.lastActiveAgo; const presenceLastTs = this.props.member.user.lastPresenceTs; var presenceCurrentlyActive = this.props.member.user.currentlyActive; } const MemberAvatar = sdk.getComponent('avatars.MemberAvatar'); const PowerSelector = sdk.getComponent('elements.PowerSelector'); const PresenceLabel = sdk.getComponent('rooms.PresenceLabel'); const EmojiText = sdk.getComponent('elements.EmojiText'); return (
{ memberName }
{ this.props.member.userId }
{ _t("Level:") }
{ this._renderUserOptions() } { adminTools } { startChat } { this._renderDevices() } { spinner }
); }, }));