- Astro ^5.0.0
- Strapi ^5.0.0
npm install @sensinum/astro-strapi-loader
# or
yarn add @sensinum/astro-strapi-loader- Easy integration with Astro and Strapi
- Automatic data loading from Strapi API
- Query, filtering and population capabilities - Strapi 5 Documentation
- Authorization token support
- Astro collections system integration
- TypeScript typing
- π Custom ID generation - Generate collection IDs from custom fields (e.g., slugs)
- π Multiple collections - Create multiple collections from same endpoint
- π i18n support - Built-in locale support for multilingual content
- Add the integration to your
src/content.config.ts:
import { generateCollections } from '@sensinum/astro-strapi-loader';
let strapiCollections: any = {};
try {
strapiCollections = await generateCollections({
url: import.meta.env.STRAPI_URL,
token: import.meta.env.STRAPI_TOKEN,
headers: {
// ...
},
}, [{ // leave empty [] to fetch all the collections based on default Strapi settings
name: "homepage",
query: {
populate: { seo: true },
},
}, {
name: "layout",
query: {
populate: { header: true, footer: true },
},
}, 'simple-collection-name']); // Can also pass just strings
} catch (error) {
console.error(error);
}
export const collections = {
...strapiCollections,
};β Backward Compatible: Existing code works without any changes!
- Use in your Astro component:
---
import { getCollection } from 'astro:content';
import { fetchContent } from '@sensinum/astro-strapi-loader';
// Basic usage with Astro Collections
const myCollection = await getCollection('my-collection');
// Basic usage with direct Strapi Content API fetch
const myCollection = await fetchContent({
url: import.meta.env.STRAPI_URL,
token: import.meta.env.STRAPI_TOKEN,
contentType: 'my-collection',
queryParams: {
populate: {
// ...
},
filters: {
// ...
},
sort: ['publishedAt:desc'],
},
});
---
<div>
{ myCollection.map(item => (
<article>
<h2>{item.title}</h2>
<p>{item.description}</p>
</article>
)) }
</div>| Option | Type | Required | Description |
|---|---|---|---|
url |
string |
Yes | Strapi API URL |
token |
string |
No | Strapi API access token |
collectionName |
string |
No | Custom collection name (for multiple collections from same endpoint) |
idGenerator |
function |
No | Custom function to generate IDs from item data |
locale |
string | string[] |
No | Single locale or array of locales for i18n support |
headers |
Record<string, string> |
No | Additional headers for API request |
β οΈ Note: The token must have read access to both the Content API and the Content-Type Builder API (ONLY to the "Get Content Types" endpoint).
You can mix old (simple) and new (extended) format in a single generateCollections call:
strapiCollections = await generateCollections({
url: import.meta.env.STRAPI_URL,
token: import.meta.env.STRAPI_TOKEN,
}, [
// β
Old format - works as before
{
name: "homepage",
query: { populate: { seo: true } }
},
{
name: "layout",
query: { populate: { header: true, footer: true } }
},
// β
1.1.0+ - with locale support
{
name: "pages",
collectionName: "pagesEN",
locale: "en",
query: { sort: ['publishedAt:desc'] }
},
{
name: "pages", // Same endpoint, different config!
collectionName: "pagesDE",
locale: "de",
query: { sort: ['publishedAt:desc'] }
},
// β
1.1.0+ - with custom ID
{
name: "blog-posts",
idGenerator: (data) => data.slug as string,
query: { filters: { published: true } }
},
// β
1.1.0+ - combining all features
{
name: "articles",
collectionName: "articlesMultilang",
locale: ["en", "de", "fr"],
idGenerator: (data) => data.slug as string
}
]);
// Result collections:
// - homepage (old format)
// - layout (old format)
// - pagesEN (1.1.0+)
// - pagesDE (1.1.0+)
// - blog-posts (1.1.0+)
// - articlesMultilang (1.1.0+)Use slugs or custom fields as collection IDs instead of Strapi's documentId:
Option A: Using generateCollections:
strapiCollections = await generateCollections({
url: import.meta.env.STRAPI_URL,
token: import.meta.env.STRAPI_TOKEN,
}, [{
name: "pages",
idGenerator: (data) => data.slug as string,
query: { populate: { seo: true } }
}]);
// Now you can use: getEntry('pages', 'about-us')Option B: Using strapiLoader directly:
import { strapiLoader } from '@sensinum/astro-strapi-loader';
import { defineCollection, z } from 'astro:content';
const pages = defineCollection({
loader: strapiLoader('pages', {
url: import.meta.env.STRAPI_URL,
token: import.meta.env.STRAPI_TOKEN,
idGenerator: (data) => data.slug as string
}),
schema: z.object({
slug: z.string(),
title: z.string(),
content: z.string()
})
});Option A: Using generateCollections (recommended for multiple collections):
strapiCollections = await generateCollections({
url: import.meta.env.STRAPI_URL,
token: import.meta.env.STRAPI_TOKEN,
}, [{
name: "pages",
collectionName: "pagesEN",
locale: "en",
query: { sort: ['publishedAt:desc'] }
}, {
name: "pages", // Same endpoint!
collectionName: "pagesDE",
locale: "de",
query: { sort: ['publishedAt:desc'] }
}]);
// Now you have both 'pagesEN' and 'pagesDE' collectionsOption B: Using strapiLoader directly:
const pagesEN = defineCollection({
loader: strapiLoader('pages', {
url: import.meta.env.STRAPI_URL,
token: import.meta.env.STRAPI_TOKEN,
collectionName: 'pagesEN',
locale: 'en'
}),
schema: pageSchema
});
const pagesDE = defineCollection({
loader: strapiLoader('pages', {
url: import.meta.env.STRAPI_URL,
token: import.meta.env.STRAPI_TOKEN,
collectionName: 'pagesDE',
locale: 'de'
}),
schema: pageSchema
});
export const collections = { pagesEN, pagesDE };Fetch all language versions in one collection:
const pagesMultilang = defineCollection({
loader: strapiLoader('pages', {
url: import.meta.env.STRAPI_URL,
token: import.meta.env.STRAPI_TOKEN,
locale: ['en', 'de', 'fr'] // Array of locales
}),
schema: z.object({
title: z.string(),
content: z.string(),
_locale: z.string() // Automatically added by loader
})
});
// Access by locale-prefixed ID
const page = await getEntry('pagesMultilang', 'en:documentId');
// Or filter by locale
const allPages = await getCollection('pagesMultilang');
const enPages = allPages.filter(p => p.data._locale === 'en');const blogMultilang = defineCollection({
loader: strapiLoader('blog-posts', {
url: import.meta.env.STRAPI_URL,
token: import.meta.env.STRAPI_TOKEN,
collectionName: 'blogAllLanguages',
locale: ['en', 'de', 'fr'],
idGenerator: (data) => data.slug as string
}, {
sort: ['publishedAt:desc'],
filters: { status: { $eq: 'published' } }
}),
schema: blogSchema
});
// Access: getEntry('blogAllLanguages', 'en:my-post-slug')| Option | Type | Description | Documentation |
|---|---|---|---|
filters |
object |
Strapi Query Builder filters | open |
populate |
object / string[] |
Populating & selecting relations | open |
fields |
string[] |
Selecting fields | open |
sort |
string[] |
Result sorting | open |
pagination |
object |
Result pagination | open |
- Clone the repository
- Install dependencies:
yarn- Run development mode:
yarn dev- Check types:
yarn checkWe welcome contributions to this project! Here's how you can help:
- Fork the repository
- Create your feature branch (
git checkout -b feature/amazing-feature) - Commit your changes (
git commit -m 'Add some amazing feature') - Push to the branch (
git push origin feature/amazing-feature) - Open a Pull Request
Please make sure to:
- Follow the existing code style
- Write tests for new features
- Update documentation as needed
- Keep your PR focused and concise
Copyright Β© Sensinum & VirtusLab
This project is licensed under the MIT License - see the LICENSE.md file for details.
