您的位置:首页 > 其它

字节流(InputStream)输入中文汉字到控制台出现乱码的问题解析

2017-07-22 16:41 471 查看
1、理解为什么InputStream输入中文到控制台会出现乱码的关键,是要弄清楚乱码根源。

2、GBK每个汉字两个字节,UTF-8每个汉字三个字节,假如在接收一个中文字符时,只接收了中文字符的一个字节就开始输出,那么那个中文字符就会失帧,所以就会乱码。

3、如果是输出到指定文件,就不用担心此问题,因为文件都是全部接收完毕后才打开新生成的文件。因此就保证了数据的全部接收。

4、代码演示如下:

package com.tiger.practice;

import java.io.*;
/**
* FileInputStream 输入中文到控制台出现乱码的原因解析
* @author tiger
* @Date 2017年7月22日
*/
public class ShowConsole {
public static void main(String[] args) throws IOException {
String path = "E:\\tigerFolder\\FileInputStream.txt";
System.out.println("1、-------FileInputStream输入中文出现乱码-------");
test01(path);
System.out.println("\n2、-----解决FileInputStream输入中文出现乱码----\n");
test02(path);
System.out.println("\n3、---------FileReader输入------------\n");
test03(path);
System.out.println("\n4、-------利用转换流包裹字节流输入-----\n");
test04(path);
System.out.println("\n5、-在test04的基础上加增强缓冲流,加快读取速度-\n");
test05(path);

}
/*
* 情况一:字节流输入 FileInputStream ,中文出现乱码,这里没有解码。
*/
public static void test01(String path) throws IOException{
InputStream is = new FileInputStream(path);
int len = 0;
while ((len = is.read()) != -1) {
System.out.print((char)len);
}
is.close();
}
/*
* 情况二:字节流输入 FileInputStream ,解决中文出现乱码问题
*/
public static void test02(String path) throws IOException{
InputStream is = new FileInputStream(path);
int len = 0;
/*将文件数据全部接收到数组buffer中,再控制台输出,保证了接收的中文字节数不会失帧。
GBK每个汉字两个字节,而UTF-8每个汉字三个,假如在接收一个中文字符时,
只接收了中文字符的一个字节就开始输出,那么那个中文字符就会失帧,所以就会乱码*/
byte[] buffer = new byte[is.available()];
while ((len = is.read(buffer)) != -1) {
System.out.print(new String(buffer,0,len));
}
is.close();
}
/*
* 情况三:字符流输入 FileReader 继承了 InputStreamReader,
* 每次都是接收两个字节,因此中文(占两个字节)绝不会乱码。
* 但要注意读取的文本的编码格式要与源程序的解码格式一致。
*/
public static void test03(String path) throws IOException{
Reader reader = new FileReader(path);
int len = 0;
char[] cbuf = new char[1024];//缓冲
while ((len = reader.read(cbuf)) != -1) {
System.out.print(new String(cbuf,0,len));
}
}
/*
* 情况四:利用转换流,将字节流转换为字符流(InputStreamReader)包裹字节流输入[内建缓冲区,8192个字节,
具有预读功能],改变其解码方式(可以自由设置解码方式)
*/
public static void test04(String path) throws IOException{
Reader reader = new InputStreamReader(new FileInputStream(path),"UTF-8");
int len = 0;
char[] cbuf = new char[11];
while ((len = reader.read(cbuf)) != -1) {
System.out.print(new String(cbuf,0,len));
}
}
/*
* 在test04的基础上加增强缓冲流,加快读取速度
*/
public static void test05(String path) throws IOException{
BufferedReader reader = new BufferedReader(new InputStreamReader(new FileInputStream(path), "UTF-8"));
int len = 0;
while ((len = reader.read()) != -1) {
System.out.print((char)len);
}
}
/*
* 在test04的基础上加增强缓冲流,加快读取速度
*/
public static void test05(String path) throws IOException{
BufferedReader reader = new BufferedReader(new InputStreamReader(new FileInputStream(path), "UTF-8"));
int len = 0;
while ((len = reader.read()) != -1) {
System.out.print((char)len);
}
}
}
内容来自用户分享和网络整理,不保证内容的准确性,如有侵权内容,可联系管理员处理 点击这里给我发消息
标签: 
相关文章推荐