HttpClient]HTTPClient PostMethod 中文乱码问题解决方案(2种)

HTTPClient PostMethod 中文乱码问题解决方案(2种)
http://blog.csdn.net/apei830/article/details/5526236


Apache HttpClient ( http://jakarta.apache.org/commons/httpclient/ ) 是一个纯 Java 的HTTP 协议的客户端编程工具包, 对 HTTP 协议的支持相当全面, 更多细节也可以参考IBM 网站上的这篇文章 HttpClient入门 (http://www.ibm.com/developerworks/cn/opensource/os-httpclient/ ).



不过在实际使用中, 还是发现按照最基本的方式调用 HttpClient 时, 并不支持 UTF-8 编码。



现在给出2个解决方案:



一、在调用PostMethod方法时设置字符编码:

view plaincopy to clipboardprint?
PostMethod postMethod = new PostMethod( 
        "http://127.0.0.1:8080/HttpClientServer/login.do"); 
postMethod.getParams().setParameter(HttpMethodParams.HTTP_CONTENT_CHARSET,"utf-8"); 
PostMethod postMethod = new PostMethod(
"http://127.0.0.1:8080/HttpClientServer/login.do");
postMethod.getParams().setParameter(HttpMethodParams.HTTP_CONTENT_CHARSET,"utf-8");






二、重载PostMethod的getRequestCharSet()方法, 返回我们需要的编码(字符集)名称, 就可以解决 UTF-8 或者其它非默认编码提交 POST 请求时的乱码问题了.



view plaincopy to clipboardprint?
//Inner class for UTF-8 support     
   public static class UTF8PostMethod extends PostMethod{    
       public UTF8PostMethod(String url){    
           super(url);    
       }    
       @Override   
       public String getRequestCharSet() {    
           //return super.getRequestCharSet();     
           return "utf-8";    
       }    
   }      
//Inner class for UTF-8 support  
    public static class UTF8PostMethod extends PostMethod{  
        public UTF8PostMethod(String url){  
            super(url);  
        }  
        @Override 
        public String getRequestCharSet() {  
            //return super.getRequestCharSet();  
            return "utf-8";  
        }  
    }     

view plaincopy to clipboardprint?
PostMethod postMethod = new UTF8PostMethod( 
                "http://127.0.0.1:8080/HttpClientServer/login.do"); 
PostMethod postMethod = new UTF8PostMethod(
"http://127.0.0.1:8080/HttpClientServer/login.do");



三、最后服务器端要配合客户端,设置下编码字符集:

view plaincopy to clipboardprint?
public void doPost(HttpServletRequest request, HttpServletResponse response) 
        throws ServletException, IOException { 
    //解决中文乱码问题,此步不可少  
    request.setCharacterEncoding("UTF-8"); 
    response.setContentType("text/html"); 
    response.setCharacterEncoding("UTF-8"); 
    PrintWriter out = response.getWriter(); 
    String username = (String) request.getParameter("username"); 
    String password = (String) request.getParameter("password"); 
    System.out.println("******************** doPost被执行了 ********************"); 
    System.out.println("您的请求参数为:/tusername:" + username + "/tpassword:" 
            + password); 
    out.print("您的请求参数为:/tusername:" + username + "/tpassword:" + password); 
    out.flush(); 
    out.close(); 


你可能感兴趣的:(httpclient)