import { Color, Object3D, PerspectiveCamera, Quaternion, Vector3, WebGLState } from "three";

import { InputEvents } from "../engine/engine_input.js";
import { RoomEvents } from "../engine/engine_networking.js";
import type { IModel } from "../engine/engine_networking_types.js";
import { RaycastOptions } from "../engine/engine_physics.js";
import { PlayerView, ViewDevice } from "../engine/engine_playerview.js";
import { serializable } from "../engine/engine_serialization.js";
import { Context } from "../engine/engine_setup.js";
import type { ICamera } from "../engine/engine_types.js";
import { DeviceUtilities, getParam } from "../engine/engine_utils.js";
import { PlayerState } from "../engine-components-experimental/networking/PlayerSync.js";
import { Camera } from "./Camera.js";
import { Behaviour, Component, GameObject } from "./Component.js";
import { OrbitControls } from "./OrbitControls.js";
import { SmoothFollow } from "./SmoothFollow.js";
import { AvatarMarker } from "./webxr/WebXRAvatar.js";
import { XRStateFlag } from "./webxr/XRFlag.js";


/**
 * Defines the viewing perspective in spectator mode
 */
export enum SpectatorMode {
    /** View from the perspective of the followed player */
    FirstPerson = 0,
    /** Freely view from a third-person perspective */
    ThirdPerson = 1,
}

const debug = getParam("debugspectator");

/**
 * SpectatorCamera enables following and spectating other users in networked sessions.  
 * Switch between first-person (see what they see) and third-person (orbit around them) views.  
 *
 * **Keyboard controls** (when `useKeys = true`):  
 * - `F` - Request all users to follow the local player
 * - `ESC` - Stop spectating
 *
 * **Spectator modes:**  
 * - `FirstPerson` - View from the followed player's perspective
 * - `ThirdPerson` - Freely orbit around the followed player
 *
 * **Debug:** Use `?debugspectator` URL parameter for logging.
 *
 * @example Start spectating a user
 * ```ts
 * const spectator = camera.getComponent(SpectatorCamera);
 * spectator.follow(targetUserId);
 * spectator.mode = SpectatorMode.ThirdPerson;
 * ```
 *
 * @summary Spectator camera for following other users
 * @category Networking
 * @group Components
 * @see {@link SpectatorMode} for view options
 * @see {@link SyncedRoom} for networked sessions
 * @see {@link OrbitControls} for third-person orbit
 */
export class SpectatorCamera extends Behaviour {

    /** Reference to the Camera component on this GameObject */
    cam: Camera | null = null;

    /** 
     * When enabled, pressing F will send a request to all connected users to follow the local player.
     * Pressing ESC will stop spectating.
     */
    @serializable()
    useKeys: boolean = true;

    private _mode: SpectatorMode = SpectatorMode.FirstPerson;

    /** Gets the current spectator perspective mode */
    get mode() { return this._mode; }
    /** Sets the current spectator perspective mode */
    set mode(val: SpectatorMode) {
        this._mode = val;
    }

    /** Returns whether this user is currently spectating another user */
    get isSpectating(): boolean {
        return this._handler?.currentTarget !== undefined;
    }

    /**
     * Checks if this instance is spectating the user with the given ID
     * @param userId The user ID to check
     * @returns True if spectating the specified user, false otherwise
     */
    isSpectatingUser(userId: string): boolean {
        return this.target?.userId === userId;
    }

    /**
     * Checks if the user with the specified ID is following this user
     * @param userId The user ID to check
     * @returns True if the specified user is following this user, false otherwise
     */
    isFollowedBy(userId: string): boolean {
        return this.followers?.includes(userId);
    }

    /** List of user IDs that are currently following the user */
    get followers(): string[] {
        return this._networking.followers;
    }

    /** Stops the current spectating session */
    stopSpectating() {
        if (this.context.isInXR) {
            this.followSelf();
            return;
        }
        this.target = undefined;
    }

    /** Gets the local player's connection ID */
    private get localId(): string {
        return this.context.connection.connectionId ?? "local";
    }

