如何使用字符串作为索引路径访问数组值
如果你有一个结构复杂的数组,你可能会遇到需要使用表示该值路径的字符串来访问特定值。由于潜在的安全漏洞,不建议使用 eval()。相反,可以创建一个可以处理此任务的自定义函数。
考虑以下示例数组:
Array ( [0] => Array ( [Data] => Array ( [id] => 1 [title] => Manager [name] => John Smith ) ) [1] => Array ( [Data] => Array ( [id] => 1 [title] => Clerk [name] => ( [first] => Jane [last] => Smith ) ) ) )
您可以建立一个将字符串作为索引路径的函数,并要作为输入访问的数组:
function($indexPath, $arrayToAccess) { // $indexPath would be something like [0]['Data']['name'] which would return // "Manager" or it could be [1]['Data']['name']['first'] which would return // "Jane" but the amount of array indexes that will be in the index path can // change, so there might be 3 like the first example, or 4 like the second. return $arrayToAccess[$indexPath] // <- obviously won't work }
要实现所需的功能,您可以利用explode()函数:
$paths = explode(":", $indexPath); $itens = $myArray; foreach($paths as $ndx){ $itens = $itens[$ndx]; }
在此示例中,$pathStr代表输入字符串路径,$myArray 是要访问的数组。此代码迭代 $paths 的元素,即 $indexPath 中用冒号 (:) 分隔的子字符串,并使用当前 $itens 迭代中 $ndx 处的值更新 $itens。
作为结果,$itens 将包含您根据指定的字符串路径从数组中查找的值。这种方法比使用 eval() 更安全、更灵活,因为它不涉及动态执行 PHP 代码。
以上是出于安全原因,如何使用字符串作为索引路径来访问复杂数组中的特定值,而不依赖 eval() ?的详细内容。更多信息请关注PHP中文网其他相关文章!