例如,我有如下的多维数组:
$array = array (
0 =>
array (
'id' => '9',
'gallery_id' => '2',
'picture' => '56475832.jpg'
),
1 =>
array (
'id' => '8',
'gallery_id' => '2',
'picture' => '20083622.jpg'
),
2 =>
array (
'id' => '7',
'gallery_id' => '2',
'picture' => '89001465.jpg'
),
3 =>
array (
'id' => '6',
'gallery_id' => '2',
'picture' => '47360232.jpg'
),
4 =>
array (
'id' => '5',
'gallery_id' => '2',
'picture' => '4876713.jpg'
),
5 =>
array (
'id' => '4',
'gallery_id' => '2',
'picture' => '5447392.jpg'
),
6 =>
array (
'id' => '3',
'gallery_id' => '2',
'picture' => '95117187.jpg'
)
);
如何获取
array(0,1,2,3,4,5,6)
的 key ?我尝试了很多示例,但是没有任何效果对我有用。
最佳答案
这很简单,您只需要使用 array_keys()
:
$keys = array_keys($array);
See it working
编辑对于您的搜索任务,此功能可以完成以下工作:
function array_search_inner ($array, $attr, $val, $strict = FALSE) {
// Error is input array is not an array
if (!is_array($array)) return FALSE;
// Loop the array
foreach ($array as $key => $inner) {
// Error if inner item is not an array (you may want to remove this line)
if (!is_array($inner)) return FALSE;
// Skip entries where search key is not present
if (!isset($inner[$attr])) continue;
if ($strict) {
// Strict typing
if ($inner[$attr] === $val) return $key;
} else {
// Loose typing
if ($inner[$attr] == $val) return $key;
}
}
// We didn't find it
return NULL;
}
// Example usage
$key = array_search_inner($array, 'id', 9);
第四个参数
$strict
(如果为TRUE
)将使用严格类型比较。因此9
将不起作用,您必须传递'9'
,因为这些值存储为字符串。返回匹配项首次出现的键,如果找不到该值,则返回NULL
,如果出错则返回FALSE
。确保对返回值使用严格的比较,因为0
,NULL
和FALSE
都是可能的返回值,如果使用宽松的整数比较,它们都将计算为0
。关于php - 获取多维数组的键?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/8940825/