web-dev-qa-db-ja.com

PHPでcsvファイルからデータを抽出する方法

私はこのようなcsvファイルを持っています

_$lines[0] = "text, with commas", "another text", 123, "text",5;
$lines[1] = "some without commas", "another text", 123, "text";
$lines[2] = "some text with commas or no",, 123, "text";
_

そして、私はテーブルが欲しいのですが:

_$t[0] = array("text, with commas", "another text", "123", "text","5");
$t[1] = array("some without commas", "another text", "123", "text");
$t[2] = array("some text, with comma,s or no", NULL , "123", "text");
_

split($lines[0],",")を使用すると、_"text" ,"with commas" ..._が得られます。エレガントな方法はありますか?

21
liysd

fgetcsv を使用すると、CSVファイルを自分で解析する必要なく、解析できます。

PHP Manualの例:

$row = 1;
if (($handle = fopen("test.csv", "r")) !== FALSE) {
    while (($data = fgetcsv($handle, 1000, ",")) !== FALSE) {
        $num = count($data);
        echo "<p> $num fields in line $row: <br /></p>\n";
        $row++;
        for ($c=0; $c < $num; $c++) {
            echo $data[$c] . "<br />\n";
        }
    }
    fclose($handle);
}
32
Matt

Mattの提案 に加えて、 SplFileObject を使用してファイルを読み取ることもできます。

$file = new SplFileObject("data.csv");
$file->setFlags(SplFileObject::READ_CSV);
$file->setCsvControl(',', '"', '\\'); // this is the default anyway though
foreach ($file as $row) {
    list ($fruit, $quantity) = $row;
    // Do something with values
}

ソース: http://de.php.net/manual/en/splfileobject.setcsvcontrol.php

18
Gordon

ここにも、csvファイルを読み取るための簡単な方法があります。

 $ sfp = fopen( '/ path/to/source.csv'、 'r'); 
 $ dfp = fopen( '/ path/to/destination.csv'、 'w'); 
 while($ row = fgetcsv($ sfp、10000、 "、"、 "")){
 $ goodstuff = ""; 
 $ goodstuff = str_replace( "¦"、 "、"、$ row [2]); 
 $ goodstuff。= "\ n"; 
 fwrite($ dfp、$ goodstuff); 
} 
 fclose($ sfp); 
 fclose($ dfp); 
3
Prabhu M

次の関数を使用してデータを読み取ることができます。

  function readCSV() {
    $csv = array_map('str_getcsv', file('data.csv'));
    array_shift($csv); //remove headers


}

http://www.pearlbells.co.uk/how-to-sort-a1a2-z9z10aa1aa2-az9az10-using-php/

2
Liz Eipe C

多分私のコードはあなたの問題を解決します:

// Parse all content from csv file and generate array from line.
function csv_content_parser($content) {
  foreach (explode("\n", $content) as $line) {
    // Generator saves state and can be resumed when the next value is required.
    yield str_getcsv($line);
  }
}
// Get content from csv file.
$content = file_get_contents('your_file.csv');
// Create one array from csv file's lines.
$data = array();
foreach (csv_content_parser($content) as $fields) {
  array_Push($data, $fields);
}

その結果、csvのすべての値を含む配列ができます。それは次のようなものです:

Array
(
    [0] => Array
        (
            [0] => text, with commas
            [1] => another text
            [2] => 123
            [3] => text
            [4] => 5
        )

    [1] => Array
        (
            [0] => some without commas
            [1] => another text
            [2] => 123
            [3] => text
        )

    [2] => Array
        (
            [0] => some text, with comma,s or no
            [1] =>  NULL 
            [2] => 123
            [3] => text
        )

)
1
arraksis

同じものを作成する関数があるとすると、次のようになります。

function csvtoarray($filename='', $delimiter){

    if(!file_exists($filename) || !is_readable($filename)) return FALSE;
    $header = NULL;
    $data = array();

    if (($handle = fopen($filename, 'r')) !== FALSE ) {
        while (($row = fgetcsv($handle, 1000, $delimiter)) !== FALSE)
        {   
            if(!$header){
                $header = $row;
            }else{
                $data[] = array_combine($header, $row);
            }
        }
        fclose($handle);
    }
    if(file_exists($filename)) @unlink($filename);

    return $data;
}

