Astro 5.6 brings first-class astro:env
and experimental session support to Cloudflare, and gives more control over prefetching.
☁️ Soar through the clouds with these new features in Astro:
- Global
astro:env
on Cloudflare - Experimental sessions on Cloudflare
- New prefetch eagerness option
- Custom fetch option for prerendered error pages
- New
load()
method for experimental sessions - Improved config validation
- Breaking changes to the experimental SVG API
To upgrade an existing project, use the automated @astrojs/upgrade
CLI tool. Alternatively, upgrade manually by running the upgrade command for your package manager:
# Recommended:npx @astrojs/upgrade
# Manual:npm install astro@latestpnpm upgrade astro --latestyarn upgrade astro --latest
Global astro:env
on Cloudflare
Since Astro 5, you have been able to access type-safe environment variables using astro:env
. However, environment variables in Cloudflare were only accessible within a request — limiting when and where you could use them. For example, if you wanted to use a shared API client instance, you couldn’t use environment variables if instantiating outside of a request. This could be confusing and was different from our other adapters.
Astro 5.6 lifts this restriction, meaning you can now access your environment variables globally throughout your server code and brings the Cloudflare adapter in line with the other official adapters. This is possible thanks to enhancements in Cloudflare Workers that are now implemented in Astro.
import { defineMiddleware } from 'astro:middleware';import { API_URL } from 'astro:env/server';import { createClient } from './client.js';
// Astro 5.5: undefined// Astro 5.6: stringconst client = createClient(API_URL);
export const onRequest = defineMiddleware((ctx, next) => { ctx.locals.client = client; return next();});
This improvement creates a more consistent developer experience across all Astro server environments, and means you don’t need to worry about figuring out what counts as request scope or global scope.
Experimental sessions on Cloudflare
The Astro sessions API is an experimental feature that allows you to easily store user data between requests. It uses pluggable backends for storage, which are automatically configured when using the Node or Netlify adapters.
With Astro 5.6, we’ve brought that simplified integration to Cloudflare, too. Astro now automatically configures Cloudflare KV storage when you’re using sessions with the Cloudflare adapter. This means your session data can be reliably stored and accessed across Cloudflare’s global network with minimal configuration.
Getting started is three steps:
-
Create a KV namespace using the Wrangler CLI:
npx wrangler kv namespace create "SESSION" -
Declare the KV namespace in your Wrangler config:
// wrangler.json{"kv_namespaces": [{"binding": "SESSION","id": "<SESSION_ID>"}]} -
Enable experimental sessions in your Astro config:
// astro.config.mjsexport default defineConfig({adapter: cloudflare(),experimental: {sessions: true,},});
You can then use sessions in your server code:
---export const prerender = false;const cart = await Astro.session.get('cart');---
<a href="/checkout">🛒 {cart?.length ?? 0} items</a>
For more information, see the experimental sessions docs.
New Prefetch Eagerness Option
Find the perfect balance between speed and resource usage with Astro’s new prefetch eagerness controls. With the experimental clientPrerender
flag enabled, you can use the eagerness
option on prefetch()
to suggest to the browser how eagerly it should prefetch/prerender link targets.
This new option, which aligns with the browser’s Speculation Rules API, gives you fine-grained control over how aggressively the browser should prefetch or prerender your links:
------<script>// Control prefetching eagernessimport { prefetch } from 'astro:prefetch';
// Let's be strategic about this resource-intensive pageprefetch('/data-heavy-dashboard', { eagerness: 'conservative' });
// This page is critical to the user journey, load it ASAP!prefetch('/product-details'); // defaults to `{ eagerness: 'immediate' }`
// For most pages, a balanced approach works bestprefetch('/about', { eagerness: 'moderate' });</script>
You can choose from three eagerness levels:
'immediate'
: Prefetch immediately, if resource limits allow'eager'
: Link is likely to be needed, so fetch at the earliest opportunity'moderate'
: Let the browser decide when to prefetch'conservative'
: Only prefetch when highly likely to be needed
This feature is particularly valuable when dealing with large numbers of links where you might otherwise run into browser limits in place to guard against over-speculating.
Thanks to community member Marocco2 for contributing this feature!
Custom Fetch Option for Prerendered Error Pages
When an on-demand rendered page needs to display an error, your adapter may need to fetch a prerendered error page from somewhere other than your server. Currently, this is done by making a request using the default fetch
implementation, which may not be suitable for all use cases. For example, the page may be served from a location that can’t be called recursively, or the page may be stored elsewhere.
Astro 5.6 adds a new optional prerenderedErrorPageFetch
option in the Adapter API to allow adapters to provide custom implementations for fetching prerendered error pages.
The following example provides a custom fetch for 500.html
and 404.html
, reading them from disk instead of performing an HTTP call:
return app.render(request, { prerenderedErrorPageFetch: async (url: string): Promise<Response> => { if (url.includes("/500")) { const content = await fs.promises.readFile("500.html", "utf-8"); return new Response(content, { status: 500, headers: { "Content-Type": "text/html" }, }); } const content = await fs.promises.readFile("404.html", "utf-8"); return new Response(content, { status: 404, headers: { "Content-Type": "text/html" }, });});
If no value is provided, Astro will use fetch
, and make a request to /500
or /404
as appropriate. This is the same behavior as in previous versions of Astro.
Read more about this feature in the Adapter API reference.
Thanks to Yury Michurin for contributing this feature!
New load()
method for experimental sessions
When using the experimental Sessions API, you don’t normally need to worry about managing the session ID and cookies: Astro automatically reads the user’s cookies and loads the correct session when needed. However, sometimes you need more control over which session to load.
The new load()
method allows you to manually load a session by ID. This is useful if you are handling the session ID yourself, or if you want to keep track of a session without using cookies. For example, you might want to restore a session from a logged-in user on another device, or work with an API endpoint that doesn’t use cookies.
// src/pages/api/cart.tsimport type { APIRoute } from 'astro';
export const GET: APIRoute = async ({ session, request }) => { // Load the session from a header instead of cookies const sessionId = request.headers.get('x-session-id'); await session.load(sessionId); const cart = await session.get('cart'); return Response.json({ cart });};
If a session with that ID doesn’t exist, a new one will be created. This allows you to generate a session ID in the client if needed.
For more information, see the experimental sessions docs.
Improved Config Validation
Astro now validates your config after every integration is run, making it easier to catch issues early and pinpoint the source of any problems. This is particularly useful when using multiple integrations, as it helps ensure that they are all compatible with each other and with your Astro project.
Breaking changes to the experimental SVG API
The experimental SVG RFC has been under heavy discussion, and for that we thank you all for chiming in! As result of discussions, we decided to temporarily remove certain features. That’s just how it goes with an experimental API sometimes!
But, this doesn’t mean they’re gone for good! Removing them now at this early stage gives us time to have separate discussions and build features back based on your feedback, striking the right balance between DX, accessibility best practices, and sensible defaults.
These items are no longer available and must be removed from your code:
- The
title
prop has been removed until we can settle on the correct balance between developer experience and accessibility. Please replace anytitle
props on your components witharia-label
:<Logo title="My Company Logo" /><Logo aria-label="My Company Logo" /> - Sprite mode has been temporarily removed while we consider a new implementation that addresses how this feature was being used in practice. This means that there are no longer multiple
mode
options, and all SVGs will be inline. All instances ofmode
must be removed from your project as you can no longer control a mode:<Logo mode="inline" /><Logo /> // Always inlineimport { defineConfig } from 'astro'export default defineConfig({experimental: {svg: {mode: 'sprite'},svg: true}}); - The default
role
is no longer applied due to developer feedback. Please add the appropriaterole
on each component individually as needed:<Logo /><Logo role="img" /> // To keep the role that was previously applied by default - The
size
prop has been removed to better work in combination withviewBox
and additional styles/attributes. Please replacesize
with explicitwidth
andheight
attributes:<Logo size={64} /><Logo width={64} height={64} />
Bug fixes
As always, we’ve been working hard on fixing issues since the 5.5 release. See the changelog for all the details.
Community
The Astro core team is:
Ben Holmes , Caleb Jasik , Chris Swithinbank , Emanuele Stoppa , Erika , Florian Lefebvre , Fuzzy , HiDeoo , Luiz Ferraz , Matt Kane , Matthew Phillips , Nate Moore , Reuben Tier , Sarah Rainsberger , and Yan Thomas .
Thanks to all the other contributors who helped make Astro 5.6 possible, including Edward Brunetiere, Martin Trapp, Vardhaman Bhandari, Marocco2, Yury Michurin and Michael Stramel.
We look forward to seeing what you build with Astro 5.6! If you have questions, comments, or just want to say hi, drop by the Astro Discord.