RSS Implementation with Claude Code
Learn about rss implementation using Claude Code. Practical tips and code examples included.
RSSフィードでブログの読者獲得を加速する
RSSフィードを提供することで、ブログ記事の更新をRSSリーダーで購読してもらえます。Claude Codeを使えば、RSS 2.0やAtomフィードの生成を短時間で実装できます。
基本的なRSSフィード生成
> ブログ記事のRSSフィードを生成するエンドポイントを作成して。
> RSS 2.0形式で、最新20件の記事を配信して。
// src/pages/rss.xml.ts
import rss from '@astrojs/rss';
import { getCollection } from 'astro:content';
import sanitizeHtml from 'sanitize-html';
import MarkdownIt from 'markdown-it';
const parser = new MarkdownIt();
export async function GET(context: { site: string }) {
const posts = await getCollection('blog');
const sortedPosts = posts
.filter(post => !post.data.draft)
.sort((a, b) =>
new Date(b.data.pubDate).getTime() - new Date(a.data.pubDate).getTime()
)
.slice(0, 20);
return rss({
title: 'My Tech Blog',
description: 'Web開発に関する技術ブログ',
site: context.site,
items: sortedPosts.map(post => ({
title: post.data.title,
pubDate: new Date(post.data.pubDate),
description: post.data.description,
link: `/blog/${post.slug}/`,
content: sanitizeHtml(parser.render(post.body), {
allowedTags: sanitizeHtml.defaults.allowedTags.concat(['img']),
}),
categories: post.data.tags,
})),
customData: `<language>ja</language>`,
});
}
Atomフィードの実装
// src/pages/atom.xml.ts
import { getCollection } from 'astro:content';
export async function GET() {
const posts = await getCollection('blog');
const siteUrl = 'https://example.com';
const sortedPosts = posts
.filter(p => !p.data.draft)
.sort((a, b) =>
new Date(b.data.pubDate).getTime() - new Date(a.data.pubDate).getTime()
)
.slice(0, 20);
const atom = `<?xml version="1.0" encoding="UTF-8"?>
<feed xmlns="http://www.w3.org/2005/Atom">
<title>My Tech Blog</title>
<link href="${siteUrl}/atom.xml" rel="self"/>
<link href="${siteUrl}"/>
<id>${siteUrl}/</id>
<updated>${sortedPosts[0]?.data.pubDate ?? new Date().toISOString()}</updated>
${sortedPosts.map(post => ` <entry>
<title>${escapeXml(post.data.title)}</title>
<link href="${siteUrl}/blog/${post.slug}/"/>
<id>${siteUrl}/blog/${post.slug}/</id>
<published>${post.data.pubDate}</published>
<summary>${escapeXml(post.data.description)}</summary>
<category term="${post.data.tags?.[0] ?? ''}" />
</entry>`).join('\n')}
</feed>`;
return new Response(atom, {
headers: { 'Content-Type': 'application/atom+xml; charset=utf-8' },
});
}
function escapeXml(str: string): string {
return str
.replace(/&/g, '&')
.replace(/</g, '<')
.replace(/>/g, '>')
.replace(/"/g, '"');
}
HTMLヘッダーへのフィードリンク追加
<head>
<link rel="alternate" type="application/rss+xml"
title="RSS Feed" href="/rss.xml" />
<link rel="alternate" type="application/atom+xml"
title="Atom Feed" href="/atom.xml" />
</head>
カテゴリ別フィードの生成
// src/pages/rss/[category].xml.ts
import { getCollection } from 'astro:content';
export async function getStaticPaths() {
const posts = await getCollection('blog');
const categories = [...new Set(posts.map(p => p.data.category))];
return categories.map(category => ({
params: { category },
}));
}
export async function GET({ params, site }: { params: { category: string }; site: string }) {
const posts = await getCollection('blog');
const filtered = posts
.filter(p => p.data.category === params.category && !p.data.draft)
.sort((a, b) =>
new Date(b.data.pubDate).getTime() - new Date(a.data.pubDate).getTime()
);
// RSS生成ロジック(カテゴリ名をタイトルに含める)
return generateRss({
title: `My Tech Blog - ${params.category}`,
posts: filtered,
site,
});
}
フィードのバリデーション
生成したRSSフィードが正しい形式か、W3C Feed Validation Serviceで確認できます。
> RSSフィードのバリデーションテストを書いて。
> XMLの構造とRSS 2.0仕様に準拠しているか確認して。
import { describe, it, expect } from 'vitest';
import { XMLParser } from 'fast-xml-parser';
describe('RSS Feed', () => {
it('有効なRSS 2.0形式であること', async () => {
const response = await fetch('http://localhost:4321/rss.xml');
const xml = await response.text();
const parser = new XMLParser();
const result = parser.parse(xml);
expect(result.rss).toBeDefined();
expect(result.rss.channel.title).toBeTruthy();
expect(result.rss.channel.item.length).toBeGreaterThan(0);
expect(result.rss.channel.item.length).toBeLessThanOrEqual(20);
});
});
Zusammenfassung
RSSフィードの実装は、ブログ読者の獲得とリテンションに大きく貢献します。Claude Codeを活用すれば、SEO対策と組み合わせてサイトの発見性を高められます。サイトマップと一緒にビルド時に自動生成する設定を推奨します。フィードの仕様についてはRSS 2.0 Specificationを参照してください。
Related Posts
So beschleunigen Sie Ihre Nebenprojekte mit Claude Code [Mit Beispielen]
Erfahren Sie, wie Sie persönliche Entwicklungsprojekte mit Claude Code drastisch beschleunigen. Inklusive realer Beispiele und eines praktischen Workflows von der Idee bis zum Deployment.
So automatisieren Sie Refactoring mit Claude Code
Erfahren Sie, wie Sie Code-Refactoring mit Claude Code effizient automatisieren. Inklusive praktischer Prompts und konkreter Refactoring-Muster für reale Projekte.
Vollständiger CORS-Konfigurationsleitfaden mit Claude Code
Erfahren Sie alles über die CORS-Konfiguration mit Claude Code. Mit praktischen Tipps und Codebeispielen.