    /** 
     * Sets the player view to follow
     * @param target The PlayerView to follow, or undefined to stop spectating
     */
    set target(target: PlayerView | undefined) {
        if (this._handler) {

            // if (this.target?.userId) {
            //     const isFollowedByThisUser = this.followers.includes(this.target.userId);
            //     if (isFollowedByThisUser) {
            //         console.warn("Can not follow follower");
            //         target = undefined;
            //     }
            // }

            const prev = this._handler.currentTarget?.userId;
            const self = this.context.players.getPlayerView(this.localId);

            // if user is in XR and sets target to self disable it
            if (target === undefined || (this.context.isInXR === false && self?.currentObject === target.currentObject)) {
                if (this._handler.currentTarget !== undefined) {
                    this._handler.disable();
                    GameObject.setActive(this.gameObject, false);
                    if (this.orbit) this.orbit.enabled = true;
                    this._networking.onSpectatedObjectChanged(target, prev);
                }
            }
            else if (this._handler.currentTarget !== target) {
                this._handler.set(target);
                GameObject.setActive(this.gameObject, true);
                if (this.orbit) this.orbit.enabled = false;
                this._networking.onSpectatedObjectChanged(target, prev);
            }
        }
    }

    /** Gets the currently followed player view */
    get target(): PlayerView | undefined {
        return this._handler?.currentTarget;
    }

    /** Sends a network request for all users to follow this player */
    requestAllFollowMe() {
        this._networking.onRequestFollowMe();
    }

    /** Determines if the camera is spectating the local player */
    private get isSpectatingSelf() {
        return this.isSpectating && this.target?.currentObject === this.context.players.getPlayerView(this.localId)?.currentObject;
    }

    // private currentViewport : Vector4 = new Vector4();
    // private currentScissor : Vector4 = new Vector4();
    // private currentScissorTest : boolean = false;

    private orbit: OrbitControls | null = null;
    private _handler?: ISpectatorHandler;
    private eventSub_WebXRRequestStartEvent: Function | null = null;
    private eventSub_WebXRStartEvent: Function | null = null;
    private eventSub_WebXREndEvent: Function | null = null;
    private _debug?: SpectatorSelectionController;
    private _networking!: SpectatorCamNetworking;

    awake(): void {
        this._debug = new SpectatorSelectionController(this.context, this);
        this._networking = new SpectatorCamNetworking(this.context, this);
        this._networking.awake();

        GameObject.setActive(this.gameObject, false);

        this.cam = GameObject.getComponent(this.gameObject, Camera);
        if (!this.cam) {
            console.warn("SpectatorCamera: Spectator camera needs camera component on the same object.", this);
            return;
        }

        if (!this._handler && this.cam)
            this._handler = new SpectatorHandler(this.context, this.cam, this);

        this.orbit = GameObject.getComponent(this.context.mainCamera, OrbitControls);
    }

    onDestroy(): void {
        this.stopSpectating();
        this._handler?.destroy();
        this._networking?.destroy();
    }

    /**
     * Checks if the current platform supports spectator mode
     * @returns True if the platform is supported, false otherwise
     */
    private isSupportedPlatform() {
        const ua = window.navigator.userAgent;
        const isHololens = /Windows NT/.test(ua) && /Edg/.test(ua) && !/Win64/.test(ua);
        return DeviceUtilities.isDesktop() && !DeviceUtilities.isMobileDevice() && !isHololens;
    }

    /**
     * Called before entering WebXR mode
     * @param _evt The WebXR event
     */
    onBeforeXR(_evt) {
        if (!this.isSupportedPlatform()) return;
        GameObject.setActive(this.gameObject, true);
    }

    /**
     * Called when entering WebXR mode
     * @param _evt The WebXR event
     */
    onEnterXR(_evt) {
        if (!this.isSupportedPlatform()) return;
        if (debug) console.log(this.context.mainCamera);
        if (this.context.mainCamera) {
            this.followSelf();
        }
    }

    /**
     * Called when exiting WebXR mode
     * @param _evt The WebXR event
     */
    onLeaveXR(_evt) {
        this.context.removeCamera(this.cam as ICamera);
        GameObject.setActive(this.gameObject, false);
        this._handler?.set(undefined);
        this._handler?.disable();
        if (this.isSpectatingSelf)
            this.stopSpectating();
        // Importantly re-enable orbit controls on main camera at the end here. This is a workaround for https://linear.app/needle/issue/NE-6897
        if (this.orbit) this.orbit.enabled = true;
    }

    /**
     * Sets the target to follow the local player
     */
    private followSelf() {
        this.target = this.context.players.getPlayerView(this.context.connection.connectionId);
        if (!this.target) {
            this.context.players.setPlayerView(this.localId, this.context.mainCamera, ViewDevice.Headset);
            this.target = this.context.players.getPlayerView(this.localId);
        }
        if (debug) console.log("Follow self", this.target);
    }

