我需要从文件中读取数据,该文件可以是逗号或制表符分隔符。我现在有一个函数getcsv但它只接受一个可能的分隔符。
任何想法如何处理?
感谢。
答案 0 :(得分:38)
从PHP 5.3开始,您可以使用str_getcsv()使用不同的分隔符读取各行。
$someCondition = someConditionToDetermineTabOrComma();
$delimiter = $someCondition ? "," : "\t";
$fp = fopen('mydata.csv', 'r');
while ( !feof($fp) )
{
$line = fgets($fp, 2048);
$data = str_getcsv($line, $delimiter);
doSomethingWithData($data);
}
fclose($fp);
答案 1 :(得分:10)
您可以为fgetcsv()指定分隔符。这是读取制表符分隔文件的示例
while (($data = fgetcsv($handle, 1000, "\t")) !== FALSE) {
...
}
答案 2 :(得分:3)
以下是阅读mydata.txt
CSV字段
$tab = "\t";
$fp = fopen('mydata.txt', 'r');
while ( !feof($fp) )
{
$line = fgets($fp, 2048);
$data_txt = str_getcsv($line, $tab);
//Get First Line of Data over here
print_r($data_txt);
exit;
}
fclose($fp);
答案 3 :(得分:0)
读取整个文件,或逐行读取并使用拆分将其拆分。
在那里你可以包含一个带有任意分隔符的正则表达式。我这里没有PHP测试语句,但php.net - >搜索split()。 你也有关于正则表达式的评论。
答案 4 :(得分:0)
您可以尝试explode
explode ( string $delimiter , string $string [, int $limit ] );
答案 5 :(得分:0)
这是我添加到我的实用程序库以供将来使用的函数。我是从NSSec's answer推导出来的。
此解决方案允许您指定是否要将第一行用作数组的键。我可能会在某个时候添加传递数组的功能,以便用于$ first_line_keys参数的键。
/**
* Converts a CSV file into an array
* NOTE: file does NOT have to have .csv extension
*
* $file - path to file to convert (string)
* $delimiter - field delimiter (string)
* $first_line_keys - use first line as array keys (bool)
* $line_lenght - set length to retrieve for each line (int)
*/
public static function CSVToArray($file, $delimiter = ',', $first_line_keys = true, $line_length = 2048){
// file doesn't exist
if( !file_exists($file) ){
return false;
}
// open file
$fp = fopen($file, 'r');
// add each line to array
$csv_array = array();
while( !feof($fp) ){
// get current line
$line = fgets($fp, $line_length);
// line to array
$data = str_getcsv($line, $delimiter);
// keys/data count mismatch
if( isset($keys) && count($keys) != count($data) ){
// skip to next line
continue;
// first line, first line should be keys
}else if( $first_line_keys && !isset($keys) ){
// use line data for keys
$keys = $data;
// first line used as keys
}else if($first_line_keys){
// add as associative array
$csv_array[] = array_combine($keys, $data);
// first line NOT used for keys
}else{
// add as numeric array
$csv_array[] = $data;
}
}
// close file
fclose($fp);
// nothing found
if(!$csv_array){
return array();
}
// return csv array
return $csv_array;
} // CSVToArray()
答案 6 :(得分:0)
$filePath = "somefile.txt";
$delimiter = "\t";
$file = new \SplFileObject($filePath);
while (!$file->eof()) {
$line = $file->fgetcsv($delimiter);
print_r($line);
}