我正在尝试使用get_field返回一个简单的文本字段,由于某种原因,它返回空。字段本身就是它应该在的位置,并且其中包含文本,因此该部分已全部设置好。此PHP代码是通过php代码段加载的,例如,发布缩略图,可以完美显示。因此,除ACF字段值外,其他所有东西都可以正常工作。
<div class="your-class">
<?php
$args = array(
'post_type' => 'home_test',
'posts_per_page' => -1,
'orderby' => 'name',
'order' => 'ASC',
);
$the_query = new WP_Query($args);
$brand = get_posts($args);
foreach ($brand as $post) {
setup_postdata($post);
$thumbnail = get_the_post_thumbnail_url($post->ID, 'full');
$homelinkvalue = get_field("home_brand_link");
if (!$thumbnail)
continue;
?>
<div>
<p><?php echo $homelinkvalue; ?></p><img src="<?php echo $thumbnail; ?>">
</div>
<?php
}
wp_reset_postdata();
?>
</div>
答案 0 :(得分:6)
我认为问题在于,您正在将自定义的后循环(您的foreach
和setup_postdata()
)混合在一起,然后使用诸如get_field()
之类的函数,这些函数利用了 global 发布对象。在这种情况下,get_field()
尝试通过检查全局$post
来查找字段值,但是尚未正确设置。查看有关setup_postdata($post)
的警告here:
您必须传递对全局$ post变量的引用,否则the_title()之类的功能将无法正常工作。
您可以稍作修改即可在代码中实现它:
global $post;
foreach ($brand as $currPost) {
$post = $currPost;
setup_postdata($post);
// Rest of code as normal
}
或者,由于get_field()
可以接受特定帖子作为参数,而不是自动使用全局帖子,因此您可以更改:
$homelinkvalue = get_field("home_brand_link");
收件人:
$homelinkvalue = get_field("home_brand_link",$post->ID);
旁注:通常,推荐的迭代帖子的方法是使用special "WP loop" pattern,例如:
<?php while ( $the_query->have_posts() ) : $the_query->the_post(); ?>
<!-- Do something -->
<?php endwhile; ?>
使用上述模式会在循环时自动设置全局$post
变量,这使开发人员可以使用get_field()
之类的功能,而不必担心显式传递特定的帖子。使事情变得容易些。
答案 1 :(得分:0)
尝试一下:
<div class="your-class">
<?php
$args = array(
'post_type' => 'home_test',
'posts_per_page' => -1,
'orderby' => 'name',
'order' => 'ASC',
);
$the_query = new WP_Query( $args );
if ($the_query->have_posts) :
while($the_query->have_posts) : $the_query->the_post();
?>
<div>
<p><?php the_field( "home_brand_link" ); ?></p>
<img src="<?php the_post_thumbnail_url(); ?>">
</div>
<?php
endwhile;
wp_reset_postdata();
endif;
?>
</div>