Published on November 1, 2022 (over 1 year ago)

How we made Mux Player’s loading feel great

Darius Cepulis
By Darius Cepulis6 min readEngineering

Look. There’s no getting around it. Weighing in at 626KB (170KB gzipped), Mux Player is a bit of a chonk.

Granted, that’s the price you gotta pay if you want nice things like HLS. But including Mux Player in our website’s main JavaScript bundle means that a 3G user might wait to interact with our pages for a whole 3.5 extra seconds. Oof. That’s called having poor time to interactive (TTI), and it can make our users sad and our SEO sad.

So what do we do about that? And can we fix that while looking stylin'?

LinkPart I: Let’s just load Mux Player later

Lucky for us, many modern browsers and bundlers like Webpack and Parcel have realized that big bundles are a problem, so they’ve bestowed upon us dynamic import statements that enable code-splitting and lazy-loading. In other words, we don’t have to include Mux Player in our main JavaScript bundle; we can just kick it out and load it later!

So what about the code? You might be familiar with normal import statements. They look something like this:

javascript
import MuxPlayer from '@mux/mux-player' doStuff()

It’s just a small change to kick @mux/mux-player out into its own bundle:

javascript
// import is a promise, so we can chain our follow-up work with `then()` import('@mux/mux-player').then(() => { doStuff() }) // or we can use async/await const loadPlayer = async () => { await import('@mux/mux-player') doStuff() }

And here’s the best part of this syntax. We can actually put this statement anywhere! For example, let’s say we only want to load the @mux/mux-player bundle when the player element is on screen. We can put that dynamic import statement inside an Intersection Observer, like this:

javascript
const player = document.querySelector('.player-wrapper') const onIntersection = (entries) => { entries.forEach((entry) => { if (entry.isIntersecting) { import('@mux/mux-player') } }) } const observer = new IntersectionObserver(onIntersection) observer.observe(player)

Meanwhile, in React, we have access to React.lazy and React.Suspense, which make it easier to do all of this with React components. Importing a component with React.lazy puts off loading that component until it is first rendered. Suspense offers us an option to show a fallback while that component loads. (More on fallbacks later.) So, in React, loading Mux Player once it enters the window looks something like this:

jsx
import React, { lazy, Suspense, useRef } from 'react' import { useIntersection } from 'react-use' const PlayerComponent = lazy(() => import('./PlayerComponent')) const Component = () => { const wrapperRef = useRef() const intersection = useIntersection(intersectionRef) return ( <div className="player-wrapper" ref={wrapperRef}> <Suspense fallback={false}> {/* React.lazy won't call import() until this condition is met and the component is rendered. */} { intersection && intersection.isIntersecting && <PlayerComponent /> } </Suspense> </div> ) }

Of course, that’s not the end of the story. We still have another problem. When the player bundle finally loads, Mux Player makes all the content jump around. That’s called having poor cumulative layout shift (CLS), and it once again might make our users sad and our SEO sad. So now what?

LinkPart II: Let’s save some space for Mux Player while it loads

When Mux Player finally loads, it all of a sudden takes up a bunch of vertical space, making the whole layout shift. Let’s fix that by saving some space for Mux Player with a placeholder. Then, once the bundle loads, let’s swap that placeholder out for the mux-player element.

First, let’s make a placeholder that is the same size as Mux Player. The CSS aspect-ratio property and our Mux Video asset’s aspect_ratio property make this pretty straightforward. With aspect ratio, as long as we tell our browser how wide an element should be, the browser sets the height automatically regardless of the element’s content. We’ll use aspect ratio to set the size of a wrapper, and then make sure both the placeholder and the player are the exact same size as the wrapper:

html
<script> // How big should that placeholder be? We need to tell CSS the aspect ratio of our asset const asset = getMuxAssetFromDatabaseOrWhatever() const wrapper = document.querySelector('.player-wrapper') // since Mux formats its aspect ratios as width:height, we can do this: const [aspectWidth, aspectHeight] = asset.data.aspect_ratio.split(':') wrapper.style.setProperty('--asset-aspect-ratio', aspectWidth / aspectHeight) </script> <!-- Our markup is simple. A wrapper to size things, a placeholder to hold... place.--> <div className='player-wrapper'> <div className='player-placeholder'></div> <!-- Of course, mux-player hasn't loaded yet. When it does, it'll be here. --> </div> <style> .player-wrapper { width: 100%; aspect-ratio: var(--asset-aspect-ratio, 16/9); position: relative; } .player-placeholder, mux-player { // let's use absolute positioning to make sure these two // are the same size as the wrapper position: absolute; inset: 0; // equivalent to setting top, bottom, left, and right to 0 } </style>

Then, it’s just a matter of swapping that placeholder out for the player! In vanilla JavaScript, that might look something like this:

javascript
const wrapper = document.querySelector('.player-wrapper'); const placeholder = document.querySelector('.player-placeholder'); // lazy load the mux player javascript bundle... import('@mux/mux-player').then(() => { // ...then create a <mux-player> element... const player = document.createElement('mux-player'); player.setAttribute('stream-type', 'on-demand'); player.setAttribute('playback-id', playbackId); player.setAttribute('metadata-video-title', 'Test video title'); player.setAttribute('metadata-viewer-user-id', 'user-id-007'); // ...then swap the placeholder for the incoming element! wrapper.replaceChild(player, placeholder); });

Meanwhile, in React, Suspense does the work for us:

