jasontome的android之路:Do it. Do it right. Do it righ
阿新 • • 發佈:2019-01-06
BASE64 編碼是一種常用的字元編碼,在很多地方都會用到。JDK 中提供了非常方便的 BASE64Encoder 和 BASE64Decoder,用它們可以非常方便的完成基於 BASE64 的編碼和解碼。很多時候為減少物件建立次數,一般會做如下編碼:
package com.***.frame.util; import sun.misc.BASE64Decoder; import sun.misc.BASE64Encoder; public class Base64Util { private static final BASE64Decoder decoder = new BASE64Decoder(); private static final BASE64Encoder encoder = new BASE64Encoder(); /** * BASE64解密 * * @param key * @return * @throws Exception */ public static String decryptBASE64(String key) throws Exception { if(key==null||key.length()<1){ return ""; } return new String(decoder.decodeBuffer(key)); } /** * BASE64加密 * * @param key * @return * @throws Exception */ public static String encryptBASE64(String key) throws Exception { if(key==null||key.length()<1){ return ""; } return new String(encoder.encodeBuffer(key.getBytes())); } }
此類看似沒問題,在高併發下,存在解密失敗的情況,無法還原出正確的原字串。正確的做法如下:
/** * BASE64解密 * * @param key * @return * @throws Exception */ public static String decryptBASE64(String key) throws Exception { if(key==null||key.length()<1){ return ""; } return new String(new BASE64Decoder().decodeBuffer(key)); } /** * BASE64加密 * * @param key * @return * @throws Exception */ public static String encryptBASE64(String key) throws Exception { if(key==null||key.length()<1){ return ""; } return new String(new BASE64Encoder().encodeBuffer(key.getBytes())); }
100的併發下,會有2-4個解密失敗,500併發,會更多。
總結一下:
建一個物件並沒有想象中的那麼消耗系統資源,如果對於類庫的執行緒安全性不瞭解的話,不建議弄成這種私有靜態欄位的。
另外,sun 及 com.sun 開頭的包都是 JRE 類庫,不同的 Java 實現廠商的 JRE 是不一樣的,sun 的官網上也指出不要在應用程式中使用 sun 或 com.sun 開頭包中的類。
用 Apache Commons Codec 中的類庫吧。