mirror of
				https://github.com/ehang-io/nps
				synced 2025-10-26 10:17:18 +08:00 
			
		
		
		
	
		
			
				
	
	
		
			83 lines
		
	
	
		
			2.0 KiB
		
	
	
	
		
			Go
		
	
	
	
	
	
			
		
		
	
	
			83 lines
		
	
	
		
			2.0 KiB
		
	
	
	
		
			Go
		
	
	
	
	
	
| package lib
 | ||
| 
 | ||
| import (
 | ||
| 	"bytes"
 | ||
| 	"crypto/aes"
 | ||
| 	"crypto/cipher"
 | ||
| 	"crypto/md5"
 | ||
| 	"encoding/hex"
 | ||
| 	"errors"
 | ||
| 	"math/rand"
 | ||
| 	"time"
 | ||
| )
 | ||
| 
 | ||
| //en
 | ||
| func AesEncrypt(origData, key []byte) ([]byte, error) {
 | ||
| 	block, err := aes.NewCipher(key)
 | ||
| 	if err != nil {
 | ||
| 		return nil, err
 | ||
| 	}
 | ||
| 	blockSize := block.BlockSize()
 | ||
| 	origData = PKCS5Padding(origData, blockSize)
 | ||
| 	// origData = ZeroPadding(origData, block.BlockSize())
 | ||
| 	blockMode := cipher.NewCBCEncrypter(block, key[:blockSize])
 | ||
| 	crypted := make([]byte, len(origData))
 | ||
| 	// 根据CryptBlocks方法的说明,如下方式初始化crypted也可以
 | ||
| 	// crypted := origData
 | ||
| 	blockMode.CryptBlocks(crypted, origData)
 | ||
| 	return crypted, nil
 | ||
| }
 | ||
| 
 | ||
| //de
 | ||
| func AesDecrypt(crypted, key []byte) ([]byte, error) {
 | ||
| 	block, err := aes.NewCipher(key)
 | ||
| 	if err != nil {
 | ||
| 		return nil, err
 | ||
| 	}
 | ||
| 	blockSize := block.BlockSize()
 | ||
| 	blockMode := cipher.NewCBCDecrypter(block, key[:blockSize])
 | ||
| 	origData := make([]byte, len(crypted))
 | ||
| 	// origData := crypted
 | ||
| 	blockMode.CryptBlocks(origData, crypted)
 | ||
| 	err, origData = PKCS5UnPadding(origData)
 | ||
| 	// origData = ZeroUnPadding(origData)
 | ||
| 	return origData, err
 | ||
| }
 | ||
| 
 | ||
| //补全
 | ||
| func PKCS5Padding(ciphertext []byte, blockSize int) []byte {
 | ||
| 	padding := blockSize - len(ciphertext)%blockSize
 | ||
| 	padtext := bytes.Repeat([]byte{byte(padding)}, padding)
 | ||
| 	return append(ciphertext, padtext...)
 | ||
| }
 | ||
| 
 | ||
| //去补
 | ||
| func PKCS5UnPadding(origData []byte) (error, []byte) {
 | ||
| 	length := len(origData)
 | ||
| 	// 去掉最后一个字节 unpadding 次
 | ||
| 	unpadding := int(origData[length-1])
 | ||
| 	if (length - unpadding) < 0 {
 | ||
| 		return errors.New("len error"), nil
 | ||
| 	}
 | ||
| 	return nil, origData[:(length - unpadding)]
 | ||
| }
 | ||
| 
 | ||
| //生成32位md5字串
 | ||
| func Md5(s string) string {
 | ||
| 	h := md5.New()
 | ||
| 	h.Write([]byte(s))
 | ||
| 	return hex.EncodeToString(h.Sum(nil))
 | ||
| }
 | ||
| 
 | ||
| //生成随机验证密钥
 | ||
| func GetRandomString(l int) string {
 | ||
| 	str := "0123456789abcdefghijklmnopqrstuvwxyz"
 | ||
| 	bytes := []byte(str)
 | ||
| 	result := []byte{}
 | ||
| 	r := rand.New(rand.NewSource(time.Now().UnixNano()))
 | ||
| 	for i := 0; i < l; i++ {
 | ||
| 		result = append(result, bytes[r.Intn(len(bytes))])
 | ||
| 	}
 | ||
| 	return string(result)
 | ||
| }
 | 
