我知道这里有很多类似的问题,我想我已经全部阅读了。我的问题是我试图遍历一个数组列表并从每个数组中获取一个值。阵列已由第三方设置,我无权配置我接收它们的方式。这是我到目前为止所做的:
for ($i = 0; $i < $length; $i++) {
// Both of these work and return the value I need
echo $post->related_credits_0_related_show[0];
echo "{$post->related_credits_0_related_show[0]}"
// But none of these do, and I need to loop through a handful of arrays
echo "{$post->related_credits_{$i}_related_show[0]}";
echo "{$post->related_credits_${i}_related_show[0]}";
echo "{$post->related_credits_{${i}}_related_show[0]}";
echo "{$post->related_credits_".$i."_related_show[0]}";
}
我尝试了很多(很多!)更多我不会包含的组合。我也尝试将$ i转换为字符串。我一直在反对这一点。
提前感谢您提供任何帮助。
答案 0 :(得分:5)
您需要在此处使用变量变量。基本用法如下:
$var = 'Hello there!';
$foo = 'var';
echo $$foo;
^^--- note the double $-sign
这将输出:
Hello there!
您可以编写以下代码来代替$$foo
:
echo ${"$foo"};
如果变量名称更复杂,您也可以这样做:
echo ${"some_stuff_{$foo}_more_stuff"};
在这种情况下,表示变量名称的字符串包含一个变量,该变量也包含在花括号({}
)中。这样做是为了避免常量,数组索引等问题。但是如果你的用例不涉及任何这些,你不必担心它。
针对您的具体问题,您可以使用以下内容:
for ($i=0; $i < $length; $i++) {
$post->{"related_credits_{$i}_related_show"}[0];
}
或者,如果您更喜欢连接:
for ($i=0; $i < $length; $i++) {
$res = $post->{'related_credits_'.$i.'_related_show'}[0];
}
请参阅documentation on Variable Variables for more information。
答案 1 :(得分:2)
您可以使用:
$varname = "related_credits_$i_related_show";
$array = $post->$varname;
echo $array[0];
更短的形式是:
$post->{"related_credits_{$i}_related_show"}[0];
在这里,您可以找到所有关于所谓的变量变量&#34; :http://www.php.net/manual/en/language.variables.variable.php