天天看点

java实现AES对称加密

一个很简单的AES对称加密的实现,留着当作工具类用到的时候方便,密钥不能太短哦~

import javax.crypto.Cipher;
import javax.crypto.spec.SecretKeySpec;

import constants.newr.Constants;

/**
 * AES
 * @author 
 * @version 
 */
public class AES {

    private static final String AES = "AES";

    /**
     * 加密
     * @param src
     * @param key
     * @return
     * @throws Exception
     */
    public static byte[] encrypt(byte[] src, String key) throws Exception {
        Cipher cipher = Cipher.getInstance(AES);
        SecretKeySpec securekey = new SecretKeySpec(key.getBytes(), AES);
        cipher.init(Cipher.ENCRYPT_MODE, securekey);// 设置密钥和加密形式

        return cipher.doFinal(src);
    }

    /**
     * 解密
     * @param src
     * @param key
     * @return
     * @throws Exception
     */
    public static byte[] decrypt(byte[] src, String key) throws Exception {
        Cipher cipher = Cipher.getInstance(AES);
        SecretKeySpec securekey = new SecretKeySpec(key.getBytes(), AES);// 设置加密Key
        cipher.init(Cipher.DECRYPT_MODE, securekey);// 设置密钥和解密形式

        return cipher.doFinal(src);
    }

    /**
     * 加密
     * @param data
     * @return
     */
    public final static String encrypt(String src, String key) {
        try {
            return byte2hex(encrypt(src.getBytes(), key));
        } catch (Exception e) {
        }

        return null;
    }

    /**
     * 解密
     * @param data
     * @return
     */
    public final static String decrypt(String src, String key) {
        try {
            return new String(decrypt(hex2byte(src.getBytes()), key));
        } catch (Exception e) {
        }

        return null;
    }

    /**
     * byte数组转十六进制字符串
     * @param b
     * @return
     */
    public static String byte2hex(byte[] b) {
        String hs = "";
        String stmp = "";

        for (int n = ; n < b.length; n++) {
            stmp = (java.lang.Integer.toHexString(b[n] & ));
            if (stmp.length() == )
                hs = hs + "0" + stmp;
            else
                hs = hs + stmp;
        }

        return hs.toUpperCase();
    }

    /**
     * 十六进制字符串转byte数组
     * @param b
     * @return
     */
    public static byte[] hex2byte(byte[] b) {
        if ((b.length % ) != )
            throw new IllegalArgumentException("长度不是偶数");

        byte[] b2 = new byte[b.length / ];

        for (int n = ; n < b.length; n += ) {
            String item = new String(b, n, );
            b2[n / ] = (byte) Integer.parseInt(item, );
        }

        return b2;
    }
    public static void main(String[] args) {
        String encrypt = encrypt("hello", "ba5VHrFC8ViyN0JRG4xJyXtREe6xScbS");
        System.out.println(encrypt);
        String decrypt = decrypt(encrypt, "ba5VHrFC8ViyN0JRG4xJyXtREe6xScbS");
        System.out.println(decrypt);
    }
}