using System; using System.Security.Cryptography; using System.Text; namespace SKIT.FlurlHttpClient.Wechat.Api.Utilities { /// /// AES 算法工具类。 /// public static class AESUtility { /// /// 基于 CBC 模式解密数据。 /// /// AES 密钥字节数组。 /// 加密使用的初始化向量字节数组。 /// 待解密数据字节数组。 /// 解密后的数据字节数组。 public static byte[] DecryptWithCBC(byte[] keyBytes, byte[] ivBytes, byte[] cipherBytes) { if (keyBytes == null) throw new ArgumentNullException(nameof(keyBytes)); if (ivBytes == null) throw new ArgumentNullException(nameof(ivBytes)); if (cipherBytes == null) throw new ArgumentNullException(nameof(cipherBytes)); using (SymmetricAlgorithm aes = Aes.Create()) { aes.Mode = CipherMode.CBC; aes.Padding = PaddingMode.PKCS7; aes.Key = keyBytes; aes.IV = ivBytes; using ICryptoTransform transform = aes.CreateDecryptor(); return transform.TransformFinalBlock(cipherBytes, 0, cipherBytes.Length); } } /// /// 基于 CBC 模式加密数据。 /// /// AES 密钥字节数组。 /// 加密使用的初始化向量字节数组。 /// 待加密数据字节数组。 /// 加密后的数据字节数组。 public static byte[] EncryptWithCBC(byte[] keyBytes, byte[] ivBytes, byte[] plainBytes) { if (keyBytes == null) throw new ArgumentNullException(nameof(keyBytes)); if (ivBytes == null) throw new ArgumentNullException(nameof(ivBytes)); if (plainBytes == null) throw new ArgumentNullException(nameof(plainBytes)); using (SymmetricAlgorithm aes = Aes.Create()) { aes.Mode = CipherMode.CBC; aes.Padding = PaddingMode.PKCS7; aes.Key = keyBytes; aes.IV = ivBytes; using ICryptoTransform transform = aes.CreateEncryptor(); return transform.TransformFinalBlock(plainBytes, 0, plainBytes.Length); } } /// /// 基于 CBC 模式解密数据。 /// /// 经 Base64 编码后的 AES 密钥。 /// 经 Base64 编码后的 AES 初始化向量。 /// 经 Base64 编码后的待解密数据。 /// 解密后的文本数据。 public static string DecryptWithCBC(string encodingKey, string encodingIV, string encodingCipherText) { if (encodingKey == null) throw new ArgumentNullException(nameof(encodingKey)); if (encodingCipherText == null) throw new ArgumentNullException(nameof(encodingCipherText)); byte[] plainBytes = DecryptWithCBC( keyBytes: Convert.FromBase64String(encodingKey), ivBytes: Convert.FromBase64String(encodingIV), cipherBytes: Convert.FromBase64String(encodingCipherText) ); return Encoding.UTF8.GetString(plainBytes); } /// /// 基于 CBC 模式加密数据。 /// /// 经 Base64 编码后的 AES 密钥。 /// 经 Base64 编码后的 AES 初始化向量。 /// 待加密文本。 /// 经 Base64 编码的加密后的数据。 public static string EncryptWithCBC(string encodingKey, string encodingIV, string plainText) { if (encodingKey == null) throw new ArgumentNullException(nameof(encodingKey)); if (plainText == null) throw new ArgumentNullException(nameof(plainText)); byte[] plainBytes = EncryptWithCBC( keyBytes: Convert.FromBase64String(encodingKey), ivBytes: Convert.FromBase64String(encodingIV), plainBytes: Encoding.UTF8.GetBytes(plainText) ); return Convert.ToBase64String(plainBytes); } } }