/* Copyright 2022 Matrix.org Foundation C.I.C. 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 { Resizable } from "re-resizable"; import React, { useEffect, useState, useReducer, useRef, createContext, useContext, } from "react"; import ReactJson from "react-json-view"; import mermaid from "mermaid"; import styles from "./GroupCallInspector.module.css"; import { SelectInput } from "../input/SelectInput"; import { Item } from "@react-stately/collections"; function getCallUserId(call) { return call.getOpponentMember()?.userId || call.invitee || null; } function getCallState(call) { return { id: call.callId, opponentMemberId: getCallUserId(call), state: call.state, direction: call.direction, }; } function getHangupCallState(call) { return { ...getCallState(call), hangupReason: call.hangupReason, }; } const dateFormatter = new Intl.DateTimeFormat([], { hour: "2-digit", minute: "2-digit", second: "2-digit", fractionalSecondDigits: 3, }); const defaultCollapsedFields = [ "org.matrix.msc3401.call", "org.matrix.msc3401.call.member", "calls", "callStats", "hangupCalls", "toDeviceEvents", "sentVoipEvents", "content", ]; function shouldCollapse({ name, src, type, namespace }) { return defaultCollapsedFields.includes(name); } function getUserName(userId) { const match = userId.match(/@([^\:]+):/); return match && match.length > 0 ? match[1].replace("-", " ").replace(/\W/g, "") : userId.replace(/\W/g, ""); } function formatContent(type, content) { if (type === "m.call.hangup") { return `callId: ${content.call_id.slice(-4)} reason: ${ content.reason } senderSID: ${content.sender_session_id} destSID: ${ content.dest_session_id }`; } if (type.startsWith("m.call.")) { return `callId: ${content.call_id?.slice(-4)} senderSID: ${ content.sender_session_id } destSID: ${content.dest_session_id}`; } else if (type === "org.matrix.msc3401.call.member") { const call = content["m.calls"] && content["m.calls"].length > 0 && content["m.calls"][0]; const device = call && call["m.devices"] && call["m.devices"].length > 0 && call["m.devices"][0]; return `conf_id: ${call && call["m.call_id"].slice(-4)} sessionId: ${ device && device.session_id }`; } else { return ""; } } function formatTimestamp(timestamp) { return dateFormatter.format(timestamp); } export const InspectorContext = createContext(); export function InspectorContextProvider({ children }) { const context = useState({}); return ( {children} ); } export function SequenceDiagramViewer({ localUserId, remoteUserIds, selectedUserId, onSelectUserId, events, }) { const mermaidElRef = useRef(); useEffect(() => { mermaid.initialize({ startOnLoad: true, theme: "dark", sequence: { showSequenceNumbers: true, }, }); }, []); useEffect(() => { const graphDefinition = `sequenceDiagram participant ${getUserName(localUserId)} participant Room participant ${selectedUserId ? getUserName(selectedUserId) : "unknown"} ${ events ? events .map( ({ to, from, timestamp, type, content, ignored }) => `${getUserName(from)} ${ignored ? "-x" : "->>"} ${getUserName( to )}: ${formatTimestamp(timestamp)} ${type} ${formatContent( type, content )}` ) .join("\n ") : "" } `; mermaid.mermaidAPI.render("mermaid", graphDefinition, (svgCode) => { mermaidElRef.current.innerHTML = svgCode; }); }, [events, localUserId, selectedUserId]); return (
{remoteUserIds.map((userId) => ( {userId} ))}
); } function reducer(state, action) { switch (action.type) { case "receive_room_state_event": { const { event, callStateEvent, memberStateEvents } = action; let eventsByUserId = state.eventsByUserId; let remoteUserIds = state.remoteUserIds; if (event) { const fromId = event.getStateKey(); remoteUserIds = fromId === state.localUserId || eventsByUserId[fromId] ? state.remoteUserIds : [...state.remoteUserIds, fromId]; eventsByUserId = { ...state.eventsByUserId }; if (event.getStateKey() === state.localUserId) { for (const userId in eventsByUserId) { eventsByUserId[userId] = [ ...(eventsByUserId[userId] || []), { from: fromId, to: "Room", type: event.getType(), content: event.getContent(), timestamp: event.getTs() || Date.now(), ignored: false, }, ]; } } else { eventsByUserId[fromId] = [ ...(eventsByUserId[fromId] || []), { from: fromId, to: "Room", type: event.getType(), content: event.getContent(), timestamp: event.getTs() || Date.now(), ignored: false, }, ]; } } return { ...state, eventsByUserId, remoteUserIds, callStateEvent: callStateEvent.getContent(), memberStateEvents: Object.fromEntries( memberStateEvents.map((e) => [e.getStateKey(), e.getContent()]) ), }; } case "received_voip_event": { const event = action.event; const eventsByUserId = { ...state.eventsByUserId }; const fromId = event.getSender(); const toId = state.localUserId; const content = event.getContent(); const remoteUserIds = eventsByUserId[fromId] ? state.remoteUserIds : [...state.remoteUserIds, fromId]; eventsByUserId[fromId] = [ ...(eventsByUserId[fromId] || []), { from: fromId, to: toId, type: event.getType(), content, timestamp: event.getTs() || Date.now(), ignored: state.localSessionId !== content.dest_session_id, }, ]; return { ...state, eventsByUserId, remoteUserIds }; } case "send_voip_event": { const event = action.event; const eventsByUserId = { ...state.eventsByUserId }; const fromId = state.localUserId; const toId = event.userId; const remoteUserIds = eventsByUserId[toId] ? state.remoteUserIds : [...state.remoteUserIds, toId]; eventsByUserId[toId] = [ ...(eventsByUserId[toId] || []), { from: fromId, to: toId, type: event.eventType, content: event.content, timestamp: Date.now(), ignored: false, }, ]; return { ...state, eventsByUserId, remoteUserIds }; } default: return state; } } function useGroupCallState(client, groupCall, pollCallStats) { const [state, dispatch] = useReducer(reducer, { localUserId: client.getUserId(), localSessionId: client.getSessionId(), eventsByUserId: {}, remoteUserIds: [], callStateEvent: null, memberStateEvents: {}, }); useEffect(() => { function onUpdateRoomState(event) { const callStateEvent = groupCall.room.currentState.getStateEvents( "org.matrix.msc3401.call", groupCall.groupCallId ); const memberStateEvents = groupCall.room.currentState.getStateEvents( "org.matrix.msc3401.call.member" ); dispatch({ type: "receive_room_state_event", event, callStateEvent, memberStateEvents, }); } // function onCallsChanged() { // const calls = groupCall.calls.reduce((obj, call) => { // obj[ // `${call.callId} (${call.getOpponentMember()?.userId || call.sender})` // ] = getCallState(call); // return obj; // }, {}); // updateState({ calls }); // } // function onCallHangup(call) { // setState(({ hangupCalls, ...rest }) => ({ // ...rest, // hangupCalls: { // ...hangupCalls, // [`${call.callId} (${ // call.getOpponentMember()?.userId || call.sender // })`]: getHangupCallState(call), // }, // })); // dispatch({ type: "call_hangup", call }); // } function onReceivedVoipEvent(event) { dispatch({ type: "received_voip_event", event }); } function onSendVoipEvent(event) { dispatch({ type: "send_voip_event", event }); } client.on("RoomState.events", onUpdateRoomState); //groupCall.on("calls_changed", onCallsChanged); groupCall.on("send_voip_event", onSendVoipEvent); //client.on("state", onCallsChanged); //client.on("hangup", onCallHangup); client.on("received_voip_event", onReceivedVoipEvent); onUpdateRoomState(); return () => { client.removeListener("RoomState.events", onUpdateRoomState); //groupCall.removeListener("calls_changed", onCallsChanged); groupCall.removeListener("send_voip_event", onSendVoipEvent); //client.removeListener("state", onCallsChanged); //client.removeListener("hangup", onCallHangup); client.removeListener("received_voip_event", onReceivedVoipEvent); }; }, [client, groupCall]); // useEffect(() => { // let timeout; // async function updateCallStats() { // const callIds = groupCall.calls.map( // (call) => // `${call.callId} (${call.getOpponentMember()?.userId || call.sender})` // ); // const stats = await Promise.all( // groupCall.calls.map((call) => // call.peerConn // ? call.peerConn // .getStats(null) // .then((stats) => // Object.fromEntries( // Array.from(stats).map(([_id, report], i) => [ // report.type + i, // report, // ]) // ) // ) // : Promise.resolve(null) // ) // ); // const callStats = {}; // for (let i = 0; i < groupCall.calls.length; i++) { // callStats[callIds[i]] = stats[i]; // } // dispatch({ type: "callStats", callStats }); // timeout = setTimeout(updateCallStats, 1000); // } // if (pollCallStats) { // updateCallStats(); // } // return () => { // clearTimeout(timeout); // }; // }, [pollCallStats]); return state; } export function GroupCallInspector({ client, groupCall, show }) { const [currentTab, setCurrentTab] = useState("sequence-diagrams"); const [selectedUserId, setSelectedUserId] = useState(); const state = useGroupCallState(client, groupCall, show); const [_, setState] = useContext(InspectorContext); useEffect(() => { setState({ json: state }); }, [setState, state]); if (!show) { return null; } return (
{currentTab === "sequence-diagrams" && ( )} {currentTab === "inspector" && ( )}
); }