jsx
<div className="player-wrapper" ref={wrapperRef} style={{ "--asset-aspect-ratio": sourceWidth / sourceHeight }}> <Suspense fallback={<PlaceholderComponent />}> { intersection && intersection.isIntersecting && <PlayerComponent /> } </Suspense> </div>

Because our sites are written in Next.js, the placeholder is sent in the initial HTML, reserving space for the incoming Mux Player even before the first byte of JavaScript loads. No layout shift for you!

LinkPart III: Jazzing up that placeholder with a blurhash

Oh my goodness, though — that placeholder is boring. And what’s worse, it’s kinda awkward for the user, isn’t it? Imagine being on a slow connection and just seeing a white rectangle. Why is there this weird gap on the page? What’s going on here?

Fear not, fair reader! Following the example of next/image and many before it, we’re going to compute a blurhash to display while the player loads. A blurhash is a lightweight, multicolor gradient representation of an image. Here’s what we’re cooking today:

Since we wrote this post, we've learned a lot about blurry image placeholders on the web. Using blurhash in the way we describe may not be the most efficient technique for generating blurry placeholders. Read on... but also check out Wes's post on the topic for the latest.

Step one: What image can we blurhash that will best represent the incoming player? Well, because we read the docs, we know that Mux Player will use a thumbnail from the middle of the video as a poster. Let’s grab the same thumbnail with image.mux.com to use for our blurhash.

https://image.mux.com/{PLAYBACK_ID}/thumbnail.{png|jpg}

Next step: Making it blurry. To do that, we’ll use a combination of the sharp and blurhash packages. Because these are heavier packages and a more computationally expensive step, we’ll definitely want to run this server-side. (Our site is Next.js, so we’re running this step in getStaticProps or getServerSideProps.)

javascript
import sharp from 'sharp' import { encode } from 'blurhash' const url = `https://image.mux.com/${playbackId}/thumbnail.png` const response = await fetch(url) // from our response we now need a Buffer const arrayBuffer = await response.arrayBuffer() const buffer = Buffer.from(new Uint8Array(arrayBuffer)) // and we use sharp to convert that buffer to a blurhash const image = sharp(buffer) const { data, info } = await image .raw() .ensureAlpha() .resize(blurWidth, blurHeight, { fit: 'inside' }) .toBuffer({ resolveWithObject: true }) const blurHash = encode(new Uint8ClampedArray(data), info.width, info.height, 4, 4) // bonus: we can grab a width and height here to use for aspect ratio later const { width, height } = await image.metadata()

Well, that’s all fine and dandy, but what can we do with a blurhash? We could use the decode function and pass those pixels to a canvas client-side, but let me do you one better. If we convert our blurhash to a base64 Data URL, we’re easily able to display the blurhash in an image element or as a CSS background image without any client-side code. Something like this:

javascript
import { decode } from 'blurhash' const hashWidth = info.width const hashHeight = Math.round(hashWidth * (info.height / info.width)) const pixels = decode(hash, hashWidth, hashHeight) const resizedImageBuf = await sharp( Buffer.from(pixels), { raw: { channels: 4, width: hashWidth, height: hashHeight }} ).jpeg({ overshootDeringing: true, quality: 40 }).toBuffer() const blurHashBase64 = `data:image/jpeg;base64,${resizedImageBuf.toString('base64')}`

Final step: Let’s add that blurhash to our front-end! We add it not just to the placeholder, but also to mux-player itself. That way, mux-player will show the placeholder while it loads the poster over the network. Neat!

html
<script> player.setAttribute('placeholder', blurHashBase64) </script> <style> .player-placeholder { background-image: url({blurHashBase64}); background-repeat: no-repeat; background-size: contain; } </style>

LinkShameless plug: we built things that do this for you in React

Not gonna lie; some of that placeholder stuff got kinda dicey at the end. I wouldn’t blame you if you wanted to take it easy and not do this.

Actually, let me help you out there. We went ahead and built this functionality into two new libraries here at Mux: @mux/mux-player-react/lazy and @mux/blurhash.

Mux Player React Lazy takes whatever’s in the placeholder= attribute of the Mux Player element and displays that as a placeholder. It’ll swap that placeholder out when the player enters the viewport.

Meanwhile, Mux Blurhash bundles all that sharp and blurhash work into one nice function, muxBlurHash(playbackId, options). Used together, you get happy users and happy SEO.

Here’s what it all looks like in Next.js.

jsx
import muxBlurHash from '@mux/blurhash' import MuxPlayer from '@mux/mux-player-react/lazy' export default function Page({ playbackId, sourceWidth, sourceHeight, blurHashBase64 }) { return <MuxPlayer playbackId={playbackId} style={{ aspectRatio: `${sourceWidth}/${sourceHeight}` }} placeholder={blurHashBase64} /> } export async function getServerSideProps({ params }) { const playbackId = params.playbackId const { sourceWidth, sourceHeight, blurHashBase64 } = await muxBlurHash(playbackId) return { props: { playbackId, sourceWidth, sourceHeight, blurHashBase64 } } }

Pretty nice, right? You can get started with our docs on lazy-loading Mux Player and providing a placeholder for Mux Player. And if you have any questions, don’t be afraid to hit us up at @MuxHQ on Twitter.


Written By

Darius Cepulis

Darius Cepulis – Senior Community Engineer

Pretends he knows more about coffee than he does. Happier when he's outside. Thinks the web is pretty neat.

Leave your wallet where it is

No credit card required to get started.