/* eslint-disable react/prop-types */ import React, { useState, useEffect, useRef } from 'react'; import PropTypes from 'prop-types'; import './Message.scss'; import dateFormat from 'dateformat'; import { twemojify } from '../../../util/twemojify'; import initMatrix from '../../../client/initMatrix'; import { getUsername, getUsernameOfRoomMember, parseReply } from '../../../util/matrixUtil'; import colorMXID from '../../../util/colorMXID'; import { getEventCords } from '../../../util/common'; import { redactEvent, sendReaction } from '../../../client/action/roomTimeline'; import { openEmojiBoard, openProfileViewer, openReadReceipts, replyTo, } from '../../../client/action/navigation'; import { sanitizeCustomHtml } from '../../../util/sanitize'; import Text from '../../atoms/text/Text'; import RawIcon from '../../atoms/system-icons/RawIcon'; import Button from '../../atoms/button/Button'; import Tooltip from '../../atoms/tooltip/Tooltip'; import Input from '../../atoms/input/Input'; import Avatar from '../../atoms/avatar/Avatar'; import IconButton from '../../atoms/button/IconButton'; import ContextMenu, { MenuHeader, MenuItem, MenuBorder } from '../../atoms/context-menu/ContextMenu'; import * as Media from '../media/Media'; import ReplyArrowIC from '../../../../public/res/ic/outlined/reply-arrow.svg'; import EmojiAddIC from '../../../../public/res/ic/outlined/emoji-add.svg'; import VerticalMenuIC from '../../../../public/res/ic/outlined/vertical-menu.svg'; import PencilIC from '../../../../public/res/ic/outlined/pencil.svg'; import TickMarkIC from '../../../../public/res/ic/outlined/tick-mark.svg'; import BinIC from '../../../../public/res/ic/outlined/bin.svg'; function PlaceholderMessage() { return (
); } function MessageHeader({ userId, name, color, time, }) { return (
{twemojify(name)} {twemojify(userId)}
{time}
); } MessageHeader.propTypes = { userId: PropTypes.string.isRequired, name: PropTypes.string.isRequired, color: PropTypes.string.isRequired, time: PropTypes.string.isRequired, }; function MessageReply({ name, color, body }) { return (
{twemojify(name)} {' '} {twemojify(body)}
); } MessageReply.propTypes = { name: PropTypes.string.isRequired, color: PropTypes.string.isRequired, body: PropTypes.string.isRequired, }; function MessageReplyWrapper({ roomTimeline, eventId }) { const [reply, setReply] = useState(null); const isMountedRef = useRef(true); useEffect(() => { const mx = initMatrix.matrixClient; const timelineSet = roomTimeline.getUnfilteredTimelineSet(); const loadReply = async () => { const eTimeline = await mx.getEventTimeline(timelineSet, eventId); await roomTimeline.decryptAllEventsOfTimeline(eTimeline); const mEvent = eTimeline.getTimelineSet().findEventById(eventId); const rawBody = mEvent.getContent().body; const username = getUsernameOfRoomMember(mEvent.sender); if (isMountedRef.current === false) return; const fallbackBody = mEvent.isRedacted() ? '*** This message has been deleted ***' : '*** Unable to load reply content ***'; setReply({ to: username, color: colorMXID(mEvent.getSender()), body: parseReply(rawBody)?.body ?? rawBody ?? fallbackBody, event: mEvent, }); }; loadReply(); return () => { isMountedRef.current = false; }; }, []); const focusReply = () => { if (reply?.event.isRedacted()) return; roomTimeline.loadEventTimeline(eventId); }; return (
{reply !== null && }
); } MessageReplyWrapper.propTypes = { roomTimeline: PropTypes.shape({}).isRequired, eventId: PropTypes.string.isRequired, }; function MessageBody({ senderName, body, isCustomHTML, isEdited, msgType, }) { // if body is not string it is a React element. if (typeof body !== 'string') return
{body}
; const content = isCustomHTML ? twemojify(sanitizeCustomHtml(body), undefined, true, false) : twemojify(body, undefined, true); return (
{ msgType === 'm.emote' && ( <> {'* '} {twemojify(senderName)} {' '} )} { content }
{ isEdited && (edited)}
); } MessageBody.defaultProps = { isCustomHTML: false, isEdited: false, msgType: null, }; MessageBody.propTypes = { senderName: PropTypes.string.isRequired, body: PropTypes.node.isRequired, isCustomHTML: PropTypes.bool, isEdited: PropTypes.bool, msgType: PropTypes.string, }; function MessageEdit({ body, onSave, onCancel }) { const editInputRef = useRef(null); const handleKeyDown = (e) => { if (e.keyCode === 13 && e.shiftKey === false) { e.preventDefault(); onSave(editInputRef.current.value); } }; return (
{ e.preventDefault(); onSave(editInputRef.current.value); }}>
); } MessageEdit.propTypes = { body: PropTypes.string.isRequired, onSave: PropTypes.func.isRequired, onCancel: PropTypes.func.isRequired, }; function getMyEmojiEvent(emojiKey, eventId, roomTimeline) { const mx = initMatrix.matrixClient; const rEvents = roomTimeline.reactionTimeline.get(eventId); let rEvent = null; rEvents?.find((rE) => { if (rE.getRelation() === null) return false; if (rE.getRelation().key === emojiKey && rE.getSender() === mx.getUserId()) { rEvent = rE; return true; } return false; }); return rEvent; } function toggleEmoji(roomId, eventId, emojiKey, roomTimeline) { const myAlreadyReactEvent = getMyEmojiEvent(emojiKey, eventId, roomTimeline); if (myAlreadyReactEvent) { const rId = myAlreadyReactEvent.getId(); if (rId.startsWith('~')) return; redactEvent(roomId, rId); return; } sendReaction(roomId, eventId, emojiKey); } function pickEmoji(e, roomId, eventId, roomTimeline) { openEmojiBoard(getEventCords(e), (emoji) => { toggleEmoji(roomId, eventId, emoji.unicode, roomTimeline); e.target.click(); }); } function genReactionMsg(userIds, reaction) { const genLessContText = (text) => {text}; let msg = <>; userIds.forEach((userId, index) => { if (index === 0) msg = <>{getUsername(userId)}; // eslint-disable-next-line react/jsx-one-expression-per-line else if (index === userIds.length - 1) msg = <>{msg}{genLessContText(' and ')}{getUsername(userId)}; // eslint-disable-next-line react/jsx-one-expression-per-line else msg = <>{msg}{genLessContText(', ')}{getUsername(userId)}; }); return ( <> {msg} {genLessContText(' reacted with')} {twemojify(reaction, { className: 'react-emoji' })} ); } function MessageReaction({ reaction, count, users, isActive, onClick, }) { return ( {users.length > 0 ? genReactionMsg(users, reaction) : 'Unable to load who has reacted'}} > ); } MessageReaction.propTypes = { reaction: PropTypes.node.isRequired, count: PropTypes.number.isRequired, users: PropTypes.arrayOf(PropTypes.string).isRequired, isActive: PropTypes.bool.isRequired, onClick: PropTypes.func.isRequired, }; function MessageReactionGroup({ roomTimeline, mEvent }) { const { roomId, reactionTimeline } = roomTimeline; const eventId = mEvent.getId(); const mx = initMatrix.matrixClient; const reactions = {}; const eventReactions = reactionTimeline.get(eventId); const addReaction = (key, count, senderId, isActive) => { let reaction = reactions[key]; if (reaction === undefined) { reaction = { count: 0, users: [], isActive: false, }; } if (count) { reaction.count = count; } else { reaction.users.push(senderId); reaction.count = reaction.users.length; reaction.isActive = isActive; } reactions[key] = reaction; }; if (eventReactions) { eventReactions.forEach((rEvent) => { if (rEvent.getRelation() === null) return; const reaction = rEvent.getRelation(); const senderId = rEvent.getSender(); const isActive = senderId === mx.getUserId(); addReaction(reaction.key, undefined, senderId, isActive); }); } else { // Use aggregated reactions const aggregatedReaction = mEvent.getServerAggregatedRelation('m.annotation')?.chunk; if (!aggregatedReaction) return null; aggregatedReaction.forEach((reaction) => { if (reaction.type !== 'm.reaction') return; addReaction(reaction.key, reaction.count, undefined, false); }); } return (
{ Object.keys(reactions).map((key) => ( { toggleEmoji(roomId, eventId, key, roomTimeline); }} /> )) } { pickEmoji(e, roomId, eventId, roomTimeline); }} src={EmojiAddIC} size="extra-small" tooltip="Add reaction" />
); } MessageReactionGroup.propTypes = { roomTimeline: PropTypes.shape({}).isRequired, mEvent: PropTypes.shape({}).isRequired, }; function MessageOptions({ children }) { return (
{children}
); } MessageOptions.propTypes = { children: PropTypes.node.isRequired, }; function isMedia(mE) { return ( mE.getContent()?.msgtype === 'm.file' || mE.getContent()?.msgtype === 'm.image' || mE.getContent()?.msgtype === 'm.audio' || mE.getContent()?.msgtype === 'm.video' || mE.getType() === 'm.sticker' ); } function genMediaContent(mE) { const mx = initMatrix.matrixClient; const mContent = mE.getContent(); if (!mContent || !mContent.body) return Malformed event; let mediaMXC = mContent?.url; const isEncryptedFile = typeof mediaMXC === 'undefined'; if (isEncryptedFile) mediaMXC = mContent?.file?.url; let thumbnailMXC = mContent?.info?.thumbnail_url; if (typeof mediaMXC === 'undefined' || mediaMXC === '') return Malformed event; let msgType = mE.getContent()?.msgtype; if (mE.getType() === 'm.sticker') msgType = 'm.image'; switch (msgType) { case 'm.file': return ( ); case 'm.image': return ( ); case 'm.audio': return ( ); case 'm.video': if (typeof thumbnailMXC === 'undefined') { thumbnailMXC = mContent.info?.thumbnail_file?.url || null; } return ( ); default: return Malformed event; } } function getEditedBody(editedMEvent) { const newContent = editedMEvent.getContent()['m.new_content']; if (typeof newContent === 'undefined') return [null, false, null]; const isCustomHTML = newContent.format === 'org.matrix.custom.html'; const parsedContent = parseReply(newContent.body); if (parsedContent === null) { return [newContent.body, isCustomHTML, newContent.formatted_body ?? null]; } return [parsedContent.body, isCustomHTML, newContent.formatted_body ?? null]; } function Message({ mEvent, isBodyOnly, roomTimeline, focus, time }) { const [isEditing, setIsEditing] = useState(false); const mx = initMatrix.matrixClient; const { room, roomId, editedTimeline, reactionTimeline, } = roomTimeline; const className = ['message', (isBodyOnly ? 'message--body-only' : 'message--full')]; if (focus) className.push('message--focus'); const content = mEvent.getContent(); const eventId = mEvent.getId(); const msgType = content?.msgtype; const senderId = mEvent.getSender(); const mxidColor = colorMXID(senderId); let { body } = content; const avatarSrc = mEvent.sender.getAvatarUrl(initMatrix.matrixClient.baseUrl, 36, 36, 'crop'); const username = getUsernameOfRoomMember(mEvent.sender); if (typeof body === 'undefined') return null; if (msgType === 'm.emote') className.push('message--type-emote'); const myPowerlevel = room.getMember(mx.getUserId())?.powerLevel; const canIRedact = room.currentState.hasSufficientPowerLevelFor('redact', myPowerlevel); let isCustomHTML = content.format === 'org.matrix.custom.html'; const isEdited = editedTimeline.has(eventId); const haveReactions = reactionTimeline.has(eventId) || !!mEvent.getServerAggregatedRelation('m.annotation'); const isReply = !!mEvent.replyEventId; let customHTML = isCustomHTML ? content.formatted_body : null; if (isEdited) { const editedList = editedTimeline.get(eventId); const editedMEvent = editedList[editedList.length - 1]; [body, isCustomHTML, customHTML] = getEditedBody(editedMEvent); if (typeof body !== 'string') return null; } if (isReply) { body = parseReply(body)?.body ?? body; } return (
{!isBodyOnly && ( )}
{!isBodyOnly && ( )} {isReply && ( )} {!isEditing && ( )} {isEditing && ( { if (newBody !== body) { initMatrix.roomsInput.sendEditedMessage(roomId, mEvent, newBody); } setIsEditing(false); }} onCancel={() => setIsEditing(false)} /> )} {haveReactions && ( )} {!isEditing && ( pickEmoji(e, roomId, eventId, roomTimeline)} src={EmojiAddIC} size="extra-small" tooltip="Add reaction" /> replyTo(senderId, eventId, body)} src={ReplyArrowIC} size="extra-small" tooltip="Reply" /> {(senderId === mx.getUserId() && !isMedia(mEvent)) && ( setIsEditing(true)} src={PencilIC} size="extra-small" tooltip="Edit" /> )} ( <> Options openReadReceipts(roomId, roomTimeline.getEventReaders(eventId))} > Read receipts {(canIRedact || senderId === mx.getUserId()) && ( <> { if (window.confirm('Are you sure you want to delete this event')) { redactEvent(roomId, eventId); } }} > Delete )} )} render={(toggleMenu) => ( )} /> )}
); } Message.defaultProps = { isBodyOnly: false, focus: false, }; Message.propTypes = { mEvent: PropTypes.shape({}).isRequired, isBodyOnly: PropTypes.bool, roomTimeline: PropTypes.shape({}).isRequired, focus: PropTypes.bool, time: PropTypes.string.isRequired, }; export { Message, MessageReply, PlaceholderMessage };