您尝试访问 a , string
就好像它是一个数组一样,而使用 a 的键 string
. string
将无法理解这一点。在代码中我们可以看到问题:
"hello"["hello"];
// PHP Warning: Illegal string offset 'hello' in php shell code on line 1
"hello"[0];
// No errors.
array("hello" => "val")["hello"];
// No errors. This is *probably* what you wanted.
深入了解
让我们看看那个错误:
警告:非法字符串偏移量‘port’在...
它说了什么?它说我们正尝试使用字符串 'port'
作为字符串的偏移量。像这样:
$a_string = "string";
// This is ok:
echo $a_string[0]; // s
echo $a_string[1]; // t
echo $a_string[2]; // r
// ...
// !! Not good:
echo $a_string['port'];
// !! Warning: Illegal string offset 'port' in ...
是什么原因造成的?
由于某种原因,您期望的是 array
,但得到的是 string
。这只是一个混淆。也许您的变量被更改了,也许它从来都不是 array
,这真的不重要。
我们能做什么?
如果我们 知道 应该有 array
,我们应该做一些基本的调试来确定为什么我们没有 array
。如果我们不知道我们是否会有 array
或 string
,事情就会变得有点棘手。
我们 可以 做的是进行各种检查,以确保我们没有收到诸如 is_array
和 isset
or array_key_exists
:
$a_string = "string";
$an_array = array('port' => 'the_port');
if (is_array($a_string) && isset($a_string['port'])) {
// No problem, we'll never get here.
echo $a_string['port'];
}
if (is_array($an_array) && isset($an_array['port'])) {
// Ok!
echo $an_array['port']; // the_port
}
if (is_array($an_array) && isset($an_array['unset_key'])) {
// No problem again, we won't enter.
echo $an_array['unset_key'];
}
// Similar, but with array_key_exists
if (is_array($an_array) && array_key_exists('port', $an_array)) {
// Ok!
echo $an_array['port']; // the_port
}
和 isset
之间有一些细微的差别 array_key_exists
。例如,如果 $array['key']
is null
, isset
返回 false
. array_key_exists
,则只会检查键 exists .