Getting Started with Astro - Part 3: Deployment and Advanced Features
Learn how to deploy your Astro site, optimize performance, and leverage advanced features for production-ready websites.
Astro Get Started
Part 3 of 3
Deploying Your Astro Site
In Part 1, we set up our first Astro project, and in Part 2, we explored components and content management. Now, letβs learn how to deploy your Astro site to the web and explore some advanced features.
Astro generates static HTML by default, making it easy to deploy to various hosting platforms. Letβs explore the deployment process and some popular hosting options.
Building Your Site for Production
Before deploying, you need to build your site for production:
npm run buildThis command generates optimized static files in the dist/ directory. You can preview the production build locally with:
npm run previewDeployment Options
Netlify
Netlify is a popular choice for deploying Astro sites:
- Push your code to a Git repository (GitHub, GitLab, or Bitbucket)
- Sign up for Netlify and connect your repository
- Configure the build settings:
- Build command: npm run build
- Publish directory: dist
 
- Build command: 
- Click βDeploy siteβ
You can also use the Netlify CLI for deployment:
# Install the Netlify CLI
npm install -g netlify-cli
# Deploy to Netlify
ntl deployVercel
Vercel is another excellent option for Astro sites:
- Push your code to a Git repository
- Import your project on Vercel
- Vercel will automatically detect Astro and configure the build settings
- Click βDeployβ
GitHub Pages
To deploy to GitHub Pages, you can use the GitHub Actions workflow:
- Create a file at .github/workflows/deploy.yml:
name: Deploy to GitHub Pages
on:
  push:
    branches: [main]
jobs:
  build-and-deploy:
    runs-on: ubuntu-latest
    steps:
      - name: Checkout
        uses: actions/checkout@v3
      - name: Setup Node.js
        uses: actions/setup-node@v3
        with:
          node-version: 16
      - name: Install dependencies
        run: npm ci
      - name: Build
        run: npm run build
      - name: Deploy
        uses: JamesIves/github-pages-deploy-action@v4
        with:
          folder: dist
          branch: gh-pages- Configure your Astro project for GitHub Pages by adding a siteproperty to yourastro.config.mjs:
export default defineConfig({
  site: 'https://yourusername.github.io',
  base: '/your-repo-name',
  // other configuration...
});Server-Side Rendering (SSR)
While Astro generates static HTML by default, it also supports server-side rendering for dynamic content. To enable SSR, you need to add an adapter for your hosting platform:
# For Node.js
npm install @astrojs/node
# For Deno
npm install @astrojs/deno
# For Vercel
npm install @astrojs/vercel
# For Netlify
npm install @astrojs/netlifyThen update your astro.config.mjs:
import { defineConfig } from 'astro/config';
import vercel from '@astrojs/vercel/serverless';
export default defineConfig({
  output: 'server',
  adapter: vercel(),
});With SSR enabled, you can create dynamic routes and access request information:
---
// src/pages/user/[id].astro
export function getStaticPaths() {
  return [
    { params: { id: '1' } },
    { params: { id: '2' } },
    { params: { id: '3' } },
  ];
}
const { id } = Astro.params;
---
<h1>User {id}</h1>Performance Optimization
Astro is designed for performance, but there are additional optimizations you can implement:
Image Optimization
Use the built-in image integration for automatic optimization:
npm install @astrojs/image sharpUpdate your astro.config.mjs:
import { defineConfig } from 'astro/config';
import image from '@astrojs/image';
export default defineConfig({
  integrations: [image()],
});Then use the optimized image components:
---
import { Image } from '@astrojs/image/components';
import heroImage from '../assets/hero.jpg';
---
<Image src={heroImage} width={800} height={400} format="webp" alt="Hero image" />Font Optimization
For optimal font loading, use the fontsource packages or implement a font loading strategy:
npm install @fontsource/interThen import the font in your layout:
---
// Import the font in your layout
import '@fontsource/inter/400.css';
import '@fontsource/inter/700.css';
---
<style>
  body {
    font-family: 'Inter', sans-serif;
  }
