/* Copyright 2022 The 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 React, { useCallback, useContext, useEffect, useMemo, useRef, useState } from "react"; import { MatrixClient } from "matrix-js-sdk/src/matrix"; import { logger } from "matrix-js-sdk/src/logger"; import { _t } from "../../../../../languageHandler"; import Modal from "../../../../../Modal"; import SettingsSubsection from "../../shared/SettingsSubsection"; import SetupEncryptionDialog from "../../../dialogs/security/SetupEncryptionDialog"; import VerificationRequestDialog from "../../../dialogs/VerificationRequestDialog"; import LogoutDialog from "../../../dialogs/LogoutDialog"; import { useOwnDevices } from "../../devices/useOwnDevices"; import { FilteredDeviceList } from "../../devices/FilteredDeviceList"; import CurrentDeviceSection from "../../devices/CurrentDeviceSection"; import SecurityRecommendations from "../../devices/SecurityRecommendations"; import { ExtendedDevice } from "../../devices/types"; import { deleteDevicesWithInteractiveAuth } from "../../devices/deleteDevices"; import SettingsTab from "../SettingsTab"; import LoginWithQRSection from "../../devices/LoginWithQRSection"; import LoginWithQR, { Mode } from "../../../auth/LoginWithQR"; import { useAsyncMemo } from "../../../../../hooks/useAsyncMemo"; import QuestionDialog from "../../../dialogs/QuestionDialog"; import { FilterVariation } from "../../devices/filter"; import { OtherSessionsSectionHeading } from "../../devices/OtherSessionsSectionHeading"; import { SettingsSection } from "../../shared/SettingsSection"; import { OidcLogoutDialog } from "../../../dialogs/oidc/OidcLogoutDialog"; import { SDKContext } from "../../../../../contexts/SDKContext"; const confirmSignOut = async (sessionsToSignOutCount: number): Promise => { const { finished } = Modal.createDialog(QuestionDialog, { title: _t("action|sign_out"), description: (

{_t("settings|sessions|sign_out_confirm_description", { count: sessionsToSignOutCount, })}

), cancelButton: _t("action|cancel"), button: _t("action|sign_out"), }); const [confirmed] = await finished; return !!confirmed; }; const confirmDelegatedAuthSignOut = async (delegatedAuthAccountUrl: string, deviceId: string): Promise => { const { finished } = Modal.createDialog(OidcLogoutDialog, { deviceId, delegatedAuthAccountUrl, }); const [confirmed] = await finished; return !!confirmed; }; const useSignOut = ( matrixClient: MatrixClient, onSignoutResolvedCallback: () => Promise, delegatedAuthAccountUrl?: string, ): { onSignOutCurrentDevice: () => void; onSignOutOtherDevices: (deviceIds: ExtendedDevice["device_id"][]) => Promise; signingOutDeviceIds: ExtendedDevice["device_id"][]; } => { const [signingOutDeviceIds, setSigningOutDeviceIds] = useState([]); const onSignOutCurrentDevice = (): void => { Modal.createDialog( LogoutDialog, {}, // props, undefined, // className false, // isPriority true, // isStatic ); }; const onSignOutOtherDevices = async (deviceIds: ExtendedDevice["device_id"][]): Promise => { if (!deviceIds.length) { return; } // we can only sign out exactly one OIDC-aware device at a time // we should not encounter this if (delegatedAuthAccountUrl && deviceIds.length !== 1) { logger.warn("Unexpectedly tried to sign out multiple OIDC-aware devices."); return; } // delegated auth logout flow confirms and signs out together // so only confirm if we are NOT doing a delegated auth sign out if (!delegatedAuthAccountUrl) { const userConfirmedSignout = await confirmSignOut(deviceIds.length); if (!userConfirmedSignout) { return; } } try { setSigningOutDeviceIds([...signingOutDeviceIds, ...deviceIds]); const onSignOutFinished = async (success: boolean): Promise => { if (success) { await onSignoutResolvedCallback(); } setSigningOutDeviceIds(signingOutDeviceIds.filter((deviceId) => !deviceIds.includes(deviceId))); }; if (delegatedAuthAccountUrl) { const [deviceId] = deviceIds; try { setSigningOutDeviceIds([...signingOutDeviceIds, deviceId]); const success = await confirmDelegatedAuthSignOut(delegatedAuthAccountUrl, deviceId); await onSignOutFinished(success); } catch (error) { logger.error("Error deleting OIDC-aware sessions", error); } } else { await deleteDevicesWithInteractiveAuth(matrixClient, deviceIds, onSignOutFinished); } } catch (error) { logger.error("Error deleting sessions", error); setSigningOutDeviceIds(signingOutDeviceIds.filter((deviceId) => !deviceIds.includes(deviceId))); } }; return { onSignOutCurrentDevice, onSignOutOtherDevices, signingOutDeviceIds, }; }; const SessionManagerTab: React.FC = () => { const { devices, pushers, localNotificationSettings, currentDeviceId, isLoadingDeviceList, requestDeviceVerification, refreshDevices, saveDeviceName, setPushNotifications, supportsMSC3881, } = useOwnDevices(); const [filter, setFilter] = useState(); const [expandedDeviceIds, setExpandedDeviceIds] = useState([]); const [selectedDeviceIds, setSelectedDeviceIds] = useState([]); const filteredDeviceListRef = useRef(null); const scrollIntoViewTimeoutRef = useRef(); const sdkContext = useContext(SDKContext); const matrixClient = sdkContext.client!; /** * If we have a delegated auth account management URL, all sessions but the current session need to be managed in the * delegated auth provider. * See https://github.com/matrix-org/matrix-spec-proposals/pull/3824 */ const delegatedAuthAccountUrl = sdkContext.oidcClientStore.accountManagementEndpoint; const disableMultipleSignout = !!delegatedAuthAccountUrl; const userId = matrixClient?.getUserId(); const currentUserMember = (userId && matrixClient?.getUser(userId)) || undefined; const clientVersions = useAsyncMemo(() => matrixClient.getVersions(), [matrixClient]); const capabilities = useAsyncMemo(async () => matrixClient?.getCapabilities(), [matrixClient]); const wellKnown = useMemo(() => matrixClient?.getClientWellKnown(), [matrixClient]); const onDeviceExpandToggle = (deviceId: ExtendedDevice["device_id"]): void => { if (expandedDeviceIds.includes(deviceId)) { setExpandedDeviceIds(expandedDeviceIds.filter((id) => id !== deviceId)); } else { setExpandedDeviceIds([...expandedDeviceIds, deviceId]); } }; const onGoToFilteredList = (filter: FilterVariation): void => { setFilter(filter); clearTimeout(scrollIntoViewTimeoutRef.current); // wait a tick for the filtered section to rerender with different height scrollIntoViewTimeoutRef.current = window.setTimeout(() => filteredDeviceListRef.current?.scrollIntoView({ // align element to top of scrollbox block: "start", inline: "nearest", behavior: "smooth", }), ); }; const { [currentDeviceId]: currentDevice, ...otherDevices } = devices; const otherSessionsCount = Object.keys(otherDevices).length; const shouldShowOtherSessions = otherSessionsCount > 0; const onVerifyCurrentDevice = (): void => { Modal.createDialog(SetupEncryptionDialog, { onFinished: refreshDevices }); }; const onTriggerDeviceVerification = useCallback( (deviceId: ExtendedDevice["device_id"]) => { if (!requestDeviceVerification) { return; } const verificationRequestPromise = requestDeviceVerification(deviceId); Modal.createDialog(VerificationRequestDialog, { verificationRequestPromise, member: currentUserMember, onFinished: async (): Promise => { const request = await verificationRequestPromise; request.cancel(); await refreshDevices(); }, }); }, [requestDeviceVerification, refreshDevices, currentUserMember], ); const onSignoutResolvedCallback = async (): Promise => { await refreshDevices(); setSelectedDeviceIds([]); }; const { onSignOutCurrentDevice, onSignOutOtherDevices, signingOutDeviceIds } = useSignOut( matrixClient, onSignoutResolvedCallback, delegatedAuthAccountUrl, ); useEffect( () => () => { clearTimeout(scrollIntoViewTimeoutRef.current); }, [scrollIntoViewTimeoutRef], ); // clear selection when filter changes useEffect(() => { setSelectedDeviceIds([]); }, [filter, setSelectedDeviceIds]); const signOutAllOtherSessions = shouldShowOtherSessions && !disableMultipleSignout ? () => { onSignOutOtherDevices(Object.keys(otherDevices)); } : undefined; const [signInWithQrMode, setSignInWithQrMode] = useState(); const onQrFinish = useCallback(() => { setSignInWithQrMode(null); }, [setSignInWithQrMode]); const onShowQrClicked = useCallback(() => { setSignInWithQrMode(Mode.Show); }, [setSignInWithQrMode]); if (signInWithQrMode) { return ; } return ( saveDeviceName(currentDeviceId, deviceName)} onVerifyCurrentDevice={onVerifyCurrentDevice} onSignOutCurrentDevice={onSignOutCurrentDevice} signOutAllOtherSessions={signOutAllOtherSessions} otherSessionsCount={otherSessionsCount} /> {shouldShowOtherSessions && ( } description={_t("settings|sessions|best_security_note")} data-testid="other-sessions-section" stretchContent > )} ); }; export default SessionManagerTab;