android md5加密与rsa加解密实现代码


以下是Android平台上实现MD5加密和RSA加解密的示例代码。请注意,这些示例旨在展示基本概念,并可能需要根据您的具体项目需求进行调整。

### MD5加密

在Android中,您可以使用`MessageDigest`类来实现MD5加密。以下是一个简单的示例:


import java.security.MessageDigest;
import java.security.NoSuchAlgorithmException;

public class MD5Utils {

    /**
     * 使用MD5算法加密字符串
     * @param str 需要加密的字符串
     * @return 加密后的字符串(16进制)
     */
    public static String encrypt(String str) {
        try {
            // 创建MD5加密算法的 MessageDigest 对象
            MessageDigest md = MessageDigest.getInstance("MD5");
            // 对字符串进行加密,并返回byte数组
            byte[] digest = md.digest(str.getBytes());
            // 将byte数组转换为16进制的字符串
            StringBuilder hexString = new StringBuilder();
            for (byte b : digest) {
                String hex = Integer.toHexString(0xff & b);
                if (hex.length() == 1) {
                    hexString.append('0');
                }
                hexString.append(hex);
            }
            return hexString.toString();
        } catch (NoSuchAlgorithmException e) {
            throw new RuntimeException(e);
        }
    }
}

### RSA加解密

RSA加解密稍微复杂一些,因为它涉及到公钥和私钥。在Android中,您可以使用`Cipher`类来实现。以下是一个简化的示例,它展示了如何使用RSA进行加密和解密:

**注意**:由于篇幅限制,这里只展示如何准备密钥和使用`Cipher`,并不包含完整的密钥生成和存储过程。


import java.security.KeyPair;
import java.security.KeyPairGenerator;
import java.security.NoSuchAlgorithmException;
import java.security.PrivateKey;
import java.security.PublicKey;
import javax.crypto.Cipher;

public class RSAUtils {

    // 假设这里已经有了公钥和私钥
    // 在实际应用中,您需要从安全的存储中加载这些密钥
    private static PublicKey publicKey;
    private static PrivateKey privateKey;

    // 省略了生成和加载密钥的代码

    /**
     * 使用公钥加密数据
     * @param data 需要加密的数据
     * @return 加密后的数据
     * @throws Exception
     */
    public static byte[] encrypt(byte[] data) throws Exception {
        Cipher cipher = Cipher.getInstance("RSA");
        cipher.init(Cipher.ENCRYPT_MODE, publicKey);
        return cipher.doFinal(data);
    }

    /**
     * 使用私钥解密数据
     * @param encryptedData 加密后的数据
     * @return 解密后的原始数据
     * @throws Exception
     */
    public static byte[] decrypt(byte[] encryptedData) throws Exception {
        Cipher cipher = Cipher.getInstance("RSA");
        cipher.init(Cipher.DECRYPT_MODE, privateKey);
        return cipher.doFinal(encryptedData);
    }

    // 省略了其他可能需要的工具方法,如生成密钥对等
}

请注意,上面的RSA示例中并没有包含生成和存储密钥的代码,因为这通常涉及到更复杂的密钥管理策略。在实际应用中,您应该使用Android的密钥库(KeyStore)来安全地生成和存储RSA密钥对。

希望这些示例对您有所帮助!如果您需要更详细的实现或遇到任何问题,请随时告诉我。