php 7.1 使用 json_encode 函数造成浮点类型数据出现精度问题

前几天使用过程中发现了这个问题,看网上已经有人总结过。就转载过来,以便参考。

在使用过程中发现 浮点类型 数据经过 json_encode 之后会出现精度问题(如0.12  变为  0.120000000000...*)。因php弱类型,可以将浮点数转为字符串来解决。可以用php strval()函数来实现。

以下为博主文章

举个例子:

$data = [
    'stock' => '100',
    'amount' => 10,
    'price' => 0.1
];

var_dump($data);

echo json_encode($data);

输出结果:

array(3) { 
    ["stock"]=> string(3) "100" 
    ["amount"]=> int(10) 
    ["price"]=> float(0.1) 
}

{
    "stock":"100",
    "amount":10,
    "price":0.10000000000000001
}

网上说可以通过调整 php.ini 中 serialize_precision (序列化精度) 的大小来解决这个问题。

; When floats & doubles are serialized store serialize_precision significant
; digits after the floating point. The default value ensures that when floats
; are decoded with unserialize, the data will remain the same.
; The value is also used for json_encode when encoding double values.
; If -1 is used, then dtoa mode 0 is used which automatically select the best
; precision.
serialize_precision = 17

按照说明,将这个值改为 小于 17 的数字就解决了这个问题。后来又发现一个折中的办法,就是将 float 转为 string 类型。

$data = [
    'stock' => '100',
    'amount' => 10,
    'price' => (string)0.1
];

var_dump($data);

echo json_encode($data);

输出结果:

array(3) { 
    ["stock"]=> string(3) "100" 
    ["amount"]=> int(10) 
    ["price"]=> string(3) "0.1" 

} 

{
    "stock":"100",
    "amount":10,
    "price":"0.1"
}

博主写了下面这个函数处理数组。在此我的数组中只有一个浮点数,用的php strval()函数就可以解决

/**
 * @param $data 需要处理的数据
 * @param int $precision 保留几位小数
 * @return array|string
 */
function fix_number_precision($data, $precision = 2)
{
    if(is_array($data)){
        foreach ($data as $key => $value) {
            $data[$key] = fix_number_precision($value, $precision);
        }
        return $data;
    }

    if(is_numeric($data)){
        $precision = is_float($data) ? $precision : 0;
        return number_format($data, $precision, '.', '');
    }

    return $data;
}

测试:

$data = [
    'stock' => '100',
    'amount' => 10,
    'price' => 0.1,
    'child' => [
        'stock' => '99999',
        'amount' => 300,
        'price' => 11.2,
    ],
];

echo json_encode(fix_number_precision($data, 3));

输出结果:

{
    "stock":"100",
    "amount":"10",
    "price":"0.100",
    "child":{
        "stock":"99999",
        "amount":"300",
        "price":"11.200"
    }
}

php 版本 >= 7.1 均会出现这个问题。
--------------------- 
原文:https://blog.csdn.net/qq_42451060/article/details/80993664 

另:说一下json_decode的坑,有时候使用会返回null

一般来说,php对json字符串解码使用json_decode()函数,第一个参数传字符串,第二个参数若为true,返回array;若为false,返回object。如果返回NULL,说明报错

json_decode($a)返回NULL的一些原因:

1.$a只能是UTF-8编码

2.$a的元素最后不能有逗号(与php的array不同)

3.元素不能使用单引号

4.元素值中间不能有\r(空格)和\n(回车),必须替换

你可能感兴趣的:(php,php浮点数精度,json_encode的bug,json_encode后出错)