0

我收到消息:

遇到 PHP 错误

严重性:通知

消息:未定义变量:查询

文件名:views/main.php

行号:12

这是我的控制器的代码:

function get_all(){
    $this->load->model('book_model');
    $this->load->library('table');
    $this->load->helper('html');

    $data['query'] = $this->books_model->books_getall();
    $this->load->view('main', $data);
}

这是我的观点:

<h1> List of books in library</h1>
<table border="1"/>
<tr>
    <th>ID</th>
    <th>Title</th>
    <th>Author</th>
    <th>Information</th>
    <th>Publisher</th>
    <th colspan="2">Action</th>
</tr>
<?php
if(is_array($query)){

foreach ($query as $row){

echo "<tr>";
echo "<td>".$row->id."</td>";
echo "<td>".$row->title."</td>";
echo "<td>".$row->author."</td>";
echo "<td>".$row->information."</td>";
echo "<td>".$row->publisher."</td>";
echo "<td>".anchor('book/input'.$row->id,'Edit')."</td>";
echo "<td>".anchor('book/delete'.$row->id,'Delete')."</td>";
echo "</tr>";
}
}
?>
</table>

提前感谢您的帮助

编辑:这是我的模型代码:

function get_all(){

$this->load->database();
$query = $this->db->get('books');
return $query->result(); 

}

4

1 回答 1

0

据我所知,第 12 行似乎是这一行:

if(is_array($query)){

并且错误消息说 $query 未定义。当您将 $data['query'] 传递给视图时,它变成了 $query。

我注意到您的模型也返回 $query->result()。这是不正确的 - 应该在循环内使用 result() 来循环遍历结果,并且您可以使用 num_rows() 来测试超过零的结果,如下例所示:

模型

function example()
{
    $query = $this->db->get('books');
    return $query;
}

控制器

$this->load->model('book_model');
$this->load->library('table');
$this->load->helper('html');

$data['query'] = $this->books_model->books_getall();
$this->load->view('main', $data);

看法

if($query->num_rows() > 0)
{
    foreach($query->result() as $row)
    {
        // Do stuff here on each $row
    }
}

建议大家看看CodeIgniter的这部分文档,其实挺好的。

于 2013-03-18T19:02:33.867 回答