0

好吧,所以我从头开始创建了一个博客,并错误地开始用 mysql_ 语句编写它,所以我回去用 PDO 语句重写它。我现在遇到了从我的数据库显示我的博客文章的问题。

<?php
    include 'includes.php';

    echo '<h3>-----------------------------------------------------</h3>';
    $blogIndex = 'SELECT * FROM blog_post ORDER BY date_posted DESC';
    $blogIndexstmt = $DBH->prepare($blogIndex);
    $blogIndexRows = $blogIndexstmt->fetchAll();

    if(!$blogIndexRows) {
        echo 'No Post Yet.';
    }
        else {
            while($blogIndexRows->nextRowset()) {
                echo '<h2>' . $row['title'] . '</h2>';
                $datePosted = $row['date_posted'];
            echo '<p>' . gmdate('F j, Y, g:i a', $datePosted) . '</p>';
                $body = substr($row['post'], 0, 300);
                echo nl2br($body) . '...<br/>';
                echo '<a href="post_view.php?id=' . $row['id']. '">Read More</a> | ';
                echo '<a href="post_view.php?id=' . $row['id'] . '#comments">' .              
                $row['num_comments'] . ' comments</a>';
                echo '<hr/>';
            }
       }
       $DBH = null;
       echo <<<HTML
       <a href="post_add.php">+ New Post</a>
       HTML;
 ?>

它不显示任何内容,甚至不显示错误代码。我能够用 mysql_ 语句正确地做到这一点,但我真的很想学习如何正确地做到这一点。我只是在寻找正确方向的推动力,您现在必须为我编写代码。提前感谢您的帮助!

4

1 回答 1

0

让我们从头开始。

如果您不传递任何参数,则不要使用准备好的语句。

这意味着什么?只需发出 PDO 的query功能。

它会是这样的:

$query = $DBH->query('SELECT * FROM blog_post ORDER BY date_posted DESC');

如果出现问题,$DBH->query 将在成功时返回 FALSE 或 PDOStatement。所以下一行是检查它是否为假:

if($query === false)
{
    echo $DBH->errorCode();
}
else 
{
    // Everything went fine, let's fetch results
    $results = $query->fetchAll(PDO::FETCH_ASSOC);

    // If there are any records returned, our array won't be empty.
    if(count($results))
    {
        // $results contains all of your records. You can now loop it with for, foreach and you don't need a while loop anymore
        foreach($results as $row)
        {
            print_r($row);
        }
    }
    else
    {
        echo "There are no records in the database table :(";
    }
}
于 2013-09-18T15:43:51.233 回答