    // TODO: only show Spectator cam for DesktopVR;
    // don't show for AR, don't show on Quest
    // TODO: properly align cameras on enter/exit VR, seems currently spectator cam breaks alignment
    /**
     * Called after the main rendering pass to render the spectator view
     */
    onAfterRender(): void {
        if (!this.cam) return;

        const renderer = this.context.renderer;
        const xrWasEnabled = renderer.xr.enabled;

        if (!renderer.xr.isPresenting && !this._handler?.currentTarget) return;

        this._handler?.update(this._mode);

        // remember XR render target so we can restore later
        const previousRenderTarget = renderer.getRenderTarget();
        let oldFramebuffer: WebGLFramebuffer | null = null;


        const webglState = renderer.state as WebGLState & { bindXRFramebuffer?: Function };


        // seems that in some cases, renderer.getRenderTarget returns null
        // even when we're rendering to a headset.
        if (!previousRenderTarget || 
            // Prevent rendering if in XR - @TODO: check if we need to allow this for VR?
            previousRenderTarget["isXRRenderTarget"] === true) 
        {
            if (!renderer.state.bindFramebuffer || !webglState.bindXRFramebuffer)
                return;

            oldFramebuffer = renderer["_framebuffer"];
            webglState.bindXRFramebuffer(null);
        }

        this.setAvatarFlagsBeforeRender();

        const mainCam = this.context.mainCameraComponent;

        // these should not be needed if we don't override viewport/scissor
        // renderer.getViewport(this.currentViewport);
        // renderer.getScissor(this.currentScissor);
        // this.currentScissorTest = renderer.getScissorTest();
        // for scissor rendering (e.g. just a part of the screen / viewport, multiplayer split view)
        // let left = 0;
        // let bottom = 100;
        // let width = 300;
        // let height = 300;
        // renderer.setViewport(left, bottom, width, height);
        // renderer.setScissor(left, bottom, width, height);
        // renderer.setScissorTest(true);
        if (mainCam) {
            const backgroundColor = mainCam.backgroundColor;
            if (backgroundColor)
                renderer.setClearColor(backgroundColor, backgroundColor.alpha);
            this.cam.backgroundColor = backgroundColor;
            this.cam.clearFlags = mainCam.clearFlags;
            this.cam.nearClipPlane = mainCam.nearClipPlane;
            this.cam.farClipPlane = mainCam.farClipPlane;
        }
        else
            renderer.setClearColor(new Color(1, 1, 1));
        renderer.setRenderTarget(null); // null: direct to Canvas
        renderer.xr.enabled = false;
        const cam = this.cam?.threeCamera;
        this.context.updateAspect(cam as PerspectiveCamera);
        const wasPresenting = renderer.xr.isPresenting;
        renderer.xr.isPresenting = false;
        renderer.setSize(this.context.domWidth, this.context.domHeight);
        renderer.render(this.context.scene, cam);
        renderer.xr.isPresenting = wasPresenting;

        // restore previous settings so we can continue to render XR
        renderer.xr.enabled = xrWasEnabled;
        //renderer.setViewport(this.currentViewport);
        //renderer.setScissor(this.currentScissor);
        //renderer.setScissorTest(this.currentScissorTest);

        if (previousRenderTarget)
            renderer.setRenderTarget(previousRenderTarget);
        else if (webglState.bindXRFramebuffer)
            webglState.bindXRFramebuffer(oldFramebuffer);

        this.resetAvatarFlags();
    }

    /**
     * Updates avatar visibility flags for rendering in spectator mode
     */
    private setAvatarFlagsBeforeRender() {
        const isFirstPersonMode = this._mode === SpectatorMode.FirstPerson;

        for (const av of AvatarMarker.instances) {
            if (av.avatar && "isLocalAvatar" in av.avatar && "flags" in av.avatar) {
                let mask = XRStateFlag.All;
                if (this.isSpectatingSelf)
                    mask = isFirstPersonMode && av.avatar.isLocalAvatar ? XRStateFlag.FirstPerson : XRStateFlag.ThirdPerson;
                const flags = av.avatar.flags;
                if (!flags) continue;
                for (const flag of flags) {
                    flag.UpdateVisible(mask);
                }
            }
        }
    }

