如何像Wordpress Loop一样创建自己的循环?

2 php arrays wordpress while-loop

我是新来的,也是PHP的新功能..

只是想知道如何像在Wordpress中一样制作我自己的灵活循环...注意我不是在谈论wordpress ..我想在myown PHP应用程序上实现它...

让我们回顾WP,有一个像这样的代码:

while (have_post() : thepost())// .. bla bla...

echo the_title();
echo the_content();

endwhile; // this is just an ilustration
Run Code Online (Sandbox Code Playgroud)

你能弄清楚have_post()或the_post()如何与数据库交互,以便它们可以循环.

谢谢..

Mat*_*ins 8

WordPress使用全局变量,这些函数在迭代循环时会修改.例如:

var $posts = null;
var $post = null;
var $post_count = 0;
var $post_index = 0;

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

    $post_index = 0;

    // do a database call to retrieve the posts.
    $posts = mysql_query('select * from posts where ...');

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

function thepost() {
    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];

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

    return $post;
}

function the_title() {
    global $post;
    return $post['title'];
}

function the_content() {
    global $post;
    return $post['content'];
}
Run Code Online (Sandbox Code Playgroud)

不过,我肯定会建议使用OOP样式编码而不是WordPress.这将保持变量在对象的实例中定义,而不是全局可访问.例如:

class Post {
    function __construct($title, $content) {
        $this->title = $title;
        $this->content = $content;
    }

    function getTitle() {
        return $title;
    }

    function getContent() {
        return $content;
    }
}

class Posts {
    var $postCount = 0;
    var $posts = null;

    function __construct($conditions) {
        $rs = mysql_query('select * from posts where $conditions...');

        if ($rs) {
            $this->postCount = count($rs);
            $this->posts = array();

            foreach ($rs as $row) {
                $this->posts[] = new Post($row['title'], $row['content']);
            }
        }
    }

    function getPostCount() {
        return $this->postCount;
    }

    function getPost($index) {
        return $this->posts[$index];
    }
}
Run Code Online (Sandbox Code Playgroud)