</style>Advanced Features
Internationalization (i18n)
Implement multi-language support in your Astro site:
// astro.config.mjs
export default defineConfig({
  i18n: {
    defaultLocale: 'en',
    locales: ['en', 'es', 'fr'],
    routing: {
      prefixDefaultLocale: false,
    },
  },
});Organize your content by locale:
src/content/
  βββ blog/
  β   βββ en/
  β   β   βββ post-1.md
  β   βββ es/
  β   β   βββ post-1.md
  β   βββ fr/
  β       βββ post-1.mdView Transitions
Astro supports the View Transitions API for smooth page transitions:
---
// src/layouts/MainLayout.astro
import { ViewTransitions } from 'astro:transitions';
---
<html lang="en">
  <head>
    <meta charset="utf-8" />
    <meta name="viewport" content="width=device-width" />
    <title>My Astro Site</title>
    <ViewTransitions />
  </head>
  <body>
    <slot />
  </body>
</html>You can customize transitions for specific elements:
<h1 transition:name="title">Page Title</h1>Authentication
Implement authentication in your Astro site using Auth.js (formerly NextAuth):
npm install @auth/core @auth/astroCreate an authentication endpoint:
// src/pages/api/auth/[...auth].ts
import { Auth } from '@auth/core';
import GitHub from '@auth/core/providers/github';
import { defineConfig } from 'astro/config';
export const authConfig = {
  providers: [
    GitHub({
      clientId: import.meta.env.GITHUB_ID,
      clientSecret: import.meta.env.GITHUB_SECRET,
    }),
  ],
};
export const { GET, POST } = Auth(authConfig);Content Prerendering
Prerender specific pages at build time while using SSR for others:
---
// src/pages/static-page.astro
export const prerender = true;
---
<h1>This page is prerendered at build time</h1>Testing and Debugging
Unit Testing
Set up testing for your Astro components:
npm install -D vitest @testing-library/domCreate a test file:
// src/components/Button.test.ts
import { describe, it, expect } from 'vitest';
import { render } from '@testing-library/dom';
describe('Button', () => {
  it('renders correctly', () => {
    const button = document.createElement('button');
    button.textContent = 'Click me';
    button.classList.add('btn');
    
    const { getByText } = render(button);
    expect(getByText('Click me')).toBeTruthy();
  });
});Debugging
Use the built-in dev tools for debugging:
- astro dev --verbosefor detailed build logs
- Browser DevTools for client-side debugging
- VS Code debugger for server-side code
Extending Astro
Creating Custom Integrations
Build your own Astro integration:
// my-integration.js
export default function myIntegration() {
  return {
    name: 'my-integration',
    hooks: {
      'astro:config:setup': ({ updateConfig }) => {
        // Modify Astro config
        updateConfig({
          vite: {
            plugins: [/* your Vite plugins */],
          },
        });
      },
      'astro:build:done': ({ pages }) => {
        console.log(`Build complete! ${pages.length} pages generated.`);
      },
    },
  };
}Then use it in your config:
import { defineConfig } from 'astro/config';
import myIntegration from './my-integration.js';
export default defineConfig({
  integrations: [myIntegration()],
});Conclusion
Congratulations! Youβve completed our three-part series on getting started with Astro. Weβve covered everything from basic setup and components to deployment and advanced features.
Astro offers a powerful yet flexible approach to building modern websites. Its focus on performance, combined with the ability to use your favorite UI frameworks and tools, makes it an excellent choice for content-focused sites.
As you continue your Astro journey, remember these key takeaways:
- Start with static by default - Astroβs static-first approach ensures fast performance
- Use islands for interactivity - Add JavaScript only where needed
- Leverage the ecosystem - Take advantage of Astroβs growing collection of integrations
- Optimize for production - Implement performance best practices
- Stay updated - Astro is actively developed, with new features added regularly
We hope this series has given you a solid foundation to build amazing websites with Astro. Happy coding!
Need to review earlier topics? Check out Part 1: Introduction and Setup or Part 2: Components and Content.
Related Posts
Mobile App Development Guide
Learn the essentials of mobile app development, including native vs cross-platform approaches, popular frameworks, and best practices.
Getting Started with Modern Web Development
Learn the fundamentals of modern web development with this comprehensive guide covering HTML, CSS, JavaScript, and popular frameworks.
Getting Started with Astro - Part 1: Introduction and Setup
Learn what Astro is, why it's gaining popularity, and how to set up your first Astro project in this comprehensive introduction.