0

我最近阅读了这篇文章:如何像 Wordpress 循环一样制作自己的 while 循环?到目前为止,我正在尝试自己制作循环,但没有任何成功。

文章中给出的答案推荐了一种 OOP 方法,而不是使用全局变量。

我对 OOP 方法没有运气,但下面的全局变量方法几乎可以工作。

而不是显示来自 MySQL 表的 'item_title' 和 'item_desc' 值,而是出现字母。请注意,这些字母采用正确的 while 循环格式。

我究竟做错了什么?

非常感谢

<?php
//CONNECT TO DATABASE
$mysqli = mysqli_connect("localhost", "username", "password", "testDB");

//VALIDATE ITEMS FROM STORE_ITEMS TABLE
$get_item_sql = "SELECT * FROM store_items";
$get_item_res = mysqli_query($mysqli, $get_item_sql) or die(mysqli_error($mysqli));

//DEFINE VARIABLES
$posts = mysqli_fetch_array($get_item_res);
$post = null;
$post_count = 0;
$post_index = 0;

//HAVE_POST FUNCTION
function have_post() {
global $posts, $post_count, $post_index;

if ($posts && ($post_index <= $post_count)){
    $post_count = count($posts);
    return true;
}
else {
    $post_count = 0;
    return false;
}
}

//THE_POST FUNCTION
function the_post() {
global $posts, $post, $post_count, $post_index;

// make sure all the posts haven't already been looped through
if ($post_index > $post_count) {
    return false;
}

// retrieve the post data for the current index
$post = $posts[$post_index+1];

// increment the index for the next time this method is called
$post_index++;
return $post;

}

//THE_TITLE FUNCTION
function the_title() {
global $post;
return $post['item_title'];
}

//THE_CONTENT FUNCTION
function the_content() {
global $post;
return $post['item_desc'];
}

//OUTPUT
if(have_post()) : while(have_post()) : the_post();
echo '<h2>'.the_title().'</h2>';
echo '<p>'.the_content().'</p>';
endwhile; endif;

?>
4

2 回答 2

1

你做错了MySQL。mysqli_fetch_array 获取单行数据。它不会检索查询结果中的所有行。您的查询也效率低下。如果您只想计算有多少帖子,您可以这样做

$result = mysqli_query("SELECT * FROM ...");
$rows = mysqli_num_rows($result);

但这是低效的——假设您实际上将要使用它,您正在强制 DB 库开始获取行数据。然而你只是把它扔掉了。更好的方法是

$result = mysqli_query("SELECT count(*) AS cnt FROM ...") or die(mysqli_error());
$row = mysqli_fetch_assoc($result);
$rows = $row['cnt'];

稍后您将$posts其视为包含所有查询结果,但由于它仅包含一行,您只需迭代/获取该行的字段。

于 2012-10-29T14:20:30.383 回答
0

正如我所看到的,您只是通过使用查询一行

$posts = mysqli_fetch_array($get_item_res);

你需要用这种方式用所有这些行填充一个数组。

$posts = array();
while ($row  = mysqli_fetch_array($get_item_res) ){
    $posts[] = $row;
}
于 2012-10-29T14:24:48.790 回答