PHP Doku:: Format line as CSV and write to file pointer - function.fputcsv.html

Verlauf / Chronik / History: (1) anzeigen

Sie sind hier:
Doku-StartseitePHP-HandbuchFunktionsreferenzDateisystemrelevante ErweiterungenDateisystemDateisystem-Funktionenfputcsv

Ein Service von Reinhard Neidl - Webprogrammierung.

Dateisystem-Funktionen

<<fpassthru

fputs>>

fputcsv

(PHP 5 >= 5.1.0)

fputcsvFormat line as CSV and write to file pointer

Beschreibung

int fputcsv ( resource $handle , array $fields [, string $delimiter = ',' [, string $enclosure = '"' ]] )

fputcsv() formats a line (passed as a fields array) as CSV and write it (terminated by a newline) to the specified file handle.

Parameter-Liste

handle

Der Zeiger auf eine Datei muss gültig sein und auf eine Datei verweisen, die vorher erfolgreich mit fopen() oder fsockopen() geöffnet (und nicht bereits von fclose() geschlossen) wurde.

fields

An array of values.

delimiter

The optional delimiter parameter sets the field delimiter (one character only).

enclosure

The optional enclosure parameter sets the field enclosure (one character only).

Rückgabewerte

Returns the length of the written stringIm Fehlerfall wird FALSE zurückgegeben..

Beispiele

Beispiel #1 fputcsv() example

<?php

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

$fp fopen('file.csv''w');

foreach (
$list as $fields) {
    
fputcsv($fp$fields);
}

fclose($fp);
?>

The above example will write the following to file.csv:

aaa,bbb,ccc,dddd
123,456,789
"""aaa""","""bbb"""

Anmerkungen

Hinweis: Wenn Sie Probleme damit haben, dass PHP Zeilenendezeichen nicht erkennt, entweder beim Lesen von Dateien auf einem Macintosh oder bei Dateien, die auf einem Macintosh erstellt wurden, können Sie die Option auto_detect_line_endings aktivieren.

Siehe auch

  • fgetcsv() - Liest eine Zeile von der Position des Dateizeigers und prüft diese auf Komma-Separierte-Werte (CSV)


21 BenutzerBeiträge:
- Beiträge aktualisieren...
Guile
21.09.2010 12:32
Here is a way to send csv like echo does :
<?php
function outputCSV($data) {

   
$outstream = fopen("php://output", 'w');

    function
__outputCSV(&$vals, $key, $filehandler) {
       
fputcsv($filehandler, $vals, ';', '"');
    }
   
array_walk($data, '__outputCSV', $outstream);

   
fclose($outstream);
}

$mydata = array(
 array(
'data11', 'data12', 'data13'),
 array(
'data21', 'data22', 'data23'),
 array(
'data31', 'data32', 'data23'));

outputCSV($mydata);
/* Output sent :
data11;data12;data13
data21;data22;data23
data31;data32;data23
*/
?>

Moreover, this can be nicer with PHP5.3+ closures
simeonl at dbc dot co dot nz
24.03.2010 5:24
In general I found myself wanting to get the result as a string rather than writing it to a file, and in particular I wanted to produce a CSV using an EOL that might not be the same as that on the server where I generated it.  This is how I solved the problem without rewriting  fputcsv.

<?php
function sputcsv($row, $delimiter = ',', $enclosure = '"', $eol = "\n")
{
    static
$fp = false;
    if (
$fp === false)
    {
       
$fp = fopen('php://temp', 'r+'); // see http://php.net/manual/en/wrappers.php.php - yes there are 2 '.php's on the end.
        // NB: anything you read/write to/from 'php://temp' is specific to this filehandle
   
}
    else
    {
       
rewind($fp);
    }
   
    if (
fputcsv($fp, $row, $delimiter, $enclosure) === false)
    {
        return
false;
    }
   
   
rewind($fp);
   
$csv = fgets($fp);
   
    if (
$eol != PHP_EOL)
    {
       
$csv = substr($csv, 0, (0 - strlen(PHP_EOL))) . $eol;
    }
   
    return
$csv;
}

// test
$rows = array
(
    array(
'blue, sky', 'green, lime', 'red', 'black'),
    array(
'white', 'gold', 'purple, imperial', 'grey, slate'),
    array(
'orange, burnt', 'pink, hot', 'violet', 'indigo'),
);

