
Migrating a Blog from Next.js 15 to Astro 15: A Senior Full Stack Engineer’s Perspective As a Senior Full Stack Engineer, I’ve worked with a variety of frameworks and hosting platforms over the years, each with its own strengths and trade-offs. Recently, I took on the task of migrating a blog from Next.js 15, utilizing its App Router, to Astro 15, while also transitioning the hosting from Vercel to Cloudflare. The driving force behind this migration was a desire to boost performance—and the results were impressive. In this in-depth article, I’ll walk you through the migration process, highlight the performance improvements I observed, and share insights from my experience.
Why Migrate from Next.js to Astro?
Next.js is a powerhouse in the React ecosystem, renowned for its capabilities in server-side rendering (SSR), static site generation (SSG), and a robust App Router introduced in version 13 and refined by version 15. It’s an excellent choice for building dynamic, full-featured web applications. However, for a blog—a site primarily composed of static content—Next.js can sometimes feel like overkill. Its default hydration model and client-side JavaScript overhead can lead to slower page load times than necessary for content-driven sites.
Enter Astro 15. Astro is a modern framework tailored for fast, content-focused websites. It allows you to write components using your preferred JavaScript framework (React, Vue, Svelte, etc.) and optimizes the output by shipping zero JavaScript by default unless explicitly required. This approach, combined with its static-first philosophy, makes Astro an appealing option for blogs where performance and simplicity are key priorities. My goal was to leverage Astro’s strengths to enhance my blog’s speed and user experience, and the switch from Vercel to Cloudflare further amplified these gains.
The Migration Process
Migrating a blog from Next.js 15 to Astro 15 requires careful planning and execution. Below, I’ll outline the steps I took, complete with code examples to illustrate the transition.
- Setting Up an Astro Project The first step was to initialize a new Astro project. Astro’s CLI makes this straightforward, offering templates that align with common use cases like blogs.
npm create astro@latest my-astro-blog
I opted for the blog template, which provided a solid foundation with pre-configured layouts and routing. After installation, I navigated into the project directory and installed dependencies:
cd my-astro-blog
npm install
- Porting Components and Pages Since my Next.js blog used React components, I was pleased to find that Astro supports React out of the box (with the @astrojs/react integration). This allowed me to reuse much of my existing code, though some adjustments were necessary to align with Astro’s .astro file format—a hybrid of HTML, CSS, and JavaScript.
For instance, a simple Next.js homepage:
//Next.js (pages/index.ts):
import React from 'react';
export default function Home() {
return <h1>Welcome to my blog</h1>;
}
Became an Astro component:
---
---
<h1>Welcome to my blog</h1>
The triple dashes (---) denote the frontmatter, where JavaScript logic (like imports or variables) resides. For static pages, this was a seamless transition. For components requiring interactivity, I utilized Astro’s islands architecture, which enables partial hydration—loading JavaScript only for specific interactive elements. This is a stark contrast to Next.js, which hydrates the entire page by default.
- Handling Routing Next.js and Astro both use file-based routing, which simplified mapping my existing routes. In Next.js, static pages lived in the pages/ directory, while dynamic routes (e.g., /posts/[slug]) used bracket notation. Astro follows a similar convention in src/pages/.
For dynamic blog posts, I recreated the structure:
// Next.js (pages/posts/[slug].js):
import { getPostBySlug } from '../../lib/posts';
export async function getStaticPaths() {
const slugs = await getAllPostSlugs();
return slugs.map(slug => ({ params: { slug } }));
}
export async function getStaticProps({ params }) {
const post = await getPostBySlug(params.slug);
return { props: { post } };
}
export default function Post({ post }) {
return <div>{post.content}</div>;
}
In Astro (src/pages/posts/[slug].astro):
// Astro (src/pages/posts/[slug].astro):
---
import { getPostBySlug } from '../../lib/posts';
const { slug } = Astro.params;
const post = await getPostBySlug(slug);
---
<div>{post.content}</div>
Astro’s Astro.params provides access to dynamic route parameters, and data fetching occurs in the frontmatter. Unlike Next.js, which separates getStaticPaths and getStaticProps, Astro handles dynamic routes implicitly based on file naming, though you can define getStaticPaths for more control if needed.
- Migrating Data Fetching My Next.js blog relied on getStaticProps for fetching markdown or CMS data during build time. In Astro, this logic moves to the frontmatter, executed at build time for static generation. The example above demonstrates this shift. If your blog uses an external API, you can fetch data similarly:
---
const response = await fetch('https://api.example.com/posts');
const posts = await response.json();
---
<ul>
{posts.map(post => <li>{post.title}</li>)}
</ul>
For server-side rendering (SSR) needs—say, for a real-time comment section—Astro supports SSR modes, though my blog was primarily static, so I stuck with SSG.
- Updating Configuration To mirror my Next.js setup, I configured Astro with necessary integrations. For example, if your blog uses MDX for rich content:
npm install @astrojs/mdx
Then, update astro.config.mjs:
import { defineConfig } from 'astro/config';
import mdx from '@astrojs/mdx';
export default defineConfig({
integrations: [mdx()],
});
I also ensured build settings (e.g., output directory) aligned with my deployment pipeline.
- Testing and Debugging Post-migration, I ran the Astro dev server (npm run dev) and tested every page, focusing on dynamic routes and interactive features like comment forms. Tools like Chrome DevTools helped identify any rendering issues or missing assets. This step was crucial to catch discrepancies, such as differences in how Next.js and Astro handle client-side hydration.
Performance Improvements
The migration yielded tangible performance gains, a key motivator for this project. Using tools like Lighthouse and WebPageTest, I measured a 30% reduction in page load times post-migration. Here’s why:
Zero JavaScript by Default: Astro eliminates unnecessary client-side JavaScript, unlike Next.js, which hydrates entire pages. For a blog, where most content is static, this slashed initial load times. Efficient Static Asset Handling: Astro optimizes images, CSS, and other assets during the build, reducing payload sizes. Islands Architecture: For interactive elements (e.g., a search bar), Astro’s partial hydration loaded only the required scripts, contrasting with Next.js’s full-page hydration. The build process also improved. My Next.js blog took 30–60 seconds to build and deploy on Vercel, while Astro clocked in at 15–25 seconds—a boon for iteration speed.
Switching to Cloudflare further enhanced performance. Cloudflare’s global CDN cached content closer to users, cutting latency and server response times compared to Vercel’s infrastructure. This synergy between Astro’s static output and Cloudflare’s edge network was a game-changer.
Migrating from Vercel to Cloudflare
Hosting the Astro site on Cloudflare Pages was straightforward, given Astro’s static output. Here’s how I did it:
Set Up a Cloudflare Account: I signed up and added my domain to Cloudflare. Configure DNS: I updated my domain’s nameservers to Cloudflare’s, following their setup wizard.
Deploy the Astro Site: In the Cloudflare dashboard, I created a new Pages project, linked my GitHub repo, and configured the build settings:
- Build Command: npm run build
- Output Directory: dist
- Test and Monitor: Post-deployment, I verified functionality and used Cloudflare’s analytics to track performance metrics. For detailed guidance, see the Astro documentation on Cloudflare Pages. Since my blog was static, caching was automatic, though dynamic features (e.g., API routes) could leverage Cloudflare Workers if needed.
Conclusion
Migrating my blog from Next.js 15 to Astro 15, alongside switching from Vercel to Cloudflare, delivered a leaner, faster site. Astro’s static-first approach and minimal JavaScript footprint, paired with Cloudflare’s edge caching, resulted in a 30% faster experience—a win for both users and SEO. The build and deployment process also became noticeably quicker, streamlining my workflow.
Next.js remains a stellar choice for complex, dynamic applications, but for a blog, Astro’s simplicity and performance edge shone through. As a Senior Full Stack Engineer, I value tools that balance developer experience with end-user outcomes, and Astro fits that bill for content-driven projects.
If you’re planning a similar migration, test rigorously—especially dynamic features—and lean on Astro’s growing community and docs. The performance payoff is well worth the effort.