您正在尝试访问 一个,就好像它是一个数组一样,其键是 . 不会明白的。在代码中,我们可以看到问题:string
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'
$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
我们能做些什么?
如果我们知道我们应该有一个,我们应该做一些基本的调试,以确定为什么我们没有.如果我们不知道我们是否会有一个 or ,事情就会变得有点棘手。array
array
array
string
我们可以做的是进行各种检查,以确保我们没有通知,警告或错误,例如is_array
,设置
或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']
null
isset
false
array_key_exists