如何组合字符串用作php var?

时间:2016-09-11 20:30:42

标签: php wordpress

使用高级自定义字段进行Wordpress时,我必须使用get_field('my-custom-field');

调用一些变量

我得到了这个代码,我希望将其存储在一个函数中:

<img src="<?php the_sub_field('image-1'); ?>"> 
<?php $target_post = get_sub_field('target-1'); ?> 
<?php echo get_the_title($target_post); ?>

我需要在我的函数中替换-1-2-3等等。我该怎么做?

我试过这个,这不起作用:

function imageBlock($fieldID = '1') {
   <img src="<?php the_sub_field('image-$fieldID'); ?>"> 
   <?php $target_post = get_sub_field('target-$fieldID'); ?> 
   <?php echo get_the_title($target_post); ?>
}

如何将fieldID传递给get_field('my-custom-field-1');函数?

1 个答案:

答案 0 :(得分:1)

您尝试将变量传递到单个带引号的字符串中,该字符串将文字$作为字符串的一部分,而不是变量的开头。有两种方法可以解决这个问题。

使用;

get_sub_field("target-$fieldID"); // double quotes

get_sub_field('target-' . $fieldID); // concat

所以你的功能就是;

function imageBlock($fieldID = '1') {
    ?>
    <img src="<?php the_sub_field("image-$fieldID"); ?>"> 
    <?php $target_post = get_sub_field("target-$fieldID"); ?> 
    <?php
    echo get_the_title($target_post);
}

话虽如此,我会将逻辑拆分出来,这样你只需返回HTML字符串,就像你正在调用的其他函数一样;

function imageBlock($fieldID = '1') {
    $sub_field = the_sub_field("image-$fieldID");
    $target_post = get_sub_field("target-$fieldID");
    $the_title = get_the_title($target_post);

    return "<img src=\"$sub_field\"> $the_title";
}

你可以回应结果,即;

echo imageBlock(2);