1

我无法从我的 MySQLi 查询中打印出值。这是我正在使用的数据库连接类。

class db
{
 public function  __construct() 
    {
    $this->mysqli = new mysqli('localhost', 'root','', 'database');
    if (mysqli_connect_errno())
    {
        printf("Connect failed: %s\n", mysqli_connect_error());
        exit();
    }
}

public function Query($SQL)
{
    $this->SQL = $this->mysqli->real_escape_string($SQL);
    $this->Result = $this->mysqli->query($SQL);
    if ($this->Result == true)
    return true;
    else
    die('Problem with Query: ' . $this->SQL);
}

public function Get($field = NULL)
{
    if ($field == NULL)
    {
        $data = array();
        while ($row = $this->Result->fetch_assoc())
        {
            $data[] = $row;
        }
    }
    else
    {
        $row = $this->Result->fetch_assoc();
        $data = $row[$field];
    }

    $this->Result->close();
    return $data;
}

public function __destruct()
{
    $this->mysqli->close();
}
}

运行查询

$db = new db;
$db->Query("SELECT * FROM tblclients WHERE clientid = $this->id");
$result = $db->Get();
echo $result['clientid'];

我收到错误

PHP Notice:  Undefined index: clientid

但是我知道当我运行时这些值被传递给 $results 数组

print_r ($result);

我得到这个返回

Array ( [0] => Array ( [clientid] => 2 [firstname] => John [lastname] => Doe [dob] => 1962-05-08))

对于它的价值,如果我尝试echo $db->Get('firstname');一切正常。一段时间以来我一直把头撞在墙上,任何帮助表示赞赏。

4

1 回答 1

0

如您所见,您在另一个数组中有一个数组。要得到你需要的东西,你需要这样做:

$result[0]['clientid'];

因此,我们在这里所做的是您首先调用$result包含索引为 的数组的变量[0],然后该数组包含查询中的列名(例如:['clientid'])。

因此,您基本上必须比$result['clientid']通过首先调用包含数据库中这些键的数组来从数据库中获取数据更深入。

要取消嵌套该数组,请执行以下操作:

$result = $db->Get();
$normal_result = 0;

foreach ($result as $value)
{
    $normal_result = $value;
}

你可以在你的方法中使用它,这样你以后只会得到正常的结果。

于 2013-02-15T21:17:55.250 回答