Echo foreach循环内部数组

时间:2012-05-16 17:21:20

标签: php

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

$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 个答案:

答案 0 :(得分: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_data以便var_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"
    }
  }
}

答案 1 :(得分:0)

使用implode:

echo implode(" ", $test);

答案 2 :(得分: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);  
} 

答案 3 :(得分: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>";
} 

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