1.现象:字节流向浏览器输出中文,可能会乱码(IE低版本)
1
2
3
4
5
|
private void byteMethod(HttpServletResponse response) throws IOException, UnsupportedEncodingException { String date = "你好" ; ServletOutputStream outputStream = response.getOutputStream(); outputStream.write(date.getBytes(); } |
原因:服务器端和浏览器端的编码格式不一致。
解决方法:服务器端和浏览器端的编码格式保持一致
1
2
3
4
5
6
7
8
|
private void byteMethod(HttpServletResponse response) throws IOException, UnsupportedEncodingException { String date = "你好" ; ServletOutputStream outputStream = response.getOutputStream(); // 浏览器端的编码 response.setHeader( "Content-Type" , "text/html;charset=utf-8" ); // 服务器端的编码 outputStream.write(date.getBytes( "utf-8" )); } |
或者简写如下
1
2
3
4
5
6
7
8
|
private void byteMethod(HttpServletResponse response) throws IOException, UnsupportedEncodingException { String date = "你好" ; ServletOutputStream outputStream = response.getOutputStream(); // 浏览器端的编码 response.setContentType( "text/html;charset=utf-8" ); // 服务器端的编码 outputStream.write(date.getBytes( "utf-8" )); } |
2.现象:字符流向浏览器输出中文出现 ???乱码
1
2
3
4
5
|
private void charMethod(HttpServletResponse response) throws IOException { String date = "你好" ; PrintWriter writer = response.getWriter(); writer.write(date); } |
原因:表示采用ISO-8859-1编码形式,该编码不支持中文
解决办法:同样使浏览器和服务器编码保持一致
1
2
3
4
5
6
7
8
9
|
private void charMethod(HttpServletResponse response) throws IOException { // 处理服务器编码 response.setCharacterEncoding( "utf-8" ); // 处理浏览器编码 response.setHeader( "Content-Type" , "text/html;charset=utf-8" ); String date = "中国" ; PrintWriter writer = response.getWriter(); writer.write(date); } |
注意!setCharacterEncoding()方法要在写入之前使用,否则无效!!!
或者简写如下
1
2
3
4
5
6
|
private void charMethod(HttpServletResponse response) throws IOException { response.setContentType( "text/html;charset=GB18030" ); String date = "中国" ; PrintWriter writer = response.getWriter(); writer.write(date); } |
总结:解决中文乱码问题使用方法 response.setContentType("text/html;charset=utf-8");可解决字符和字节的问题。