我有一个存储在数据库中的一些图像的文件名列表。我正在尝试使用ajax获取该列表,但我收到了警告消息:
[json] (php_json_encode) type is unsupported, encoded as null
以下是我的代码:
控制器:
<?php
class Create extends CI_Controller {
public function __construct()
{
parent::__construct();
$this->load->model('get_files');
}
public function index()
{
$data['title'] = 'Create New Map';
$this->load->view('head&foot/create_header', $data);
$this->load->view('create', $data);
$this->load->view('head&foot/create_footer');
}
// Loads the default tiles into the gallery
public function update_gallery()
{
echo json_encode($this->get_files->get_image_list());
}
}
?>
型号:
<?php
/*
* Returns a list of files from a database
*/
class Get_files extends CI_Model
{
public function __construct()
{
parent::__construct();
$this->load->database();
}
function get_image_list(){
return $this->db->query("SELECT * FROM default_tile");
}
}
?>
在我看来,ajax请求是:
$.ajax({
url:'create/update_gallery',
type:'GET',
success:function(data){
$('#default_tiles_view').html(data);
}
})
可以看到导致警告的原因吗?
答案 0 :(得分:2)
问题在于您的get_image_list()
方法。它实际上并不返回图像列表,而是database result object
:$this->db->query("SELECT * FROM default_tile")
的结果。
在该函数中,您需要遍历结果集以获取列表(数组)中的所有图像,并从函数中返回该列表。
示例:
function get_image_list(){
$images = array();
$query = $this->db->query("SELECT * FROM default_tile");
// simple example
foreach ($query->result_array() as $row)
{
$images[] = $row;
}
return $images;
}