在Codeigniter中生成JSON查询结果

问题描述 投票:0回答:2

所以我有一个名为usermeta的数据库表,并具有如下表结构:

-----------------------------------------------------------
| ummeta_id | user_id | meta_key    | meta_value          |
-----------------------------------------------------------
| 1         | 1       | fullname    | John Doe            |
| 2         | 1       | birthplace  | New York            |
| 3         | 1       | birthdate   | 1990/01/01          |
| 4         | 1       | mobile      | 0812-3456-7890      |
| 5         | 1       | email       | [email protected]   |
| 6         | 2       | fullname    | Jon Wick            |
| 7         | 2       | birthplace  | Washington DC       |
| 8         | 2       | birthdate   | 1985/10/21          |
| 9         | 2       | mobile      | 0890-1234-5678      |
| 10        | 2       | email       | [email protected]   |

我尝试使用Codeigniter(v 3.1.9)使用Controller和Model为该数据库中的所有数据生成json数据。

这是我的Model(型号名称:db_usermeta)

function userslist()
{
   $query = $this->db->select('*')
                     ->from('usermeta')
                     ->get();
   return $query->result();
}

这是我的控制器

public function userlist()
{
   header('Content-Type: application/json; charset=utf-8');
   $query = $this->db_usermeta->userslist();
   $json_data = array();
   foreach ($query as $key)
   {
      $json_data[$key->meta_key] = $key->meta_value;
   }
   echo json_encode($json_data);
}

使用我的浏览器打开使用Web开发人员工具检查json数据的结果只显示最后一条记录,在这种情况下只显示来自user_id 2的数据,如下所示:

{
  "fullname":"John Wick",
  "birthplace":"Washinton DC",
  "birthdate":"1985/10/21",
  "mobile":"0890-1234-5678",
  "email":"[email protected]"
}

我想要实现的是显示所有嵌套的json数据:

"data": [
  {
    "fullname":"John Doe",
    "birthplace":"New York",
    "birthdate":"1990/01/01",
    "mobile":"0812-3456-7890",
    "email":"[email protected]"
  },
  {
    "fullname":"John Wick",
    "birthplace":"Washinton DC",
    "birthdate":"1985/10/21",
    "mobile":"0890-1234-5678",
    "email":"[email protected]"
  }
]

我怎样才能实现这一目标?我在控制器和型号上犯了错误吗?我非常感谢你的帮助。

php arrays json codeigniter codeigniter-3
2个回答
0
投票

你的$key->meta_key会覆盖每一条记录。这就是为什么只有最后的记录出现。您实际上不需要循环来获取json数据。

public function userlist()
{
   header('Content-Type: application/json; charset=utf-8');
   $query = $this->db_usermeta->userslist();
   $json_data = array(array());
   $user_id_map = array();
   $index = 0;
   foreach ($query as $key)
   {
        if(!isset($user_id_map[$key->user_id])){
            $user_id_map[$key->user_id] = $index++;
        }
        $currentIndex = $user_id_map[$key->user_id];
        $json_data[$currentIndex][$key->meta_key] = $key->meta_value;
   }
   echo json_encode($json_data);
}

只需将您的控制器代码更改为此,这将返回json数据。


0
投票

由于两个记录的元键fullname相同,因此您需要将键名更改为唯一的键

foreach ($query as $key)
   {
      $json_data[$key->meta_key] = $key->meta_value;
   }

$json_data[$key->meta_key]更改为$json_data[$key->meta_key.$key->user_id]或只是将其更改为$json_data[$key->ummeta_id]

© www.soinside.com 2019 - 2024. All rights reserved.