-5

我有以下代码,当我尝试$test_array用“111 222”这样的空格打印下面数组中的值时:

$test_array= array('111', '222');


// output headers so that the file is downloaded rather than displayed
header('Content-Type: text/csv; charset=utf-8');
header('Cache-Control: no-store, no-cache'); 
header('Content-Disposition: attachment; filename=data.csv');


$output = fopen('php://output', 'w');


$test_data = array(  
    array('Invoice #', 'Name', 'Email'),  
    array( $test_array, 'John', 'test@yahoo.com')  
);


foreach( $test_data as $row )  
{  
   fputcsv($output, $row, ',', '"');     
}  

fclose($output);
4

4 回答 4

6

$test_data您将在每次循环迭代中覆盖整个内容。也许您的意思是通过以下方式添加到它[]

// Initialize it before the first loop.
$test_data = array();

// Inside the inner loop...
foreach($test as $x){ 
  // Append to the $test_data array with []
  $test_data[] = array(  
   array('Invoice #', 'Name', 'Email'),  
   array( $x, 'Jhon', 'test@yahoo.com')  
  );
}

现在,第二个循环中的每个值$row应该是一个包含两个子数组的数组,第二个具有不同的值$x

注意:实际上不需要循环遍历每个元素的内容$test_datavar_dump()只需转储整个多维数组:

echo '<pre>'; 
var_dump($test_data);
echo '</pre>';

输出:

Array(2) {
  [0]=>
  array(2) {
    [0]=>
    array(3) {
      [0]=>
      string(9) "Invoice #"
      [1]=>
      string(4) "Name"
      [2]=>
      string(5) "Email"
    }
    [1]=>
    array(3) {
      [0]=>
      string(3) "111"
      [1]=>
      string(4) "Jhon"
      [2]=>
      string(14) "test@yahoo.com"
    }
  }
  [1]=>
  array(2) {
    [0]=>
    array(3) {
      [0]=>
      string(9) "Invoice #"
      [1]=>
      string(4) "Name"
      [2]=>
      string(5) "Email"
    }
    [1]=>
    array(3) {
      [0]=>
      string(3) "222"
      [1]=>
      string(4) "Jhon"
      [2]=>
      string(14) "test@yahoo.com"
    }
  }
}
于 2012-05-16T17:23:36.997 回答
0

使用内爆:

echo implode(" ", $test);
于 2012-05-16T17:25:33.483 回答
0

您总是在循环中覆盖 $test_data 变量。

使用 $test_data[] = array();

$test= array('111','222');

foreach($test as $x)
{ 
    $test_data[] = array(  
        array('Invoice #', 'Name', 'Email'),  
        array( $x, 'Jhon', 'test@yahoo.com')  
    );
}

foreach( $test_data as $row )  
{  
    echo '<pre>'.var_dump($row);  
} 
于 2012-05-16T17:28:26.557 回答
0

每次循环发生时,您都在重写 $test_data 。尝试将其退出循环并使用 [] 代替:

$test= array('111','222');
$test_data = array();
foreach($test as $x){ 
    $test_data[] = array(
        'Invoice #' => $x,
        'Name' => 'Jhon',
        'Email' => 'test@yahoo.com'
    );
}
foreach($test_data as $row) {  
    echo "<pre>";
    print_r($row);
    echo "</pre>";
} 

您还可以将这两个数组合并为一个(如上例所示)。

于 2012-05-16T17:29:07.403 回答