76 lines
1.6 KiB
Go
76 lines
1.6 KiB
Go
package llm
|
|
|
|
import (
|
|
"bytes"
|
|
"context"
|
|
"encoding/json"
|
|
"fmt"
|
|
"io"
|
|
"net/http"
|
|
)
|
|
|
|
type AnthropicProvider struct {
|
|
apiKey string
|
|
baseURL string
|
|
client *http.Client
|
|
}
|
|
|
|
func NewAnthropicProvider(apiKey, baseURL string) *AnthropicProvider {
|
|
if baseURL == "" {
|
|
baseURL = "https://api.anthropic.com/v1"
|
|
}
|
|
return &AnthropicProvider{
|
|
apiKey: apiKey,
|
|
baseURL: baseURL,
|
|
client: &http.Client{},
|
|
}
|
|
}
|
|
|
|
func (p *AnthropicProvider) Name() string {
|
|
return "anthropic"
|
|
}
|
|
|
|
func (p *AnthropicProvider) GenerateReply(ctx context.Context, model string, systemPrompt, userPrompt string) (string, error) {
|
|
reqBody := map[string]interface{}{
|
|
"model": model,
|
|
"max_tokens": 1024,
|
|
"system": systemPrompt,
|
|
"messages": []map[string]string{
|
|
{"role": "user", "content": userPrompt},
|
|
},
|
|
}
|
|
bs, _ := json.Marshal(reqBody)
|
|
|
|
req, err := http.NewRequestWithContext(ctx, "POST", p.baseURL+"/messages", bytes.NewReader(bs))
|
|
if err != nil {
|
|
return "", err
|
|
}
|
|
req.Header.Set("x-api-key", p.apiKey)
|
|
req.Header.Set("anthropic-version", "2023-06-01")
|
|
req.Header.Set("content-type", "application/json")
|
|
|
|
resp, err := p.client.Do(req)
|
|
if err != nil {
|
|
return "", err
|
|
}
|
|
defer resp.Body.Close()
|
|
|
|
if resp.StatusCode != http.StatusOK {
|
|
body, _ := io.ReadAll(resp.Body)
|
|
return "", fmt.Errorf("anthropic error %d: %s", resp.StatusCode, string(body))
|
|
}
|
|
|
|
var result struct {
|
|
Content []struct {
|
|
Text string `json:"text"`
|
|
} `json:"content"`
|
|
}
|
|
if err := json.NewDecoder(resp.Body).Decode(&result); err != nil {
|
|
return "", err
|
|
}
|
|
if len(result.Content) == 0 {
|
|
return "", fmt.Errorf("anthropic returned empty content")
|
|
}
|
|
return result.Content[0].Text, nil
|
|
}
|