在 PHP 的 foreach 循环中分解数组值

Exploding an array values within a foreach loop in PHP

想我有一个这样的数组,

$code = ['PO/2022/0001', 'abc','xyz','PO2022/0001', 'XY/2022/0002','PO/2022/0232'];

所以,然后我想使用 / explode 以上数组值,如果爆炸数组有 3 个元素,那么我需要像这样创建一个新数组。

$prefixes = ['PO', 'XY','PO'];

我能知道什么是更好、更有效的方法吗?

这是我目前的情况:

$code = ['PO/2022/0001', 'abc','xyz','PO2022/0001', 'XY/2022/0002','PO/2022/0232'];


foreach ($code as $v) {
    $nwCode = explode("/",$v);
    if(count($nwCode) == 3) {
      $nwAry[] = $newCode[0];
    }
    
    $nwCode = [];
}

echo '<pre>',print_r ($nwAry).'</pre>';
$code = ['PO/2022/0001', 'abc','xyz','PO2022/0001', 'XY/2022/0002','PO/2022/0232'];

$prefixes = array_map(function($e){
  $nwCode = explode('/', $e);
  if(count($nwCode) == 3)
  {
    return $nwCode[0];
  }
} ,$code);

$prefixes = array_filter($prefixes, function($e){ if(strlen($e) > 0) return true; });

echo "<pre>";
var_dump($prefixes);
echo "</pre>";

array_map used to get those prefixes, while array_filter 从不匹配的项目中删除空前缀。

你也可以使用 array_reduce

$prefixes = array_reduce($code, function($carry, $item){
  $nwCode = explode('/', $item);
  if(count($nwCode) == 3)
  {
    array_push($carry, $nwCode[0]);
  }
  return $carry;
}, array());