Home>Article>Backend Development> How to convert php array to encoding
How to convert php array to encoding: 1. Use the iconv function to traverse the array to convert the character set; 2. Use the var_export and eval methods to achieve conversion; 3. Use recursion to transcode the array.
Recommended: "PHP Video Tutorial"
Three ways to convert Chinese character encodings into PHP arrays Solution
1. Use the iconv function to traverse the array and convert the character set
/* * 字符串/二维数组/多维数组编码转换 * @param string $in_charset * @param string $out_charset * @param mixed $data */ function array_iconv($data, $in_charset='GBK', $out_charset='UTF-8'){ if (!is_array($data)){ $output = iconv($in_charset, $out_charset, $data); }elseif(count($data)===count($data, 1)){//判断是否是二维数组 foreach($data as $key => $value){ $output[$key] = iconv($in_charset, $out_charset, $value); } }else{ eval_r('$output = '.iconv($in_charset, $out_charset, var_export($data, TRUE)).';'); } return $output; }
2. Use the var_export(), eval() method
/** * 将含有GBK的中文数组转为utf-8 * * @param array $arr 数组 * @param string $in_charset 原字符串编码 * @param string $out_charset 输出的字符串编码 * @return array */ function array_iconv($arr, $in_charset="gbk", $out_charset="utf-8") { $ret = eval('return '.iconv($in_charset,$out_charset,var_export($arr,true).';')); return $ret; // 这里转码之后可以输出json // return json_encode($ret); }
The principle is very simple
var_export sets the second parameter to true, returns the array prototype string, converts the string to utf-8 encoding, and then uses eval to perform the return (similar to an anonymous function?), which perfectly solves the problem.
eval() function summary:
Conditions: The eval() function calculates the string according to the PHP code. The string must be valid PHP code and must end with a semicolon.
If no return statement is called in the code string, NULL is returned. If there are parsing errors in the code, the eval() function returns false.
$a ="hello"; $res = eval("return $a;"); print_r($res); //
The $ identifier must be escaped with a backslash when assigning eval("\$str = \"$str\";"); echo $str;
三, use recursion to transcode the array (when eval is disabled)
/** * UTF-8编码 GBK编码相互转换/(支持数组) * * @param array $str 字符串,支持数组传递 * @param string $in_charset 原字符串编码 * @param string $out_charset 输出的字符串编码 * @return array */ function array_iconv($str, $in_charset="gbk", $out_charset="utf-8") { if(is_array($str)) { foreach($str as $k => $v) { $str[$k] = array_iconv($v); } return $str; } else { if(is_string($str)) { // return iconv('UTF-8', 'GBK//IGNORE', $str); return mb_convert_encoding($str, $out_charset, $in_charset); } else { return $str; } } }
The above is the detailed content of How to convert php array to encoding. For more information, please follow other related articles on the PHP Chinese website!