在JSON中使用1和0而不是True和False

时间:2012-08-18 22:48:20

标签: php json casting boolean type-conversion

在PHP中,我注意到如果我有一个数组,然后是json_encode(),那么布尔值将转换为truefalse。但是,我希望它们分别转换为10

以下是一个例子:

$data = Array("foo" => true, "bar" => false, "baz" => false, "biz" => true);
print json_encode($data);

以上输出:

{"foo":true,"bar":false,"baz":false,"biz":true}

但是,如果truefalse取而代之的是10,我们可以使用更短的字符串,这将花费更少的时间通过互联网进行传输:< / p>

{"foo":1,"bar":0,"baz":0,"biz":1}

如何使用10代替truefalse对PHP进行编码?

1 个答案:

答案 0 :(得分:3)

我明白了。在编码JSON之前,您可以使用PHP中的array_walkarray_walk_recursive函数将布尔值转换为整数。我写了一个函数来做到这一点:

function change_booleans_to_numbers(Array $data){
    // Note the order of arguments and the & in front of $value 
    function converter(&$value, $key){
        if(is_bool($value)){
            $value = ($value ? 1 : 0);
        }
    }
    array_walk_recursive($data, 'converter');
    return $data;
}

这是一个演示脚本:

<?php
// Make the browser display this as plain text instead of HTML 
header("Content-Type:text/plain");

function change_booleans_to_numbers(Array $data){
    function converter(&$value, $key){
        if(is_bool($value)){
            $value = ($value ? 1 : 0);
        }
    }
    array_walk_recursive($data, 'converter');
    return $data;
}

$data = Array("foo" => true, "bar" => false, "baz" => false, "biz" => true);

print "Original:" . PHP_EOL;
var_dump($data);
print json_encode($data) . PHP_EOL;
print PHP_EOL;

$changed = change_booleans_to_numbers($data);
print "Processed:" . PHP_EOL;
var_dump($changed);
print json_encode($changed) . PHP_EOL;

脚本输出:

Original:
array(4) {
  ["foo"]=>
  bool(true)
  ["bar"]=>
  bool(false)
  ["baz"]=>
  bool(false)
  ["biz"]=>
  bool(true)
}
{"foo":true,"bar":false,"baz":false,"biz":true}

Processed:
array(4) {
  ["foo"]=>
  int(1)
  ["bar"]=>
  int(0)
  ["baz"]=>
  int(0)
  ["biz"]=>
  int(1)
}
{"foo":1,"bar":0,"baz":0,"biz":1}