des加解密(JavaScript&Java)

来源:互联网 发布:淘宝模板代码怎么使用 编辑:程序博客网 时间:2024/05/16 15:44

前言:刚学h5没多久,感觉吧比android难多了啊,特别是适配,真尼玛苦逼啊,不过h5的大牛还是很多的,毕竟这么多年了,随便一搜就一大堆,正是因为这样,今天刚好后台需要用des对称加密传输数据,然后就上网一搜,真尼玛一大堆啊,最后找到了一个叫crypto-js的库,down下来的时候不会用,尼玛尴尬了,于是就当笔记记下来了,大牛勿喷~!

先附上官方git链接:

https://github.com/brix/crypto-js

看了官网的demo,然后发现了这么多库:

这里写图片描述

我尼玛只要des加密啊,于是找到这么一个文件:

这里写图片描述

然后照着官方demo敲了一下,发现中文加密解密出来是乱码,又尴尬了:

这里写图片描述

结果:

这里写图片描述

好吧,我已经知道我很水了/苦笑,最后捣腾了半天,终于是搞好了。

全部代码:

<!DOCTYPE html><html lang="en"><head>    <meta charset="UTF-8">    <title>Title</title>    <!-- CryptoJS -->    <script src="./core.js"></script>    <script src="./cipher-core.js"></script>    <script src="./tripledes.js"></script>    <script src="./mode-ecb.js"></script>    <script>        window.onload = function () {            //需要加密的内容            let str1 = encryptByDES('helloworld');            let str2 = decryptByDESModeEBC(str1);            console.log(str1.toString())            console.log(str2)        }        //加密的私钥        var key = '12345678';        // DES加密        function encryptByDES(message) {            //把私钥转换成16进制的字符串            var keyHex = CryptoJS.enc.Utf8.parse(key);            //模式为ECB padding为Pkcs7            var encrypted = CryptoJS.DES.encrypt(message, keyHex, {                mode: CryptoJS.mode.ECB,                padding: CryptoJS.pad.Pkcs7            });            //加密出来是一个16进制的字符串                       return encrypted.ciphertext.toString();        }        //DES  ECB模式解密        function decryptByDESModeEBC(ciphertext) {            //把私钥转换成16进制的字符串            var keyHex = CryptoJS.enc.Utf8.parse(key);            //把需要解密的数据从16进制字符串转换成字符byte数组            var decrypted = CryptoJS.DES.decrypt({                ciphertext: CryptoJS.enc.Hex.parse(ciphertext)            }, keyHex, {                mode: CryptoJS.mode.ECB,                padding: CryptoJS.pad.Pkcs7            });            //以utf-8的形式输出解密过后内容            var result_value = decrypted.toString(CryptoJS.enc.Utf8);            return result_value;        }    </script></head><body></body></html>

好啦!写到这里我们要测试一下了,当我们输入一个:

window.onload = function () {            //需要加密的内容            let str1 = encryptByDES('helloworld');            let str2 = decryptByDESModeEBC(str1);            console.log(str1.toString())            console.log(str2)        }

我们看到控制台打印结果:

des-test.html:16 a2f0132f740e4262a1d16893aa19126edes-test.html:17 helloworld

可以看到我们的内容被加密成了一个16进制字符串形式

然后我们java服务器端怎么解密呢?

 /**     * DES解密     * @param secretData 密码字符串     * @param secretKey 解密密钥     * @return 原始字符串     * @throws Exception     */    public static String decryption(String secretData, String secretKey) throws Exception {        Cipher cipher = null;        try {            //            cipher = Cipher.getInstance("DES/ECB/NoPadding");            cipher.init(Cipher.DECRYPT_MODE, generateKey(secretKey));        } catch (NoSuchAlgorithmException e) {            e.printStackTrace();            throw new Exception("NoSuchAlgorithmException", e);        } catch (NoSuchPaddingException e) {            e.printStackTrace();            throw new Exception("NoSuchPaddingException", e);        } catch (InvalidKeyException e) {            e.printStackTrace();            throw new Exception("InvalidKeyException", e);        }        try {            byte[] buf = cipher.doFinal(hexStr2Bytes(secretData));            return new String(buf,"utf-8");        } catch (Exception e) {            e.printStackTrace();            throw new Exception("IllegalBlockSizeException", e);        }    }    public static byte[] hexStr2Bytes(String src){          /*对输入值进行规范化整理*/          src = src.trim().replace(" ", "").toUpperCase(Locale.US);          //处理值初始化          int m=0,n=0;          int iLen=src.length()/2; //计算长度          byte[] ret = new byte[iLen]; //分配存储空间          for (int i = 0; i < iLen; i++){              m=i*2+1;              n=m+1;              ret[i] = (byte)(Integer.decode("0x"+ src.substring(i*2, m) + src.substring(m,n)) & 0xFF);          }          return ret;      }      /**     * 获得秘密密钥     *      * @param secretKey     * @return     * @throws NoSuchAlgorithmException     * @throws InvalidKeySpecException     * @throws InvalidKeyException     */    private static SecretKey generateKey(String secretKey)            throws NoSuchAlgorithmException, InvalidKeySpecException, InvalidKeyException {        SecretKeyFactory keyFactory = SecretKeyFactory.getInstance(DES_ALGORITHM);        DESKeySpec keySpec = new DESKeySpec(secretKey.getBytes());        keyFactory.generateSecret(keySpec);        return keyFactory.generateSecret(keySpec);    }

因为我们在js端用到加密的时候,加密过后变成了一个16进制的字符串形式,所以我们需要把16进制的字符串转换成string字节数组

byte[] buf = cipher.doFinal(hexStr2Bytes(secretData));

当然,通常我们都是加密出来之后用base64再次加密一次,所以解密的时候得先解出base64,然后再解密。

最后贴上java des加解密的代码(跟js加解密方式一样):

package com.yasin.html5;import java.security.InvalidKeyException;import java.security.NoSuchAlgorithmException;import java.security.spec.InvalidKeySpecException;import java.util.Locale;import javax.crypto.BadPaddingException;import javax.crypto.Cipher;import javax.crypto.IllegalBlockSizeException;import javax.crypto.NoSuchPaddingException;import javax.crypto.SecretKey;import javax.crypto.SecretKeyFactory;import javax.crypto.spec.DESKeySpec;public class DESUtil {    private static final String DES_ALGORITHM = "DES";    /**     * DES加密     *      * @param plainData 原始字符串     * @param secretKey 加密密钥     * @return 加密后的字符串     * @throws Exception     */    public static String encryption(String plainData, String secretKey) throws Exception {        Cipher cipher = null;        try {            cipher = Cipher.getInstance(DES_ALGORITHM);            cipher.init(Cipher.ENCRYPT_MODE, generateKey(secretKey));        } catch (NoSuchAlgorithmException e) {            e.printStackTrace();        } catch (NoSuchPaddingException e) {            e.printStackTrace();        } catch (InvalidKeyException e) {        }        try {            // 为了防止解密时报javax.crypto.IllegalBlockSizeException: Input length must            // be multiple of 8 when decrypting with padded cipher异常,            // 不能把加密后的字节数组直接转换成字符串            byte[] buf = cipher.doFinal(plainData.getBytes());            return str2HexStr(new String(buf));        } catch (IllegalBlockSizeException e) {            e.printStackTrace();            throw new Exception("IllegalBlockSizeException", e);        } catch (BadPaddingException e) {            e.printStackTrace();            throw new Exception("BadPaddingException", e);        }    }    /**     * DES解密     * @param secretData 密码字符串     * @param secretKey 解密密钥     * @return 原始字符串     * @throws Exception     */    public static String decryption(String secretData, String secretKey) throws Exception {        Cipher cipher = null;        try {            //            cipher = Cipher.getInstance("DES/ECB/NoPadding");            cipher.init(Cipher.DECRYPT_MODE, generateKey(secretKey));        } catch (NoSuchAlgorithmException e) {            e.printStackTrace();            throw new Exception("NoSuchAlgorithmException", e);        } catch (NoSuchPaddingException e) {            e.printStackTrace();            throw new Exception("NoSuchPaddingException", e);        } catch (InvalidKeyException e) {            e.printStackTrace();            throw new Exception("InvalidKeyException", e);        }        try {            byte[] buf = cipher.doFinal(hexStr2Bytes(secretData));            return new String(buf,"utf-8");        } catch (Exception e) {            e.printStackTrace();            throw new Exception("IllegalBlockSizeException", e);        }    }    public static byte[] hexStr2Bytes(String src){          /*对输入值进行规范化整理*/          src = src.trim().replace(" ", "").toUpperCase(Locale.US);          //处理值初始化          int m=0,n=0;          int iLen=src.length()/2; //计算长度          byte[] ret = new byte[iLen]; //分配存储空间          for (int i = 0; i < iLen; i++){              m=i*2+1;              n=m+1;              ret[i] = (byte)(Integer.decode("0x"+ src.substring(i*2, m) + src.substring(m,n)) & 0xFF);          }          return ret;      }      /**     * 获得秘密密钥     *      * @param secretKey     * @return     * @throws NoSuchAlgorithmException     * @throws InvalidKeySpecException     * @throws InvalidKeyException     */    private static SecretKey generateKey(String secretKey)            throws NoSuchAlgorithmException, InvalidKeySpecException, InvalidKeyException {        SecretKeyFactory keyFactory = SecretKeyFactory.getInstance(DES_ALGORITHM);        DESKeySpec keySpec = new DESKeySpec(secretKey.getBytes());        keyFactory.generateSecret(keySpec);        return keyFactory.generateSecret(keySpec);    }    /**       * 字符串转换成十六进制字符串      * @param str String 待转换的ASCII字符串      * @return String 每个Byte之间空格分隔,如: [61 6C 6B]      */        private final static char[] mChars = "0123456789ABCDEF".toCharArray();    public static String str2HexStr(String str){            StringBuilder sb = new StringBuilder();          byte[] bs = str.getBytes();            for (int i = 0; i < bs.length; i++){                sb.append(mChars[(bs[i] & 0xFF) >> 4]);                sb.append(mChars[bs[i] & 0x0F]);              sb.append(' ');          }            return sb.toString().trim();        }      static  class Base64Utils {        static private char[] alphabet = "ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/="                .toCharArray();        static private byte[] codes = new byte[256];        static {            for (int i = 0; i < 256; i++)                codes[i] = -1;            for (int i = 'A'; i <= 'Z'; i++)                codes[i] = (byte) (i - 'A');            for (int i = 'a'; i <= 'z'; i++)                codes[i] = (byte) (26 + i - 'a');            for (int i = '0'; i <= '9'; i++)                codes[i] = (byte) (52 + i - '0');            codes['+'] = 62;            codes['/'] = 63;        }        /**         * 将原始数据编码为base64编码         */        static  String encode(byte[] data) {            char[] out = new char[((data.length + 2) / 3) * 4];            for (int i = 0, index = 0; i < data.length; i += 3, index += 4) {                boolean quad = false;                boolean trip = false;                int val = (0xFF & (int) data[i]);                val <<= 8;                if ((i + 1) < data.length) {                    val |= (0xFF & (int) data[i + 1]);                    trip = true;                }                val <<= 8;                if ((i + 2) < data.length) {                    val |= (0xFF & (int) data[i + 2]);                    quad = true;                }                out[index + 3] = alphabet[(quad ? (val & 0x3F) : 64)];                val >>= 6;                out[index + 2] = alphabet[(trip ? (val & 0x3F) : 64)];                val >>= 6;                out[index + 1] = alphabet[val & 0x3F];                val >>= 6;                out[index + 0] = alphabet[val & 0x3F];            }            return new String(out);        }        /**         * 将base64编码的数据解码成原始数据         */        static  byte[] decode(char[] data) {            int len = ((data.length + 3) / 4) * 3;            if (data.length > 0 && data[data.length - 1] == '=')                --len;            if (data.length > 1 && data[data.length - 2] == '=')                --len;            byte[] out = new byte[len];            int shift = 0;            int accum = 0;            int index = 0;            for (int ix = 0; ix < data.length; ix++) {                int value = codes[data[ix] & 0xFF];                if (value >= 0) {                    accum <<= 6;                    shift += 6;                    accum |= value;                    if (shift >= 8) {                        shift -= 8;                        out[index++] = (byte) ((accum >> shift) & 0xff);                    }                }            }            if (index != out.length)                throw new Error("miscalculated data length!");            return out;        }    }}

最后,本篇纯属个人笔记,大牛勿喷~!!!!

1 0
原创粉丝点击