mirror of
https://github.com/jefferyjob/go-easy-utils.git
synced 2025-09-26 19:11:12 +08:00
91 lines
2.0 KiB
Go
91 lines
2.0 KiB
Go
package cryptox
|
|
|
|
import (
|
|
"crypto/rand"
|
|
"crypto/rsa"
|
|
"crypto/x509"
|
|
"encoding/pem"
|
|
"fmt"
|
|
)
|
|
|
|
// GenerateRSAKeys 生成RSA私钥和公钥
|
|
func GenerateRSAKeys() (string, string, error) {
|
|
privateKey, err := rsa.GenerateKey(rand.Reader, 2048)
|
|
if err != nil {
|
|
return "", "", err
|
|
}
|
|
|
|
publicKey := &privateKey.PublicKey
|
|
|
|
// 将私钥转换为PEM格式
|
|
privateKeyBytes := x509.MarshalPKCS1PrivateKey(privateKey)
|
|
privateKeyPEM := pem.EncodeToMemory(&pem.Block{
|
|
Type: "RSA PRIVATE KEY",
|
|
Bytes: privateKeyBytes,
|
|
})
|
|
|
|
// 将公钥转换为PEM格式
|
|
publicKeyBytes, err := x509.MarshalPKIXPublicKey(publicKey)
|
|
if err != nil {
|
|
return "", "", err
|
|
}
|
|
publicKeyPEM := pem.EncodeToMemory(&pem.Block{
|
|
Type: "RSA PUBLIC KEY",
|
|
Bytes: publicKeyBytes,
|
|
})
|
|
|
|
return string(privateKeyPEM), string(publicKeyPEM), nil
|
|
}
|
|
|
|
// EncryptRSA RSA加密数据
|
|
func EncryptRSA(publicKeyStr string, message []byte) ([]byte, error) {
|
|
// 解码公钥
|
|
publicKeyBlock, _ := pem.Decode([]byte(publicKeyStr))
|
|
if publicKeyBlock == nil {
|
|
return nil, fmt.Errorf("failed to parse public key")
|
|
}
|
|
|
|
// 解析公钥
|
|
publicKey, err := x509.ParsePKIXPublicKey(publicKeyBlock.Bytes)
|
|
if err != nil {
|
|
return nil, err
|
|
}
|
|
|
|
// 类型断言为RSA公钥
|
|
rsaPublicKey, ok := publicKey.(*rsa.PublicKey)
|
|
if !ok {
|
|
return nil, fmt.Errorf("failed to convert public key to RSA public key")
|
|
}
|
|
|
|
// 加密消息
|
|
ciphertext, err := rsa.EncryptPKCS1v15(rand.Reader, rsaPublicKey, message)
|
|
if err != nil {
|
|
return nil, err
|
|
}
|
|
|
|
return ciphertext, nil
|
|
}
|
|
|
|
// DecryptRSA RSA解密数据
|
|
func DecryptRSA(privateKeyStr string, ciphertext []byte) ([]byte, error) {
|
|
// 解码私钥
|
|
privateKeyBlock, _ := pem.Decode([]byte(privateKeyStr))
|
|
if privateKeyBlock == nil {
|
|
return nil, fmt.Errorf("failed to parse private key")
|
|
}
|
|
|
|
// 解析私钥
|
|
privateKey, err := x509.ParsePKCS1PrivateKey(privateKeyBlock.Bytes)
|
|
if err != nil {
|
|
return nil, err
|
|
}
|
|
|
|
// 解密密文
|
|
plaintext, err := rsa.DecryptPKCS1v15(rand.Reader, privateKey, ciphertext)
|
|
if err != nil {
|
|
return nil, err
|
|
}
|
|
|
|
return plaintext, nil
|
|
}
|