将新行添加到CSV文件中


Add a new line to a CSV file

如果我在服务器上保存了一个CSV,我如何使用PHP来写一行,比如说142,fred,elephants

打开CSV文件进行追加(fopen­文档):

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

然后添加您的行(fputcsv­Docs):

fputcsv($handle, $line); # $line is an array of strings (array|string[])

然后关闭手柄(fclose­Docs):

fclose($handle);

您可以为文件使用面向对象的接口类-SplFileObjecthttp://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;

此解决方案适用于我:

<?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); 
?>

参考编号:https://www.w3schools.com/php/func_filesystem_fputcsv.asp

如果您希望每个拆分文件都保留原始文件的头;这是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);