I have an array like this :
array() {
  ["AG12345"]=>
  array() { 
  }
  ["AG12548"]=>
  array() { 
  }
  ["VP123"]=>
  array() { 
  }
I need to keep only arrays with keys which begin with "VP"
It's possible to do it with one function ?
I have an array like this :
array() {
  ["AG12345"]=>
  array() { 
  }
  ["AG12548"]=>
  array() { 
  }
  ["VP123"]=>
  array() { 
  }
I need to keep only arrays with keys which begin with "VP"
It's possible to do it with one function ?
Yes, just use unset():
foreach ($array as $key=>$value)
{
  if(substr($key,0,2)!=="VP")
  {
    unset($array[$key]);
  }
}
substr() instead of regexp. It is simpler and faster.From a previous question: How to delete object from array inside foreach loop?
foreach($array as $elementKey => $element) {
    if(strpos($elementKey, "VP") == 0){
        //delete this particular object from the $array
        unset($array[$elementKey]);
    } 
}
This works for me:
$prefix = 'VP';
for ($i=0; $i <= count($arr); $i++) {
   if (strpos($arr[$i], $prefix) !== 0)
      unset($arr[$i]);
}