温馨提示×

C#常用的加密算法之一 MD5

c#
小云
101
2023-09-09 06:56:36
栏目: 编程语言

MD5(Message Digest Algorithm 5)是一种常用的加密算法,用于将任意长度的数据转换为固定长度的128位(16字节)哈希值。MD5算法广泛应用于数据校验、密码存储和数字签名等领域。

在C#中,可以使用System.Security.Cryptography命名空间下的MD5类来实现MD5加密。下面是使用MD5加密字符串的示例代码:

using System;
using System.Security.Cryptography;
using System.Text;
public class Program
{
public static void Main(string[] args)
{
string input = "Hello World"; // 要加密的字符串
using (MD5 md5 = MD5.Create())
{
byte[] inputBytes = Encoding.UTF8.GetBytes(input);
byte[] hashBytes = md5.ComputeHash(inputBytes);
StringBuilder sb = new StringBuilder();
for (int i = 0; i < hashBytes.Length; i++)
{
sb.Append(hashBytes[i].ToString("x2")); // 将每个字节转换为16进制字符串
}
string encrypted = sb.ToString();
Console.WriteLine(encrypted); // 输出加密后的字符串
}
}
}

运行以上代码,将输出字符串"Hello World"的MD5加密结果:“b10a8db164e0754105b7a99be72e3fe5”。

需要注意的是,MD5算法已经被发现存在一些安全漏洞,不再被推荐作为密码存储的安全算法。在实际应用中,可以考虑使用更强大的加密算法,如SHA-256、SHA-512等。

0