网络请求中,中文字符的编解码实现:URLEncoder.encode()和URLDecoder.decode()

一、背景

在开发中,在一次发送请求中,涉及到中文字符,需要编码发送。

原因是http get请求不能传输中文参数问题。http请求是不接受中文参数的。形如:

city=%E4%B8%8A%E6%B5%B7

二、实现

import java.io.UnsupportedEncodingException;
import java.net.URLDecoder;
import java.net.URLEncoder;

public class JavaStudy {
    public static void main(String[] args) throws UnsupportedEncodingException {
        //编码
        String strUTF = "上海";
        String encode = URLEncoder.encode(strUTF, "utf-8");
        System.out.println(encode);//%E4%B8%8A%E6%B5%B7

        //解码
        String decoStr = "%E4%B8%8A%E6%B5%B7";
        String decode = URLDecoder.decode(decoStr, "utf-8");
        System.out.println(decode);//上海
        
    }

}

1.URLEncoder.encode(String s, String enc) 
使用指定的编码机制,将字符串编码为 application/x-www-form-urlencoded 格式 

发送请求的时候使用。

URLDecoder.decode(String s, String enc) 
使用指定的编码机制,对 application/x-www-form-urlencoded 字符串解码。 

接受请求的时候使用。

2.编码,解码的类型要一致。

你可能感兴趣的:(JAVA)