2

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

这是一个例子:

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

上述输出:

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

然而,如果truefalse10相反,我们可以有一个更短的字符串,这将花费更少的时间在互联网上传输:

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

如何使用1and0而不是trueand使 PHP 对 JSON 进行编码false

4

1 回答 1

3

我想到了。在对 JSON 进行编码之前,您可以使用 PHP 中的array_walkorarray_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}
于 2012-08-18T22:48:19.917 回答