programing

PHP 어레이에서 CSV로

newsource 2022. 10. 27. 21:51

PHP 어레이에서 CSV로

제품 배열을 CSV 파일로 변환하려고 하는데 계획이 안 되는 것 같습니다.CSV 파일은 1행으로 되어 있습니다.코드는 다음과 같습니다.

for($i=0;$i<count($prods);$i++) {
$sql = "SELECT * FROM products WHERE id = '".$prods[$i]."'";
$result = $mysqli->query($sql);
$info = $result->fetch_array(); 
}

$header = '';

for($i=0;$i<count($info);$i++)  
  {
    $row = $info[$i];

    $line = '';
    for($b=0;$b<count($row);$b++)
    { 
    $value = $row[$b];                                      
        if ( ( !isset( $value ) ) || ( $value == "" ) )
        {
            $value = "\t";
        }
        else
        {
            $value = str_replace( '"' , '""' , $value );
            $value = '"' . $value . '"' . "\t";
        }
         $line .= $value;
        }
    $data .= trim( $line ) . "\n";
}
$data = str_replace( "\r" , "" , $data );

if ( $data == "" )
{
$data = "\n(0) Records Found!\n";                        
}

header("Content-type: application/octet-stream");
header("Content-Disposition: attachment; filename=your_desired_name.xls");
header("Pragma: no-cache");
header("Expires: 0");

array_to_CSV($data);


function array_to_CSV($data)
    {
        $outstream = fopen("php://output", 'r+');
        fputcsv($outstream, $data, ',', '"');
        rewind($outstream);
        $csv = fgets($outstream);
        fclose($outstream);
        return $csv;
    }

또한 헤더는 강제로 다운로드하지 않습니다.출력을 복사하여 붙여넣고 .csv로 저장했습니다.

편집

해결된 문제:

다른 누군가가 같은 것을 찾고 있다면, 더 나은 방법을 찾아냈습니다.

$num = 0;
$sql = "SELECT id, name, description FROM products";
if($result = $mysqli->query($sql)) {
     while($p = $result->fetch_array()) {
         $prod[$num]['id']          = $p['id'];
         $prod[$num]['name']        = $p['name'];
         $prod[$num]['description'] = $p['description'];
         $num++;        
    }
 }
$output = fopen("php://output",'w') or die("Can't open php://output");
header("Content-Type:application/csv"); 
header("Content-Disposition:attachment;filename=pressurecsv.csv"); 
fputcsv($output, array('id','name','description'));
foreach($prod as $product) {
    fputcsv($output, $product);
}
fclose($output) or die("Can't close php://output");

값을 쓰는 대신 을 사용하는 것이 좋습니다.

그러면 문제가 즉시 해결될 수 있습니다.

코멘트 메모:이것은 서버에 파일이 작성되기 때문에 출력 전에 그 파일의 내용을 읽어 둘 필요가 있습니다.또, 카피를 보존하지 않는 경우는, 그 파일을 「nlink」할 필요가 있습니다.

어레이를 csv 문자열로 내보내는 간단한 솔루션은 다음과 같습니다.

function array2csv($data, $delimiter = ',', $enclosure = '"', $escape_char = "\\")
{
    $f = fopen('php://memory', 'r+');
    foreach ($data as $item) {
        fputcsv($f, $item, $delimiter, $enclosure, $escape_char);
    }
    rewind($f);
    return stream_get_contents($f);
}

$list = array (
    array('aaa', 'bbb', 'ccc', 'dddd'),
    array('123', '456', '789'),
    array('"aaa"', '"bbb"')
);
var_dump(array2csv($list));

언급

사용해보십시오.

PHP_EOL

CSV 출력의 각 새로운 행을 종료합니다.

텍스트가 구분되어 있는 것 같은데, 다음 행으로 이동하지 않나요?

PHP 상수입니다.필요한 라인의 올바른 끝을 결정합니다.

예를 들어 Windows에서는 "\r\n"을 사용합니다.내 생산량이 새로운 선을 넘지 않을 때 나는 그것 때문에 머리를 쥐어짰다.

PHP에서 통합 새 줄을 어떻게 쓰나요?

