我正在尝试编写自己的MVC框架using this tutorial。一切正常,我完成了教程,没有任何问题。
但是后来我决定使用PDO(PHP数据对象)代替mysql()函数进行数据库操作。所以我修改了我的sqlQuery.php文件,使用PDO而不是mysql函数。
sqlQuery.php
<?php
class SQLQuery {
private $_dbHandle;
private $_result;
/**
* Connects to database
*
* @param $address
* @param $account
* @param $pwd
* @param $name
*/
function connect($address, $account, $pwd, $name) {
try{
$this->_dbHandle = new PDO("mysql:host=$address;dbname=$name", $account, $pwd);
}catch (PDOException $e) {
die($e->getCode() . " : " . $e->getMessage());
}
}
/** Disconnects from database **/
function disconnect() {
$this->_dbHandle = null;
}
function get($whereClause = array()) {
$query = "select * from $this->_table";
if(is_array($whereClause) && count($whereClause)){
$query .= " where ";
foreach($whereClause as $column=>$value)
$query .= " $column = $value";
}else if(is_int($whereClause)){
$query .= " where id = $whereClause ";
}
return $this->query($query);
}
/**
* Custom SQL Query
*
* @param $query
* @return array|bool
*/
function query($query) {
$this->_result = $this->_dbHandle->query($query);
$this->_result->setFetchMode(PDO::FETCH_CLASS, $this->_model);
if (preg_match("/select/i",$query)) {
$result = array();
$numOfFields = $this->_result->rowCount();
if($numOfFields > 1){
while($result[] = $this->_result->fetch()){
}
}else{
$result = $this->_result->fetch();
}
return $result;
}
return true;
}
}
现在当我在我的控制器中打印$this->Item->get()
时,我在数据库中获得所有结果作为项目模型的对象,$this->Item->get(2)
为我提供了id = 2的项目对象。
但是,我不喜欢我的API需要调用另一个方法get()来获取Items Model的对象的想法,相反更有意义的是当一个Items Model初始化时我得到了所需的对象,因此我的API可以是$this->item->mycolumnName
。
为了达到这个目的,我尝试在模型构造函数中移动get()
调用,如下所示:
model.php
<?php
class Model extends SQLQuery{
protected $_model;
function __construct() {
$this->connect(DB_HOST,DB_USER,DB_PASSWORD,DB_NAME);
$this->_model = get_class($this);
$this->_table = strtolower($this->_model)."s";
$this->get();
}
function __destruct() {
}
}
然而,这给了我致命错误
Fatal error: Maximum function nesting level of '256' reached, aborting! in /var/www/html/FitternityAssignment/library/sqlquery.php on line 59
我不知道我做错了什么。
答案 0 :(得分:0)
问题是第59行:while($result[] = $this->_result->fetch()){
function query($query) {
$this->_result = $this->_dbHandle->query($query);
$this->_result->setFetchMode(PDO::FETCH_CLASS, $this->_model);
if (preg_match("/select/i",$query)) {
$result = array();
$numOfFields = $this->_result->rowCount();
if($numOfFields > 1){
while($result[] = $this->_result->fetch()){
}
}else{
$result = $this->_result->fetch();
}
return $result;
}
return true;
}
让我们简单介绍一下这个问题:
while($result[] = $this->_result->fetch()){
}
无限循环。
当fetch()
返回某些内容时,已添加到$result
,因为$result
是一个数组,当然它的计算结果为true,因为每次添加提取的结果时,$result
的大小都会增加。
$results = [];
while($row = $this->_result->fetch()){
$results[] = $row; // or whatever you need to do with the row
}
可能会工作。我说可能因为它取决于没有结果时$this->_result->fetch()
返回的内容。我将假设为false或null,在这种情况下,上述方法将起作用,因为当没有更多结果时,fetch()
将返回null或false,然后$row
将评估为false。