網站明文傳輸漏洞的處理方法:
可以在前端對信息進行加密,就算被攔截也只能看到加密后的信息,代碼示例如下:
package com.owen..util;
import java.io.BufferedOutputStream;
import java.io.FileOutputStream;
import java.security.Key;
import javax.crypto.Cipher;
import javax.crypto.KeyGenerator;
import javax.crypto.SecretKey;
import javax.crypto.SecretKeyFactory;
import javax.crypto.spec.DESedeKeySpec;
import com.sun.org.apache.xml.internal.security.utils.Base64;
/**
* DESede對稱加密算法演示
*
* @author zolly
* */
public class DESedeCoder {
/**
* 密鑰算法
* */
public static final String KEY_ALGORITHM = "DESede";
/**
* 加密/解密算法/工作模式/填充方式
* */
public static final String CIPHER_ALGORITHM = "DESede/ECB/PKCS5Padding";
/**
*
* 生成密鑰
*
* @return byte[] 二進制密鑰
* */
public static byte[] initkey() throws Exception {
// 實例化密鑰生成器
KeyGenerator kg = KeyGenerator.getInstance(KEY_ALGORITHM);
// 初始化密鑰生成器
kg.init(168);
// 生成密鑰
SecretKey secretKey = kg.generateKey();
// 獲取二進制密鑰編碼形式
byte[] key = secretKey.getEncoded();
BufferedOutputStream keystream =
new BufferedOutputStream(new FileOutputStream("DESedeKey.dat"));
keystream.write(key, 0, key.length);
keystream.flush();
keystream.close();
return key;
}
/**
* 轉換密鑰
*
* @param key
* 二進制密鑰
* @return Key 密鑰
* */
public static Key toKey(byte[] key) throws Exception {
// 實例化Des密鑰
DESedeKeySpec dks = new DESedeKeySpec(key);
// 實例化密鑰工廠
SecretKeyFactory keyFactory = SecretKeyFactory
.getInstance(KEY_ALGORITHM);
// 生成密鑰
SecretKey secretKey = keyFactory.generateSecret(dks);
return secretKey;
}
/**
* 加密數據
*
* @param data
* 待加密數據
* @param key
* 密鑰
* @return byte[] 加密后的數據
* */
public static byte[] encrypt(byte[] data, byte[] key) throws Exception {
// 還原密鑰
Key k = toKey(key);
// 實例化
Cipher cipher = Cipher.getInstance(CIPHER_ALGORITHM);
// 初始化,設置為加密模式
cipher.init(Cipher.ENCRYPT_MODE, k);
// 執行操作
return cipher.doFinal(data);
}
/**
* 解密數據
*
* @param data
* 待解密數據
* @param key
* 密鑰
* @return byte[] 解密后的數據
* */
public static byte[] decrypt(byte[] data, byte[] key) throws Exception {
// 歡迎密鑰
Key k = toKey(key);
// 實例化
Cipher cipher = Cipher.getInstance(CIPHER_ALGORITHM);
// 初始化,設置為解密模式
cipher.init(Cipher.DECRYPT_MODE, k);
// 執行操作
return cipher.doFinal(data);
}
/**
* 進行加解密的測試
*
* @throws Exception
*/
public static void main(String[] args) throws Exception {
String str = "DESede";
System.out.println("原文:" + str);
// 初始化密鑰
byte[] key = DESedeCoder.initkey();
System.out.println("密鑰:" + Base64.encode(key));
// 加密數據
byte[] data = DESedeCoder.encrypt(str.getBytes(), key);
System.out.println("加密后:" + Base64.encode(data));
// 解密數據
data = DESedeCoder.decrypt(data, key);
System.out.println("解密后:" + new String(data));
}
}