在 php 中str_getcsv到多维数组中

2022-08-30 18:16:43

我有这样的csv值:

$csv_data = "test,this,thing
             hi,there,this
             is,cool,dude
             have,fun";

我想获取整个CSV字符串并将其读入多维数组,以便我得到:

array(
   array(
      'test' => 'hi',
      'this' => 'there',
      'thing' => 'this'
   ),
   array(
      'test' => 'is',
      'this' => 'cool',
      'thing' => 'dude'
   ),
   array(
      'test' => 'have',
      'this' => 'fun',
      'thing' => ''
   )
);

我想要这样的输出,请注意CSV值是动态的。


答案 1

假设 CSV 数据中的每一行都具有相同的列数,这应该有效。

$lines = explode("\n", $csv_data);
$head = str_getcsv(array_shift($lines));

$array = array();
foreach ($lines as $line) {
    $array[] = array_combine($head, str_getcsv($line));
}

如果行具有可变数量的列(如示例中所示,其中最后一行有 2 列而不是 3 列),请改用以下循环:

foreach ($lines as $line) {
    $row = array_pad(str_getcsv($line), count($head), '');
    $array[] = array_combine($head, $row);
}

答案 2

这是一个完整的解决方案:

$lines = explode("\n", $csv_data);
$formatting = explode(",", $lines[0]);
unset($lines[0]);
$results = array();
foreach ( $lines as $line ) {
   $parsedLine = str_getcsv( $line, ',' );
   $result = array();
   foreach ( $formatting as $index => $caption ) {
      if(isset($parsedLine[$index])) {
         $result[$formatting[$index]] = trim($parsedLine[$index]);
      } else {
         $result[$formatting[$index]] = '';
      }
   }
   $results[] = $result;
}

那么我们在这里做什么呢?

  • 首先,您的 CSV 数据被拆分为行数组explode
  • 由于 CSV 中的第一行描述数据格式,因此必须将其与实际数据行(和explodeunset)
  • 为了存储结果,我们初始化一个新数组 ($results)
  • Foreach 用于逐行循环访问数据。对于每行:
    • 行使用 PHP 的str_getcsv
    • 已初始化空结果数组
    • 每一行都根据格式进行检查。添加单元格,并用空字符串填充缺少的列。

推荐