この記事はで読むことができます。
Contents
はじめに
前回の記事では、AI ブロガー開発プロジェクトの概要と環境構築について解説しました。今回は、このプロジェクトの核心部分である、Claude API を使った記事生成機能の実装に踏み込んでいきます。
この記事を通じて、以下のスキルと知識を習得することができます:
- Golang での HTTP クライアントの実装
- Claude API の利用方法
- 非同期処理と error handling
- 構造化されたコードの書き方
それでは、実装に入っていきましょう。
Claude API クライアントの実装
まず、Claude API とやり取りするためのクライアントを実装します。internal/claude/client.go
ファイルを以下のように作成します:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 |
package claude import ( "bytes" "encoding/json" "fmt" "net/http" "io/ioutil" ) type Client struct { APIKey string BaseURL string } type APIResponse struct { Completion string `json:"completion"` StopReason string `json:"stop_reason"` Model string `json:"model"` } func NewClient(apiKey string) *Client { return &Client{ APIKey: apiKey, BaseURL: "https://api.anthropic.com/v1/complete", } } func (c *Client) GenerateContent(prompt string) (string, error) { requestBody, err := json.Marshal(map[string]interface{}{ "model": "claude-v1", "prompt": prompt, "max_tokens_to_sample": 1000, "temperature": 0.7, }) if err != nil { return "", err } req, err := http.NewRequest("POST", c.BaseURL, bytes.NewBuffer(requestBody)) if err != nil { return "", err } req.Header.Set("Content-Type", "application/json") req.Header.Set("X-API-Key", c.APIKey) client := &http.Client{} resp, err := client.Do(req) if err != nil { return "", err } defer resp.Body.Close() body, err := ioutil.ReadAll(resp.Body) if err != nil { return "", err } if resp.StatusCode != http.StatusOK { return "", fmt.Errorf("API request failed with status code %d: %s", resp.StatusCode, string(body)) } var apiResp APIResponse if err := json.Unmarshal(body, &apiResp); err != nil { return "", err } if apiResp.Completion == "" { return "", fmt.Errorf("no completion in API response") } return apiResp.Completion, nil } |
このコードでは、以下の主要な機能を実装しています:
- Claude API クライアントの構造体定義
- API レスポンスの構造体定義
- クライアントの初期化関数
- コンテンツ生成関数(HTTP リクエストの送信と応答の処理)
記事生成ロジックの実装
次に、記事生成のロジックを実装します。internal/content/generator.go
ファイルを以下のように作成します:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 |
package content import ( "fmt" "strings" "github.com/yourusername/ai-blogger-golang/internal/claude" "github.com/yourusername/ai-blogger-golang/internal/models" ) type Generator struct { claudeClient *claude.Client } func NewGenerator(claudeClient *claude.Client) *Generator { return &Generator{ claudeClient: claudeClient, } } func (g *Generator) GenerateArticle(keyword string) (*models.Article, error) { prompt := `以下の指示に従って、指定されたキーワードに関する記事を作成してください: 1. キーワード:%s 以上の指示に基づいて、%sに関する記事を作成してください。` formattedPrompt := fmt.Sprintf(prompt, keyword, keyword) content, err := g.claudeClient.GenerateContent(formattedPrompt) if err != nil { return nil, err } title := extractTitle(content) return &models.Article{ Title: title, Content: content, Keyword: keyword, }, nil } func extractTitle(content string) string { lines := strings.Split(content, "\n") for _, line := range lines { if strings.TrimSpace(line) != "" { return strings.TrimSpace(line) } } return "無題" } |
このコードでは、以下の主要な機能を実装しています:
- 記事生成器の構造体定義
- 記事生成関数(プロンプトの構築、Claude API の呼び出し、結果の処理)
- タイトル抽出関数
main.go の更新
最後に、cmd/main.go
ファイルを更新して、これらの新しい機能を利用できるようにします:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 |
package main import ( "fmt" "log" "github.com/yourusername/ai-blogger-golang/config" "github.com/yourusername/ai-blogger-golang/internal/claude" "github.com/yourusername/ai-blogger-golang/internal/content" ) func main() { cfg, err := config.Load() if err != nil { log.Fatalf("Error loading config: %v", err) } claudeClient := claude.NewClient(cfg.ClaudeAPIKey) generator := content.NewGenerator(claudeClient) keyword := "人工知能" // この部分は後でユーザー入力に変更できます article, err := generator.GenerateArticle(keyword) if err != nil { log.Fatalf("Error generating article: %v", err) } fmt.Printf("Generated Article:\nTitle: %s\nContent: %s\n", article.Title, article.Content) } |
実行と動作確認
これで、基本的な実装は完了です。以下のコマンドでプログラムを実行し、動作を確認できます:
1 |
go run cmd/main.go |
正常に動作すれば、指定されたキーワードに基づいて生成された記事のタイトルと内容が表示されるはずです。
エラーハンドリングとログ記録
実際の運用では、エラーハンドリングとログ記録を適切に行うことが重要です。以下のような改善を検討してください:
- エラーの詳細をログに記録する
- リトライメカニズムの実装(API呼び出しが失敗した場合)
- タイムアウト設定の追加
例えば、internal/claude/client.go
の GenerateContent
関数に以下のようなログ記録を追加できます:
1 2 3 4 5 6 7 8 9 10 |
func (c *Client) GenerateContent(prompt string) (string, error) { // ... (既存のコード) if resp.StatusCode != http.StatusOK { log.Printf("API request failed with status code %d: %s", resp.StatusCode, string(body)) return "", fmt.Errorf("API request failed with status code %d", resp.StatusCode) } // ... (残りのコード) } |
パフォーマンスの最適化
大量の記事を生成する場合、以下のような最適化を検討してください:
- ゴルーチンを使用した並行処理
- コネクションプーリングの実装
- キャッシュメカニズムの導入(同じキーワードに対する重複リクエストを避ける)
まとめ
この記事では、Claude API を使用して記事を自動生成する機能の実装について解説しました。主な実装ポイントは以下の通りです:
- Claude API クライアントの実装
- 記事生成ロジックの構築
- メインプログラムの更新
- エラーハンドリングとログ記録の考慮
- パフォーマンス最適化の検討
これらの実装により、キーワードを入力するだけで、Claude AI を使用して自動的に記事を生成することができるようになりました。
次のステップ
次回の記事では、生成された記事を WordPress に自動投稿する機能を実装します。WordPress REST API の使用方法や、投稿プロセスの自動化について詳しく解説する予定です。
また、以下の点についても考慮していく必要があります:
- ユーザーインターフェースの改善(コマンドライン引数の使用など)
- 生成された記事の品質チェック機能の追加
- 多言語対応の検討
AI 技術とプログラミングスキルを組み合わせることで、コンテンツ作成プロセスを大幅に効率化できることがお分かりいただけたかと思います。次回の記事では、この自動化プロセスをさらに一歩進めて、WordPress との連携を実現します。お楽しみに!
この記事は役に立ちましたか?
もし参考になりましたら、下記のボタンで教えてください。
コメント