123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473 |
- import React, {useCallback, useContext, useEffect, useRef, useState} from 'react';
- import {useTheme} from '@emotion/react';
- import {Replayer, ReplayerEvents} from 'rrweb';
- import {
- clearAllHighlights,
- highlightNode,
- removeHighlightedNode,
- } from 'sentry/utils/replays/highlightNode';
- import useRAF from 'sentry/utils/replays/hooks/useRAF';
- import type ReplayReader from 'sentry/utils/replays/replayReader';
- import usePrevious from 'sentry/utils/usePrevious';
- type Dimensions = {height: number; width: number};
- type RootElem = null | HTMLDivElement;
- type HighlightParams = {
- nodeId: number;
- annotation?: string;
- };
- // Important: Don't allow context Consumers to access `Replayer` directly.
- // It has state that, when changed, will not trigger a react render.
- // Instead only expose methods that wrap `Replayer` and manage state.
- type ReplayPlayerContextProps = {
- /**
- * Clear all existing highlights in replay
- */
- clearAllHighlights: () => void;
- /**
- * The time, in milliseconds, where the user focus is.
- * The user focus can be reported by any collaborating object, usually on
- * hover.
- */
- currentHoverTime: undefined | number;
- /**
- * The current time of the video, in milliseconds
- * The value is updated on every animation frame, about every 16.6ms
- */
- currentTime: number;
- /**
- * Original dimensions in pixels of the captured browser window
- */
- dimensions: Dimensions;
- /**
- * The calculated speed of the player when fast-forwarding through idle moments in the video
- * The value is set to `0` when the video is not fast-forwarding
- * The speed is automatically determined by the length of each idle period
- */
- fastForwardSpeed: number;
- /**
- * Highlight a node in the replay
- */
- highlight: (args: HighlightParams) => void;
- /**
- * Required to be called with a <div> Ref
- * Represents the location in the DOM where the iframe video should be mounted
- *
- * @param _root
- */
- initRoot: (root: RootElem) => void;
- /**
- * Set to true while the library is reconstructing the DOM
- */
- isBuffering: boolean;
- /**
- * Set to true when the replay finish event is fired
- */
- isFinished: boolean;
- /**
- * Whether the video is currently playing
- */
- isPlaying: boolean;
- /**
- * Whether fast-forward mode is enabled if RRWeb detects idle moments in the video
- */
- isSkippingInactive: boolean;
- /**
- * Removes a highlighted node from the replay
- */
- removeHighlight: ({nodeId}: {nodeId: number}) => void;
- /**
- * The core replay data
- */
- replay: ReplayReader | null;
- /**
- * Restart the replay
- */
- restart: () => void;
- /**
- * Set the currentHoverTime so collaborating components can highlight related
- * information
- */
- setCurrentHoverTime: (time: undefined | number) => void;
- /**
- * Jump the video to a specific time
- */
- setCurrentTime: (time: number) => void;
- /**
- * Set speed for normal playback
- */
- setSpeed: (speed: number) => void;
- /**
- * The speed for normal playback
- */
- speed: number;
- /**
- * Start or stop playback
- *
- * @param play
- */
- togglePlayPause: (play: boolean) => void;
- /**
- * Allow RRWeb to use Fast-Forward mode for idle moments in the video
- *
- * @param skip
- */
- toggleSkipInactive: (skip: boolean) => void;
- };
- const ReplayPlayerContext = React.createContext<ReplayPlayerContextProps>({
- clearAllHighlights: () => {},
- currentHoverTime: undefined,
- currentTime: 0,
- dimensions: {height: 0, width: 0},
- fastForwardSpeed: 0,
- highlight: () => {},
- initRoot: () => {},
- isBuffering: false,
- isFinished: false,
- isPlaying: false,
- isSkippingInactive: true,
- removeHighlight: () => {},
- replay: null,
- restart: () => {},
- setCurrentHoverTime: () => {},
- setCurrentTime: () => {},
- setSpeed: () => {},
- speed: 1,
- togglePlayPause: () => {},
- toggleSkipInactive: () => {},
- });
- type Props = {
- children: React.ReactNode;
- replay: ReplayReader | null;
- /**
- * Time, in seconds, when the video should start
- */
- initialTimeOffset?: number;
- /**
- * Override return fields for testing
- */
- value?: Partial<ReplayPlayerContextProps>;
- };
- function useCurrentTime(callback: () => number) {
- const [currentTime, setCurrentTime] = useState(0);
- useRAF(() => setCurrentTime(callback));
- return currentTime;
- }
- export function Provider({children, replay, initialTimeOffset = 0, value = {}}: Props) {
- const events = replay?.getRRWebEvents();
- const theme = useTheme();
- const oldEvents = usePrevious(events);
- // Note we have to check this outside of hooks, see `usePrevious` comments
- const hasNewEvents = events !== oldEvents;
- const replayerRef = useRef<Replayer>(null);
- const [dimensions, setDimensions] = useState<Dimensions>({height: 0, width: 0});
- const [currentHoverTime, setCurrentHoverTime] = useState<undefined | number>();
- const [isPlaying, setIsPlaying] = useState(false);
- const [finishedAtMS, setFinishedAtMS] = useState<number>(-1);
- const [isSkippingInactive, setIsSkippingInactive] = useState(true);
- const [speed, setSpeedState] = useState(1);
- const [fastForwardSpeed, setFFSpeed] = useState(0);
- const [buffer, setBufferTime] = useState({target: -1, previous: -1});
- const playTimer = useRef<number | undefined>(undefined);
- const unMountedRef = useRef(false);
- const isFinished = replayerRef.current?.getCurrentTime() === finishedAtMS;
- const forceDimensions = (dimension: Dimensions) => {
- setDimensions(dimension);
- };
- const onFastForwardStart = (e: {speed: number}) => {
- setFFSpeed(e.speed);
- };
- const onFastForwardEnd = () => {
- setFFSpeed(0);
- };
- const highlight = useCallback(({nodeId, annotation}: HighlightParams) => {
- const replayer = replayerRef.current;
- if (!replayer) {
- return;
- }
- highlightNode({replayer, nodeId, annotation});
- }, []);
- const clearAllHighlightsCallback = useCallback(() => {
- const replayer = replayerRef.current;
- if (!replayer) {
- return;
- }
- clearAllHighlights({replayer});
- }, []);
- const removeHighlight = useCallback(({nodeId}: {nodeId: number}) => {
- const replayer = replayerRef.current;
- if (!replayer) {
- return;
- }
- removeHighlightedNode({replayer, nodeId});
- }, []);
- const setReplayFinished = useCallback(() => {
- setFinishedAtMS(replayerRef.current?.getCurrentTime() ?? -1);
- setIsPlaying(false);
- }, []);
- const initRoot = useCallback(
- (root: RootElem) => {
- if (events === undefined) {
- return;
- }
- if (root === null) {
- return;
- }
- if (replayerRef.current) {
- if (!hasNewEvents && !unMountedRef.current) {
- // Already have a player for these events, the parent node must've re-rendered
- return;
- }
- if (replayerRef.current.iframe.contentDocument?.body.childElementCount === 0) {
- // If this is true, then no need to clear old iframe as nothing was rendered
- return;
- }
- // We have new events, need to clear out the old iframe because a new
- // `Replayer` instance is about to be created
- while (root.firstChild) {
- root.removeChild(root.firstChild);
- }
- }
- // eslint-disable-next-line no-new
- const inst = new Replayer(events, {
- root,
- blockClass: 'sr-block',
- // liveMode: false,
- // triggerFocus: false,
- mouseTail: {
- duration: 0.75 * 1000,
- lineCap: 'round',
- lineWidth: 2,
- strokeStyle: theme.purple200,
- },
- // unpackFn: _ => _,
- // plugins: [],
- skipInactive: true,
- });
- // @ts-expect-error: rrweb types event handlers with `unknown` parameters
- inst.on(ReplayerEvents.Resize, forceDimensions);
- inst.on(ReplayerEvents.Finish, setReplayFinished);
- // @ts-expect-error: rrweb types event handlers with `unknown` parameters
- inst.on(ReplayerEvents.SkipStart, onFastForwardStart);
- inst.on(ReplayerEvents.SkipEnd, onFastForwardEnd);
- // `.current` is marked as readonly, but it's safe to set the value from
- // inside a `useEffect` hook.
- // See: https://reactjs.org/docs/hooks-faq.html#is-there-something-like-instance-variables
- // @ts-expect-error
- replayerRef.current = inst;
- if (unMountedRef.current) {
- unMountedRef.current = false;
- }
- },
- [events, theme.purple200, setReplayFinished, hasNewEvents]
- );
- useEffect(() => {
- const handleVisibilityChange = () => {
- if (document.visibilityState !== 'visible') {
- replayerRef.current?.pause();
- }
- };
- if (replayerRef.current && events) {
- initRoot(replayerRef.current.wrapper.parentElement as RootElem);
- document.addEventListener('visibilitychange', handleVisibilityChange);
- }
- return () => {
- document.removeEventListener('visibilitychange', handleVisibilityChange);
- };
- }, [initRoot, events]);
- const getCurrentTime = useCallback(
- () => (replayerRef.current ? Math.max(replayerRef.current.getCurrentTime(), 0) : 0),
- []
- );
- const setCurrentTime = useCallback(
- (requestedTimeMs: number) => {
- const replayer = replayerRef.current;
- if (!replayer) {
- return;
- }
- const maxTimeMs = replayerRef.current?.getMetaData().totalTime;
- const time = requestedTimeMs > maxTimeMs ? 0 : requestedTimeMs;
- // Sometimes rrweb doesn't get to the exact target time, as long as it has
- // changed away from the previous time then we can hide then buffering message.
- setBufferTime({target: time, previous: getCurrentTime()});
- // Clear previous timers. Without this (but with the setTimeout) multiple
- // requests to set the currentTime could finish out of order and cause jumping.
- if (playTimer.current) {
- window.clearTimeout(playTimer.current);
- }
- if (isPlaying) {
- playTimer.current = window.setTimeout(() => replayer.play(time), 0);
- setIsPlaying(true);
- } else {
- playTimer.current = window.setTimeout(() => replayer.pause(time), 0);
- setIsPlaying(false);
- }
- },
- [getCurrentTime, isPlaying]
- );
- const setSpeed = useCallback(
- (newSpeed: number) => {
- const replayer = replayerRef.current;
- if (!replayer) {
- return;
- }
- if (isPlaying) {
- replayer.pause();
- replayer.setConfig({speed: newSpeed});
- replayer.play(getCurrentTime());
- } else {
- replayer.setConfig({speed: newSpeed});
- }
- setSpeedState(newSpeed);
- },
- [getCurrentTime, isPlaying]
- );
- const togglePlayPause = useCallback(
- (play: boolean) => {
- const replayer = replayerRef.current;
- if (!replayer) {
- return;
- }
- if (play) {
- replayer.play(getCurrentTime());
- } else {
- replayer.pause(getCurrentTime());
- }
- setIsPlaying(play);
- },
- [getCurrentTime]
- );
- const restart = useCallback(() => {
- if (replayerRef.current) {
- replayerRef.current.play(0);
- setIsPlaying(true);
- }
- }, []);
- const toggleSkipInactive = useCallback((skip: boolean) => {
- const replayer = replayerRef.current;
- if (!replayer) {
- return;
- }
- if (skip !== replayer.config.skipInactive) {
- replayer.setConfig({skipInactive: skip});
- }
- setIsSkippingInactive(skip);
- }, []);
- // Only on pageload: set the initial playback timestamp
- useEffect(() => {
- if (initialTimeOffset && events && replayerRef.current) {
- setCurrentTime(initialTimeOffset * 1000);
- }
- return () => {
- unMountedRef.current = true;
- };
- }, [events, replayerRef.current]); // eslint-disable-line react-hooks/exhaustive-deps
- const currentPlayerTime = useCurrentTime(getCurrentTime);
- const [isBuffering, currentTime] =
- buffer.target !== -1 &&
- buffer.previous === currentPlayerTime &&
- buffer.target !== buffer.previous
- ? [true, buffer.target]
- : [false, currentPlayerTime];
- if (!isBuffering && buffer.target !== -1) {
- setBufferTime({target: -1, previous: -1});
- }
- return (
- <ReplayPlayerContext.Provider
- value={{
- clearAllHighlights: clearAllHighlightsCallback,
- currentHoverTime,
- currentTime,
- dimensions,
- fastForwardSpeed,
- highlight,
- initRoot,
- isBuffering,
- isFinished,
- isPlaying,
- isSkippingInactive,
- removeHighlight,
- replay,
- restart,
- setCurrentHoverTime,
- setCurrentTime,
- setSpeed,
- speed,
- togglePlayPause,
- toggleSkipInactive,
- ...value,
- }}
- >
- {children}
- </ReplayPlayerContext.Provider>
- );
- }
- export const useReplayContext = () => useContext(ReplayPlayerContext);
|