    /**
     * Restores avatar visibility flags after spectator rendering
     */
    private resetAvatarFlags() {
        for (const av of AvatarMarker.instances) {
            if (av.avatar && "flags" in av.avatar) {
                const flags = av.avatar.flags;
                if (!flags) continue;
                for (const flag of flags) {
                    if ("isLocalAvatar" in av.avatar && av.avatar?.isLocalAvatar) {
                        flag.UpdateVisible(XRStateFlag.FirstPerson);
                    }
                    else {
                        flag.UpdateVisible(XRStateFlag.ThirdPerson);
                    }
                }
            }
        }
    }
}

/**
 * Interface for handling spectator camera behavior
 */
interface ISpectatorHandler {
    context: Context;
    get currentTarget(): PlayerView | undefined;
    set(target?: PlayerView): void;
    update(mode: SpectatorMode);
    disable();
    destroy();
}

/**
 * Handles the smooth following behavior for the spectator camera
 */
class SpectatorHandler implements ISpectatorHandler {

    readonly context: Context;
    readonly cam: Camera;
    readonly spectator: SpectatorCamera;

    private follow?: SmoothFollow;
    private target?: Object3D;
    private view?: PlayerView;
    private currentObject: Object3D | undefined;

    /** Gets the currently targeted player view */
    get currentTarget(): PlayerView | undefined {
        return this.view;
    }

    constructor(context: Context, cam: Camera, spectator: SpectatorCamera) {
        this.context = context;
        this.cam = cam;
        this.spectator = spectator;
    }

    /**
     * Sets the target player view to follow
     * @param view The PlayerView to follow
     */
    set(view?: PlayerView): void {
        const followObject = view?.currentObject;
        if (!followObject) {
            this.spectator.stopSpectating();
            return;
        }
        if (followObject === this.currentObject) return;
        this.currentObject = followObject;
        this.view = view;
        if (!this.follow)
            this.follow = GameObject.addComponent(this.cam.gameObject, SmoothFollow);
        if (!this.target)
            this.target = new Object3D();
        followObject.add(this.target);

        this.follow.enabled = true;
        this.follow.target = this.target;
        // this.context.setCurrentCamera(this.cam);
        if (debug) console.log("FOLLOW", followObject);
        if (!this.context.isInXR) {
            this.context.setCurrentCamera(this.cam as ICamera);
        }
        else this.context.removeCamera(this.cam as ICamera);
    }

    /** Disables the spectator following behavior */
    disable() {
        if (debug) console.log("STOP FOLLOW", this.currentObject);
        this.view = undefined;
        this.currentObject = undefined;
        this.context.removeCamera(this.cam as ICamera);
        if (this.follow)
            this.follow.enabled = false;
    }

    /** Cleans up resources used by the handler */
    destroy() {
        this.target?.removeFromParent();
        if (this.follow)
            GameObject.destroy(this.follow);
    }

    /**
     * Updates the camera position and orientation based on the spectator mode
     * @param mode The current spectator mode (first or third person)
     */
    update(mode: SpectatorMode) {
        if (this.currentTarget?.isConnected === false || this.currentTarget?.removed === true) {
            if (debug) console.log("Target disconnected or timeout", this.currentTarget);
            this.spectator.stopSpectating();
            return;
        }
        if (this.currentTarget && this.currentTarget?.currentObject !== this.currentObject) {
            if (debug) console.log("Target changed", this.currentObject, "to", this.currentTarget.currentObject);
            this.set(this.currentTarget);
        }
        const perspectiveCamera = this.context.mainCamera as PerspectiveCamera;
        if (perspectiveCamera) {
            const cam = this.cam.threeCamera;
            if (cam.near !== perspectiveCamera.near || cam.far !== perspectiveCamera.far) {
                cam.near = perspectiveCamera.near;
                cam.far = perspectiveCamera.far;
                cam.updateProjectionMatrix();
            }
        }

        const target = this.follow?.target;
        if (!target || !this.follow) return;
        switch (mode) {
            case SpectatorMode.FirstPerson:
                if (this.view?.viewDevice !== ViewDevice.Browser) {
                    // soft follow for AR and VR
                    this.follow.followFactor = 5;
                    this.follow.rotateFactor = 5;
                }
                else {
                    // snappy follow for desktop
                    this.follow.followFactor = 50;
                    this.follow.rotateFactor = 50;
                }
                target.position.set(0, 0, 0);
                break;
            case SpectatorMode.ThirdPerson:
                this.follow.followFactor = 3;
                this.follow.rotateFactor = 2;
                target.position.set(0, .5, 1.5);
                break;
        }
        this.follow.flipForward = false;
        // console.log(this.view);
        if (this.view?.viewDevice !== ViewDevice.Browser)
            target.quaternion.copy(_inverseYQuat);
        else target.quaternion.identity();
    }
}

