从CSV文件中获取没有循环的列值

时间:2013-07-29 22:25:31

标签: php excel csv scripting

我面前有一个大的CSV文件。 10列,3000行。我正在寻找一个PHP库,让我只需获取给定列中的所有值。像这样:

$columnValues = $file->getColumnValues('F');

我看过: http://pear.php.net/package/Spreadsheet_Excel_Writer/

但这似乎没有我需要的......我可能是错的。我不想要的是一个foreach解决方案。

2 个答案:

答案 0 :(得分:1)

解析CSV是我最喜欢的......虽然PHP的内置功能也不是那么糟糕......

ParseCSV

答案 1 :(得分:0)

试试这个(PHP> = 5.1.0):

echo getRowColumnValue(__DIR__.'/csvtest.csv', 2, 1); // third row, second column

function getRowColumnValue($path, $row, $column, $delimiter = ';')
{
    $file = new SplFileObject($path);        
    $file->seek($row);
    //$cols = $file->fgetcsv($delimiter); // bug? gets next row
    $cols = str_getcsv($file->current(), $delimiter);
    return (isset($cols[$column])) ? $cols[$column] : null;
}

或者像alpha支持这样的excel小课程:

// Example 1:
$file = new CsvFile(__DIR__.'/csvtest.csv');
$file->seekToRow(2);
echo $file->getColumnValue('B'); 
// also supports integers -> echo $file->getColumnValue(1);

// Example 2:
$file = new CsvFile(__DIR__.'/csvtest.csv');
print_r($file->getColumnValues('B')); // get column values as array -> row 2

class CsvFile extends SplFileObject
{
    public function __construct($filename, $delimiter = ';', $enclosure = "\"", $escape = "\\")
    {
        parent::__construct($filename);
        $this->setFlags(SplFileObject::READ_CSV);
        $this->setCsvControl($delimiter, $enclosure, $escape);
    }

    protected function _getNumber($alpha)
    {
        $alpha = preg_replace("/[^A-Z]+/", "", strtoupper($alpha));
        $i = 0;
        $len = strlen($alpha);
        for ($j=0;$j<$len;$j++) {
            $i += (ord($alpha[$j]) - 65) + ($j * 26);
        }
        return $i;
    }

    public function seekToRow($row)
    {
        $row = (is_string($row)) ? $this->_getNumber($row) : $row;
        $this->seek($row);
    }

    public function getColumnValue($column)
    {
        $column = (is_string($column)) ? $this->_getNumber($column) : $column;
        $cols = $this->current();
        return (isset($cols[$column])) ? $cols[$column] : null;
    }

    public function getColumnValues($row)
    {
        $this->seekToRow($row);
        return $this->current();
    }
}