我有一个带有中文字符文本的文件,我想将这些文本复制到另一个文件中。但文件输出与汉字混淆。请注意,在我的代码中,我使用“UTF8”作为我的编码:
BufferedReader br = new BufferedReader(new FileReader(inputXml));
StringBuilder sb = new StringBuilder();
String line = br.readLine();
while (line != null) {
sb.append(line);
sb.append("\n");
line = br.readLine();
}
String everythingUpdate = sb.toString();
Writer out = new BufferedWriter(new OutputStreamWriter(
new FileOutputStream(outputXml), "UTF8"));
out.write("");
out.write(everythingUpdate);
out.flush();
out.close();
答案 0 :(得分:3)
@hyde的答案是有效的,但我会在下面的代码中指出两个额外的注释。
当然,您需要根据需要重新组织代码
// Try with resource is used here to guarantee that the IO resources are properly closed
// Your code does not do that properly, the input part is not closed at all
// the output an in case of an exception, will not be closed as well
try (BufferedReader reader = new BufferedReader(new InputStreamReader(new FileInputStream(inputXML), "UTF-8"));
PrintWriter out = new PrintWriter(new OutputStreamWriter(new FileOutputStream(outputXML), "UTF8"))) {
String line = reader.readLine();
while (line != null) {
out.println("");
out.println(line);
// It is highly recommended to use the line separator and other such
// properties according to your host, so using System.getProperty("line.separator")
// will guarantee that you are using the proper line separator for your host
out.println(System.getProperty("line.separator"));
line = reader.readLine();
}
} catch (IOException e) {
e.printStackTrace();
}
答案 1 :(得分:2)
在这种情况下,您不应该使用FileReader,因为它不允许您指定输入编码。在InputStreamReader上构建FileInputStream。
这样的事情:
BufferedReader br =
new BufferedReader(
new InputStreamReader(
new FileInputStream(inputXml),
"UTF8"));