3

如果我有一个包含的数组,是否有任何方法可以在不使用循环或 eval()的情况下['key1', 'key2', 'key3']将其映射到数组?$array['key1']['key2']['key3']

数组示例:

$var = [
    'key1' => [
        'subkey1' => [
            'finalkey' => 'value',
        ],
        'subkey' => [
            'otherkey' => 'value',
        ],
    ],
    'key2' => 'blah'
];

然后我有一个这样的数组:

$keys = ['key1', 'subkey1', 'finalkey'] 

或者

$keys = ['key1', 'subkey']
4

3 回答 3

5
function array_find($needle, &$haystack)
{
    $current = array_shift($needle);
    if(!isset($haystack[$current]))
    {
        return null;
    }
    if(!is_array($haystack[$current]))
    {
        return $haystack[$current];
    }
    return array_find($needle, $haystack[$current]);
}
于 2012-07-03T23:17:31.750 回答
2

未经测试,来自对不同问题的类似答案。

function get_value($dest, $path)
{
  # allow for string paths of a/b/c
  if (!is_array($path)) $path = explode('/', $path);

  $a = $dest;
  foreach ($path as $p)
  {
    if (!is_array($a)) return null;
    $a = $a[$p];
  }

  return $a;
}

这应该比递归解决方案执行得更好。

于 2012-07-03T23:20:32.430 回答
2

我为我的个人框架提出了以下非递归方法:

function Value($data, $key = null, $default = false)
{
    if (isset($key) === true)
    {
        if (is_array($key) !== true)
        {
            $key = explode('.', $key);
        }

        foreach ((array) $key as $value)
        {
            $data = (is_object($data) === true) ? get_object_vars($data) : $data;

            if ((is_array($data) !== true) || (array_key_exists($value, $data) !== true))
            {
                return $default;
            }

            $data = $data[$value];
        }
    }

    return $data;
}

用法:

var_dump(Value($array, 'key1.subkey1.finalkey')); // or
var_dump(Value($array, array('key1', 'subkey1', 'finalkey')));

它可以通过删除对象和默认值支持以及其他检查来进一步简化。

于 2012-07-04T01:16:10.680 回答