web-dev-qa-db-fra.com

Ajouter une nouvelle ligne à un fichier CSV

Si j'ai un fichier CSV enregistré sur un serveur, comment puis-je utiliser PHP pour écrire une ligne donnée, disons 142,fred,elephants au bas de celle-ci?

35
Damon

Ouvrez le fichier CSV pour l'ajout ( fopenDocs ):

$handle = fopen("test.csv", "a");

Puis ajoutez votre ligne ( fputcsvDocs ):

fputcsv($handle, $line); # $line is an array of string values here

Fermez ensuite la poignée ( fcloseDocs ):

fclose($handle);

J'espère que ceci est utile.

83
hakre

Vous pouvez utiliser une classe d'interface orientée objet pour un fichier - SplFileObject http://php.net/manual/en/splfileobject.fputcsv.php (PHP 5> = 5.4.0)

$file = new SplFileObject('file.csv', 'a');
$file->fputcsv(array('aaa', 'bbb', 'ccc', 'dddd'));
$file = null;
9
elshnkhll

Cette solution fonctionne pour moi: 

<?php
$list = array
(
'Peter,Griffin,Oslo,Norway',
'Glenn,Quagmire,Oslo,Norway',
);

$file = fopen('contacts.csv','a');  // 'a' for append to file - created if doesn't exit

foreach ($list as $line)
  {
  fputcsv($file,explode(',',$line));
  }

fclose($file); 
?>

Réf.: https://www.w3schools.com/php/func_filesystem_fputcsv.asp

1
webdevfreak

Si vous souhaitez que chaque fichier fractionné conserve les en-têtes de l’original; Voici la version modifiée de la réponse de hakre: 

$inputFile = './users.csv'; // the source file to split
$outputFile = 'users_split';  // this will be appended with a number and .csv e.g. users_split1.csv

$splitSize = 10; // how many rows per split file you want 

$in = fopen($inputFile, 'r');
$headers = fgets($in); // get the headers of the original file for insert into split files 
// No need to touch below this line.. 
    $rowCount = 0; 
    $fileCount = 1;
    while (!feof($in)) {
        if (($rowCount % $splitSize) == 0) {
            if ($rowCount > 0) {
                fclose($out);
            }
            $out = fopen($outputFile . $fileCount++ . '.csv', 'w');
            fputcsv($out, explode(',', $headers));
        }
        $data = fgetcsv($in);
        if ($data)
            fputcsv($out, $data);
        $rowCount++;
    }

    fclose($out);
0
Lewis