if (
PHP_EOL == "\r\n")
{
   
$eol = "\n";
}
else
{
   
$eol = "\r\n";
}

foreach(
$rows as $row)
{
    echo
nl2br(sputcsv($row, ',', '"', $eol));
}
?>

The test should produce something like the following:

"blue, sky","green, lime",red,black
white,gold,"purple, imperial","grey, slate"
"orange, burnt","pink, hot",violet,indigo
khishigbaatar at 2xcoding dot com
18.03.2010 9:24
Use '&quot;' instead of '"' in enclosure.

Below example's result is better than the Example#1.

<?php

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

$fp = fopen('file.csv', 'w');

foreach (
$list as $line) {
   
fputcsv($fp, split(',', $line), ',', '&quot;');
}

fclose($fp);
?>
ben at NOSPAMdcphp dot com
15.10.2009 19:02
If you're looking to output an Excel format (.xls) file, consider using PEAR's Spreadsheet_Excel_Writer instead:

http://pear.php.net/manual/en/package.fileformats.spreadsheet-excel-writer.intro.php
Jason
1.07.2009 20:47
To get the mssafe_csv function below to work using PHP5, I had to change line 50 from:
fputcsv($fp, $line);

to:
fputcsv($fp, split(',', $line));

Otherwise works great! Thanks for the function.
alex /--l- windeagle DOT org
11.06.2009 17:41
TAB delimiting.

Using fputcsv to output a CSV with a tab delimiter is a little tricky since the delimiter field only takes one character.
The answer is to use the chr() function.  The ascii code for tab is 9, so chr(9) returns a tab character.

<?php
    fputcsv
($fp, $foo, '\t');      //won't work
   
fputcsv($fp, $foo, '    ');    //won't work

   
fputcsv($fp, $foo, chr(9));    //works
?>

==================

it should be:
<?php
    fputcsv
($fp, $foo, "\t");
?>
you just forgot that single quotes are literal...meaning whatever you put there that's what will come out so '\t' would be same as 't' because \ in that case would be only used for escaping but if you use double quotes then that would work.
sam at nospamthankstolton dot co dot uk
21.05.2009 12:43
TAB delimiting.

Using fputcsv to output a CSV with a tab delimiter is a little tricky since the delimiter field only takes one character.
The answer is to use the chr() function.  The ascii code for tab is 9, so chr(9) returns a tab character.

<?php
    fputcsv
($fp, $foo, '\t');      //won't work
   
fputcsv($fp, $foo, '    ');    //won't work

   
fputcsv($fp, $foo, chr(9));    //works
?>
soapergem at gmail dot com
14.05.2009 17:17
I've created a function for quickly generating CSV files that work with Microsoft applications. In the field I learned a few things about generating CSVs that are not always obvious. First, since PHP is generally *nix-based, it makes sense that the line endings are always \n instead of \r\n. However, certain Microsoft programs (I'm looking at you, Access 97), will fail to recognize the CSV properly unless each line ends with \r\n. So this function changes the line endings accordingly. Secondly, if the first column heading / value of the CSV file begins with uppercase ID, certain Microsoft programs (ahem, Excel 2007) will interpret the file as being in the SYLK format rather than CSV, as described here: http://support.microsoft.com/kb/323626

