在go语言中对数据进行DES加密和解密之TripleDES加密包

2023-06-01 00:00:00 加密 解密 中对

使用Golang的DES加密包进行加密和解密数据示例代码

TripleDES

三重DES (3DES) 是三重数据加密算法(TDEA 或三重 DEA)对称密钥块密码的通用名称,

它将数据加密标准 (DES) 密码算法应用于每个数据块三次。


以下是使用TripleDES加密和解密8字节字符串消息的示例代码:


 package main
 
     import (
       "fmt"
       "crypto/des"
       "crypto/cipher"
       "os"
     )
     
     func main() {
        //因为我们要使用 TripleDES...所以我们把它拼接三次!
        triplekey := "12345678" + "12345678" + "12345678" 
        //ps : 这里也可以使用append
       
           // 明文会引起恐慌:crypto/cipher: input not full blocks
           // 如果它不是正确的 BlockSize。 (des.BlockSize = 8 字节)
           // 要解决此问题,可能需要将纯文本填充到整个块中
           // ( 8 bytes ) 为了本教程的简单,我们将只保留
           // 明文输入到 8 个字节
        plaintext := []byte("Hello Wo") // Hello Wo = 8 bytes.
        block,err := des.NewTripleDESCipher([]byte(triplekey))
        if err != nil {
          fmt.Printf("%s \n", err.Error())
          os.Exit(1)
        }
       
        fmt.Printf("%d 字节 NewTripleDESCipher 密钥,块大小为 %d bytes\n", len(triplekey), block.BlockSize)
       
        ciphertext := []byte("abcdef1234567890")
        iv := ciphertext[:des.BlockSize] // const BlockSize = 8
       
        //加密
        mode := cipher.NewCBCEncrypter(block, iv)
        encrypted := make([]byte, len(plaintext))
        //mode.CryptBlocks(ciphertext[des.BlockSize:], plaintext)
        mode.CryptBlocks(encrypted, plaintext)
       
        fmt.Printf("%s 加密成 %x \n", plaintext, encrypted)
       
        //解密
        decrypter := cipher.NewCBCDecrypter(block, iv)
        decrypted := make([]byte, len(plaintext))
        decrypter.CryptBlocks(decrypted, encrypted)
       
        fmt.Printf("%x 解密成 %s\n", encrypted, decrypted)
     }


输出:

24 字节 NewTripleDESCipher 密钥,块大小为 10144 字节
Hello Wo 加密成 5fe6b99beabfbb25
5fe6b99beabfbb25 解密成 Hello Wo

相关文章