$data = csvtoarray('file.csv', ',');

print_r($data);
1
Harikesh Yadav
/**
 * @return mixed[]
 */
public function csvToArray(string $delimiter, string $filename = ''): array
{
    $data = [];
    if (file_exists($filename) && is_readable($filename)) {
        $header = null;

        if (($handle = fopen($filename, 'r')) !== false) {
            while (($row = fgetcsv($handle, 1000, $delimiter)) !== false) {
                if (!$header) {
                    $header = $row;
                } else {
                    $data[] = array_combine($header, $row);
                }
            }
            fclose($handle);
        }
    }

    return $data;
}
0
Lukáš Kříž

列マッピングを可能にする https://github.com/htmlburger/carbon-csv のようなものを使用できます:

$csv = new \Carbon_CSV\CsvFile('path-to-file/filename.csv');
$csv->set_column_names([
    0 => 'first_name',
    1 => 'last_name',
    2 => 'company_name',
    3 => 'address',
]);
foreach ($csv as $row) {
    print_r($row);
}

以下のコードの結果は次のようになります。

Array
(
    [0] => Array
        (
            [first_name] => John
            [last_name] => Doe
            [company_name] => Simple Company Name
            [address] => Street Name, 1234, City Name, Country Name
        )
    [1] => Array
        (
            [first_name] => Jane
            [last_name] => Doe
            [company_name] => Nice Company Name
            [address] => Street Name, 5678, City Name, Country Name
        )
)

同じことを行う(そしてそれ以上の)別のライブラリは http://csv.thephpleague.com/9.0/reader/ です。

0
Emil M

私はCSVファイルからデータを抽出するアプリケーションを作成しました。このphpアプリケーションは、ユーザーに毎日の見積もりを表示するために使用されました。

Github上の完全なプロジェクト: 65-quotes-php-csv

また、これは私が構築したアプリケーションのクラスコードです

  <?php
/*
Main Class 
please note :
1- the CSV file must be comma separated (,) and each line must End with (;).
2- Feel free to edit the all.CSV file and add all of your 366 New Quotes.
3- don't change any thing specially the CSV file Location.
---------------------------------------------------------------------------
RISS.WORK all copy rights reserved 2018
please Don't Remove
Github/RissWork
Email : [email protected]
*/
class Quote{

    //properties
        private $_quote,$_allQuotes;
        private static $_instance = null;

    //Constructor
        private function __construct(){
            //Day Count
            $dayCount = date(z);

            if($this->readCsvAndGetQuote($dayCount)){
                return $this->getQuote();
            }else{
                echo 'Error Cannot open the .CSV File';
            }
        }





    //Methods

    //get Instance
    public function getInstance(){
            if(!isset(self::$_instance)){
                self::$_instance = new Quote();
            }
            return self::$_instance;
        }//end of get Instance




    //get daily Quote   
    public function getQuote(){
            return $this->_quote;
        }//end of get Quote




    //Read CSV
    private function readCsvAndGetQuote($dayCount = 1 ){

        if(($handel = fopen("csv/all.csv" , "r")) !== false){
            $this->_allQuotes = fgetcsv($handel,1000000,';');
            $this->_quote = explode(',',$this->_allQuotes[$dayCount]);
            return true;
        }
        return false;

    }//end of read CSV



}//end of Class
0
Riss

興味のある列を持つphpマッピング配列を返します:

public function extractCSVDatas($file_uri) {
    $AliasToSystemPathMappingArray = [];
    if (($handle = fopen($file_uri, "r")) !== FALSE) {
      $csv = array_map('str_getcsv', file($file_uri));

      //remove header and choose columns among the list:
      foreach((array_slice($csv,1)) as $line) {
        list($id, $alias, $systemPath) = explode(';',$line[0]);
        $AliasToSystemPathMappingArray[] = [$alias, $systemPath];
      }
      fclose($handle);
    }
    return $AliasToSystemPathMappingArray;
  }
0
Matoeil

多次元結果配列のインデックス(最初の行)を保持したい場合は、次を使用できます。

$delim      = ';';
$csvFile    = file($csv_file);
$firstline  = str_getcsv($csvFile[0], $delim);
$data       = array();
foreach ($csvFile as $line) {
    $line   = str_getcsv($line, $delim);
    $data[] = array_combine($firstline, $line);
}
0
powtac