组装多维JSON对象

时间:2012-10-11 16:39:15

标签: php json

我正在尝试组装Baobab数据(树结构)的JSON对象。我有以下递归函数:

/* Takes the Tree (in this case, always '1') and the Parent ID where we want to start, this case, I would also start with '1' */
function walkTree($tree, $id)
{
     /* Gets the children of that of that ID */
     $children = $tree->getChildren($id);

     $data = "";

     /* Loop through the Children */
     foreach($children as $index => $value) 
     {
          /* A function to get the 'Name' associated with that ID */
          $name = getNodeName($tree, $value);

          /* Call the walkTree() function again, this time based on that Child ID */
          $ret = walkTree($tree, $value);

          /* Append the string to $data */
          $data .= '{"data":"'.$name.'","attr": {"id" : "'.$value.'"}
                   ,"state":"closed","children": ['.$ret.']}';
     }

     /* Return the final result */
     return $data;
}

这非常接近工作但是如您所见,每个嵌套对象和数组之间没有逗号,因此JSON格式不正确。很多以下内容:

... {"data":"Personal","attr": {"id" : "4"},"state":"closed","children": []}{"data":"News-editorial","attr": {"id" : "5"},"state":"closed","children": [] ...

我认为最好的方法是创建一个Php数组并json_encode()它,但我找不到让嵌套对象工作的方法。

2 个答案:

答案 0 :(得分:1)

你可以这样安慰

$data = array();

foreach($children as $index => $value)
{
    $node = array();
    $node['data'] = getNodeName($tree, $value) ;
    $node['attr'] = array("id"=>$value,"state"=>"closed","children"=>walkTree($tree, $value)) ;

    $data[] = $node ;
}

return json_encode($data);

答案 1 :(得分:1)

如果你想通过连接来构建它,那么只需跟踪第一个和后续的元素。修改后的代码应该有效:

/* Takes the Tree (in this case, always '1') and the Parent ID where we want to start, this case, I would also start with '1' */
function walkTree($tree, $id)
{
  /* Gets the children of that of that ID */
  $children = $tree->getChildren($id);
  $first = true;

  $data = "";

  /* Loop through the Children */
  foreach($children as $index => $value) 
  {
    /* A function to get the 'Name' associated with that ID */
    $name = getNodeName($tree, $value);

    /* Call the walkTree() function again, this time based on that Child ID */
    $ret = walkTree($tree, $value);

    /* Append the string to $data */
    if($first) {
       $first = false;
    } else {
      /*add comma for each element after the first*/
      $data .= ',';
    }
    $data .= '{"data":"'.$name.'","attr": {"id" : "'.$value.'"},"state":"closed","children": ['.$ret.']}';
  }

  /* Return the final result */
  return $data;
}