package ai import ( "bytes" "encoding/json" "fmt" "net/http" "paraclub-ai-mailer/config" ) type AI struct { config config.AIConfig client *http.Client } type OpenRouterRequest struct { Model string `json:"model"` Messages []Message `json:"messages"` Temperature float32 `json:"temperature"` MaxTokens int `json:"max_tokens"` } type Message struct { Role string `json:"role"` Content string `json:"content"` } type OpenRouterResponse struct { Choices []struct { Message struct { Content string `json:"content"` } `json:"message"` } `json:"choices"` } func New(cfg config.AIConfig) *AI { return &AI{ config: cfg, client: &http.Client{}, } } func (a *AI) GenerateReply(emailContent string, contextContent map[string]string) (string, error) { // Prepare context from all URLs var context string for url, content := range contextContent { context += fmt.Sprintf("\nContext from %s:\n%s\n", url, content) } // Prepare the system message and user message systemMsg := "You are a helpful assistant. Use the provided context to help answer the email professionally and accurately." userMsg := fmt.Sprintf("Using the following context:\n%s\n\nPlease generate a reply for this email:\n%s", context, emailContent) messages := []Message{ {Role: "system", Content: systemMsg}, {Role: "user", Content: userMsg}, } reqBody := OpenRouterRequest{ Model: a.config.Model, Messages: messages, Temperature: a.config.Temperature, MaxTokens: a.config.MaxTokens, } jsonData, err := json.Marshal(reqBody) if err != nil { return "", err } req, err := http.NewRequest("POST", "https://openrouter.ai/api/v1/chat/completions", bytes.NewBuffer(jsonData)) if err != nil { return "", err } req.Header.Set("Content-Type", "application/json") req.Header.Set("Authorization", fmt.Sprintf("Bearer %s", a.config.OpenRouterAPIKey)) resp, err := a.client.Do(req) if err != nil { return "", err } defer resp.Body.Close() if resp.StatusCode != http.StatusOK { return "", fmt.Errorf("OpenRouter API returned status code: %d", resp.StatusCode) } var result OpenRouterResponse if err := json.NewDecoder(resp.Body).Decode(&result); err != nil { return "", err } if len(result.Choices) == 0 { return "", fmt.Errorf("no response generated") } return result.Choices[0].Message.Content, nil }