我试图制作一些"最新消息"我在Wordpress中自定义主页上的部分输出:
我尝试从编码中取出标准循环,看看我先得到了什么,但我什么都没得到。我有点困惑,因为我无法解决为什么它甚至没有输出任何帖子,根本没有使用基本循环的内容:
<?php
// The Query
$the_query = new WP_Query( 'post_count=2' );
// The Loop
if ( $the_query->have_posts() ) {
echo '<ul>';
while ( $the_query->have_posts() ) {
$the_query->the_post();
echo '<li>' . get_the_title() . '</li>';
}
echo '</ul>';
} else {
// no posts found
echo 'No news is good news!';
}
/* Restore original Post Data */
wp_reset_postdata();
?>
此代码目前显示&#34;没有新闻是好消息&#34;信息。有两篇已发布的帖子。
答案 0 :(得分:1)
您的代码确实在我身边呈现输出,因此它正在运行。但是您有一个问题,post_count
是属性而不是WP_Query
的参数。您应该使用posts_per_page
我确实发生了为什么你没有得到任何输出,是你使用自定义帖子类型,而不是普通帖子,在这种情况下,由于你没有任何正常的帖子,所以不会输出任何输出。
只需更改此行
即可$the_query = new WP_Query( 'post_count=2' );
到
$the_query = new WP_Query( 'posts_per_page=2&post_type=NAME_OF_POST_TYPE' );
答案 1 :(得分:0)
您将变量$ args传递给WP_Query但未实际定义它。
试试这个:
$args = array(
'post_type' => 'post',
'posts_per_page' => 2,
'no_found_rows' => false,
);
$the_query = new WP_Query( $args );
然后输出您需要的内容:
if ( $the_query->have_posts() ) :
echo '<ul>';
while ( $the_query->have_posts() ) : $the_query->the_post(); ?>
<li>
<h3><a href="<?php the_permalink(); ?>"><?php the_title(); ?></a></h3>
<?php the_excerpt(); ?>
</li>
<?php endwhile;
echo '</ul>';
else :
// no posts found
echo 'No news is good news!';
endif;
wp_reset_postdata();
你不需要为if语句使用这种替代语法,但看到它以这种方式编写是很常见的。
我注意到在写完这个答案之后,您更新了将'post_count=2'
传递给WP_Query的问题。您需要使用'posts_per_page'
代替。 post_count
是查询对象的属性,而不是参数。
答案 2 :(得分:0)
这应该只返回发布的最后两篇帖子。
<?php
$args=array(
'post_type' => 'post',
'post_status' => 'publish',
'posts_per_page' => 2,
);
$my_query = null;
$my_query = new WP_Query($args);
if( $my_query->have_posts() )
{
echo '<ul>';
while ($my_query->have_posts()) : $my_query->the_post(); ?>
<li>
<h1><a href="<?php the_permalink(); ?>"><?php the_title(); ?></a></h1>
<?php the_excerpt(); ?>
</li>
<?php endwhile;
echo '</ul>';
<?php
}
else
{
echo 'No news is good news!';
}
wp_reset_query(); // Restore global post data stomped by the_post().
?>
(以上内容与帖子here略有不同)