$myArray = array ('SOmeKeyNAme' => 7);
I want $myArray['somekeyname']
to return 7
.
Is there a way to do this, without manipulating the array?
I don't create the array, an thus can not control it's keys
Since PHP arrays internally use hash tables, where the array keys are case-sensitive hashed values, it is impossible that one day you will be able to use associative arrays with case-insensitive keys.
Keys are case sensitive because "key" !== "Key" , because they are different strings.
The array_change_key_case() function changes all keys in an array to lowercase or uppercase.
The array_keys() function returns an array containing the keys.
You can't do this without either a linear search or altering the original array. The most efficient approach will be to use strtolower on keys when you insert AND when you lookup values.
$myArray[strtolower('SOmeKeyNAme')]=7; if (isset($myArray[strtolower('SomekeyName')])) { }
If it's important to you to preserve the original case of the key, you could store it as a additional value for that key, e.g.
$myArray[strtolower('SOmeKeyNAme')]=array('SOmeKeyNAme', 7);
As you updated the question to suggest this wouldn't be possible for you, how about you create an array providing a mapping between lowercased and case-sensitive versions?
$keys=array_keys($myArray); $map=array(); foreach($keys as $key) { $map[strtolower($key)]=$key; }
Now you can use this to obtain the case-sensitive key from a lowercased one
$test='somekeyname'; if (isset($map[$test])) { $value=$myArray[$map[$test]]; }
This avoids the need to create a full copy of the array with a lower-cased key, which is really the only other way to go about this.
If making a full copy of the array isn't a concern, then you can use array_change_key_case to create a copy with lower cased keys.
$myCopy=array_change_key_case($myArray, CASE_LOWER);
If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With