feat: translate recommendations and menu dishes into user language
- Generate recipes in English (reverted prompt to English-only) - Add TranslateRecipes to OpenAI client (translate.go) — sends compact JSON payload of translatable fields, merges back into original recipes - recommendation/handler.go: translate recipes in-memory before response when lang != "en"; falls back to English on error - dish/repository.go: Create() now returns (dishID, recipeID, err) so callers can upsert dish_translations after saving - menu/handler.go: saveRecipes returns savedRecipeEntry slice with dishID; saveDishTranslations calls TranslateRecipes then UpsertTranslation for each dish when the request locale is not English - savedrecipe/repository.go: updated to ignore dishID from Create() - init.go: wire openaiClient as RecipeTranslator and dishRepository as DishTranslator for menu.NewHandler Co-Authored-By: Claude Sonnet 4.6 <noreply@anthropic.com>
This commit is contained in:
@@ -16,7 +16,6 @@ var goalNames = map[string]string{
|
||||
"gain": "muscle gain",
|
||||
}
|
||||
|
||||
|
||||
// GenerateRecipes generates recipes using the OpenAI API.
|
||||
// Retries up to maxRetries times only when the response is not valid JSON.
|
||||
// API-level errors (rate limits, auth, etc.) are returned immediately.
|
||||
@@ -62,11 +61,6 @@ func buildRecipePrompt(req ai.RecipeRequest) string {
|
||||
goal = "weight maintenance"
|
||||
}
|
||||
|
||||
targetLang := langNames[req.Lang]
|
||||
if targetLang == "" {
|
||||
targetLang = "English"
|
||||
}
|
||||
|
||||
restrictions := "none"
|
||||
if len(req.Restrictions) > 0 {
|
||||
restrictions = strings.Join(req.Restrictions, ", ")
|
||||
@@ -93,7 +87,7 @@ func buildRecipePrompt(req ai.RecipeRequest) string {
|
||||
strings.Join(req.AvailableProducts, "\n") + "\n"
|
||||
}
|
||||
|
||||
return fmt.Sprintf(`You are a chef and nutritionist. Generate %d recipes in %s.
|
||||
return fmt.Sprintf(`You are a chef and nutritionist. Generate %d recipes in English.
|
||||
|
||||
User profile:
|
||||
- Goal: %s
|
||||
@@ -107,7 +101,7 @@ Requirements for each recipe:
|
||||
- Include approximate macros per serving
|
||||
|
||||
IMPORTANT:
|
||||
- All text fields (title, description, ingredient names, units, step descriptions, tags) MUST be in %s.
|
||||
- All text fields (title, description, ingredient names, units, step descriptions, tags) MUST be in English.
|
||||
- The "image_query" field MUST always be in English (it is used for stock-photo search).
|
||||
|
||||
Return ONLY a valid JSON array without markdown or extra text:
|
||||
@@ -124,7 +118,7 @@ Return ONLY a valid JSON array without markdown or extra text:
|
||||
"steps": [{"number": 1, "description": "...", "timer_seconds": null}],
|
||||
"tags": ["..."],
|
||||
"nutrition_per_serving": {"calories": 420, "protein_g": 48, "fat_g": 12, "carbs_g": 18}
|
||||
}]`, count, targetLang, goal, req.DailyCalories, restrictions, cuisines, productsSection, perMealCalories, targetLang)
|
||||
}]`, count, goal, req.DailyCalories, restrictions, cuisines, productsSection, perMealCalories)
|
||||
}
|
||||
|
||||
func parseRecipesJSON(text string) ([]ai.Recipe, error) {
|
||||
|
||||
137
backend/internal/adapters/openai/translate.go
Normal file
137
backend/internal/adapters/openai/translate.go
Normal file
@@ -0,0 +1,137 @@
|
||||
package openai
|
||||
|
||||
import (
|
||||
"context"
|
||||
"encoding/json"
|
||||
"fmt"
|
||||
"strings"
|
||||
|
||||
"github.com/food-ai/backend/internal/adapters/ai"
|
||||
)
|
||||
|
||||
// recipeTranslationPayload is the compact shape sent to and received from the
|
||||
// translation prompt. Only human-readable text fields are included; numeric,
|
||||
// enum, and English-only fields (image_query) are omitted.
|
||||
type recipeTranslationPayload struct {
|
||||
Title string `json:"title"`
|
||||
Description string `json:"description"`
|
||||
Ingredients []ingredientTranslationEntry `json:"ingredients"`
|
||||
Steps []stepTranslationEntry `json:"steps"`
|
||||
Tags []string `json:"tags"`
|
||||
}
|
||||
|
||||
type ingredientTranslationEntry struct {
|
||||
Name string `json:"name"`
|
||||
Unit string `json:"unit"`
|
||||
}
|
||||
|
||||
type stepTranslationEntry struct {
|
||||
Description string `json:"description"`
|
||||
}
|
||||
|
||||
// TranslateRecipes translates the human-readable text fields of the given
|
||||
// recipes from English into targetLang. Non-text fields (nutrition, timers,
|
||||
// image_query, difficulty, cuisine, amounts) are copied unchanged.
|
||||
// On error the caller should fall back to the original English recipes.
|
||||
func (c *Client) TranslateRecipes(requestContext context.Context, recipes []ai.Recipe, targetLang string) ([]ai.Recipe, error) {
|
||||
targetLangName := langNames[targetLang]
|
||||
if targetLangName == "" {
|
||||
return recipes, nil // unknown language — nothing to do
|
||||
}
|
||||
|
||||
// Build compact payload with only the fields that need translation.
|
||||
payloads := make([]recipeTranslationPayload, len(recipes))
|
||||
for index, recipe := range recipes {
|
||||
ingredients := make([]ingredientTranslationEntry, len(recipe.Ingredients))
|
||||
for ingredientIndex, ingredient := range recipe.Ingredients {
|
||||
ingredients[ingredientIndex] = ingredientTranslationEntry{
|
||||
Name: ingredient.Name,
|
||||
Unit: ingredient.Unit,
|
||||
}
|
||||
}
|
||||
steps := make([]stepTranslationEntry, len(recipe.Steps))
|
||||
for stepIndex, step := range recipe.Steps {
|
||||
steps[stepIndex] = stepTranslationEntry{Description: step.Description}
|
||||
}
|
||||
payloads[index] = recipeTranslationPayload{
|
||||
Title: recipe.Title,
|
||||
Description: recipe.Description,
|
||||
Ingredients: ingredients,
|
||||
Steps: steps,
|
||||
Tags: recipe.Tags,
|
||||
}
|
||||
}
|
||||
|
||||
payloadJSON, marshalError := json.Marshal(payloads)
|
||||
if marshalError != nil {
|
||||
return nil, fmt.Errorf("marshal translation payload: %w", marshalError)
|
||||
}
|
||||
|
||||
prompt := fmt.Sprintf(
|
||||
`Translate the following recipe text fields from English to %s.
|
||||
Return ONLY a valid JSON array in the exact same structure. Do not add, remove, or reorder elements.
|
||||
Do not translate the array structure itself — only the string values.
|
||||
|
||||
%s`,
|
||||
targetLangName,
|
||||
string(payloadJSON),
|
||||
)
|
||||
|
||||
var lastErr error
|
||||
for attempt := range maxRetries {
|
||||
messages := []map[string]string{{"role": "user", "content": prompt}}
|
||||
if attempt > 0 {
|
||||
messages = append(messages, map[string]string{
|
||||
"role": "user",
|
||||
"content": "Previous response was not valid JSON. Return ONLY a JSON array with no text before or after.",
|
||||
})
|
||||
}
|
||||
|
||||
responseText, generateError := c.generateContent(requestContext, messages)
|
||||
if generateError != nil {
|
||||
return nil, generateError
|
||||
}
|
||||
|
||||
responseText = strings.TrimSpace(responseText)
|
||||
if strings.HasPrefix(responseText, "```") {
|
||||
responseText = strings.TrimPrefix(responseText, "```json")
|
||||
responseText = strings.TrimPrefix(responseText, "```")
|
||||
responseText = strings.TrimSuffix(responseText, "```")
|
||||
responseText = strings.TrimSpace(responseText)
|
||||
}
|
||||
|
||||
var translated []recipeTranslationPayload
|
||||
if parseError := json.Unmarshal([]byte(responseText), &translated); parseError != nil {
|
||||
lastErr = fmt.Errorf("attempt %d parse translation JSON: %w", attempt+1, parseError)
|
||||
continue
|
||||
}
|
||||
if len(translated) != len(recipes) {
|
||||
lastErr = fmt.Errorf("attempt %d: expected %d translated recipes, got %d", attempt+1, len(recipes), len(translated))
|
||||
continue
|
||||
}
|
||||
|
||||
// Merge translated text fields back into copies of the original recipes.
|
||||
result := make([]ai.Recipe, len(recipes))
|
||||
for recipeIndex, recipe := range recipes {
|
||||
result[recipeIndex] = recipe // copy all fields (nutrition, timers, image_query, etc.)
|
||||
translatedPayload := translated[recipeIndex]
|
||||
result[recipeIndex].Title = translatedPayload.Title
|
||||
result[recipeIndex].Description = translatedPayload.Description
|
||||
result[recipeIndex].Tags = translatedPayload.Tags
|
||||
for ingredientIndex := range result[recipeIndex].Ingredients {
|
||||
if ingredientIndex < len(translatedPayload.Ingredients) {
|
||||
result[recipeIndex].Ingredients[ingredientIndex].Name = translatedPayload.Ingredients[ingredientIndex].Name
|
||||
result[recipeIndex].Ingredients[ingredientIndex].Unit = translatedPayload.Ingredients[ingredientIndex].Unit
|
||||
}
|
||||
}
|
||||
for stepIndex := range result[recipeIndex].Steps {
|
||||
if stepIndex < len(translatedPayload.Steps) {
|
||||
result[recipeIndex].Steps[stepIndex].Description = translatedPayload.Steps[stepIndex].Description
|
||||
}
|
||||
}
|
||||
}
|
||||
return result, nil
|
||||
}
|
||||
|
||||
return nil, fmt.Errorf("failed to parse valid translation JSON after %d attempts: %w", maxRetries, lastErr)
|
||||
}
|
||||
Reference in New Issue
Block a user