This function accommodates for that as well, by forcibly enclosing that first value in quotes (when this doesn't occur automatically). It would be fairly simple to modify this function to use another delimiter if need be and I leave that as an exercise to the reader. So quite simply, this function is used for outputting CSV data to a CSV file in a way that is safe for use with Windows applications. It takes two parameters + one optional parameter: the location of where the file should be saved, an array of data rows, and an optional array of column headings. (Technically you could omit the headings array and just include it as the first row of the data, but it is often useful to keep this data stored in different arrays in practice.)

<?php

function mssafe_csv($filepath, $data, $header = array())
{
    if (
$fp = fopen($filepath, 'w') ) {
       
$show_header = true;
        if ( empty(
$header) ) {
           
$show_header = false;
           
reset($data);
           
$line = current($data);
            if ( !empty(
$line) ) {
               
reset($line);
               
$first = current($line);
                if (
substr($first, 0, 2) == 'ID' && !preg_match('/["\\s,]/', $first) ) {
                   
array_shift($data);
                   
array_shift($line);
                    if ( empty(
$line) ) {
                       
fwrite($fp, "\"{$first}\"\r\n");
                    } else {
                       
fwrite($fp, "\"{$first}\",");
                       
fputcsv($fp, $line);
                       
fseek($fp, -1, SEEK_CUR);
                       
fwrite($fp, "\r\n");
                    }
                }
            }
        } else {
           
reset($header);
           
$first = current($header);
            if (
substr($first, 0, 2) == 'ID' && !preg_match('/["\\s,]/', $first) ) {
               
array_shift($header);
                if ( empty(
$header) ) {
                   
$show_header = false;
                   
fwrite($fp, "\"{$first}\"\r\n");
                } else {
                   
fwrite($fp, "\"{$first}\",");
                }
            }
        }
        if (
$show_header ) {
           
fputcsv($fp, $header);
           
fseek($fp, -1, SEEK_CUR);
           
fwrite($fp, "\r\n");
        }
        foreach (
$data as $line ) {
           
fputcsv($fp, $line);
           
fseek($fp, -1, SEEK_CUR);
           
fwrite($fp, "\r\n");
        }
       
fclose($fp);
    } else {
        return
false;
    }
    return
true;
}

?>
nate at example dot com
20.11.2008 7:17
Alright, after playing a while, I'm confident the following replacement function works in all cases, including the ones for which the native fputcsv function fails. If fputcsv fails to work for you (particularly with mysql csv imports), try this function as a drop-in replacement instead.

Arguments to pass in are exactly the same as for fputcsv, though I have added an additional $mysql_null boolean which allows one to turn php null's into mysql-insertable nulls (by default, this add-on is disabled, thus working identically to fputcsv [except this one works!]).

<?php

function fputcsv2 ($fh, array $fields, $delimiter = ',', $enclosure = '"', $mysql_null = false) {
   
$delimiter_esc = preg_quote($delimiter, '/');
   
$enclosure_esc = preg_quote($enclosure, '/');

   
$output = array();
    foreach (
$fields as $field) {
        if (
$field === null && $mysql_null) {
           
$output[] = 'NULL';
            continue;
        }

       
$output[] = preg_match("/(?:${delimiter_esc}|${enclosure_esc}|\s)/", $field) ? (
           
$enclosure . str_replace($enclosure, $enclosure . $enclosure, $field) . $enclosure
       
) : $field;
    }

   
fwrite($fh, join($delimiter, $output) . "\n");
}

// the _EXACT_ LOAD DATA INFILE command to use
// (if you pass in something different for $delimiter
// and/or $enclosure above, change them here too;
// but _LEAVE ESCAPED BY EMPTY!_).
/*
LOAD DATA INFILE
    '/path/to/file.csv'

INTO TABLE
    my_table

FIELDS TERMINATED BY
    ','

OPTIONALLY ENCLOSED BY
    '"'

ESCAPED BY
    ''

LINES TERMINATED BY
    '\n'
*/

?>
jon+dontspamme at phpsitesolutions dot com
30.07.2008 7:44
I found that the fputcsv examples for PHP 4 missed one thing, that was proper handling of the $enclosure value when it is a quote (if a quote is passed in a field, and it is delimited by a slash, it will be improperly handled by the functions submitted here).

My modified function was built using the actual PHP5 source for fputcsv, with the addition of properly reacting to the existence of a delimited quote in the field being processed.

<?php
if (!function_exists('fputcsv')) {
    function
fputcsv(&$handle, $fields = array(), $delimiter = ',', $enclosure = '"') {

       
// Sanity Check
       
if (!is_resource($handle)) {
           
trigger_error('fputcsv() expects parameter 1 to be resource, ' .
               
gettype($handle) . ' given', E_USER_WARNING);
            return
false;
        }

        if (
$delimiter!=NULL) {
            if(
strlen($delimiter) < 1 ) {
               
trigger_error('delimiter must be a character', E_USER_WARNING);
                return
false;
            }elseif(
strlen($delimiter) > 1 ) {
               
trigger_error('delimiter must be a single character', E_USER_NOTICE);
            }

           
/* use first character from string */
           
$delimiter = $delimiter[0];
        }

        if(
$enclosure!=NULL ) {
             if(
strlen($enclosure) < 1 ) {
               
trigger_error('enclosure must be a character', E_USER_WARNING);
                return
false;
            }elseif(
strlen($enclosure) > 1 ) {
               
trigger_error('enclosure must be a single character', E_USER_NOTICE);
            }

           
/* use first character from string */
           
$enclosure = $enclosure[0];
       }

       
$i = 0;
       
$csvline = '';
       
$escape_char = '\\';
       
$field_cnt = count($fields);
       
$enc_is_quote = in_array($enclosure, array('"',"'"));
       
reset($fields);

        foreach(
$fields AS $field ) {

           
/* enclose a field that contains a delimiter, an enclosure character, or a newline */
           
if( is_string($field) && (
               
strpos($field, $delimiter)!==false ||
               
strpos($field, $enclosure)!==false ||
               
strpos($field, $escape_char)!==false ||
               
strpos($field, "\n")!==false ||
               
strpos($field, "\r")!==false ||
               
strpos($field, "\t")!==false ||
               
strpos($field, ' ')!==false ) ) {

               
$field_len = strlen($field);
               
$escaped = 0;

               
$csvline .= $enclosure;
                for(
$ch = 0; $ch < $field_len; $ch++ )    {
                    if(
$field[$ch] == $escape_char && $field[$ch+1] == $enclosure && $enc_is_quote ) {
                        continue;
                    }elseif(
$field[$ch] == $escape_char ) {
                       
$escaped = 1;
                    }elseif( !
$escaped && $field[$ch] == $enclosure ) {
                       
$csvline .= $enclosure;
                    }else{
                       
$escaped = 0;
                    }
                   
$csvline .= $field[$ch];
                }
               
$csvline .= $enclosure;
            } else {
               
$csvline .= $field;
            }

            if(
$i++ != $field_cnt ) {
               
$csvline .= $delimiter;
            }
        }

       
$csvline .= "\n";

        return
fwrite($handle, $csvline);
    }
}
?>
boefje at hotmail dot com
10.12.2007 13:28
A complete example to write your records (rows) to a csv file using PHP4.

<?php

if (!function_exists('fputcsv'))
{
 
  function
fputcsv(&$handle, $fields = array(), $delimiter = ';', $enclosure = '"')
  {
   
$str = '';
   
$escape_char = '\\';
    foreach (
$fields as $value)
    {
      if (
strpos($value, $delimiter) !== false ||
         
strpos($value, $enclosure) !== false ||
         
strpos($value, "\n") !== false ||
         
strpos($value, "\r") !== false ||
         
strpos($value, "\t") !== false ||
         
strpos($value, ' ') !== false)
      {
       
$str2 = $enclosure;
       
$escaped = 0;
       
$len = strlen($value);
        for (
$i=0;$i<$len;$i++)
        {
          if (
$value[$i] == $escape_char)
           
$escaped = 1;
          else if (!
$escaped && $value[$i] == $enclosure)
           
$str2 .= $enclosure;
          else
           
$escaped = 0;
         
$str2 .= $value[$i];
        }
       
$str2 .= $enclosure;
       
$str .= $str2.$delimiter;
      }
      else
       
$str .= $value.$delimiter;
    }
   
$str = substr($str,0,-1);
   
$str .= "\n";
    return
fwrite($handle, $str);
  }

}

function
WriteCsv($fileName, $delimiter = ';', $records)
{

 
$result = array();
  foreach(
$records as $key => $value)
   
$results[] = implode($delimiter, $value);
 
$fp = fopen($fileName, 'w');
  foreach (
$results as $result)
   
fputcsv($fp, split($delimiter, $result));
 
fclose($fp);
}

# =================== test ====================

define('CSV_SEPERATOR',';');
define('CSV_PATH','\\');
define('CSV_FILENAME','results.csv');

$records = array (array('aaa','bbb','ccc','dddd'),
                  array(
'123','456','789'),
                  array(
'"test1"', '"test2"', '"test3"')
                 );
                
$fileName = $_SERVER['DOCUMENT_ROOT'] . CSV_PATH . CSV_FILENAME;                
WriteCsv ($fileName,';',$records);                

echo
'<a href="' . CSV_PATH . CSV_FILENAME . '" target="_blanc">CSV File</a>';

?>
ifunk
17.09.2007 3:04
I converted this from the PHP source code. This replicates PHP5 functionality exactly, whereas the other examples here do not.

<?php

if (!function_exists('fputcsv')) {
 
  function
fputcsv(&$handle, $fields = array(), $delimiter = ',', $enclosure = '"') {
   
$str = '';
   
$escape_char = '\\';
    foreach (
$fields as $value) {
      if (
strpos($value, $delimiter) !== false ||
         
strpos($value, $enclosure) !== false ||
         
strpos($value, "\n") !== false ||
         
strpos($value, "\r") !== false ||
         
strpos($value, "\t") !== false ||
         
strpos($value, ' ') !== false) {
       
$str2 = $enclosure;
       
$escaped = 0;
       
$len = strlen($value);
        for (
$i=0;$i<$len;$i++) {
          if (
$value[$i] == $escape_char) {
           
$escaped = 1;
          } else if (!
$escaped && $value[$i] == $enclosure) {
           
$str2 .= $enclosure;
          } else {
           
$escaped = 0;
          }
         
$str2 .= $value[$i];
        }
       
$str2 .= $enclosure;
       
$str .= $str2.$delimiter;
      } else {
       
$str .= $value.$delimiter;
      }
    }
   
$str = substr($str,0,-1);
   
$str .= "\n";
    return
fwrite($handle, $str);
  }
 
}

?>
alexxed thething gmail thething com
10.08.2007 9:28
A event simpler way:

<?php
   
function fputcsv($hFile, $aRow, $sSeparator=',', $sEnclosure='"')
    {
       foreach (
$aRow as $iIdx=>$sCell)
         
$aRow[$iIdx] = str_replace($sEnclosure, $sEnclosure.$sEnclosure, $sCell);

      
fwrite($hFile, join($aRow, $sSeparator)."\n");
    }
?>
Jonathon Hibbard at phpingenuity.com
4.08.2007 5:23
This function is a replacement for PHP 4.  It basically takes an array you pass it, and creates a delimited string.  If you want ot use the key as the field name, you can tell the second paramater to use the key.  The last is the delimiter you want each value to be seperated by.  Should be pretty straight forward.

<?php
function generate_csv_data($data,$use_key=false,$delm=',') {
 
$output = NULL;
  if(
is_array($data)) {
    if(
$use_key == false) {
      if(isset(
$data[0]) && is_array($data[0])) {
        foreach(
$data as $key) {
         
$output .= implode($delm,$key);
         
$output .= "\n";
        }
      } else {
       
$output .= implode("$delm", $data)."\n";
      }
    } else {
      foreach(
$data as $key => $value) {
       
$output .= "$key{$delm}$value\n";
      }
    }
  } else {
   
$output = $data;
  }
  if(empty(
$output)) {
   
trigger_error('OUTPUT WAS EMPTY!', E_USER_ERROR);
    return
false;
  }
  return
$output;
}
?>
enzo dot d dot a at example dot com
26.06.2007 12:08
Compact fputcsv function(), for Php version >= 4.0.5 and < 5.1.
Not a "good programming practice", but if you need save bytes ...

<?php
function fputcsv($fp, $arr, $del=",", $enc="\"") {
   
fwrite($fp, (count($arr)) ? $enc . implode("{$enc}{$del}{$enc}", str_replace("\"", "\"\"", $arr)) . $enc . "\n" : "\n");
}
?>
bl at mindbench dot nl
26.03.2007 10:55
If you need to save the output to a variable (e.g. for use within a framework) you can write to a temporary memory-wrapper and retrieve it's contents:

<?php
// output up to 5MB is kept in memory, if it becomes bigger it will automatically be written to a temporary file
$csv = fopen('php://temp/maxmemory:'. (5*1024*1024), 'r+');

fputcsv($csv, array('blah','blah'));

rewind($csv);

// put it all in a variable
$output = stream_get_contents($csv);
?>
MagicalTux at ooKoo dot org
18.01.2007 15:08
If you need to send a CSV file directly to the browser, without writing in an external file, you can open the output and use fputcsv on it..

<?php
$out
= fopen('php://output', 'w');
fputcsv($out, array('this','is some', 'csv "stuff", you know.'));
fclose($out);
?>
heather at heathercash dot com
26.09.2005 1:18
Here is an adaptation to boonerunner's function for fputcsv.
It uses a 2-dimensional array.
Each sub-array is a line in the csv file which then ends up being seperated by commas.

<?php
function fputcsv($filePointer,$dataArray,$delimiter=",",$enclosure="\""){
   
// Write a line to a file
    // $filePointer = the file resource to write to
    // $dataArray = the data to write out
    // $delimeter = the field separator
    
    // Build the string
   
$string = "";
 
   
// for each array element, which represents a line in the csv file...
   
foreach($dataArray as $line){

       
// No leading delimiter
       
$writeDelimiter = FALSE;
       
        foreach(
$line as $dataElement){
           
// Replaces a double quote with two double quotes
           
$dataElement=str_replace("\"", "\"\"", $dataElement);
           
           
// Adds a delimiter before each field (except the first)
           
if($writeDelimiter) $string .= $delimiter;
           
           
// Encloses each field with $enclosure and adds it to the string
           
$string .= $enclosure . $dataElement . $enclosure;
           
           
// Delimiters are used every time except the first.
           
$writeDelimiter = TRUE;
        }
       
// Append new line
       
$string .= "\n";

    }
// end foreach($dataArray as $line)

    // Write the string to the file
   
fwrite($filePointer,$string);
}
?>
boonerunner at hotmail dot com
16.09.2005 4:47
Here is an adaption of the above code that adds support for double quotes inside a field. (One double quote is replaced with a pair of double quotes per the CSV format).

<?php
 
function fputcsv($filePointer,$dataArray,$delimiter,$enclosure)
  {
 
// Write a line to a file
  // $filePointer = the file resource to write to
  // $dataArray = the data to write out
  // $delimeter = the field separator
 
  // Build the string
 
$string = "";
 
 
// No leading delimiter
 
$writeDelimiter = FALSE;
  foreach(
$dataArray as $dataElement)
   {
   
// Replaces a double quote with two double quotes
   
$dataElement=str_replace("\"", "\"\"", $dataElement);
   
   
// Adds a delimiter before each field (except the first)
   
if($writeDelimiter) $string .= $delimiter;
   
   
// Encloses each field with $enclosure and adds it to the string
   
$string .= $enclosure . $dataElement . $enclosure;
   
   
// Delimiters are used every time except the first.
   
$writeDelimiter = TRUE;
   }
// end foreach($dataArray as $dataElement)
 
  // Append new line
 
$string .= "\n";
 
 
// Write the string to the file
 
fwrite($filePointer,$string);
  }
?>
twebb at boisecenter dot com
21.01.2005 14:54
What about cells that span multiple lines?  This function allows for cells to contain newlines:

<?php
function fputcsv($handle, $row, $fd=',', $quot='"')
{
  
$str='';
   foreach (
$row as $cell)
   {
     
$cell = str_replace($quot, $quot.$quot, $cell);
        
      if (
strchr($cell, $fd) !== FALSE || strchr($cell, $quot) !== FALSE || strchr($cell, "\n") !== FALSE)
      {
        
$str .= $quot.$cell.$quot.$fd;
      }
      else
      {
        
$str .= $cell.$fd;
      }
   }

  
fputs($handle, substr($str, 0, -1)."\n");

   return
strlen($str);
}
?>

I found this reference on the web:
http://www.creativyst.com/Doc/Articles/CSV/CSV01.htm
drew at zitnay dot com
22.11.2004 18:42
[EDIT BY danbrown AT php DOT net: This is a revised function with a few bugfixes and improvements done by this author.  The original function example was written by arthur AT mclean DOT ws, and rewritten between by arthur AT korn DOT ch.]

- when calling str_replace(), you must assign $cell the return value or nothing gets saved

- when using strchr(), you should explicitly check !== FALSE, or it'll treat a return value of 0 (found the character at string position 0) as FALSE

- Excel seems to quote not only fields containing commas, but fields containing quotes as well, so I've added another strchr() for quotes; I'm not saying Microsoft knows the correct way for sure, but it seems reasonable to me

- the original function put a space after each comma; that might be legal, I don't know, but I've never seen it (and I don't think it is, because then how would you indicate you wanted a field to start with a space other than by quoting it?)

- the original function didn't correctly return the length of the data outputted

Here's the function, fixed up a bit:

<?php
function fputcsv($handle, $row, $fd=',', $quot='"')
{
  
$str='';
   foreach (
$row as $cell) {
      
$cell=str_replace(Array($quot,        "\n"),
                         Array(
$quot.$quot''),
                        
$cell);
       if (
strchr($cell, $fd)!==FALSE || strchr($cell, $quot)!==FALSE) {
          
$str.=$quot.$cell.$quot.$fd;
       } else {
          
$str.=$cell.$fd;
       }
   }

  
fputs($handle, substr($str, 0, -1)."\n");

   return
strlen($str);
}
?>

Drew



PHP Powered Diese Seite bei php.net
The PHP manual text and comments are covered by the Creative Commons Attribution 3.0 License © the PHP Documentation Group - Impressum - mail("TO:Reinhard Neidl",...)