diff --git a/src/assets/img/ogi/building-pages-from-data-in-eleventy-preview.png b/src/assets/img/ogi/building-pages-from-data-in-eleventy-preview.png
new file mode 100644
index 00000000..13fd0790
Binary files /dev/null and b/src/assets/img/ogi/building-pages-from-data-in-eleventy-preview.png differ
diff --git a/src/posts/2024/building-pages-from-data-in-eleventy.md b/src/posts/2024/building-pages-from-data-in-eleventy.md
new file mode 100644
index 00000000..7a95ee84
--- /dev/null
+++ b/src/posts/2024/building-pages-from-data-in-eleventy.md
@@ -0,0 +1,163 @@
+---
+date: 2024-05-24T09:45-08:00
+title: Building pages from data in Eleventy
+description: I've expanded the media sections I already had built to include pages generated from data using Eleventy.
+tags:
+ - tech
+ - development
+ - eleventy
+---
+I've expanded [the media sections I already had built](https://coryd.dev/posts/2024/adventures-in-self-hosting-data/) to include pages generated from data using Eleventy.
+
+The motivation for this has been to move further towards hosting data that I feel is core to my site on infrastructure I control. My book data is in a versioned JSON file, my music, movie and TV data reside in a database. When my site is built, each book, musician, movie and show has a page built for it.
+
+Aggregating this data was, to be fair, extremely tedious up front. Importing plays for music was fairly straightforward, while gathering artist bios and genres was much more time-consuming.
+
+With the data for each type of media in place, I fetched it from Supabase:
+
+```javascript
+import { createClient } from '@supabase/supabase-js'
+
+const SUPABASE_URL = process.env.SUPABASE_URL || 'YOUR_SUPABASE_URL'
+const SUPABASE_KEY = process.env.SUPABASE_KEY || 'YOUR_SUPABASE_KEY'
+const supabase = createClient(SUPABASE_URL, SUPABASE_KEY)
+
+const regionNames = new Intl.DisplayNames(['en'], { type: 'region' })
+const getCountryName = (countryCode) => regionNames.of(countryCode.trim()) || countryCode.trim()
+
+const parseCountryField = (countryField) => {
+ if (!countryField) return null
+
+ const delimiters = [',', '/', '&', 'and']
+ let countries = [countryField]
+
+ delimiters.forEach(delimiter => {
+ countries = countries.flatMap(country => country.split(delimiter))
+ })
+
+ return countries.map(getCountryName).join(', ')
+}
+
+const PAGE_SIZE = 50
+
+const fetchPaginatedData = async (table, selectFields) => {
+ let data = []
+ let page = 0
+ let hasMoreRecords = true
+
+ while (hasMoreRecords) {
+ const { data: pageData, error } = await supabase
+ .from(table)
+ .select(selectFields)
+ .order('id', { ascending: true })
+ .range(page * PAGE_SIZE, (page + 1) * PAGE_SIZE - 1)
+
+ if (error) {
+ console.error(`Error fetching ${table}:`, error)
+ break
+ }
+
+ data = data.concat(pageData)
+
+ if (pageData.length < PAGE_SIZE) {
+ hasMoreRecords = false
+ } else {
+ page++
+ }
+ }
+
+ return data
+}
+
+export default async function () {
+ const artists = await fetchPaginatedData('artists', 'mbid, name_string, image, genre, total_plays, country, description, favorite')
+ const albums = await fetchPaginatedData('albums', 'mbid, name, release_year, artist_mbid, total_plays')
+
+ const albumsByArtist = albums.reduce((acc, album) => {
+ if (!acc[album.artist_mbid]) acc[album.artist_mbid] = []
+ acc[album.artist_mbid].push({
+ id: album.id,
+ name: album.name,
+ release_year: album.release_year,
+ total_plays: album.total_plays > 0 ? album.total_plays : '-'
+ })
+ return acc
+ }, {})
+
+ artists.forEach(artist => {
+ artist.albums = albumsByArtist[artist.mbid]?.sort((a, b) => a['release_year'] - b['release_year']) || []
+ artist.country = parseCountryField(artist.country)
+ })
+
+ return artists
+}
+```
+
+This pages through my artists table, fetches the metadata I've assembled it and returns it as an array of artists with a child array of albums. This can then be used to generate a static page for each artist:
+
+{% raw %}
+```liquid
+---
+layout: default
+pagination:
+ data: artists
+ size: 1
+ alias: artist
+permalink: /music/artists/{{ artist.name_string | slugify | downcase }}-{{ artist.country | slugify | downcase}}/
+updated: "now"
+schema: artist
+---
+{%- capture alt -%}
+ {{ artist.name_string }} • {{ artist.country }}
+{%- endcapture -%}
+{% capture js %}
+ {% render "../../../../assets/scripts/text-toggle.js" %}
+{% endcapture %}
+
+
+{% tablericon "arrow-left" "Go back" %} Go back
+
+
+
+
+
{{ artist.name_string }}
+ {%- if artist.favorite -%}
+
{% tablericon "heart" "Favorite" %} This is one of my favorite artists!
These are the album by this artist that are in my collection, not necessarily a comprehensive discography.
+
+```
+{% endraw %}
+
+Each artist has an image, a name, a play count (hopefully), a genre, location and an indication that they're a favorite if I've manually toggled the appropriate `boolean` to true. The most important part of this template is the frontmatter: pagination is set to a size of one, the data for each page is aliased to `artist` and the `permalink` logic provides a unique URL for each page.
+
+Each link from a music page or item is pointed at the appropriate artist by generating the appropriate URL using identical logic.
+
+I've taken the same approach for all of my media, allowing me to syndicate links out that point back to content on my site, while still linking out from those pages as appropriate.
\ No newline at end of file