筆者前幾日在開服過程中需要將字符串轉化成為16進制的字符串,在網上找到了一些方法嘗試之后,均發現存在一個問題-->字符串轉為16進制后再轉回來,英文正常,中文出現亂碼
經過考慮決定通過以下方式進行解決:
1)在將字符串轉為16進制之前先進行一次轉化,先將其轉化成為Unicode編碼(相當於把中文用英文字符代替),在轉化成為16進制
2)相反的,在十六進制轉換為字符串后的得到的是Unicode編碼,此時再將Unicode編碼解碼即可獲取原始字符串
代碼如下:
*字符串轉化為Unicode編碼:
/** * 字符串轉換unicode */ public static String string2Unicode(String string) { StringBuffer unicode = new StringBuffer(); for (int i = 0; i < string.length(); i++) { // 取出每一個字符 char c = string.charAt(i); // 轉換為unicode unicode.append("\\u" + Integer.toHexString(c)); } return unicode.toString(); }
*字符串轉為16進制
/** * 字符串轉化成為16進制字符串 * @param s * @return */ public static String strTo16(String s) { String str = ""; for (int i = 0; i < s.length(); i++) { int ch = (int) s.charAt(i); String s4 = Integer.toHexString(ch); str = str + s4; } return str; }
*16進制轉為字符串
/** * 16進制轉換成為string類型字符串 * @param s * @return */ public static String hexStringToString(String s) { if (s == null || s.equals("")) { return null; } s = s.replace(" ", ""); byte[] baKeyword = new byte[s.length() / 2]; for (int i = 0; i < baKeyword.length; i++) { try { baKeyword[i] = (byte) (0xff & Integer.parseInt(s.substring(i * 2, i * 2 + 2), 16)); } catch (Exception e) { e.printStackTrace(); } } try { s = new String(baKeyword, "UTF-8"); new String(); } catch (Exception e1) { e1.printStackTrace(); } return s; }
*Unicode轉為字符串
/** * unicode 轉字符串 */ public static String unicode2String(String unicode) { StringBuffer string = new StringBuffer(); String[] hex = unicode.split("\\\\u"); for (int i = 1; i < hex.length; i++) { // 轉換出每一個代碼點 int data = Integer.parseInt(hex[i], 16); // 追加成string string.append((char) data); } return string.toString(); }
此方法雖然解決了轉化過程中中文亂碼的問題,但是過於復雜,筆者后來又發現一種新的轉化方式,可直接轉化,中文不亂碼,代碼如下:
*字符串轉16進制
/** * 字符串轉換成為16進制(無需Unicode編碼) * @param str * @return */ public static String str2HexStr(String str) { char[] chars = "0123456789ABCDEF".toCharArray(); StringBuilder sb = new StringBuilder(""); byte[] bs = str.getBytes(); int bit; for (int i = 0; i < bs.length; i++) { bit = (bs[i] & 0x0f0) >> 4; sb.append(chars[bit]); bit = bs[i] & 0x0f; sb.append(chars[bit]); // sb.append(' '); } return sb.toString().trim(); }
*16進制轉為字符串
/** * 16進制直接轉換成為字符串(無需Unicode解碼) * @param hexStr * @return */ public static String hexStr2Str(String hexStr) { String str = "0123456789ABCDEF"; char[] hexs = hexStr.toCharArray(); byte[] bytes = new byte[hexStr.length() / 2]; int n; for (int i = 0; i < bytes.length; i++) { n = str.indexOf(hexs[2 * i]) * 16; n += str.indexOf(hexs[2 * i + 1]); bytes[i] = (byte) (n & 0xff); } return new String(bytes); }