public static String bSubstring(String s, int length) throws Exception {
// getBytes(String charsetName):将此字符串转换为一个字节序列使用指定的字符集,结果存储到一个新的字节数组
byte[] bytes = s.getBytes("Unicode");//以Unicode来解码这个字符串,得到一个byte[]
int n = 0; // 表示当前的字节数
int i = 2; // 要截取的字节数,从第3个字节开始
for (; i < bytes.length && n < length; i++) {
// 奇数位置,如3、5、7等,为UCS2编码中两个字节的第二个字节
if (i % 2 == 1) {
n++; // 在UCS2第二个字节时n加1
} else {
// 当UCS2编码的第一个字节不等于0时,该UCS2字符为汉字,一个汉字算两个字节
if (bytes[i] != 0) {
n++;
}
}
}
// 如果i为奇数时,处理成偶数
if (i % 2 == 1) {
// 该UCS2字符是汉字时,去掉这个截一半的汉字
if (bytes[i - 1] != 0)
i = i - 1;
// 该UCS2字符是字母或数字,则保留该字符
else
i = i + 1;
}
return new String(bytes, 0, i, "Unicode");
}
public static void main(String[] args) throws Exception {
String s = "HMh程序员";
String ss = Test10.bSubstring(s, 3);// 调用bSubstring()方法传入两个参数:第一个是要操作的字符串第二个是要截取的长度
System.out.println(ss);
}
|