我从数据库中选择一些数据并将它们编码为json,但是我遇到了像
这样的捷克标志的问题A,I,R,C,Z ...
我的文件采用utf-8编码,我的数据库也采用utf-8编码,我也将头设置为utf-8编码。我还能做什么呢?
我的代码:
header('Content-Type: text/html; charset=utf-8');
while($tmprow = mysqli_fetch_array($result)) {
$row['user'] = mb_convert_encoding($tmprow['user'], "UTF-8", "auto");
$row['package'] = mb_convert_encoding($tmprow['package'], "UTF-8", "auto");
$row['url'] = mb_convert_encoding($tmprow['url'], "UTF-8", "auto");
$row['rating'] = mb_convert_encoding($tmprow['rating'], "UTF-8", "auto");
array_push($response, $row);
}
$json = json_encode($response, JSON_UNESCAPED_UNICODE);
if(!$json) {
echo "error";
}
和部分印刷的json:"package":"zv???tkanalouce"
编辑:如果没有mb_convert_encoding()函数,则打印的字符串为空,并打印“错误”。
答案 0 :(得分:7)
使用您的示例中的代码,输出为:
json_encode($response, JSON_UNESCAPED_UNICODE);
"package":"zv???tkanalouce"
你在那里看到了问号,因为它们是由mb_convert_encoding
引入的。当您使用编码检测(" auto
"作为第三个参数)并且编码检测无法处理输入中的字符,将其替换为问号时,会发生这种情况。示例性代码行:
$row['url'] = mb_convert_encoding($tmprow['url'], "UTF-8", "auto");
这也意味着来自数据库的数据不 UTF-8编码,因为如果mb_convert_encoding($buffer, 'UTF-8', 'auto');
是UTF-8编码,$buffer
不会引入问号。
因此,您需要找出数据库连接中使用的字符集,因为数据库驱动程序会将字符串转换为连接的编码。
最简单的是,您只需告诉您要求UTF-8字符串的数据库链接,然后只使用它们:
$mysqli = new mysqli("localhost", "my_user", "my_password", "test");
/* check connection */
if (mysqli_connect_errno()) {
printf("Connect failed: %s\n", mysqli_connect_error());
exit();
}
/* change character set to utf8 */
if (!$mysqli->set_charset("utf8")) {
printf("Error loading character set utf8: %s\n", $mysqli->error);
} else {
printf("Current character set: %s\n", $mysqli->character_set_name());
}
前面的代码示例演示了如何使用mysqli将默认客户端字符集设置为UTF-8。它一直是taken from the manual,也可以看到我们现场的相关资料,例如utf 8 - PHP and MySQLi UTF8
然后,您可以大大改善您的代码:
$response = $result->fetch_all(MYSQLI_ASSOC);
$json = json_encode($response, JSON_UNESCAPED_UNICODE);
if (FALSE === $json) {
throw new LogicException(
sprintf('Not json: %d - %s', json_last_error(), json_last_error_msg())
);
}
header('Content-Type: application/json');
echo $json;