我有一个变量$cameramodel
,其中包含wordpress分类法的术语meta:
<?php
function cameramodel() {
$terms = get_the_terms($post->ID, 'camera');
$result = "";
foreach ($terms as $term) {
$term_id = $term->term_id;
$result .= get_term_meta( $term_id, 'model', true );
}
return $result;
}
$cameramodel = cameramodel(); ?>
在前端,我会回显$cameramodel
<?php echo $cameramodel; ?>
在某些情况下,$cameramodel
包含多个值,但是当我回显$cameramodel
时,它们全部出现在一行上,没有空格。我的问题是,如何在每个值之间建立分隔符?我希望每个值都在自己的行上,并且我希望能够用单词“和”将它们分开。
例如,如果变量包含“一二三”,则当前显示“ onetwothree”,但是我想要的是:
one and
two and
three
希望我很清楚。
谢谢!
答案 0 :(得分:2)
如果您愿意对函数进行少量编辑,我相信您会受益于使用数组,然后使用您选择的定界符作为参数传递到一个字符串中,将其连接在一起:
<?php
function cameramodel($delimiter) {
# Get the terms.
$terms = get_the_terms($post -> ID, "camera");
# Create an array to store the results.
$result = [];
# Iterate over every term.
foreach ($terms as $term) {
# Cache the term's id.
$term_id = $term -> term_id;
# Insert the term meta into the result array.
$result[] = get_term_meta($term_id, "model", true);
}
# Return the elements of the array glued together as a string.
return implode($delimiter, $result);
}
# Call the function using a demiliter of your choice.
$cameramodel = cameramodel(" and<br>");
?>
当然,您可以将所需的分隔符作为implode
的第一个参数嵌入函数中,而不用将其作为参数传递。
Here是使用相同逻辑的示例。