phpexcel脚本耗时太长

时间:2013-08-23 14:17:52

标签: php phpexcel

我正在通过phpexcel将一些数据写入excel表。生成的文件包含500行和约35列。运行脚本需要两分钟+,有什么方法可以优化它吗?谢谢

以下是我的剧本

    require_once 'lib_phpexcel/PHPExcel.php';
ini_set('memory_limit', "512M");
ini_set('max_execution_time', 800);

$objPHPExcel = new PHPExcel();

// proprietes documents
$objPHPExcel->getProperties()->setCreator(utf8_encode("COCPIT"))
->setTitle(utf8_encode("COCPIT - Cohérence"))
->setSubject(utf8_encode("COCPIT - Cohérence"))
->setDescription(utf8_encode("COCPIT - Cohérence"));

$objPHPExcel->setActiveSheetIndex(0);
$sheet = $objPHPExcel->getActiveSheet();


$index_ligne = 4;
$res = mysql_query("SELECT * FROM $database.TEMP_CatalogueSI_RPS LIMIT 2, 999999999999") or die (mysql_error());
while($row = mysql_fetch_row($res)){
    $index_colonne = 0;
    foreach($row as $value){
        $range_colonne = getColonne(++$index_colonne);
        $id_cell = $range_colonne . $index_ligne;
        $sheet->setCellValue($id_cell, utf8_encode($value));
        $sheet->getStyle($id_cell)->applyFromArray($styleCelluleColonneInfos);

        // Pour les 8 premières colonnes => on est sur des colonnes 'fixes'
        if($index_colonne > 8){
            if(strcasecmp($value, "X") === 0){
                $sheet->getStyle($id_cell)->getFill()->getStartColor()->setRGB('CCFFCC');
            }
            else{
                $sheet->getStyle($id_cell)->getFill()->getStartColor()->setRGB('C0C0C0');
            }
        }
    }

    $index_ligne++;
}

$file = "db/$database/TEMP_CatalogueSI_RPS.xls";
$objWriter = PHPExcel_IOFactory::createWriter($objPHPExcel, 'Excel5');
$objWriter->save($file);

1 个答案:

答案 0 :(得分:3)

第1步

不是在foreach($ row as $ value)循环中单独设置每个单元格值,而是使用fromArray()方法一次写入整行单元格。这会将500x35 = 17,500次通话减少到500次。

while($row = mysql_fetch_row($res)) {
    // use array_walk() to utf-encode each value in the row
    array_walk($row, 'utf8_encode');
    // write the entire row to the current worksheet
    $sheet->fromArray($row, NULL, 'A' . $index_ligne);
    // increment row number
    $index_ligne++;
}

第2步

不要使用

单独设置每个单元格样式
$sheet->getStyle($id_cell)->applyFromArray($styleCelluleColonneInfos);

但是在一次通话中设置整个单元格范围。

$sheet->getStyle('A4:AI503')->applyFromArray($styleCelluleColonneInfos);

将500x35 = 17,500次调用减少为1。

第3步

而不是根据

设置不同的样式
if(strcasecmp($value, "X") === 0){

使用Excel条件样式,并再次将其应用于整个单元格范围,而不是应用于每个单独的单元格。

将500x27 = 13,500次通话减少为1。