const _inverseYQuat = new Quaternion().setFromAxisAngle(new Vector3(0, 1, 0), Math.PI);

/**
 * Handles user input for selecting targets to spectate
 */
class SpectatorSelectionController {

    private readonly context: Context;
    private readonly spectator: SpectatorCamera;

    constructor(context: Context, spectator: SpectatorCamera) {
        this.context = context;
        this.spectator = spectator;
        console.log("[Spectator Camera] Click other avatars or cameras to follow them. Press ESC to exit spectator mode.");
        this.context.domElement.addEventListener("keydown", (evt) => {
            if(!this.spectator.useKeys) return;
            const key = evt.key;
            if (key === "Escape") {
                this.spectator.stopSpectating();
            }
        });
        let downTime: number = 0;
        this.context.input.addEventListener(InputEvents.PointerDown, _ => {
            downTime = this.context.time.time;
        });
        this.context.input.addEventListener(InputEvents.PointerUp, _ => {
            const dt = this.context.time.time - downTime;
            if (dt > 1) {
                this.spectator.stopSpectating();
            }
            else if (this.context.input.getPointerClicked(0) && dt < .3)
                this.trySelectObject();
        });
    }

    /**
     * Attempts to select an avatar to spectate through raycasting
     */
    private trySelectObject() {
        const opts = new RaycastOptions();
        opts.setMask(0xffffff);
        // opts.cam = this.spectator.cam?.cam;
        const hits = this.context.physics.raycast(opts);
        if (debug) console.log(...hits);
        if (hits?.length) {
            for (const hit of hits) {
                if (hit.distance < .2) continue;
                const obj = hit.object;
                // For WebXR
                const state = PlayerState.getFor(obj);
                let id = state?.owner;
                // for SpectatorCamera
                if (!id) {
                    const avatar = GameObject.getComponentInParent(obj, AvatarMarker);
                    id = avatar?.connectionId;
                }
                if (id) {
                    const view = this.context.players.getPlayerView(id);
                    this.spectator.target = view;
                    if (debug) console.log("spectate", id, state);
                    break;
                }
            }
        }
    }
}

/**
 * Network model for communicating follower changes
 */
class SpectatorFollowerChangedEventModel implements IModel {
    /** The user ID that is following */
    guid: string;
    readonly dontSave: boolean = true;

    /** The user ID being followed */
    targetUserId: string | undefined;
    /** Indicates if the user stopped following */
    stoppedFollowing: boolean;

    constructor(connectionId: string, userId: string | undefined, stoppedFollowing: boolean) {
        this.guid = connectionId;
        this.targetUserId = userId;
        this.stoppedFollowing = stoppedFollowing;
    }
}

/**
 * Network model for requesting users to follow a specific player
 */
class SpectatorFollowEventModel implements IModel {
    guid: string;
    userId: string | undefined;

    constructor(comp: Component, userId: string | undefined) {
        this.guid = comp.guid;
        this.userId = userId;
    }
}

/**
 * Handles network communication for spectator functionality
 */
class SpectatorCamNetworking {

    /** List of user IDs currently following this player */
    readonly followers: string[] = [];

    private readonly context: Context;
    private readonly spectator: SpectatorCamera;
    private _followerEventMethod: (evt: SpectatorFollowerChangedEventModel) => void;
    private _requestFollowMethod: (evt: SpectatorFollowEventModel) => void;
    private _joinedRoomMethod: () => void;

    constructor(context: Context, spectator: SpectatorCamera) {
        this.context = context;
        this.spectator = spectator;
        this._followerEventMethod = this.onFollowerEvent.bind(this);
        this._requestFollowMethod = this.onRequestFollowEvent.bind(this);
        this._joinedRoomMethod = this.onUserJoinedRoom.bind(this);
    }

    /**
     * Initializes network event listeners
     */
    awake() {
        this.context.connection.beginListen("spectator-follower-changed", this._followerEventMethod);
        this.context.connection.beginListen("spectator-request-follow", this._requestFollowMethod);
        this.context.connection.beginListen(RoomEvents.JoinedRoom, this._joinedRoomMethod);
        this.context.domElement.addEventListener("keydown", evt => {
            if (!this.spectator.useKeys) return;
            if (evt.key === "f") {
                this.onRequestFollowMe();
            }
            else if (evt.key === "Escape") {
                this.onRequestFollowMe(true);
            }
        });
    }

