rsa.go 1.5 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374757677
  1. package rsa
  2. import (
  3. "crypto/rand"
  4. "crypto/rsa"
  5. "crypto/x509"
  6. "encoding/base64"
  7. "encoding/pem"
  8. "fmt"
  9. )
  10. type RSA struct {
  11. }
  12. // 创建私钥
  13. var privateKey, _ = rsa.GenerateKey(rand.Reader, 2048)
  14. // 私钥解密
  15. func (r *RSA) Decrypt(password string) string {
  16. encrypted, _ := base64.StdEncoding.DecodeString(password)
  17. decryptedText, err := rsa.DecryptPKCS1v15(rand.Reader, privateKey, encrypted)
  18. if err != nil {
  19. fmt.Println("Failed to decrypt data:", err)
  20. return ""
  21. }
  22. return string(decryptedText)
  23. }
  24. // 返回公钥
  25. func (r *RSA) ReturnPublicKey() string {
  26. publicKey := &privateKey.PublicKey
  27. publicKeyDer, err := x509.MarshalPKIXPublicKey(publicKey)
  28. if err != nil {
  29. fmt.Println("Failed to convert public key to DER format:", err)
  30. return ""
  31. }
  32. publicKeyPem := &pem.Block{
  33. Type: "PUBLIC KEY",
  34. Bytes: publicKeyDer,
  35. }
  36. publicKeyPemBytes := pem.EncodeToMemory(publicKeyPem)
  37. return string(publicKeyPemBytes)
  38. }
  39. func parsePublicKey(pemData string) *rsa.PublicKey {
  40. // 将字符串转换为字节切片
  41. block, _ := pem.Decode([]byte(pemData))
  42. if block == nil || block.Type != "PUBLIC KEY" {
  43. return nil
  44. }
  45. // 解析DER编码的公钥
  46. pub, err := x509.ParsePKIXPublicKey(block.Bytes)
  47. if err != nil {
  48. return nil
  49. }
  50. // 类型断言为*rsa.PublicKey
  51. rsaPub, ok := pub.(*rsa.PublicKey)
  52. if !ok {
  53. return nil
  54. }
  55. return rsaPub
  56. }
  57. func (r *RSA) Encryption(data []byte) []byte {
  58. key := parsePublicKey(r.ReturnPublicKey())
  59. encryptedData, err := rsa.EncryptPKCS1v15(rand.Reader, key, data)
  60. if err != nil {
  61. panic(err)
  62. }
  63. return encryptedData
  64. }