- 论坛徽章:
- 0
|
php中json_encode中文编码问题
现象:众所周知使用json_encode可以方便快捷地将对象进行json编码,但是如果对象的属性中存在着中文,问题也就随之而来了。json_encode会将中文转换为unicode编码,例如:'胥'经过json_encode处理后变为'\u80e5',最终的json中中文部分被替换为unicode编码。我们要解决的就是将对象转换为json并保证对象内部的中文在json中仍然是以正常的中文出现,现在看来只使用json_encode是不能达到目的的。
我的解决方法:先将类中的中文字段进行url编码(urlencode),然后再对对象进行json编码(jsonencode),最后url解码(urldecode)json,即最终的json,里面的中文依旧是那个中文!
测试代码如下:
-
- 1 <?php
- 2 class myClass {
- 3 public $item1 = 1;
- 4 public $item2 = '中文';
- 5
- 6 function to_json() {
- 7 //url编码,避免json_encode将中文转为unicode
- 8 $this->item2 = urlencode($this->item2);
- 9 $str_json = json_encode($this);
- 10 //url解码,转完json后将各属性返回,确保对象属性不变
- 11 $this->item2 = urldecode($this->item2);
- 12 return urldecode($str_json);
- 13 }
- 14 }
- 15
- 16 $c = new myClass();
- 17 echo json_encode($c);
- 18 echo '<br/>';
- 19 echo $c->to_json();
- 20 echo '<br/>';
- 21 echo json_encode($c);
- 22 echo '<br/>';
- 23 echo json_encode('胥');
- 24 ?>
复制代码 程序输出结果:
{"item1":1,"item2":"\u4e2d\u6587"}{"item1":1,"item2":"中文"}{"item1":1,"item2":"\u4e2d\u6587"}"\u80e5"
希望本文起到抛砖引玉的作用,收集大家更好的解决方法……! |
|