오래된 것이므로 CSV에도 어레이 키를 포함해야 하는 경우가 있었기 때문에 Jesse Q의 스크립트를 업데이트했습니다.innode가 새로운 행을 추가할 수 없기 때문에 출력으로 문자열을 사용했습니다(새로운 행은 제가 추가한 것이며 실제로 있어야 합니다).

값 할 수 있습니다.(key, value).(key, array()).

function arrayToCsv( array &$fields, $delimiter = ',', $enclosure = '"', $encloseAll = false, $nullToMysqlNull = false ) {
    $delimiter_esc = preg_quote($delimiter, '/');
    $enclosure_esc = preg_quote($enclosure, '/');

    $output = '';
    foreach ( $fields as $key => $field ) {
        if ($field === null && $nullToMysqlNull) {
            $output = '';
            continue;
        }

        // Enclose fields containing $delimiter, $enclosure or whitespace
        if ( $encloseAll || preg_match( "/(?:${delimiter_esc}|${enclosure_esc}|\s)/", $field ) ) {
            $output .= $key;
            $output .= $delimiter;
            $output .= $enclosure . str_replace($enclosure, $enclosure . $enclosure,     $field) . $enclosure;
            $output .= PHP_EOL;
        }
        else {
            $output .= $key;
            $output .= $delimiter;
            $output .= $field;
            $output .= PHP_EOL;
        }
    }

    return  $output ;
}

제 경우 어레이는 다차원적이었고 어레이를 값으로 사용할 수 있었습니다.그래서 어레이를 완전히 분해하기 위해 이 재귀 함수를 만들었습니다.

function array2csv($array, &$title, &$data) {
    foreach($array as $key => $value) {      
        if(is_array($value)) {
            $title .= $key . ",";
            $data .= "" . ",";
            array2csv($value, $title, $data);
        } else {
            $title .= $key . ",";
            $data .= '"' . $value . '",';
        }
    }
}

어레이의 다양한 레벨이 플랫 CSV 형식에 적합하지 않았기 때문에 다음 레벨의 데이터에 대한 설명적인 "인트로" 역할을 하기 위해 서브 어레이의 키를 사용하여 빈 열을 만들었습니다.샘플 출력:

agentid     fname           lname      empid    totals  sales   leads   dish    dishnet top200_plus top120  latino  base_packages
G-adriana   ADRIANA EUGENIA PALOMO PAIZ 886                0    19              0         0         0         0      0

"intro"(설명) 열은 쉽게 삭제할 수 있지만, 제 경우 각 서브 배열에 반복 열 헤더(inbound_leads)가 있기 때문에 다음 섹션 앞에 중단/제목이 있습니다.삭제:

$title .= $key . ",";
$data .= "" . ",";

is_array() 뒤에 코드를 더 압축하고 추가 열을 삭제합니다.

제목 행과 데이터 행을 모두 원했기 때문에 2개의 변수를 함수에 전달하고 함수에 대한 호출이 완료되면 PHP_로 종료합니다.EOL:

$title .= PHP_EOL;
$data .= PHP_EOL;

네, 쉼표를 하나 더 남기는 건 알지만 간결하게 하기 위해 여기서 다루지 않았어요.

데이터 배열은 콤마, 따옴표 등을 처리하는 내장 php 함수 fputcsv에 의해 csv 'text/csv' 형식으로 변환됩니다.
보다
https://coderwall.com/p/zvzwwa/array-to-comma-separated-string-in-php
http://www.php.net/manual/en/function.fputcsv.php

그것은 나에게 효과가 있었다.

 $f=fopen('php://memory','w');
 $header=array("asdf ","asdf","asd","Calasdflee","Start Time","End Time" );      
 fputcsv($f,$header);
 fputcsv($f,$header);
 fputcsv($f,$header); 
 fseek($f,0);
 header('content-type:text/csv'); 
 header('Content-Disposition: attachment; filename="' . $filename . '";');
 fpassthru($f);```

배열에서 csv 파일을 작성하는 가장 쉬운 방법은 innode() 함수를 사용하는 것입니다.

<?php
$arr = array('A','B','C','D');
echo implode(",",$arr);
?>

상기 코드의 출력은 A, B, C, D 입니다.

언급URL : https://stackoverflow.com/questions/13108157/php-array-to-csv