DEV Community

Cover image for Using the MediaStream Web API to record screen, camera and audio
Antonio Piras
Antonio Piras

Posted on • Originally published at antopiras.dev on

Using the MediaStream Web API to record screen, camera and audio

Lately at work I had to create an app to let our users record their screen or camera and audio directly in the browser.

While the MDN web docs are well documented, there were a couple of issues I encountered down the road and I had to do quite a bit of googling around, testing some NPM packages and fight off weird browser compatibility issues, so… I though I would spare the souls of my fellow developers after me 😅

The idea

What I want to achieve here is fairly simple: let the users record either their screen or their camera plus audio and obtain a video of the recording.

Recording the camera and audio is fairly simple, since it uses the same API interface to record both devices and we have to work with a single stream.

Recording screen and audio requires us to merge two different media streams from two different APIs, but as you will see this is not that complicated.

Let’s outline what we’re going to do:

  1. Use the MediaDevices interface to capture a MediaStream from the user’s devices

  2. Record the media from the stream using the MediaRecorder API to generate a Blob object containing the recorded data

  3. Create a new Blob from the MediaRecorder data and generate a URL from it to download the video from

Time to write some code

DISCLAIMER: Most of the code here is meant to be used as an example.

In order to keep it as simple as possible I won’t be worrying about checking if the browser supports the API used in the code (at the time of writing, only Chrome and Firefox do) and so I won’t add any error handling, try/catch statements, etc….

Please don’t put any of this in production, I decline any responsibility in that case 🤣

Camera and audio stream

To record the webcam and the audio from a microphone (either the computer internal microphone or an external one) we can use the MediaDevices interface:

let mediaConstraints = {
  video: {
    width: 1280,
    height: 720
  },
  audio: {
    echoCancellation: true,
    noiseSuppression: true,
    sampleRate: 44100
  }
}

async function captureMediaDevices() {
  const stream = await navigator.mediaDevices.getUserMedia(mediaConstraints)
  return stream
}
Enter fullscreen mode Exit fullscreen mode

For simplicity’s sake I’m keeping the configuration options for the screen capture (the mediaConstraints object) very minimal, but there are quite a few options that can be configured, like the preferred device (useful for multiple webcam or microphone setups), sample rate, volume…

You can find more details here: DisplayMediaStreamConstraints - Web APIs | MDN

Screen stream

To record the user’s screen, be it a browser window, and application or the entire screen, the code is very similar:

async function captureScreen() {
  mediaConstraints = {
    video: {
      cursor: 'always',
      resizeMode: 'crop-and-scale'
    }
  }

  const screenStream = await navigator.mediaDevices.getDisplayMedia(mediaConstraints)
  return screenStream
}
Enter fullscreen mode Exit fullscreen mode

Note that both examples are asynchronous functions because the MediaDevice interface returns a promise.

Record the streams

To record the stream obtained before we will use the MediaRecorder API:

let recorder = null

async function recordStream() {
  const stream = await captureMediaDevices()
  recorder = new MediaRecorder(stream)
  let chunks = []

  recorder.ondataavailable = event => {
    if (event.data.size > 0) {
      chunks.push(event.data)
    }
  }

  recorder.onstop = () => {
    const blob = new Blob(chunks, {
      type: 'video/webm;codecs=vp9'
    })

    chunks = []
    const blobUrl = URL.createObjectURL(blob)

    console.log(blobUrl)
   }

  recorder.start(200)
}
Enter fullscreen mode Exit fullscreen mode

Let’s go through this step by step:

const stream = await captureMediaDevices()
recorder = new MediaRecorder(stream)
let chunks = []
Enter fullscreen mode Exit fullscreen mode

Here we just initialise the stream and the MediaRecorder with an empty chunks array that will contain the recorded chunks of data.

recorder.ondataavailable = event => {
  if (event.data.size > 0) {
    chunks.push(event.data)
  }
}
Enter fullscreen mode Exit fullscreen mode

On the MediaRecorder ondataavailable event we tell the MediaRecorder to push the recorded data inside the chunks array.

recorder.onstop = () => {
  const blob = new Blob(chunks, {
    type: 'video/webm'
  })

  chunks = []
  const blobUrl = URL.createObjectURL(blob)

  console.log(blobUrl)
}
Enter fullscreen mode Exit fullscreen mode

The onstop event handler creates a new Blob containing the recorded data stored in the chunks variable and the video/webm mymeType.

After that a URL is created from the blob and printed to the console. This URL can be used to download the file or upload it to a server.

recorder.start(200)
Enter fullscreen mode Exit fullscreen mode

This final method start the recording with a 200ms time interval.

Stop the recording

In order to stop the recording and release the user’s devices we need to call the stop() method on each track of the stream:

function stopRecording() {
 recorder.stream.getTracks().forEach(track => track.stop())
}
Enter fullscreen mode Exit fullscreen mode

Ok, but what about both screen and audio?

To record both the screen and the audio we need to obtain two separate streams and merge them into one single stream:

const screenStream = await captureScreen()

mediaConstraints = {
  audio: {
    echoCancellation: true,
    noiseSuppression: true,
    sampleRate: 44100
  },
  video: false
}

const audioStream = await captureMediaDevices()

const stream = new MediaStream([...screenStream.getTracks(), ...audioStream.getTracks()])
Enter fullscreen mode Exit fullscreen mode

I’m using the same captureMediaDevices function to capture the audio from the computer by changing the mediaConstraints object.

Then, using the getTracks() method of the MediaStream I’m obtaining every track of the two streams to create a new stream.

The rest of the code is the same as above.

Wrapping up…

This is everything you need to know to get started with media recording in the browser.

The MDN docs are an helpful resource for all the other methods and configurations available.

In a real world application you would worry about checking the browser compliance with the APIs, stopping and resuming the stream, choosing between multiple devices as well as providing a real time preview of the stream and/or of the downloaded video, something that you could do like this:

const video = document.getElementById('video')

video.srcObject = stream //to preview the stream

video.src = blobUrl // to preview the finished video
Enter fullscreen mode Exit fullscreen mode

Review the entire code

I set up a small Codepen gist with the entire code from this article, check it out here: https://codepen.io/antopiras89/pen/mdWEExX

I hope this has been helpful. If you want me to dive into it a little bit more or maybe tackle some real-world examples like choosing between multiple cameras and microphones let me know in the comments below 💪🏻

Top comments (5)

Collapse
 
alexbackers profile image
AlexBackers

nice code!

Collapse
 
antopiras89 profile image
Antonio Piras

Thank you!!! 😊

Collapse
 
preetparm profile image
parmpreet

How we can use system speakers sound as source instead of mic

Collapse
 
amet93 profile image
amet-93

How to listen for "Stop sharing" bar