package crypter import ( "crypto/aes" "crypto/cipher" "crypto/rand" "encoding/hex" "io" ) // Fonction pour crypter des données func Encrypt(plaintext string, key string) (string, error) { block, err := aes.NewCipher([]byte(key)) if err != nil { return "", err } aesGCM, err := cipher.NewGCM(block) if err != nil { return "", err } nonce := make([]byte, aesGCM.NonceSize()) if _, err = io.ReadFull(rand.Reader, nonce); err != nil { return "", err } ciphertext := aesGCM.Seal(nonce, nonce, []byte(plaintext), nil) return hex.EncodeToString(ciphertext), nil } // Fonction pour décrypter des données func Decrypt(encryptedData string, key string) (string, error) { data, err := hex.DecodeString(encryptedData) if err != nil { return "", err } block, err := aes.NewCipher([]byte(key)) if err != nil { return "", err } aesGCM, err := cipher.NewGCM(block) if err != nil { return "", err } nonceSize := aesGCM.NonceSize() nonce, ciphertext := data[:nonceSize], data[nonceSize:] plaintext, err := aesGCM.Open(nil, nonce, ciphertext, nil) if err != nil { return "", err } return string(plaintext), nil }