    /**
     * Removes network event listeners
     */
    destroy() {
        this.context.connection.stopListen("spectator-follower-changed", this._followerEventMethod);
        this.context.connection.stopListen("spectator-request-follow", this._requestFollowMethod);
        this.context.connection.stopListen(RoomEvents.JoinedRoom, this._joinedRoomMethod);
    }

    /**
     * Notifies other users about spectating target changes
     * @param target The new target being spectated
     * @param _prevId The previous target's user ID
     */
    onSpectatedObjectChanged(target: PlayerView | undefined, _prevId?: string) {
        if (debug)
            console.log(this.context.connection.connectionId, "onSpectatedObjectChanged", target, _prevId);
        if (this.context.connection.connectionId) {
            const stopped = target?.userId === undefined;
            const userId = stopped ? _prevId : target?.userId;
            const evt = new SpectatorFollowerChangedEventModel(this.context.connection.connectionId, userId, stopped);
            this.context.connection.send("spectator-follower-changed", evt)
        }
    }

    /**
     * Requests other users to follow this player or stop following
     * @param stop Whether to request users to stop following
     */
    onRequestFollowMe(stop: boolean = false) {
        if (debug)
            console.log("Request follow", this.context.connection.connectionId);
        if (this.context.connection.connectionId) {
            this.spectator.stopSpectating();
            const id = stop ? undefined : this.context.connection.connectionId;
            const model = new SpectatorFollowEventModel(this.spectator, id);
            this.context.connection.send("spectator-request-follow", model);
        }
    }

    /**
     * Handles room join events
     */
    private onUserJoinedRoom() {
        if (getParam("followme")) {
            this.onRequestFollowMe();
        }
    }

    /**
     * Processes follower status change events from the network
     * @param evt The follower change event data
     */
    private onFollowerEvent(evt: SpectatorFollowerChangedEventModel) {
        const userBeingFollowed = evt.targetUserId;
        const userThatIsFollowing = evt.guid;

        if (debug)
            console.log(evt);

        if (userBeingFollowed === this.context.connection.connectionId) {
            if (evt.stoppedFollowing) {
                const index = this.followers.indexOf(userThatIsFollowing);
                if (index !== -1) {
                    this.followers.splice(index, 1);
                    this.removeDisconnectedFollowers();
                    console.log(userThatIsFollowing, "unfollows you", this.followers.length);
                }
            }
            else {
                if (!this.followers.includes(userThatIsFollowing)) {
                    this.followers.push(userThatIsFollowing);
                    this.removeDisconnectedFollowers();
                    console.log(userThatIsFollowing, "follows you", this.followers.length);
                }
            }
        }
    }

    /**
     * Removes followers that are no longer connected to the room
     */
    private removeDisconnectedFollowers() {
        for (let i = this.followers.length - 1; i >= 0; i--) {
            const id = this.followers[i];
            if (this.context.connection.userIsInRoom(id) === false) {
                this.followers.splice(i, 1);
            }
        }
    }

    private _lastRequestFollowUser: SpectatorFollowEventModel | undefined;

    /**
     * Handles follow requests from other users
     * @param evt The follow request event
     * @returns True if the request was handled successfully
     */
    private onRequestFollowEvent(evt: SpectatorFollowEventModel) {
        this._lastRequestFollowUser = evt;

        if (evt.userId === this.context.connection.connectionId) {
            this.spectator.stopSpectating();
        }
        else if (evt.userId === undefined) {
            // this will currently also stop spectating if the user is not following you
            this.spectator.stopSpectating();
        }
        else {
            const view = this.context.players.getPlayerView(evt.userId);
            if (view) {
                this.spectator.target = view;
            }
            else {
                if (debug)
                    console.warn("Could not find view", evt.userId);
                this.enforceFollow();
                return false;
            }
        }
        return true;
    }

    private _enforceFollowInterval: any;

    /**
     * Periodically retries following a user if the initial attempt failed
     */
    private enforceFollow() {
        if (this._enforceFollowInterval) return;
        this._enforceFollowInterval = setInterval(() => {
            if (this._lastRequestFollowUser === undefined || this._lastRequestFollowUser.userId && this.spectator.isFollowedBy(this._lastRequestFollowUser.userId)) {
                clearInterval(this._enforceFollowInterval);
                this._enforceFollowInterval = undefined;
            }
            else {
                if (debug)
                    console.log("REQUEST FOLLOW AGAIN", this._lastRequestFollowUser.userId);
                this.onRequestFollowEvent(this._lastRequestFollowUser);
            }

        }, 1000);
    }
}