--- date: '2023-08-25' title: 'Displaying now playing data with matching emoji using Netlify edge functions and Eleventy' description: "My site is built using 11ty and is rebuilt once an hour. These frequent rebuilds accomplish a few things, notably updating webmention data and keeping my now page current." tags: ['Eleventy', 'javascript'] --- My site is built using [11ty](https://www.11ty.dev) and is rebuilt once an hour. These frequent rebuilds accomplish a few things, notably updating webmention data and keeping [my now page](https://coryd.dev/now/) current. Recently, however, I decided to add the track I'm other currently listening to on my home page which, ideally, would be updated in real time. [Enter client-side JavaScript and Netlify's Edge Functions](https://docs.netlify.com/edge-functions/overview/). The function I've written works by making a pair of API calls: one to Last.fm which returns an `mbid` (MusicBrainz ID) and another directly to MusicBrainz to retrieve genre data. It looks like this: ```javascript export default async () => { // access our Last.fm API key and interpolate it into a call to their recent tracks endpoint const MUSIC_KEY = Netlify.env.get('API_KEY_LASTFM') const trackUrl = `https://ws.audioscrobbler.com/2.0/?method=user.getrecenttracks&user=coryd_&api_key=${MUSIC_KEY}&limit=1&format=json` // fetch the track data const trackRes = await fetch(trackUrl, { type: 'json', }).catch() const trackData = await trackRes.json() // extract the `mbid` const track = trackData['recenttracks']['track'][0] const mbid = track['artist']['mbid'] let genre = '' // IF we get a valid mbid make the call to MusicBrainz if (mbid && mbid !== '') { const genreUrl = `https://musicbrainz.org/ws/2/artist/${mbid}?inc=aliases+genres&fmt=json` const genreRes = await fetch(genreUrl, { type: 'json', }).catch() const genreData = await genreRes.json() genre = genreData.genres.sort((a, b) => b.count - a.count)[0]['name'] } // return our required data return Response.json({ artist: track['artist']['#text'], title: track['name'], genre, emoji: emojiMap(genre, track['artist']['#text']), }) } export const config = { path: '/api/now-playing' } ``` In the past I've displayed a single emoji with the current track but, in the interest of injecting some â let's say â whimsy into this whole exercise, I'm taking the genre from MusicBrainz and attempting to match it to an appropriate emoji: ```javascript const emojiMap = (genre, artist) => { const DEFAULT = 'ð§' if (!genre) return DEFAULT // early return for bad input if (artist === 'David Bowie') return 'ðĻðŧâðĪ' if (artist === 'Minor Threat') return 'ðĻðŧâðĶē' if (genre.includes('death metal')) return 'ð' if (genre.includes('black metal')) return 'ðŠĶ' if (genre.includes('metal')) return 'ðĪ' if (genre.includes('emo') || genre.includes('blues')) return 'ðĒ' if (genre.includes('grind') || genre.includes('powerviolence')) return 'ðŦĻ' if ( genre.includes('country') || genre.includes('americana') || genre.includes('bluegrass') || genre.includes('folk') ) return 'ðŠ' if (genre.includes('post-punk')) return 'ð' if (genre.includes('dance-punk')) return 'ðŠĐ' if (genre.includes('punk') || genre.includes('hardcore')) return 'â' if (genre.includes('hip hop')) return 'ðĪ' if (genre.includes('progressive') || genre.includes('experimental')) return 'ðĪ' if (genre.includes('jazz')) return 'ðš' if (genre.includes('psychedelic')) return 'ð' if (genre.includes('dance') || genre.includes('electronic')) return 'ðŧ' if ( genre.includes('alternative') || genre.includes('rock') || genre.includes('shoegaze') || genre.includes('screamo') ) return 'ðļ' return DEFAULT } ``` This could all be done with an object with the genre names assigned to keys but given how nebulous genres can be I've instead settled for a range of conditions checking for substring matches[^1]. More precise genre names get checked earlier in the function, with less precise matches taking place after (e.g. `post-punk` and `dance-punk` are evaluated before matches to `punk` alone) and then defaulting to the headphones emoji if a match isn't found or an empty string is passed in for the genre. The client side JavaScript to display the retrieve data is pretty straightforward: ```javascript ;(async function () { // cache DOM selectors const nowPlaying = document.getElementById('now-playing') if (nowPlaying) { const emoji = document.getElementById('now-playing-emoji') const content = document.getElementById('now-playing-content') const loading = document.getElementById('now-playing-loading') const populateNowPlaying = (data) => { loading.style.display = 'none' emoji.innerText = data.emoji content.innerText = `${data.title} by ${data.artist}` emoji.classList.remove('hidden') content.classList.remove('hidden') } // try and retrieve cached track data try { const cache = JSON.parse(localStorage.getItem('now-playing')) if (cache) populateNowPlaying(cache) } catch (e) { /* quiet catch */ } // fetch now playing data from our edge function const res = await fetch('/api/now-playing', { type: 'json', }).catch() const data = await res.json() // cache retrieved data try { localStorage.setItem('now-playing', JSON.stringify(data)) } catch (e) { /* quiet catch */ } if (!JSON.parse(localStorage.getItem('now-playing')) && !data) nowPlaying.remove() // update the DOM with the data we've retrieved from the edge function populateNowPlaying(data) } })() ``` The template to be populated looks like the following: {% raw %} ```liquid
{% tablericon 'loader-2' 'Loading...' %}
``` {% endraw %} Finally, if the page this all lives on is loaded by a client without JavaScript enabled, it will be hidden by the `client-side` class which is simply: ```html ``` All of this, yields the single line at the bottom of this image â updated on each visit. {% image 'https://coryd.dev/.netlify/images/?url=/media/blog/now-playing.jpg&w=1000', 'Now playing', 'image__banner', 'lazy' %} [^1]: Plus explicit conditions matching David Bowie and Minor Threat.