This package provides feed loaders for Astro. It allows you to load and parse RSS, RDF, and Atom feeds, and use the data in your Astro site.
The package includes two loaders:
feedLoader: Build-time feed loading for build-time content collectionsliveFeedLoader: Experimental runtime feed loading for live content collections
npm install @ascorbic/feed-loaderYou can use the feed loader in your content configuration like this:
// src/content/config.ts
import { defineCollection } from "astro:content";
import { feedLoader } from "@ascorbic/feed-loader";
const releases = defineCollection({
loader: feedLoader({
url: "https://github.com/withastro/astro/releases.atom",
}),
});
const podcasts = defineCollection({
loader: feedLoader({
url: "https://feeds.99percentinvisible.org/99percentinvisible",
}),
});
export const collections = { releases, podcasts };You can then use these like any other collection in Astro:
---
import { getCollection } from "astro:content";
import Layout from "../layouts/Layout.astro";
const episodes = await getCollection("podcasts");
---
<Layout title="Episodes">
<h2>Episodes</h2>
<ul>
{
episodes.map((episode) => (
<li>
<a href={`/episodes/${episode.id.replace(/\W/g, "-")}`}>
{episode.data.title}
</a>
</li>
))
}
</ul>
</Layout>You can render the episode description using the render() function:
---
import { render, getEntry } from "astro:content";
const episode = getEntry("podcasts", Astro.params.id);
const { Content } = await render(episode);
---
<h1>{episode.data.title}</h1>
<Content />
<p>
{
episode.data.media.map((media) => (
<audio controls>
<source src={media.url} type={media.mimeType} />
</audio>
))
}
</p>
⚠️ Experimental Feature: Live content collections require Astro 5.10.0 or later and are currently experimental. The API may change in future versions.
Live feed loading allows you to fetch RSS/Atom feeds at request time rather than build time. This is useful for frequently updated content that you want to display fresh data without rebuilding your site.
- Enable live content collections in your
astro.config.mjs:
export default defineConfig({
// ...
experimental: {
liveContentCollections: true,
},
});- Create a live configuration file at
src/live.config.ts:
// src/live.config.ts
import { defineLiveCollection } from "astro:content";
import { liveFeedLoader } from "@ascorbic/feed-loader";
const news = defineLiveCollection({
type: "live",
loader: liveFeedLoader({
url: "https://feeds.bbci.co.uk/news/science_and_environment/rss.xml",
}),
});
export const collections = { news };- Use live collections in your pages:
---
// src/pages/news/index.astro
import { getLiveCollection } from 'astro:content';
import Layout from '../layouts/Layout.astro';
export const prerender = false; // Required for live content, unless using output: "server"
const { entries: articles, error } = await getLiveCollection('news', { limit: 10 });
if (error) {
console.error('Failed to load news:', error.message);
}
---
<Layout title="Latest News">
{error ? (
<p>Error loading news: {error.message}</p>
) : (
<ul>
{articles?.map((article) => (
<li>
<a href={`/news/${encodeURIComponent(article.id)}`}>
{article.data.title}
</a>
<p>{article.data.description}</p>
</li>
))}
</ul>
)}
</Layout>- Create individual article pages with server-side rendering:
---
// src/pages/news/[id].astro
import { getLiveEntry } from 'astro:content';
import Layout from '../../layouts/Layout.astro';
export const prerender = false; // Required for live content, unless using output: "server"
const { id } = Astro.params;
const { entry: article, error } = await getLiveEntry('news', decodeURIComponent(id!));
if (error || !article) {
return Astro.redirect('/news');
}
---
<Layout title={article.data.title}>
<h1>{article.data.title}</h1>
<div set:html={article.data.description} />
<a href={article.data.url} target="_blank">Read full article →</a>
</Layout>The liveFeedLoader supports the same options as feedLoader:
liveFeedLoader({
url: "https://example.com/feed.xml",
requestOptions: {
headers: {
"User-Agent": "My Astro Site",
},
},
});You can filter live collections when fetching them:
// Get latest 5 articles
const { entries } = await getLiveCollection("news", { limit: 5 });
// Filter by category
const { entries } = await getLiveCollection("news", { category: "science" });
// Filter by author
const { entries } = await getLiveCollection("news", { author: "john" });
// Filter by date range
const { entries } = await getLiveCollection("news", {
since: new Date("2024-01-01"),
until: new Date("2024-12-31"),
});Live feed loaders return structured errors that you can handle appropriately:
import { FeedLoadError, FeedValidationError } from "@ascorbic/feed-loader";
const { entries, error } = await getLiveCollection("news");
if (error) {
if (error instanceof FeedLoadError) {
console.error(`Feed loading failed: ${error.message} (${error.code})`);
} else if (error instanceof FeedValidationError) {
console.error(`Feed validation failed: ${error.message}`);
}
}Use live loading when:
- Content updates frequently (multiple times per day)
- You need real-time data
- You want to avoid rebuilds for content changes
- You're building preview functionality
Use static loading when:
- Content is relatively static
- Performance is critical (pre-rendered)
- You want build-time optimization
- You need to process MDX or images
Static content collections loader for build-time feed processing.
Live content collections loader for runtime feed processing.
url(required): Feed URL to fetch fromrequestOptions: Custom fetch options (headers, etc.)
FeedError: Base error classFeedLoadError: Network/HTTP errorsFeedValidationError: Feed parsing/validation errors