如何搜索唯一的数组键?

时间:2013-02-08 20:47:25

标签: php arrays

我正在尝试根据值获取数组的键。

$array1=array(
'0'=>'test1',
'1'=>'test2',
'2'=>'test3',
'3'=>'test1'
)

$array2=array(
'0'=>'11',
'1'=>'22',
'2'=>'33',
'3'=>'44'
)

我有

$source是针。它可以是“test1”,“test2”或“test3

for loop to get different $source string

   if(in_array($source[$i], $array1)){
      $id=array_search($source[$i],$array1);
      //I want to output 11, 22 or 33 based on $source
      //However, my $array1 has duplicated value.
      //In my case, if $source is test1, the output will be 11,11 instead of 11 and 44

      echo $array2[$id]);
   }

我不知道如何解决这个问题。我的大脑是油炸的。谢谢你的帮助!

2 个答案:

答案 0 :(得分:2)

PHP具有以下功能:http://php.net/manual/en/function.array-keys.php

即。 $keys = array_keys( $myArray, $theValue );并获得第一个:$keys[0];

答案 1 :(得分:1)

这应该有用。

$array3 = array_flip(array_reverse($array1, true));
$needle = $source[$i];
$key = $array3[$needle];
echo $array2[$key];

array_flip做的是交换密钥和值。如果是重复值,则只交换最后一对。为了解决这个问题,我们使用array_reverse,但我们保留了密钥结构。

编辑:有关更多说明,这是一个干运行。

$array1=array(
'0'=>'test1',
'1'=>'test2',
'2'=>'test3',
'3'=>'test1'
)

array_reverse($array1, true)输出后

array(
'3' => 'test1',
'2' => 'test3',
'1' => 'test2',
'0' => 'test1'
)

现在,当我们翻转它时,输出将是

array(
'test1' => '0', //would be 3 initially, then overwritten by 0
'test2' => '1',
'test3' => '2',
)