phpspreadsheet实现上传数据转换为数据
最近公司要开发一个一键导入功能,将Excel文件直接导入到数据库,经过大佬指导终于是成功完成,现记录供日后阅读方便。
思路:先上传excel文件到服务器,然后利用phpspreadsheet库循环读取表格内容,将数据转换成数组,再写入到数据库。
1.thinkphp5.0利用phpspreadsheet库实现excel文件上传装换为数组,第一步引入phpspreadsheet,通过composer引入phpspreadsheet。 phpspreadsheet文档地址请查看:https://phpspreadsheet.readthedocs.io/en/latest/
composer require phpoffice/phpspreadsheet
2.这里我们使用IOFactory类来读取表格,IOFactory类可以自动识别表格的类型然后加载,具体的实现代码如下
/**
* excel导入
* @throws \PhpOffice\PhpSpreadsheet\Exception
* @throws \PhpOffice\PhpSpreadsheet\Reader\Exception
*/
public function oneSend()
{
$file = $this->request->request('file');
if (!$file) {
$this->error(__('Parameter %s can not be empty', 'file'));
}
$filePath = ROOT_PATH . 'public' . $file;
//判断文件是否存在
if (!is_file($filePath)) {
$this->error(__('No results were found'));
}
//判断类型
$ext = IOFactory::identify($filePath);
//创建读取器,自动获取文件类型
$reader = IOFactory::createReaderForFile($filePath);
//类型过滤
if (!in_array($ext, ['Xls', 'Xlsx', 'Html'])) {
$this->error(__('Unknown data format'));
}
//excel由html构成的文件
if ($ext === 'Html') {
$htmlStr = $reader->getSecurityScanner()->scanFile($filePath);
$htmlStr = preg_replace('/<head>.*<\/head>/', "", $htmlStr);
$PHPExcel = $reader->loadFromString($htmlStr);
} else {
/** 加载文件到读取器**/
if (!$PHPExcel = $reader->load($filePath)) {
$this->error(__('Unknown data format'));
}
}
$currentSheet = $PHPExcel->getSheet(0); //读取文件中的第一个工作表
$allColumn = $currentSheet->getHighestDataColumn(); //取得最大的列号abc的字母
$allRow = $currentSheet->getHighestRow(); //取得一共有多少行
$highestColumnIndex = Coordinate::columnIndexFromString($allColumn); //将列数转化为数字;
// //第一个是列第二参是行
// return $PHPExcel->getActiveSheet()->getCellByColumnAndRow(1,1)->getValue();
$data = [];
for ($i = 1; $i <= $highestColumnIndex; $i++) {
for ($a = 2; $a <= $allRow; $a++) {
$data[$PHPExcel->getActiveSheet()->getCellByColumnAndRow($i, 1)->getValue()][] = $PHPExcel->getActiveSheet()->getCellByColumnAndRow($i, $a)->getValue();
}
}
return json($data); //最终转化为数据
}
3.需要注意的地方是:windows上文件路径是用“\”,linux上是“/”,有时候会因为斜杆的问题导致,文件读取不到。
|