1. 程式人生 > >jdk實現常見的加密演算法

jdk實現常見的加密演算法

Base64

內容加密

public static String encode(String str) {

        return Base64.getEncoder().encodeToString(str.getBytes());
    }

解密

    public static String decode(String str) {

        return new String(Base64.getDecoder().decode(str));

    }

測試程式碼

        String str = "this is a test"
; String encode = Base64Util.encode(str); String decode = Base64Util.decode(encode); System.out.println("原文:" + str + ";\nBase64加密後:" + encode + ";\nBase64解密後:" + decode);

輸出的內容是:

原文:this is a test;
Base64加密後:dGhpcyBpcyBhIHRlc3Q=;
Base64解密後:this is a test

Base64是Java 8中實現了的BASE64編解碼API,它在java.util包中,上面看到的是最基本的Basic編碼,除此以外還有URL編碼和MIME編碼,感興趣的可以自行了解。

MD5

加密的核心程式碼

    public static String encode(String str) {

        try {
            MessageDigest digest = MessageDigest.getInstance("MD5");
            byte[] md5Byte = digest.digest(str.getBytes());
            return Conversion.bytesToHexString(md5Byte);
        } catch (NoSuchAlgorithmException e) {

            e.printStackTrace();
            return
null; } }

在這裡如果直接把md5Bye轉換為String的話會發現是一堆亂碼,這是因為加密是將位元組按照一定的規則進行了轉換,轉換後出什麼樣的怪字元都是正常的。因此一般的做法是將加密後的byte陣列轉換為十六進位制的字串。

    public static String bytesToHexString(byte[] b) {
        StringBuilder stringBuilder = new StringBuilder();
        if (b == null || b.length <= 0) {
            return null;
        }
        for (int i = 0; i < b.length; i++) {
            int v = b[i] & 0xFF;
            String hv = Integer.toHexString(v);
            if (hv.length() < 2) {
                stringBuilder.append(0);
            }
            stringBuilder.append(hv);
        }
        return stringBuilder.toString();
    }

測試輸出的程式碼是:

原文:this is a test;MD5加密後:54b0c58c7ce9f2a8b551351102ee0938

SHA

核心程式碼

    public static String encode(String str) {

        try {
            MessageDigest digest = MessageDigest.getInstance("SHA-1");
            byte[] shaByte = digest.digest(str.getBytes());
            return Conversion.bytesToHexString(shaByte);
        } catch (NoSuchAlgorithmException e) {
            e.printStackTrace();
            return null;
        }

    }

測試程式碼的輸出結果是:

原文:this is a test;
SHA加密後:fa26be19de6bff93f70bc2308434e4a440bbad02

通過上面的程式碼可以看出MD5和SHA演算法都是通過MessageDigest 來實現的,通過jdk的官方文件看以看出MessageDigest.getInstance(“SHA-1”);支援的引數有MD5、SHA-1和SHA-256,我試過如果輸入SHA也是可以的,返回的結果和SHA-1是一致的。
詳細程式碼見這裡