10

We've got variable that for some reason we think would be an array, but it happens to be null.

$var = null

We try to get a value from this variable.

$value = $var['key']

This doesn't throw an error, my intuition is that it would though. What instead happens is that $value is now also null. Is there a particular reason that the above line doesn't throw an error?

Jonathan
  • 8,453
  • 9
  • 51
  • 74

2 Answers2

9

There is "almost duplicate": Why does accessing array index on boolean value does not raise any kind of error?

the code there looks like:

$var = false;
$value = $var['key'];

and the answer is - it's just document

Accessing variables of other types (not including arrays or objects implementing the appropriate interfaces) using [] or {} silently returns NULL.

So in this string (I am talking about your case, $var = null, but with boolean would be the same explanation, just replace NULL to boolean)

$var['key']

$var is the variable of type NULL, and accessing variable of type NULL (other type that array or object) using [] silently returns NULL.

Community
  • 1
  • 1
Andriy Kuba
  • 8,093
  • 2
  • 29
  • 46
0

You can use this kind of fallback

function _get($from, $key)
{
    if(is_null($from))
    {
        trigger_error('Trying to get value of null');
        return null;
    }
    return $from[$key];
}

Change

$value = $var['key'];

to

$value = _get($var, 'key');
viral
  • 3,724
  • 1
  • 18
  • 32