JMC
JMC

Reputation: 1697

Convert this associative array to a string or single indexed array

I need to convert this array into a single dimensional indexed array or a string. Happy to discard the first key (0, 1) and just keep the values.

$security_check_whitelist = array
  0 => 
    array
      'whitelisted_words' => string 'Happy' (length=8)
  1 => 
    array
      'whitelisted_words' => string 'Sad' (length=5)

I tried array_values(), but it returned the exact same array structure.

This works:

$array_walker = 0;
$array_size = count($security_check_whitelist);

while($array_walker <= $array_size)
{
   foreach($security_check_whitelist[$array_walker] as $security_check_whitelist_value)
    {
        $security_check[] = $security_check_whitelist_value;
    }
    $array_walker++;
}

But it returns:

Warning: Invalid argument supplied for foreach()

How can I convert the associative array without receiving the warning message? Is there a better way?

Upvotes: 1

Views: 2737

Answers (3)

deceze
deceze

Reputation: 522382

foreach ($security_check_whitelist as &$item) {
    $item = $item['whitelisted_words'];
}

Or simply:

$security_check_whitelist = array_map('current', $security_check_whitelist);

Upvotes: 2

TuomasR
TuomasR

Reputation: 2316

So is "whitelisted_words" an array as well? If so, I think the following would work:

$single_dim_array = array();
foreach(array_values($security_check_whitelist) as $item) {
    foreach($item['whitelisted_words'] as $word) {
        $single_dim_array[] = $word;
    }   
}

Then the variable $single_dim_array contains all your whitelisted words.

Upvotes: 1

Gumbo
Gumbo

Reputation: 655489

The problem here could be that you should only walk up to N-1, so $array_walker < $array_size.

Upvotes: 2

Related Questions