// Package crypto provides AES-256-GCM encryption utilities for storing // sensitive prompt data in the audit log without exposing plaintext. package crypto import ( "crypto/aes" "crypto/cipher" "crypto/rand" "encoding/base64" "errors" "fmt" "io" ) // Encryptor encrypts and decrypts strings using AES-256-GCM. // A random 12-byte nonce is prepended to each ciphertext; output is base64 URL-safe. type Encryptor struct { key []byte } // NewEncryptor creates an Encryptor from a standard base64-encoded 32-byte key. // Returns an error if the key is not exactly 32 bytes after decoding. func NewEncryptor(keyBase64 string) (*Encryptor, error) { key, err := base64.StdEncoding.DecodeString(keyBase64) if err != nil { return nil, fmt.Errorf("crypto: invalid base64 key: %w", err) } if len(key) != 32 { return nil, fmt.Errorf("crypto: key must be 32 bytes, got %d", len(key)) } return &Encryptor{key: key}, nil } // Encrypt encrypts plaintext and returns a base64 URL-safe string. // Format: base64(nonce[12] || ciphertext). func (e *Encryptor) Encrypt(plaintext string) (string, error) { block, err := aes.NewCipher(e.key) if err != nil { return "", fmt.Errorf("crypto: new cipher: %w", err) } gcm, err := cipher.NewGCM(block) if err != nil { return "", fmt.Errorf("crypto: new gcm: %w", err) } nonce := make([]byte, gcm.NonceSize()) if _, err := io.ReadFull(rand.Reader, nonce); err != nil { return "", fmt.Errorf("crypto: generate nonce: %w", err) } ciphertext := gcm.Seal(nonce, nonce, []byte(plaintext), nil) return base64.URLEncoding.EncodeToString(ciphertext), nil } // Decrypt decrypts a base64 URL-safe string produced by Encrypt. func (e *Encryptor) Decrypt(ciphertext string) (string, error) { data, err := base64.URLEncoding.DecodeString(ciphertext) if err != nil { return "", fmt.Errorf("crypto: invalid base64 ciphertext: %w", err) } block, err := aes.NewCipher(e.key) if err != nil { return "", fmt.Errorf("crypto: new cipher: %w", err) } gcm, err := cipher.NewGCM(block) if err != nil { return "", fmt.Errorf("crypto: new gcm: %w", err) } nonceSize := gcm.NonceSize() if len(data) < nonceSize { return "", errors.New("crypto: ciphertext too short") } nonce, data := data[:nonceSize], data[nonceSize:] plaintext, err := gcm.Open(nil, nonce, data, nil) if err != nil { return "", fmt.Errorf("crypto: decrypt failed: %w", err) } return string(plaintext), nil }