0

假设我有这样的 JSON:

{
 id: 1,
 somevalue: "text"
}

我想通过 PHP 函数json_encode创建这个 JSON 。我可以很容易地得到这个 JSON 格式:

{
 "id": "1",
 "somevalue": "text"
}

或者,使用JSON_NUMERIC_CHECK, 形式,其中“id”将是数字,但“somevalue”可以是数字或文本,具体取决于其内容。

如何使“somevalue”始终为文本格式(带引号)的 JSON。我会用其他语言来解析它,这很重要。

4

3 回答 3

4

确保将您希望为非字符串的值(如 int 或 boolean)输入到源数组中:

<?php
$a = array('id' => 1, 'really' => true, 'somevalue' => 'text');
var_dump( json_decode( json_encode( $a ) ) );

给出预期:

object(stdClass)#1 (2) {
  ["id"]=>
  int(1)
  ["really"]=>
  bool(true)
  ["somevalue"]=>
  string(4) "text"
}

编辑

如果您希望它始终是字符串,则首先将字符串放入数组中:

<?php
$a = array('id' => '1', 'really' => 'true', 'somevalue' => 'text');
var_dump( json_decode( json_encode( $a ) ) );

会给

object(stdClass)#1 (3) {
  ["id"]=>
  string(1) "1"
  ["really"]=>
  string(4) "true"
  ["somevalue"]=>
  string(4) "text"
}

但这扼杀了拥有不同变量类型的全部目的。

你可以转换你的数组之前的 json 编码:

<?php
$a = array('id' => 1, 'really' => true, 'somevalue' => 'text');

$tmp = array();
foreach( $a as $key=>$val ) {
   $tmp[$key] = (string)$val;
}

var_dump( json_decode( json_encode( $tmp ) ) );

最后会给出:

object(stdClass)#1 (3) {
  ["id"]=>
  string(1) "1"
  ["really"]=>
  string(1) "1"
  ["somevalue"]=>
  string(4) "text"
}
于 2012-11-20T21:14:42.120 回答
2

somevalue始终以“文本”格式制作:

$somevalue1 = 1;
$somevalue2 = "text";

$json1 = array("id" => 1, "somevalue" => (string) $somevalue1);
$json2 = array("id" => 1, "somevalue" => (string) $somevalue2);

echo json_encode($json1); // outputs {"id":1,"somevalue":"1"}
echo json_encode($json2); // outputs {"id":1,"somevalue":"text"}
于 2012-11-20T21:24:16.843 回答
0

在 PHP> 5.3.3 上,您可以使用 json_decode($array, JSON_NUMERIC_CHECK);

如果您没有 PHP 5.3.3 或更高版本,我编写了这个递归函数:

function json_encode_with_numbers($array) {
    if(is_array($array)) {
        if(count($array)>0 && array_keys($array) !== range(0, count($array) - 1)) {
            echo '{'; 

            $isFirst = true;
            foreach($array as $key=>$item) {
                if(!$isFirst) {
                    echo ",";
                }
                echo '"'.$key.'":';
                json_encode_with_numbers($item);
                $isFirst = false;
            }
            echo '}';
        } else {
            echo '['; 
            $isFirst = true;
            foreach($array as $item) {
                if(!$isFirst) {
                    echo ",";
                }
                json_encode_with_numbers($item);
                $isFirst = false;
            }
            echo ']';
        }
    } else {
        if(is_numeric($array)) {
            echo $array;
        } elseif ($array == null) {
            echo "null";
        } else {
            echo '"'.str_replace(array('"', '\\'), array('\"', '\\\\'), $array).'"'; // escape special chars
        }

    }

}
于 2013-03-08T15:33:02.850 回答