Astro 5.0完全ガイド - Server Islands、Content Layer API、新ViewTransitions活用法
Astro 5.0の革新的新機能を実践的に解説。Server Islandsによる部分的サーバーレンダリング、統一Content Layer API、強化されたViewTransition APIの活用方法を詳しく紹介します。
この記事のポイント
Astro 5.0の革新的新機能を実践的に解説。Server Islandsによる部分的サーバーレンダリング、統一Content Layer API、強化されたViewTransition APIの活用方法を詳しく紹介します。
この記事では、実践的なアプローチで技術的な課題を解決する方法を詳しく解説します。具体的なコード例とともに、ベストプラクティスを学ぶことができます。
要約
本記事では、Astro 5.0で導入された革新的な新機能を実践的な視点で解説します。Server Islands、Content Layer API、強化されたView Transition APIなどの新機能により、静的サイト生成とハイブリッドWebアプリケーション開発の新境地を探ります。
読者対象: JavaScript/TypeScript、フロントエンド開発の基礎知識を持つ開発者
所要時間: 約12分
学習効果: Astro 5.0の新機能を理解し、実際のプロジェクトで活用できるようになる
目次
- Astro 5.0の概要
- Server Islands - 部分的サーバーレンダリング
- Content Layer API - 統一されたコンテンツ管理
- 強化されたView Transition API
- パフォーマンス最適化の進化
- 開発者体験の向上
- フレームワーク比較
- 実践的な活用例
- 移行ガイド
- まとめと次のステップ
Astro 5.0の概要
Astro 5.0は、静的サイト生成器として確立された地位を保ちながら、動的なWebアプリケーション開発における新たな可能性を切り開きました。この最新バージョンでは、従来の「Islands Architecture」をさらに進化させ、パフォーマンスを犠牲にすることなく動的機能を実現する革新的な機能が導入されています。
主な新機能:
- Server Islands: 静的サイト内での部分的サーバーレンダリング
- Content Layer API: 多様なデータソースの統一管理
- View Transition API: より高度なページ遷移制御
- ビルド最適化: パフォーマンス向上とバンドルサイズ削減
Server Islands - 部分的サーバーレンダリング
Server Islandsは、Astro 5.0の最も革新的な機能です。従来のAstroでは「静的」または「完全にサーバーサイドレンダリング」という二択でしたが、Server Islandsにより静的コンテンツの中に動的なサーバーレンダリング部分を組み込むことが可能になりました。
基本的な使い方
主要な変更点:
- 静的ページ内に動的コンテンツを埋め込み可能
<server-island>
タグで動的部分を定義- フォールバック表示による優れたUX
---
// pages/product/[id].astro
export const prerender = true; // ページ全体は静的
---
<html>
<head>
<title>商品詳細</title>
</head>
<body>
<!-- 静的コンテンツ -->
<header>
<h1>ECサイト</h1>
<nav>...</nav>
</header>
<!-- Server Island: 動的にサーバーでレンダリング -->
<server-island>
<ProductStock id={Astro.params.id} />
</server-island>
<!-- 静的コンテンツ -->
<footer>
<p>© 2024 ECサイト</p>
</footer>
</body>
</html>
実用的なServer Islands例
従来の課題:
- ユーザー固有データは別ページまたはクライアントサイドでのみ表示
- リアルタイム情報の取得が複雑
Server Islandsによる解決:
- 静的ページ内でサーバーサイド処理を実行
- セキュアなデータアクセス
- SEOに優しい構造
---
// components/UserDashboard.astro
---
<!-- ユーザー固有の動的コンテンツ -->
<server-island fallback="読み込み中...">
<script type="module">
// リアルタイムでサーバーからデータを取得
const response = await fetch('/api/user/dashboard', {
headers: {
'Authorization': `Bearer ${localStorage.getItem('token')}`
}
});
const data = await response.json();
document.querySelector('#notifications-count').textContent = data.notifications;
document.querySelector('#unread-messages').textContent = data.unreadMessages;
</script>
<div class="dashboard-widget">
<h3>ダッシュボード</h3>
<div class="stats">
<div class="stat">
<span>通知</span>
<span id="notifications-count">0</span>
</div>
<div class="stat">
<span>未読メッセージ</span>
<span id="unread-messages">0</span>
</div>
</div>
</div>
</server-island>
パフォーマンス最適化
重要な最適化:
- 遅延読み込みによる初期ロード時間短縮
- IntersectionObserverを活用した効率的な読み込み
- スケルトンUIによる優れたUX
---
// components/ProductRecommendations.astro
---
<!-- 遅延読み込みのServer Island -->
<server-island
lazy
threshold="0.5"
fallback={
<div class="skeleton-loader">
<div class="skeleton-item"></div>
<div class="skeleton-item"></div>
<div class="skeleton-item"></div>
</div>
}
>
<script type="module">
// ビューポートに入ったときのみ実行
const observer = new IntersectionObserver((entries) => {
entries.forEach(entry => {
if (entry.isIntersecting) {
loadRecommendations();
observer.unobserve(entry.target);
}
});
});
async function loadRecommendations() {
const userId = document.cookie.includes('user_id');
if (!userId) return;
const response = await fetch(`/api/recommendations/${userId}`);
const recommendations = await response.json();
renderRecommendations(recommendations);
}
</script>
</server-island>
<style>
.skeleton-loader {
display: grid;
grid-template-columns: repeat(3, 1fr);
gap: 1rem;
}
.skeleton-item {
height: 200px;
background: linear-gradient(90deg, #f0f0f0 25%, #e0e0e0 50%, #f0f0f0 75%);
background-size: 200% 100%;
animation: loading 1.5s infinite;
border-radius: 8px;
}
@keyframes loading {
0% { background-position: 200% 0; }
100% { background-position: -200% 0; }
}
</style>
Content Layer API - 統一されたコンテンツ管理
Content Layer APIは、従来のMarkdownファイルベースのコンテンツ管理を大幅に拡張し、あらゆるデータソースを統一的に扱える画期的な機能です。CMS、データベース、API、ローカルファイルなど、複数のソースからのデータを同じインターフェースで操作できます。
多様なデータソースの設定
従来の制限:
- MarkdownファイルとJSONのみサポート
- 外部CMSとの連携が複雑
- データソースごとに異なるAPI
新しい統一アプローチ:
- 単一設定での多様なソース管理
- 共通のgetCollection()インターフェース
- 自動的な型生成
// astro.config.mjs
import { defineConfig } from 'astro/config';
import { contentLayer } from '@astrojs/content-layer';
export default defineConfig({
integrations: [
contentLayer({
collections: {
// ローカルMarkdownファイル
blog: {
type: 'content',
source: './src/content/blog/**/*.md'
},
// Notion CMS
docs: {
type: 'notion',
source: {
databaseId: 'your-notion-database-id',
token: process.env.NOTION_TOKEN
}
},
// Contentful CMS
products: {
type: 'contentful',
source: {
spaceId: process.env.CONTENTFUL_SPACE_ID,
accessToken: process.env.CONTENTFUL_ACCESS_TOKEN,
contentType: 'product'
}
},
// Supabase データベース
users: {
type: 'supabase',
source: {
url: process.env.SUPABASE_URL,
key: process.env.SUPABASE_ANON_KEY,
table: 'profiles'
}
},
// WordPress REST API
news: {
type: 'wordpress',
source: {
baseUrl: 'https://your-site.com/wp-json/wp/v2',
postType: 'news'
}
}
}
})
]
});
統一されたデータアクセス
主なメリット:
- 全データソースに対する統一API
- 強力なフィルタリング・ソート機能
- 自動的なキャッシュとパフォーマンス最適化
---
// pages/index.astro
import { getCollection } from 'astro:content';
// 全てのコンテンツソースから統一的にデータを取得
const blogPosts = await getCollection('blog');
const docs = await getCollection('docs');
const products = await getCollection('products');
const users = await getCollection('users');
const news = await getCollection('news');
// フィルタリングとソート
const latestContent = [
...blogPosts.slice(0, 3),
...news.slice(0, 2),
...docs.slice(0, 3)
].sort((a, b) => new Date(b.data.pubDate) - new Date(a.data.pubDate));
---
<html>
<head>
<title>統合コンテンツサイト</title>
</head>
<body>
<main>
<section class="latest-content">
<h2>最新コンテンツ</h2>
<div class="content-grid">
{latestContent.map(item => (
<article class="content-card">
<h3>
<a href={`/${item.collection}/${item.slug}`}>
{item.data.title}
</a>
</h3>
<p>{item.data.description}</p>
<div class="meta">
<span class="source">{item.collection}</span>
<time>{item.data.pubDate}</time>
</div>
</article>
))}
</div>
</section>
<section class="products-showcase">
<h2>注目商品</h2>
<div class="products-grid">
{products.filter(p => p.data.featured).map(product => (
<div class="product-card">
<img src={product.data.image} alt={product.data.name} />
<h3>{product.data.name}</h3>
<p class="price">${product.data.price}</p>
<a href={`/products/${product.slug}`} class="btn">
詳細を見る
</a>
</div>
))}
</div>
</section>
</main>
</body>
</html>
<style>
.content-grid {
display: grid;
grid-template-columns: repeat(auto-fit, minmax(300px, 1fr));
gap: 2rem;
margin-top: 2rem;
}
.content-card {
border: 1px solid #e0e0e0;
border-radius: 8px;
padding: 1.5rem;
transition: transform 0.2s, box-shadow 0.2s;
}
.content-card:hover {
transform: translateY(-4px);
box-shadow: 0 8px 25px rgba(0,0,0,0.1);
}
.meta {
display: flex;
justify-content: space-between;
align-items: center;
margin-top: 1rem;
font-size: 0.875rem;
color: #666;
}
.source {
background: #f0f0f0;
padding: 0.25rem 0.5rem;
border-radius: 4px;
text-transform: capitalize;
}
.products-grid {
display: grid;
grid-template-columns: repeat(auto-fit, minmax(250px, 1fr));
gap: 1.5rem;
margin-top: 2rem;
}
.product-card {
text-align: center;
border: 1px solid #e0e0e0;
border-radius: 8px;
padding: 1rem;
transition: transform 0.2s;
}
.product-card:hover {
transform: scale(1.02);
}
.product-card img {
width: 100%;
height: 200px;
object-fit: cover;
border-radius: 4px;
}
.price {
font-size: 1.25rem;
font-weight: bold;
color: #007acc;
margin: 0.5rem 0;
}
.btn {
display: inline-block;
background: #007acc;
color: white;
padding: 0.5rem 1rem;
border-radius: 4px;
text-decoration: none;
transition: background 0.2s;
}
.btn:hover {
background: #005a99;
}
</style>
高度なコンテンツ変換
自動化される処理:
- 読了時間の計算
- SEOメタデータの生成
- 関連コンテンツの検索
- タグの自動抽出
// astro.config.mjs
export default defineConfig({
integrations: [
contentLayer({
collections: {
blog: {
type: 'content',
source: './src/content/blog/**/*.md',
transform: async (entry) => {
// 自動的な処理を追加
return {
...entry,
data: {
...entry.data,
// 読了時間の自動計算
readTime: calculateReadTime(entry.body),
// 自動タグ抽出
autoTags: await extractTags(entry.body),
// 関連記事の自動検索
related: await findRelated(entry.data.title, entry.body),
// SEO最適化
seo: {
canonical: `https://yoursite.com/blog/${entry.slug}`,
openGraph: generateOGData(entry),
structuredData: generateStructuredData(entry)
}
}
};
}
}
}
})
]
});
// ユーティリティ関数
function calculateReadTime(content) {
const wordsPerMinute = 200;
const words = content.split(/\s+/).length;
return Math.ceil(words / wordsPerMinute);
}
async function extractTags(content) {
// NLP APIを使用して自動タグ抽出
const response = await fetch('/api/extract-tags', {
method: 'POST',
body: JSON.stringify({ content }),
headers: { 'Content-Type': 'application/json' }
});
return response.json();
}
強化されたView Transition API
Astro 5.0のView Transition APIは、より直感的で高性能なページ遷移を実現します。従来のSPAのような滑らかな遷移を、静的サイトジェネレーターの利点を保ったまま利用できます。
基本設定と実装
新機能のポイント:
- カスタムトランジションの簡単定義
- CSS View Transitions APIとの完全統合
- パフォーマンスを考慮したアニメーション
---
// src/layouts/Layout.astro
---
<html>
<head>
<meta charset="utf-8" />
<meta name="viewport" content="width=device-width,initial-scale=1" />
<ViewTransitions />
</head>
<body>
<header>
<nav>
<a href="/" data-astro-transition="slide">ホーム</a>
<a href="/blog" data-astro-transition="fade">ブログ</a>
<a href="/about" data-astro-transition="morph">プロフィール</a>
</nav>
</header>
<main data-astro-transition="slide-up">
<slot />
</main>
<footer>
<p>© 2024 サイト名</p>
</footer>
</body>
</html>
<style>
/* カスタムトランジション定義 */
@view-transition {
navigation: auto;
}
::view-transition-old(slide),
::view-transition-new(slide) {
animation-duration: 0.3s;
animation-timing-function: ease-in-out;
}
::view-transition-old(slide) {
animation-name: slide-out;
}
::view-transition-new(slide) {
animation-name: slide-in;
}
@keyframes slide-out {
to { transform: translateX(-100%); }
}
@keyframes slide-in {
from { transform: translateX(100%); }
}
/* モーフィングトランジション */
::view-transition-old(morph),
::view-transition-new(morph) {
animation-duration: 0.5s;
animation-timing-function: cubic-bezier(0.4, 0, 0.2, 1);
}
::view-transition-old(morph) {
animation-name: morph-out;
}
::view-transition-new(morph) {
animation-name: morph-in;
}
@keyframes morph-out {
to {
transform: scale(0.8);
opacity: 0;
filter: blur(4px);
}
}
@keyframes morph-in {
from {
transform: scale(1.2);
opacity: 0;
filter: blur(4px);
}
}
</style>
動的トランジション制御
高度な制御機能:
- ページタイプに応じた動的トランジション変更
- プログレスバーによるユーザーフィードバック
- イベントベースの詳細制御
---
// pages/blog/[...slug].astro
---
<script>
// トランジションの動的制御
document.addEventListener('astro:before-preparation', (e) => {
const link = e.target;
const targetPage = link.getAttribute('href');
// ページタイプに応じてトランジションを変更
if (targetPage.includes('/blog/')) {
document.documentElement.dataset.transition = 'article';
} else if (targetPage.includes('/gallery/')) {
document.documentElement.dataset.transition = 'gallery';
} else {
document.documentElement.dataset.transition = 'default';
}
});
// プログレスバー
document.addEventListener('astro:before-preparation', () => {
const progressBar = document.createElement('div');
progressBar.className = 'transition-progress';
document.body.appendChild(progressBar);
let progress = 0;
const interval = setInterval(() => {
progress += Math.random() * 30;
if (progress > 90) progress = 90;
progressBar.style.width = progress + '%';
}, 100);
document.addEventListener('astro:after-swap', () => {
clearInterval(interval);
progressBar.style.width = '100%';
setTimeout(() => {
progressBar.remove();
}, 200);
}, { once: true });
});
</script>
<style>
.transition-progress {
position: fixed;
top: 0;
left: 0;
height: 3px;
background: linear-gradient(90deg, #007acc, #00a8ff);
z-index: 9999;
transition: width 0.2s ease;
}
/* ページタイプ別トランジション */
[data-transition="article"] {
--transition-duration: 0.4s;
}
[data-transition="gallery"] {
--transition-duration: 0.6s;
}
[data-transition="article"] ::view-transition-old(root) {
animation: article-out var(--transition-duration) ease-out;
}
[data-transition="article"] ::view-transition-new(root) {
animation: article-in var(--transition-duration) ease-out;
}
@keyframes article-out {
to {
transform: translateY(-20px);
opacity: 0;
filter: blur(2px);
}
}
@keyframes article-in {
from {
transform: translateY(20px);
opacity: 0;
filter: blur(2px);
}
}
</style>
パフォーマンス最適化の進化
Astro 5.0では、ビルド時とランタイムの両方でパフォーマンスが大幅に向上しました。新しい最適化エンジンにより、より小さなバンドルサイズと高速な読み込みを実現します。
新しいビルド最適化
主要改善点:
- インテリジェントなCode Splitting
- 自動画像最適化
- CSS inliningの最適化
- Dead Code Eliminationの強化
// astro.config.mjs
export default defineConfig({
output: 'hybrid',
build: {
// Code Splitting の改善
rollupOptions: {
output: {
manualChunks: {
vendor: ['react', 'react-dom'],
common: ['lodash', 'date-fns'],
charts: ['chart.js', 'd3']
}
}
},
// 新しい最適化オプション
optimization: {
// CSS inlining threshold
inlineCSSThreshold: 4096,
// 自動画像最適化
images: {
formats: ['webp', 'avif', 'auto'],
quality: 80,
responsive: true
},
// JavaScript minification
minify: {
deadCodeElimination: true,
treeShaking: true,
inlineConstants: true
}
}
},
experimental: {
// Server Islands の設定
serverIslands: {
// Island の最大実行時間
timeout: 5000,
// フォールバック戦略
fallback: 'static',
// キャッシュ設定
cache: {
maxAge: 3600,
staleWhileRevalidate: 86400
}
},
// View Transitions の最適化
viewTransitions: {
// プリロード戦略
preload: 'hover',
// アニメーション設定
animations: {
duration: 300,
easing: 'cubic-bezier(0.4, 0, 0.2, 1)'
}
}
}
});
スマートプリロード機能
プリロード戦略:
- ホバー時の予測プリロード
- ビューポート内リンクの自動検出
- 優先度ベースの効率的な読み込み
---
// components/SmartLink.astro
interface Props {
href: string;
preload?: 'none' | 'hover' | 'visible' | 'immediate';
priority?: 'high' | 'medium' | 'low';
}
const { href, preload = 'hover', priority = 'medium', ...props } = Astro.props;
---
<a
href={href}
data-preload={preload}
data-priority={priority}
{...props}
>
<slot />
</a>
<script>
// インテリジェントプリロード
class SmartPreloader {
constructor() {
this.preloadCache = new Set();
this.observer = new IntersectionObserver(this.handleIntersection.bind(this));
this.setupEventListeners();
}
setupEventListeners() {
document.addEventListener('mouseover', this.handleMouseOver.bind(this));
document.addEventListener('touchstart', this.handleTouchStart.bind(this));
// ビューポート内のリンクを監視
document.querySelectorAll('[data-preload="visible"]').forEach(link => {
this.observer.observe(link);
});
// 即座にプリロードするリンク
document.querySelectorAll('[data-preload="immediate"]').forEach(link => {
this.preloadPage(link.href);
});
}
handleMouseOver(e) {
const link = e.target.closest('[data-preload="hover"]');
if (link && !this.preloadCache.has(link.href)) {
// ホバー時のプリロード(100ms遅延)
setTimeout(() => {
if (link.matches(':hover')) {
this.preloadPage(link.href);
}
}, 100);
}
}
handleTouchStart(e) {
const link = e.target.closest('[data-preload="hover"]');
if (link) {
this.preloadPage(link.href);
}
}
handleIntersection(entries) {
entries.forEach(entry => {
if (entry.isIntersecting) {
this.preloadPage(entry.target.href);
this.observer.unobserve(entry.target);
}
});
}
async preloadPage(url) {
if (this.preloadCache.has(url)) return;
this.preloadCache.add(url);
try {
// ページのプリロード
const link = document.createElement('link');
link.rel = 'prefetch';
link.href = url;
document.head.appendChild(link);
// 重要なリソースのプリロード
const response = await fetch(url);
const html = await response.text();
// CSS と JS の抽出とプリロード
const parser = new DOMParser();
const doc = parser.parseFromString(html, 'text/html');
doc.querySelectorAll('link[rel="stylesheet"]').forEach(cssLink => {
const preloadLink = document.createElement('link');
preloadLink.rel = 'preload';
preloadLink.as = 'style';
preloadLink.href = cssLink.href;
document.head.appendChild(preloadLink);
});
} catch (error) {
console.warn('Preload failed for:', url, error);
}
}
}
// 初期化
new SmartPreloader();
</script>
開発者体験の向上
Astro 5.0では、開発効率を大幅に向上させる新しいツールと機能が追加されました。デバッグ、型安全性、パフォーマンス監視の全ての面で改善が図られています。
新しい開発ツール
開発効率の向上:
- 統合パフォーマンス監視
- Content Layer デバッガー
- 強化されたHMR(Hot Module Replacement)
// astro.config.mjs
export default defineConfig({
devtools: {
// 新しいデバッグツール
inspector: true,
// パフォーマンス監視
performance: {
vitals: true,
lighthouse: true,
bundleAnalyzer: true
},
// Content Layer デバッガー
contentLayer: {
inspector: true,
refreshOnChange: true,
validation: true
}
},
server: {
// ホットリロードの改善
hmr: {
overlay: true,
clientErrors: true
}
}
});
型安全性の強化
TypeScript統合の改善:
- 自動型生成の強化
- Content Collection型の完全サポート
- カスタムフックとユーティリティ
// src/types/content.ts
import type { CollectionEntry } from 'astro:content';
// 自動生成される型定義
export type BlogPost = CollectionEntry<'blog'>;
export type Product = CollectionEntry<'products'>;
export type User = CollectionEntry<'users'>;
// 統合型定義
export interface ContentItem {
collection: string;
slug: string;
data: {
title: string;
description: string;
pubDate: Date;
[key: string]: any;
};
}
// カスタムフック
export function useContent<T extends ContentItem>(
collection: string,
filter?: (item: T) => boolean
): T[] {
const { data, error, isLoading } = useSWR(
['content', collection, filter],
async () => {
const items = await getCollection(collection);
return filter ? items.filter(filter) : items;
}
);
return data || [];
}
フレームワーク比較
Astro 5.0と他の主要フレームワークとの比較を示します。
機能/特徴 | Astro 5.0 | Next.js 14 | Gatsby 5 | 11ty |
---|---|---|---|---|
ビルド時間 | ⭐⭐⭐⭐⭐ | ⭐⭐⭐ | ⭐⭐ | ⭐⭐⭐⭐⭐ |
バンドルサイズ | ⭐⭐⭐⭐⭐ | ⭐⭐⭐ | ⭐⭐⭐ | ⭐⭐⭐⭐ |
学習コスト | ⭐⭐⭐⭐ | ⭐⭐ | ⭐⭐⭐ | ⭐⭐⭐⭐⭐ |
動的機能 | ⭐⭐⭐⭐ | ⭐⭐⭐⭐⭐ | ⭐⭐ | ⭐ |
SEO最適化 | ⭐⭐⭐⭐⭐ | ⭐⭐⭐⭐ | ⭐⭐⭐⭐⭐ | ⭐⭐⭐⭐⭐ |
開発体験 | ⭐⭐⭐⭐ | ⭐⭐⭐⭐⭐ | ⭐⭐⭐ | ⭐⭐⭐ |
エコシステム | ⭐⭐⭐ | ⭐⭐⭐⭐⭐ | ⭐⭐⭐ | ⭐⭐ |
Astro 5.0の優位性
パフォーマンス面:
- ゼロJavaScriptによる超高速ロード
- Server Islandsによる最小限の動的処理
- 最適化されたビルドプロセス
開発効率:
- 学習コストの低さ
- 既存フレームワークとの併用可能
- 豊富なIntegrations
適用場面:
- 最適: ブログ、ポートフォリオ、企業サイト、ドキュメントサイト
- 適している: Eコマースサイト、ダッシュボード(部分的に動的)
- 不向き: 高度に動的なWebアプリケーション(Chatアプリやリアルタイムゲームなど)
実践的な活用例
以下では、Astro 5.0の新機能を活用した実世界のユースケースを紹介します。
ヘッドレスEコマースサイト
要点:
- 商品情報は静的生成でSEO最適化
- 在庫情報はServer Islandで動的更新
- パーソナライズド推奨は遅延読み込み
---
// pages/shop/[category]/[product].astro
import { getCollection } from 'astro:content';
import Layout from '../../../layouts/Layout.astro';
export async function getStaticPaths() {
const products = await getCollection('products');
return products.map(product => ({
params: {
category: product.data.category,
product: product.slug
},
props: { product }
}));
}
const { product } = Astro.props;
---
<Layout title={product.data.name}>
<main>
<!-- 静的商品情報 -->
<section class="product-info">
<img src={product.data.image} alt={product.data.name} />
<div class="details">
<h1>{product.data.name}</h1>
<p class="price">${product.data.price}</p>
<p>{product.data.description}</p>
</div>
</section>
<!-- Server Island: 動的在庫情報 -->
<server-island>
<div id="stock-info" data-product-id={product.slug}>
<script type="module">
async function updateStock() {
const productId = document.getElementById('stock-info').dataset.productId;
const response = await fetch(`/api/stock/${productId}`);
const stock = await response.json();
const element = document.getElementById('stock-display');
element.textContent = stock.quantity > 0
? `在庫: ${stock.quantity}個`
: '売り切れ';
element.className = stock.quantity > 0 ? 'in-stock' : 'out-of-stock';
}
updateStock();
// 30秒ごとに在庫を更新
setInterval(updateStock, 30000);
</script>
<div id="stock-display">読み込み中...</div>
</div>
</server-island>
<!-- Server Island: パーソナライズド推奨 -->
<server-island lazy threshold="0.3">
<section class="recommendations">
<h2>おすすめ商品</h2>
<div id="recommendations-grid">
<script type="module">
async function loadRecommendations() {
const userId = localStorage.getItem('userId');
const url = userId
? `/api/recommendations/personal/${userId}`
: `/api/recommendations/popular`;
const response = await fetch(url);
const recommendations = await response.json();
const grid = document.getElementById('recommendations-grid');
grid.innerHTML = recommendations.map(item => `
<div class="recommendation-card">
<img src="${item.image}" alt="${item.name}">
<h3>${item.name}</h3>
<p class="price">$${item.price}</p>
<a href="/shop/${item.category}/${item.slug}">詳細を見る</a>
</div>
`).join('');
}
loadRecommendations();
</script>
</div>
</section>
</server-island>
</main>
</Layout>
<style>
.product-info {
display: grid;
grid-template-columns: 1fr 1fr;
gap: 2rem;
margin-bottom: 3rem;
}
.price {
font-size: 1.5rem;
font-weight: bold;
color: #007acc;
}
.in-stock {
color: #28a745;
font-weight: bold;
}
.out-of-stock {
color: #dc3545;
font-weight: bold;
}
#recommendations-grid {
display: grid;
grid-template-columns: repeat(auto-fit, minmax(200px, 1fr));
gap: 1rem;
margin-top: 1rem;
}
.recommendation-card {
border: 1px solid #e0e0e0;
border-radius: 8px;
padding: 1rem;
text-align: center;
transition: transform 0.2s;
}
.recommendation-card:hover {
transform: translateY(-4px);
}
</style>
</Layout>
移行ガイド
Astro 4.xからAstro 5.0への移行は比較的簡単です。既存のコードの多くは互換性を保持していますが、新機能をフルに活用するためにはいくつかの設定変更が必要です。
Astro 4.x からの移行手順
ステップバイステップの移行手順:
# 依存関係の更新
npm install astro@5.0.0
# 新しい統合の追加
npm install @astrojs/content-layer @astrojs/server-islands
設定ファイルの更新
主要な設定変更:
// astro.config.mjs
import { defineConfig } from 'astro/config';
+ import { contentLayer } from '@astrojs/content-layer';
+ import { serverIslands } from '@astrojs/server-islands';
export default defineConfig({
+ integrations: [
+ contentLayer(),
+ serverIslands()
+ ],
+ experimental: {
+ serverIslands: true,
+ contentLayer: true
+ }
});
既存コードの移行
Content APIの改善点:
// pages/blog.astro
- import { getCollection } from 'astro:content';
+ import { getCollection } from 'astro:content';
// Content APIは互換性を保持
const posts = await getCollection('blog');
+ // 新機能: 複数ソースからの統合取得
+ const allContent = await getCollection(['blog', 'news', 'docs']);
まとめと次のステップ
主要な新機能のまとめ
Astro 5.0の革新的な新機能により、静的サイト生成と動的Webアプリケーション開発の境界線が書き換えられました。
Server Islands:
- 静的サイト内での部分的サーバーレンダリング
- リアルタイムデータとパーソナライゼーションの実現
- SEOとパフォーマンスの両立
Content Layer API:
- 多様なデータソースの統一管理
- CMS、データベース、APIのシームレスな連携
- 自動最適化と型安全性
View Transition API:
- SPAライクな滑らかなページ遷移
- カスタマイズ可能なアニメーション
- パフォーマンス最適化
実践的なアクションプラン
1. 小さく始める
- 既存プロジェクト: 最初にパフォーマンス監視ツールを導入
- 新規プロジェクト: シンプルなServer Islandからスタート
- プロトタイプ: ユーザーダッシュボードで動的コンテンツを試す
2. 段階的な拡張
- 第1段階: シンプルなServer Islandsで動的コンテンツを追加
- 第2段階: Content Layer APIでデータソースを統合
- 第3段階: View TransitionsでUXを向上
- 第4段階: パフォーマンス最適化を実施
3. ベストプラクティス
- パフォーマンス監視: Core Web Vitalsを定期的にチェック
- プログレッシブエンハンスメント: 少しずつ機能を追加
- テスト駆動: 各機能のパフォーマンス影響を測定
関連リソースと次のステップ
公式ドキュメント
コミュニティリソース
学習リソース
✨ ヒント: Astro 5.0の新機能は漸進的に導入できます。一度に全てを変更する必要はありません。まずは一つの機能から始めて、その効果を実感してから次のステップに進みましょう。
Astro 5.0は、静的サイト生成と動的Webアプリケーションの境界を曖昧にし、新しいWeb開発のパラダイムを提示しています。これらの革新的な機能を活用して、より優れたユーザー体験とパフォーマンスを実現しましょう。