Looking with the Mouse

How to 3D

Chapter 7: Camera and Terrain

Looking with the Mouse

First-person cameras are often aimed by the user's mouse movements. If the user moves the mouse left or right, the camera yaws. If the user moves the mouse up or down, the camera pitches. Applications with mouse-driven first-person cameras typically hide the mouse cursor because its absolute position isn't important. Only its relative motion matters.

Browsers provide the PointerLock API to control the mouse's behavior. When a script lock's the pointer, the mouse is not constrained to the canvas or even the screen, and the cursor is hidden. To protect users, the pointer cannot be locked until the user has interacted with the page in some way. This code locks the pointer after the user clicks anywhere in the browser window:

window.addEventListener('pointerdown', () => {
  document.body.requestPointerLock();
});
window.addEventListener('pointerdown', () => {
  document.body.requestPointerLock();
});

After the pointer is locked, any movement of the mouse will generate a pointermove event. With an unlocked pointer, we'd query the mouse location by accessing the event object's clientX and clientY properties. With a locked pointer, we care only about the mouse's relative movement, so we access the movementX and movementY properties instead. This move listener uses the horizontal movement to yaw the camera and the vertical movement to pitch the camera:

window.addEventListener('pointermove', event => {
  if (document.pointerLockElement) {
    camera.yaw(-event.movementX * rotationSpeed);
    camera.pitch(-event.movementY * rotationSpeed);
    render();
  }
});
window.addEventListener('pointermove', event => {
  if (document.pointerLockElement) {
    camera.yaw(-event.movementX * rotationSpeed);
    camera.pitch(-event.movementY * rotationSpeed);
    render();
  }
});

If the pointer is not locked, then the condition is false and the camera will not yaw or pitch as the mouse moves.

Try out the first-person camera in this renderer. Click on the canvas to lock the cursor. Then use the mouse to point the camera and the keys to strafe and advance.

Hit esc to regain the mouse cursor. This is the default behavior in desktop browsers; no additional event listener is needed to unlock the pointer.

The camera contains some additional logic that we didn't write earlier. Its pitch is clamped to 15 degrees up or down. If we don't clamp it, we run the risk of the forward vector aligning with the world's up vector and corrupting our matrix.

Pitching up or down changes the camera's forward vector. Advancing the camera pushes it along this new forward vector. By pitching and advancing, we can fly into the sky or descend through the floor. If this is bad, we might want to consider clamping the camera's vertical position in some way. In a moment, we'll clamp it to some terrain.

← Wasd and QeThird-person Camera →