项目在接入Okhttp请求框架的时候,发现当header或post参数中包含有中文的时候,都会报一个数组
Unexpected char xx at xx in xx value: xxxapp
这种格式的错误,下面把缘由和解决办法分享给你们框架
查看源码能够发现,不论你从什么入口设置header 或 post参数,Okhttp都会对其进行这样一段代码的检查post
private void checkNameAndValue(String name, String value) { if (name == null) throw new NullPointerException("name == null"); if (name.isEmpty()) throw new IllegalArgumentException("name is empty"); for (int i = 0, length = name.length(); i < length; i++) { char c = name.charAt(i); if (c <= '\u001f' || c >= '\u007f') { throw new IllegalArgumentException(Util.format( "Unexpected char %#04x at %d in header name: %s", (int) c, i, name)); } } if (value == null) throw new NullPointerException("value == null"); for (int i = 0, length = value.length(); i < length; i++) { char c = value.charAt(i); if (c <= '\u001f' || c >= '\u007f') { throw new IllegalArgumentException(Util.format( "Unexpected char %#04x at %d in %s value: %s", (int) c, i, name, value)); } } }
而这也就使得当参数中含有中文时就会报错ui
把使用 requestBuilder.header(name , value)
的地方url
替换成requestBuilder.header(name , getValueEncoded(value) )
code
方法代码以下:orm
//因为okhttp header 中的 value 不支持 null, \n 和 中文这样的特殊字符,因此这里 //会首先替换 \n ,而后使用 okhttp 的校验方式,校验不经过的话,就返回 encode 后的字符串 private static String getValueEncoded(String value) { if (value == null) return "null"; String newValue = value.replace("\n", ""); for (int i = 0, length = newValue.length(); i < length; i++) { char c = newValue.charAt(i); if (c <= '\u001f' || c >= '\u007f') { return URLEncoder.encode(newValue, "UTF-8"); } } return newValue; }
post参数能够经过将键值对转换为byte数组的形式来避免OKhttp的字符检查utf-8
requestBuilder.post(RequestBody.create(MediaType.parse("application/x-www-form-urlencoded; charset=utf-8"), getRequestData(postParams).toString().getBytes(“UTF-8”))); private static StringBuffer getRequestData(Map<String, String> params) { StringBuffer stringBuffer = new StringBuffer(); try { for (Map.Entry<String, String> entry : params.entrySet()) { stringBuffer.append(entry.getKey()).append("=").append(entry.getValue()).append("&"); } stringBuffer.deleteCharAt(stringBuffer.length() - 1); //删除最后的一个"&" } catch (Exception e) { e.printStackTrace(); } return stringBuffer; }
另外,这里比较重要的还有这句话:字符串
MediaType.parse("application/x-www-form-urlencoded; charset=utf-8"
此处若是没有charset=utf-8
的话,服务端获取中文post参数可能会出现乱码