在java中处理字符时,经常会发生乱码,而主要出现的地方在读取文本文件时发生,或者是写入到文件中,在其他地方打开乱码。
如下例子:
BufferedReader br = null;
try {
br = new BufferedReader(new InputStreamReader(new FileInputStream(
"file.txt")));
String line = br.readLine();
System.out.println(line);
} catch (FileNotFoundException e) {
// Auto-generated catch block
e.printStackTrace();
} catch (IOException e) {
// Auto-generated catch block
e.printStackTrace();
} finally {
try {
if (br != null) {
br.close();
}
} catch (IOException e) {
// Auto-generated catch block
e.printStackTrace();
}
}
上述代码则是读取一个文本文件,此方式读取文本文件可能会发生乱码问题。
当文本文件的编码与当前JVM的编码一致时,就会发生乱码。
查看JVM的编码信息,使用工具查看jvisualvm(C:\Program Files\Java\jdk1.7.0_72\bin\jvisualvm.exe)
file.encoding=UTF-
这个就是当前JVM的字符集
所以,我们可以通过制定JVM的file.encoding=UTF-8来指定JVM的字符集,修改tomcat的启动脚本catalina.bat(.sh),添加:
JAVA_OPTS="$JAVA_OPTS -Dfile.encoding=UTF-8"
或是在修改tomcat内存大小的地方后面继续追加 -Dfile.encoding=UTF-8 配置即可。
但是,我们继续往下看,查看InputStreamReader的构造函数可以发现:
其实在读取文件时,是可以指定字符集的,如UTF-8,查看默认构造函数:
public InputStreamReader(InputStream in) {
super(in);
try {
sd = StreamDecoder.forInputStreamReader(in, this, (String)null);
} catch (UnsupportedEncodingException e) {
// The default encoding should always be available
throw new Error(e);
}
}
可以看出指定的字符编码时传入为空,继续看StreamDecoder的代码:
public static StreamDecoder forInputStreamReader(InputStream in,
Object lock,
String charsetName)
throws UnsupportedEncodingException
{
String csn = charsetName;
if (csn == null)
csn = Charset.defaultCharset().name();
try {
if (Charset.isSupported(csn))
return new StreamDecoder(in, lock, Charset.forName(csn));
} catch (IllegalCharsetNameException x) { }
throw new UnsupportedEncodingException (csn);
}
当传入的编码为空时,则获取默认编码:
Open Declaration Charset java.nio.charset.Charset.defaultCharset() Returns the default charset of this Java virtual machine. The default charset is determined during virtual-machine startup and typically depends upon the locale and charset of the underlying operating system. Returns:
A charset object for the default charset
Since:
1.5
这段为 Charset.defaultCharset() 的文档说明,他会从JVM中获取编码(Returns the default charset of this Java virtual machine)。
所以,在之前设置file.encoding就是在这使用的。
总结:
1.设置JVM的file.encoding;
2.在读取文件时指定编码;