PHPExcel Developer Documentation
PHPExcel Developer Documentation
Author:
Version:
Date:
Maarten Balliauw
1.7.2
11 January 2010
1.
Contents
2.
Prerequisites
2.1.
Software requirements
2.2.
Installation instructions
Installation is quite easy: copy the contents of the Classes folder to any location
in your application required.
Example:
If your web root folder is /var/www/ you may want to create a subfolder called /var/www/Classes/ and copy the files into
that folder so you end up with files:
/var/www/Classes/PHPExcel.php
/var/www/Classes/PHPExcel/Calculation.php
/var/www/Classes/PHPExcel/Cell.php
...
2.3.
Getting started
A good way to get started is to run some of the tests included in the download.
Copy the "Tests" folder next to your "Classes" folder from above so you end up with:
/var/www/Tests/01simple.php
/var/www/Tests/02types.php
...
Start running the tests by pointing your browser to the test scripts:
http://example.com/Tests/01simple.php
http://example.com/Tests/02types.php
...
Note: It may be necessary to modify the include/require statements at the beginning of each of the test scripts if your
"Classes" folder from above is named differently.
2.4.
There are some links and tools which are very useful when developing using PHPExcel. Please refer
to the PHPExcel CodePlex pages for an update version of the list below.
2.4.1.
OpenXML / SpreadsheetML
Microsoft Office Compatibility Pack for Word, Excel, and PowerPoint 2007 File Formats
http://www.microsoft.com/downloads/details.aspx?familyid=941b3470-3ae9-4aee-8f43c6bb74cd1466&displaylang=en
2.4.2.
2.4.3.
Tutorials
French PHPExcel tutorial
http://g-ernaelsten.developpez.com/tutoriels/excel2007/
3.
Architecture
3.1.
Schematical
3.2.
Spreadsheet in memory
PHPExcels architecture is built in a way that it can serve as an in-memory spreadsheet. This means
that, if one would want to create a web based view of a spreadsheet which communicates with
PHPExcels object model, he would only have to write the front-end code.
Just like desktop spreadsheet software, PHPExcel represents a spreadsheet containing one or more
worksheets, which contain cells with data, formulas, images,
3.3.
On its own, PHPExcel does not provide the functionality to read from or write to a persisted
spreadsheet (on disk or in a database). To provide that functionality, readers and writers can be
used.
By default, the PHPExcel package provides some readers and writers, including one for the Open
XML spreadsheet format (a.k.a. Excel 2007 file format). You are not limited to the default readers
and writers, as you are free to implement the PHPExcel_Writer_IReader and
PHPExcel_Writer_IWriter interface in a custom class.
3.4.
Fluent interfaces
PHPExcel supports fluent interfaces in most locations. This means that you can easily chain calls
to specific methods without requiring a new PHP statement. For example, take the following code:
$objPHPExcel->getProperties()->setCreator("Maarten Balliauw");
$objPHPExcel->getProperties()->setLastModifiedBy("Maarten Balliauw");
$objPHPExcel->getProperties()->setTitle("Office 2007 XLSX Test Document");
$objPHPExcel->getProperties()->setSubject("Office 2007 XLSX Test Document");
$objPHPExcel->getProperties()->setDescription("Test document for Office 2007 XLSX,
generated using PHP classes.");
$objPHPExcel->getProperties()->setKeywords("office 2007 openxml php");
$objPHPExcel->getProperties()->setCategory("Test result file");
4.
4.1.
Creating a spreadsheet
The PHPExcel class
The PHPExcel class is the core of PHPExcel. It contains references to the contained worksheets,
document security settings and document meta data.
To simplify the PHPExcel concept: the PHPExcel class represents your workbook.
4.2.
Worksheets
A worksheet is a collection of cells, formulas, images, graphs, It holds all data you want to
represent as a spreadsheet worksheet.
4.3.
Accessing cells
Accessing cells in a PHPExcel worksheet should be pretty straightforward. This topic lists some of
the options to access a cell.
4.3.1.
Setting a cell value by coordinate can be done using the worksheets setCellValue method.
$objPHPExcel->getActiveSheet()->setCellValue('B8', 'Some value');
4.3.2.
To retrieve the value of a cell, the cell should first be retrieved from the worksheet using the
getCell method. A cells value can be read again using the following line of code:
$objPHPExcel->getActiveSheet()->getCell('B8')->getValue();
If you need the calculated value of a cell, use the following code. This is further explained in
4.4.36.
$objPHPExcel->getActiveSheet()->getCell('B8')->getCalculatedValue();
4.3.3.
4.3.4.
To retrieve the value of a cell, the cell should first be retrieved from the worksheet using the
getCellByColumnAndRow method. A cells value can be read again using the following line of
code:
// Get cell B8
$objPHPExcel->getActiveSheet()->getCellByColumnAndRow(1, 8)->getValue();
If you need the calculated value of a cell, use the following code. This is further explained in 4.4.36
// Get cell B8
$objPHPExcel->getActiveSheet()->getCellByColumnAndRow(1, 8)->getCalculatedValue();
4.3.5.
Looping cells
Below is an example where we read all the values in a worksheet and display them in a table.
<?php
$objReader = PHPExcel_IOFactory::createReader('Excel2007');
$objReader->setReadDataOnly(true);
$objPHPExcel = $objReader->load("test.xlsx");
$objWorksheet = $objPHPExcel->getActiveSheet();
echo '<table>' . "\n";
foreach ($objWorksheet->getRowIterator() as $row) {
echo '<tr>' . "\n";
$cellIterator = $row->getCellIterator();
$cellIterator->setIterateOnlyExistingCells(false); //
//
//
//
//
foreach ($cellIterator as $cell) {
echo '<td>' . $cell->getValue() . '</td>' . "\n";
}
Note that we have set the cell iterators setIterateOnlyExistingCells() to false. This makes
the iterator loop all cells, even if they were not set before.
The cell iterator will return null as the cell if it is not set in the worksheet.
Setting the cell iterators setIterateOnlyExistingCells()to false will loop all cells in the worksheet
that can be available at that moment. This will create new cells if required and increase memory usage! Only
use it if it is intended to loop all cells that are possibly available.
Note: In PHPExcel column index is 0-based while row index is 1-based. That means 'A1' ~ (0,1)
Below is an example where we read all the values in a worksheet and display them in a table.
<?php
$objReader = PHPExcel_IOFactory::createReader('Excel2007');
$objReader->setReadDataOnly(true);
$objPHPExcel = $objReader->load("test.xlsx");
$objWorksheet = $objPHPExcel->getActiveSheet();
$highestRow = $objWorksheet->getHighestRow(); // e.g. 10
$highestColumn = $objWorksheet->getHighestColumn(); // e.g 'F'
$highestColumnIndex = PHPExcel_Cell::columnIndexFromString($highestColumn); // e.g.
5
echo '<table>' . "\n";
for ($row = 1; $row <= $highestRow; ++$row) {
echo '<tr>' . "\n";
for ($col = 0; $col <= $highestColumnIndex; ++$col) {
echo '<td>' . $objWorksheet->getCellByColumnAndRow($col, $row)->getValue() .
'</td>' . "\n";
}
echo '</tr>' . "\n";
}
echo '</table>' . "\n";
?>
4.3.6.
4.4.
PHPExcel recipes
The following pages offer you some widely-used PHPExcel recipes. Please note that these do NOT
offer complete documentation on specific PHPExcel API functions, but just a bump to get you
started. If you need specific API functions, please refer to the API documentation.
For example, 4.4.7 Setting a worksheets page orientation and size covers setting a page orientation
to A4. Other paper formats, like US Letter, are not covered in this document, but in the PHPExcel
API documentation.
4.4.1.
PHPExcel allows an easy way to set a spreadsheets metadata, using document property accessors.
Spreadsheet metadata can be useful for finding a specific document in a file repository or a
document management system. For example Microsoft Sharepoint uses document metadata to
search for a specific document in its document lists.
Setting spreadsheet metadata is done as follows:
$objPHPExcel->getProperties()->setCreator("Maarten Balliauw");
$objPHPExcel->getProperties()->setLastModifiedBy("Maarten Balliauw");
$objPHPExcel->getProperties()->setTitle("Office 2007 XLSX Test Document");
$objPHPExcel->getProperties()->setSubject("Office 2007 XLSX Test Document");
$objPHPExcel->getProperties()->setDescription("Test document for Office 2007 XLSX,
generated using PHP classes.");
$objPHPExcel->getProperties()->setKeywords("office 2007 openxml php");
$objPHPExcel->getProperties()->setCategory("Test result file");
4.4.2.
The following line of code sets the active sheet index to the first sheet:
$objPHPExcel->setActiveSheetIndex(0);
4.4.3.
In Excel, dates are stored as numeric values counting the number of days elapsed since 1900-01-01.
For example, the date '2008-12-31' is represented as 39813. You can verify this in Microsoft Office
Excel by entering that date in a cell and afterwards changing the number format to 'General' so the
true numeric value is revealed.
Writing a date value in a cell consists of 2 lines of code. Select the method that suits you the best.
Here are some examples:
/* PHPExcel_Cell_AdvanceValueBinder required for this sample */
require_once 'PHPExcel/Cell/AdvancedValueBinder.php';
// MySQL-like timestamp '2008-12-31'
PHPExcel_Cell::setValueBinder( new PHPExcel_Cell_AdvancedValueBinder() );
$objPHPExcel->getActiveSheet()->setCellValue('D1', '2008-12-31')
$objPHPExcel->getActiveSheet()->getStyle('D1')->getNumberFormat()>setFormatCode(PHPExcel_Style_NumberFormat::FORMAT_DATE_YYYYMMDDSLASH)
// PHP-time (Unix time)
$time = gmmktime(0,0,0,12,31,2008); // int(1230681600)
$objPHPExcel->getActiveSheet()->setCellValue('D1',
PHPExcel_Shared_Date::PHPToExcel($time))
$objPHPExcel->getActiveSheet()->getStyle('D1')->getNumberFormat()>setFormatCode(PHPExcel_Style_NumberFormat::FORMAT_DATE_YYYYMMDDSLASH)
// Excel-time
$objPHPExcel->getActiveSheet()->setCellValue('D1', 39813)
$objPHPExcel->getActiveSheet()->getStyle('D1')->getNumberFormat()>setFormatCode(PHPExcel_Style_NumberFormat::FORMAT_DATE_YYYYMMDDSLASH)
The above methods for entering a date all yield the same result. PHPExcel_Style_NumberFormat
provides a lot of pre-defined date formats.
Notes:
1. See section "Using value binders to facilitate data entry" to learn more about the
AdvancedValueBinder used in the first example.
2. In previous versions of PHPExcel up to and including 1.6.6, when a cell had a date-like
number format code, it was possible to enter a date directly using an integer PHP-time
without converting to Excel date format. Starting with PHPExcel 1.6.7 this is no longer
supported.
3. Excel can also operate in a 1904-based calendar (default for workbooks saved on Mac).
Normally, you do not have to worry about this when using PHPExcel.
4.4.4.
Inside the Excel file, formulas are always stored as they would appear in an English version of
Microsoft Office Excel. Please note that characters used as decimal, argument or matrix row
separators must be written using English localization, which can differ to your locale. This is
regardless of which language version of Microsoft Office Excel you may have used to create the
Excel file.
Therefore, when you write formulas with PHPExcel, you must always use English formulas. The
following rules hold:
Decimal separator is '.' (period)
Function argument separator is ',' (comma)
Matrix row separator is ';' (semicolon)
Always use English function names
When the final workbook is opened by the user, Microsoft Office Excel will take care of displaying
the formula according the applications language. Translation is taken care of by the application!
The following line of code writes the formula =IF(C4>500,"profit","loss") into the cell B8. Note that
the formula must start with = to make PHPExcel recognise this as a formula.
$objPHPExcel->getActiveSheet()->setCellValue('B8','=IF(C4>500,"profit","loss")');
A cells formula can be read again using the following line of code:
$objPHPExcel->getActiveSheet()->getCell('B8')->getValue();
If you need the calculated value of a cell, use the following code. This is further explained in
4.4.36.
$objPHPExcel->getActiveSheet()->getCell('B8')->getCalculatedValue();
4.4.5.
You can set a cells datatype explicitly by using the cells setValueExplicit method, or the
setCellValueExplicit method of a worksheet. Heres an example:
$objPHPExcel->getActiveSheet()->getCell('A1')->setValueExplicit('25',
PHPExcel_Cell_DataType::TYPE_NUMERIC);
4.4.6.
You can make a cell a clickable URL by setting its hyperlink property:
$objPHPExcel->getActiveSheet()->setCellValue('E26', 'www.phpexcel.net');
$objPHPExcel->getActiveSheet()->getCell('E26')->getHyperlink()>setUrl('http://www.phpexcel.net');
If you want to make a hyperlink to another worksheet/cell, use the following code:
$objPHPExcel->getActiveSheet()->setCellValue('E26', 'www.phpexcel.net');
$objPHPExcel->getActiveSheet()->getCell('E26')->getHyperlink()>setUrl(sheet://'Sheetname'!A1);
4.4.7.
Setting a worksheets page orientation and size can be done using the following lines of code:
$objPHPExcel->getActiveSheet()->getPageSetup()>setOrientation(PHPExcel_Worksheet_PageSetup::ORIENTATION_LANDSCAPE);
$objPHPExcel->getActiveSheet()->getPageSetup()>setPaperSize(PHPExcel_Worksheet_PageSetup::PAPERSIZE_A4);
Note that there are additional page settings available. Please refer to the API documentation for all
possible options.
4.4.8.
The page setup scaling options in PHPExcel relate directly to the scaling options in the "Page Setup"
dialog as shown in the illustration.
Default values in PHPExcel correspond to default values in MS Office Excel as shown in illustration
method
initial value
setFitToPage(...)
setScale(...)
setFitToWidth(...)
false
100
1
setFitToHeight(...)
setFitToPage(true)
note
value 0 means
do-not-fit-towidth
value 0 means
do-not-fit-toheight
Example
Here is how to fit to 1 page wide by infinite pages tall:
$objPHPExcel->getActiveSheet()->getPageSetup()->setFitToWidth(1);
$objPHPExcel->getActiveSheet()->getPageSetup()->setFitToHeight(0);
As you can see, it is not necessary to call setFitToPage(true) since setFitToWidth() and
setFitToHeight() triggers this.
If you use setFitToWidth() you should in general also specify setFitToHeight() explicitly like in the
example. Be careful relying on the initial values. This is especially true if you are upgrading from PHPExcel
1.7.0 to 1.7.1 where the default values for fit-to-height and fit-to-width changed from 0 to 1.
4.4.9.
4.4.10.
Setting a worksheets print header and footer can be done using the following lines of code:
$objPHPExcel->getActiveSheet()->getHeaderFooter()->setOddHeader('&C&HPlease treat
this document as confidential!');
$objPHPExcel->getActiveSheet()->getHeaderFooter()->setOddFooter('&L&B' .
$objPHPExcel->getProperties()->getTitle() . '&RPage &P of &N');
Substitution and formatting codes (starting with &) can be used inside headers and footers. There is
no required order in which these codes must appear.
The first occurrence of the following codes turns the formatting ON, the second occurrence turns it
OFF again:
Strikethrough
Superscript
Subscript
Superscript and subscript cannot both be ON at same time. Whichever comes first wins and the
other is ignored, while the first is ON.
The following codes are supported by Excel2007:
Code for "left section" (there are three header / footer locations,
"left", "center", and "right"). When two or more occurrences of this
section marker exist, the contents from all markers are concatenated,
in the order of appearance, and placed into the left section.
&P
Code for "current page #"
&N
Code for "total pages"
&font size
Code for "text font size", where font size is a font size in points.
&K
Code for "text font color"
&L
&S
&X
&Y
&C
&D
&T
&G
&U
&E
&R
&Z
&F
&A
&+
&&"font name,font type"
&"-,Bold"
&B
&"-,Regular"
&"-,Italic"
&I
&"-,Bold Italic"
&O
&H
4.4.11.
To set a print break, use the following code, which sets a row break on row 10.
$objPHPExcel->getActiveSheet()->setBreak( 'A10' , PHPExcel_Worksheet::BREAK_ROW );
4.4.12.
4.4.13.
PHPExcel can repeat specific rows/cells at top/left of a page. The following code is an example of
how to repeat row 1 to 5 on each printed page of a specific worksheet:
$objPHPExcel->getActiveSheet()->getPageSetup()->setRowsToRepeatAtTopByStartAndEnd(1,
5);
4.4.14.
4.4.15.
Formatting cells
A cell can be formatted with font, border, fill, style information. For example, one can set the
foreground colour of a cell to red, aligned to the right, and the border to black and thick border
style. Lets do that on cell B2:
$objPHPExcel->getActiveSheet()->getStyle('B2')->getFont()->getColor()>setARGB(PHPExcel_Style_Color::COLOR_RED);
$objPHPExcel->getActiveSheet()->getStyle('B2')->getAlignment()>setHorizontal(PHPExcel_Style_Alignment::HORIZONTAL_RIGHT);
$objPHPExcel->getActiveSheet()->getStyle('B2')->getBorders()->getTop()>setBorderStyle(PHPExcel_Style_Border::BORDER_THICK);
$objPHPExcel->getActiveSheet()->getStyle('B2')->getBorders()->getBottom()>setBorderStyle(PHPExcel_Style_Border::BORDER_THICK);
$objPHPExcel->getActiveSheet()->getStyle('B2')->getBorders()->getLeft()>setBorderStyle(PHPExcel_Style_Border::BORDER_THICK);
$objPHPExcel->getActiveSheet()->getStyle('B2')->getBorders()->getRight()>setBorderStyle(PHPExcel_Style_Border::BORDER_THICK);
$objPHPExcel->getActiveSheet()->getStyle('B2')->getFill()>setFillType(PHPExcel_Style_Fill::FILL_SOLID);
$objPHPExcel->getActiveSheet()->getStyle('B2')->getFill()->getStartColor()>setARGB('FFFF0000');
Starting with PHPExcel 1.7.0 getStyle() also accepts a cell range as a parameter. For example, you
can set a red background color on a range of cells:
$objPHPExcel->getActiveSheet()->getStyle('B3:B7')->getFill()
->setFillType(PHPExcel_Style_Fill::FILL_SOLID)
->getStartColor()->setARGB('FFFF0000');
Tip
It is recommended to style many cells at once, using e.g. getStyle('A1:M500'), rather than styling the cells
individually in a loop. This is much faster compared to looping through cells and styling them individually.
There is also an alternative manner to set styles. The following code sets a cells style to font bold,
alignment right, top border thin and a gradient fill:
$styleArray = array(
'font' => array(
'bold' => true,
),
'alignment' => array(
'horizontal' => PHPExcel_Style_Alignment::HORIZONTAL_RIGHT,
),
'borders' => array(
'top' => array(
'style' => PHPExcel_Style_Border::BORDER_THIN,
),
),
'fill' => array(
'type' => PHPExcel_Style_Fill::FILL_GRADIENT_LINEAR,
'rotation' => 90,
'startcolor' => array(
'argb' => 'FFA0A0A0',
),
'endcolor' => array(
'argb' => 'FFFFFFFF',
),
),
);
$objPHPExcel->getActiveSheet()->getStyle('A3')->applyFromArray($styleArray);
This alternative method using arrays should be faster in terms of execution whenever you are
setting more than one style property. But the difference may barely be measurable unless you have
many different styles in your workbook.
Prior to PHPExcel 1.7.0 duplicateStyleArray() was the recommended method for styling a cell range,
but this method has now been deprecated since getStyle() has started to accept a cell range.
4.4.16.
Number formats
You often want to format numbers in Excel. For example you may want a thousands separator plus a
fixed number of decimals after the decimal separator. Or perhaps you want some numbers to be
zero-padded.
In Microsoft Office Excel you may be familiar with selecting a number format from the "Format
Cells" dialog. Here there are some predefined number formats available including some for dates.
The dialog is designed in a way so you don't have to interact with the underlying raw number format
code unless you need a custom number format.
In PHPExcel, you can also apply various predefined number formats. Example:
$objPHPExcel->getActiveSheet()->getStyle('A1')->getNumberFormat()
->setFormatCode(PHPExcel_Style_NumberFormat::FORMAT_NUMBER_COMMA_SEPARATED1);
This will format a number e.g. 1587.2 so it shows up as 1,587.20 when you open the workbook in MS
Office Excel. (Depending on settings for decimal and thousands separators in Microsoft Office Excel
it may show up as 1.587,20)
You can achieve exactly the same as the above by using this:
$objPHPExcel->getActiveSheet()->getStyle('A1')->getNumberFormat()
->setFormatCode('#,##0.00');
In Microsoft Office Excel, as well as in PHPExcel, you will have to interact with raw number format
codes whenever you need some special custom number format. Example:
$objPHPExcel->getActiveSheet()->getStyle('A1')->getNumberFormat()
->setFormatCode('[Blue][>=3000]$#,##0;[Red][<0]$#,##0;$#,##0');
Another example is when you want numbers zero-padded with leading zeros to a fixed length:
$objPHPExcel->getActiveSheet()->getCell('A1')->setValue(19);
$objPHPExcel->getActiveSheet()->getStyle('A1')->getNumberFormat()
->setFormatCode('0000'); // will show as 0019 in Excel
Tip
The rules for composing a number format code in Excel can be rather complicated. Sometimes you know how
to create some number format in Microsoft Office Excel, but don't know what the underlying number format
code looks like. How do you find it?
The readers shipped with PHPExcel come to the rescue. Load your template workbook using e.g. Excel2007
reader to reveal the number format code. Example how read a number format code for cell A1:
$objReader = PHPExcel_IOFactory::createReader('Excel2007');
$objPHPExcel = $objReader->load('template.xlsx');
var_dump($objPHPExcel->getActiveSheet()->getStyle('A1')->getNumberFormat()>getFormatCode());
Advanced users may find it faster to inspect the number format code directly by renaming template.xlsx to
template.zip, unzipping, and looking for the relevant piece of XML code holding the number format code in
xl/styles.xml.
4.4.17.
It is possible to set the default style of a workbook. Lets set the default font to Arial size 8:
$objPHPExcel->getDefaultStyle()->getFont()->setName('Arial');
$objPHPExcel->getDefaultStyle()->getFont()->setSize(8);
4.4.18.
In PHPExcel it is easy to apply various borders on a rectangular selection. Here is how to apply a
thick red border outline around cells B2:G8.
$styleArray = array(
'borders' => array(
'outline' => array(
'style' => PHPExcel_Style_Border::BORDER_THICK,
'color' => array('argb' => 'FFFF0000'),
),
),
);
$objWorksheet->getStyle('B2:G8')->applyFromArray($styleArray);
In Microsoft Office Excel, the above operation would correspond to selecting the cells B2:G8,
launching the style dialog, choosing a thick red border, and clicking on the "Outline" border
component.
Note that the border outline is applied to the rectangular selection B2:G8 as a whole, not on each cell
individually.
You can achieve any border effect by using just the 5 basic borders and operating on a single cell at
a time:
Array key
left
right
top
bottom
diagonal
Maps to property
getLeft()
getRight()
getTop()
getBottom()
getDiagonal()
Additional shortcut borders come in handy like in the example above. These are the shortcut
borders available:
Array key
allborders
outline
inside
vertical
horizontal
Maps to property
getAllBorders()
getOutline()
getInside()
getVertical()
getHorizontal()
If you simultaneously set e.g. allborders and vertical, then we have "overlapping" borders, and one of
the components has to win over the other where there is border overlap. In PHPExcel, from weakest to
strongest borders, the list is as follows: allborders, outline/inside, vertical/horizontal,
left/right/top/bottom/diagonal.
This border hierarchy can be utilized to achieve various effects in an easy manner.
4.4.19.
A cell can be formatted conditionally, based on a specific rule. For example, one can set the
foreground colour of a cell to red if its value is below zero, and to green if its value is zero or more.
One can set a conditional style ruleset to a cell using the following code:
$objConditional1 = new PHPExcel_Style_Conditional();
$objConditional1->setConditionType(PHPExcel_Style_Conditional::CONDITION_CELLIS);
$objConditional1->setOperatorType(PHPExcel_Style_Conditional::OPERATOR_LESSTHAN);
$objConditional1->addCondition('0');
$objConditional1->getStyle()->getFont()->getColor()>setARGB(PHPExcel_Style_Color::COLOR_RED);
$objConditional1->getStyle()->getFont()->setBold(true);
$objConditional2 = new PHPExcel_Style_Conditional();
$objConditional2->setConditionType(PHPExcel_Style_Conditional::CONDITION_CELLIS);
$objConditional2>setOperatorType(PHPExcel_Style_Conditional::OPERATOR_GREATERTHANOREQUAL);
$objConditional2->addCondition('0');
$objConditional2->getStyle()->getFont()->getColor()>setARGB(PHPExcel_Style_Color::COLOR_GREEN);
$objConditional2->getStyle()->getFont()->setBold(true);
$conditionalStyles = $objPHPExcel->getActiveSheet()->getStyle('B2')>getConditionalStyles();
array_push($conditionalStyles, $objConditional1);
array_push($conditionalStyles, $objConditional2);
$objPHPExcel->getActiveSheet()->getStyle('B2')>setConditionalStyles($conditionalStyles);
If you want to copy the ruleset to other cells, you can duplicate the style object:
$objPHPExcel->getActiveSheet()->duplicateStyle( $objPHPExcel->getActiveSheet()>getStyle('B2'), 'B3:B7' );
4.4.20.
To add a comment to a cell, use the following code. The example below adds a comment to cell
E11:
$objPHPExcel->getActiveSheet()->getComment('E11')->setAuthor('PHPExcel');
$objCommentRichText = $objPHPExcel->getActiveSheet()->getComment('E11')->getText()>createTextRun('PHPExcel:');
$objCommentRichText->getFont()->setBold(true);
$objPHPExcel->getActiveSheet()->getComment('E11')->getText()->createTextRun("\r\n");
$objPHPExcel->getActiveSheet()->getComment('E11')->getText()->createTextRun('Total
amount on the current invoice, excluding VAT.');
4.4.21.
Make sure that you always include the complete filter range!
Excel does support setting only the caption
row, but that's not a best practice...
4.4.22.
Excel offers 3 levels of protection: document security, sheet security and cell security.
- Document security allows you to set a password on a complete spreadsheet, allowing
changes to be made only when that password is entered.
- Worksheet security offers other security options: you can disallow inserting rows on a
specific sheet, disallow sorting,
- Cell security offers the option to lock/unlock a cell as well as show/hide the internal
formula
An example on setting document security:
$objPHPExcel->getSecurity()->setLockWindows(true);
$objPHPExcel->getSecurity()->setLockStructure(true);
$objPHPExcel->getSecurity()->setWorkbookPassword("PHPExcel");
Make sure you enable worksheet protection if you need any of the worksheet protection features!
This can be done using the following code: $objPHPExcel->getActiveSheet()->getProtection()->setSheet(true);
4.4.23.
Data validation is a powerful feature of Excel2007. It allows to specify an input filter on the data
that can be inserted in a specific cell. This filter can be a range (i.e. value must be between 0 and
10), a list (i.e. value must be picked from a list),
The following piece of code only allows numbers between 10 and 20 to be entered in cell B3:
$objValidation = $objPHPExcel->getActiveSheet()->getCell('B3')->getDataValidation();
$objValidation->setType( PHPExcel_Cell_DataValidation::TYPE_WHOLE );
$objValidation->setErrorStyle( PHPExcel_Cell_DataValidation::STYLE_STOP );
$objValidation->setAllowBlank(true);
$objValidation->setShowInputMessage(true);
$objValidation->setShowErrorMessage(true);
$objValidation->setErrorTitle('Input error');
$objValidation->setError('Number is not allowed!');
$objValidation->setPromptTitle('Allowed input');
$objValidation->setPrompt('Only numbers between 10 and 20 are allowed.');
$objValidation->setFormula1(10);
$objValidation->setFormula2(20);
$objPHPExcel->getActiveSheet()->getCell('B3')->setDataValidation($objValidation);
The following piece of code only allows an item picked from a list of data to be entered in cell B3:
$objValidation = $objPHPExcel->getActiveSheet()->getCell('B5')->getDataValidation();
$objValidation->setType( PHPExcel_Cell_DataValidation::TYPE_LIST );
$objValidation->setErrorStyle( PHPExcel_Cell_DataValidation::STYLE_INFORMATION );
$objValidation->setAllowBlank(false);
$objValidation->setShowInputMessage(true);
$objValidation->setShowErrorMessage(true);
$objValidation->setShowDropDown(true);
$objValidation->setErrorTitle('Input error');
$objValidation->setError('Value is not in list.');
$objValidation->setPromptTitle('Pick from list');
$objValidation->setPrompt('Please pick a value from the drop-down list.');
$objValidation->setFormula1('"Item A,Item B,Item C"');
$objPHPExcel->getActiveSheet()->getCell('B5')->setDataValidation($objValidation);
When using a data validation list, make sure you put the list between and and that you split the
items with a comma (,).
If you need data validation on multiple cells, one can clone the ruleset:
$objPHPExcel->getActiveSheet()->getCell('B8')->setDataValidation(clone
$objValidation);
4.4.24.
If you want PHPExcel to perform an automatic width calculation, use the following code. PHPExcel
will approximate the column with to the width of the widest column value.
$objPHPExcel->getActiveSheet()->getColumnDimension('B')->setAutoSize(true);
4.4.25.
Show/hide a column
To set a worksheets column visibility, you can use the following code. The first line explicitly shows
the column C, the second line hides column D.
$objPHPExcel->getActiveSheet()->getColumnDimension('C')->setVisible(true);
$objPHPExcel->getActiveSheet()->getColumnDimension('D')->setVisible(false);
4.4.26.
Group/outline a column
You can also collapse the column. Note that you should also set the column invisible, otherwise the
collapse will not be visible in Excel 2007.
$objPHPExcel->getActiveSheet()->getColumnDimension('E')->setCollapsed(true);
$objPHPExcel->getActiveSheet()->getColumnDimension('E')->setVisible(false);
Please refer to the part group/outline a row for a complete example on collapsing.
You can instruct PHPExcel to add a summary to the right (default), or to the left. The following code
adds the summary to the left:
$objPHPExcel->getActiveSheet()->setShowSummaryRight(false);
4.4.27.
4.4.28.
Show/hide a row
To set a worksheets row visibility, you can use the following code. The following example hides row
number 10.
$objPHPExcel->getActiveSheet()->getRowDimension('10')->setVisible(false);
4.4.29.
Group/outline a row
You can also collapse the row. Note that you should also set the row invisible, otherwise the
collapse will not be visible in Excel 2007.
$objPHPExcel->getActiveSheet()->getRowDimension('5')->setCollapsed(true);
$objPHPExcel->getActiveSheet()->getRowDimension('5')->setVisible(false);
.
.
.
.
.
$i,
$i,
$i,
$i,
$i,
"FName $i");
"LName $i");
"PhoneNo $i");
"FaxNo $i");
true);
$objPHPExcel->getActiveSheet()->getRowDimension($i)->setOutlineLevel(1);
$objPHPExcel->getActiveSheet()->getRowDimension($i)->setVisible(false);
}
$objPHPExcel->getActiveSheet()->getRowDimension(81)->setCollapsed(true);
You can instruct PHPExcel to add a summary below the collapsible rows (default), or above. The
following code adds the summary above:
$objPHPExcel->getActiveSheet()->setShowSummaryBelow(false);
4.4.30.
Merge/unmerge cells
If you have a big piece of data you want to display in a worksheet, you can merge two or more cells
together, to become one cell. This can be done using the following code:
$objPHPExcel->getActiveSheet()->mergeCells('A18:E22');
4.4.31.
Inserting rows/columns
You can insert/remove rows/columns at a specific position. The following code inserts 2 new rows,
right before row 7:
$objPHPExcel->getActiveSheet()->insertNewRowBefore(7, 2);
4.4.32.
To add the above drawing to the worksheet, use the following snippet of code. PHPExcel creates the
link between the drawing and the worksheet:
$objDrawing->setWorksheet($objPHPExcel->getActiveSheet());
You can set numerous properties on a drawing, here are some examples:
$objDrawing->setName('Paid');
$objDrawing->setDescription('Paid');
$objDrawing->setPath('./images/paid.png');
$objDrawing->setCoordinates('B15');
$objDrawing->setOffsetX(110);
$objDrawing->setRotation(25);
$objDrawing->getShadow()->setVisible(true);
$objDrawing->getShadow()->setDirection(45);
4.4.33.
Adding rich text to a cell can be done using PHPExcel_RichText instances. Heres an example,
which creates the following rich text string:
This invoice is payable within thirty days after the end of the month unless specified otherwise
on the invoice.
$objRichText = new PHPExcel_RichText( $objPHPExcel->getActiveSheet()->getCell('A18')
);
$objRichText->createText('This invoice is ');
$objPayable = $objRichText->createTextRun('payable within thirty days after the end
of the month');
$objPayable->getFont()->setBold(true);
$objPayable->getFont()->setItalic(true);
$objPayable->getFont()->setColor( new
PHPExcel_Style_Color( PHPExcel_Style_Color::COLOR_DARKGREEN ) );
$objRichText->createText(', unless specified otherwise on the invoice.');
4.4.34.
PHPExcel supports the definition of named ranges. These can be defined using the following code:
// Add some data
$objPHPExcel->setActiveSheetIndex(0);
$objPHPExcel->getActiveSheet()->setCellValue('A1',
$objPHPExcel->getActiveSheet()->setCellValue('A2',
$objPHPExcel->getActiveSheet()->setCellValue('B1',
$objPHPExcel->getActiveSheet()->setCellValue('B2',
'Firstname:');
'Lastname:');
'Maarten');
'Balliauw');
Optionally, a fourth parameter can be passed defining the named range local (i.e. only usable on
the current worksheet). Named ranges are global by default.
4.4.35.
Sometimes, one really wants to output a file to a clients browser, especially when creating
spreadsheets on-the-fly. There are some easy steps that can be followed to do this:
1. Create your PHPExcel spreadsheet
2. Output HTTP headers for the type of document you wish to output
3. Use the PHPExcel_Writer_* of your choice, and save to php://output
PHPExcel_Writer_Excel2007 uses temporary storage when writing to php://output. By default,
temporary files are stored in the scripts working directory. When there is no access, it falls back to
the operating systems temporary files location.
HTTP headers
Example of a script redirecting an Excel 2007 file to the client's browser:
<?php
/* Here there will be some code where you create $objPHPExcel */
Caution:
Make sure not to include any echo statements or output any other contents than the Excel
file. There should be no whitespace before the opening <?php tag and at most one line
break after the closing ?> tag (which can also be omitted to avoid problems).
Make sure that your script is saved without a BOM (Byte-order mark). (Because this counts
as echoing output)
Same things apply to all included files
Failing to follow the above guidelines may result in corrupt Excel files arriving at the client browser,
and/or that headers cannot be set by PHP (resulting in warning messages).
4.4.36.
4.4.37.
4.4.38.
There might be a situation where you want to generate an in-memory image using GD and add it to
a PHPExcel worksheet without first having to save this file to a temporary location.
Heres an example which generates an image in memory and adds it to the active worksheet:
// Generate an image
$gdImage = @imagecreatetruecolor(120, 20) or die('Cannot Initialize new GD image
stream');
$textColor = imagecolorallocate($gdImage, 255, 255, 255);
imagestring($gdImage, 1, 5, 5, 'Created with PHPExcel', $textColor);
// Add a drawing to the worksheet
$objDrawing = new PHPExcel_Worksheet_MemoryDrawing();
$objDrawing->setName('Sample image');
$objDrawing->setDescription('Sample image');
$objDrawing->setImageResource($gdImage);
$objDrawing->setRenderingFunction(PHPExcel_Worksheet_MemoryDrawing::RENDERING_JPEG);
$objDrawing->setMimeType(PHPExcel_Worksheet_MemoryDrawing::MIMETYPE_DEFAULT);
$objDrawing->setHeight(36);
$objDrawing->setWorksheet($objPHPExcel->getActiveSheet());
4.4.39.
4.4.40.
Sometimes you want to set a color for sheet tab. For example you can have a red sheet tab:
$objWorksheet->getTabColor()->setRGB('FF0000');
4.4.41.
4.4.42.
Sometimes you may even want the worksheet to be very hidden. The available sheet states are :
PHPExcel_Worksheet::SHEETSTATE_VISIBLE
PHPExcel_Worksheet::SHEETSTATE_HIDDEN
PHPExcel_Worksheet::SHEETSTATE_VERYHIDDEN
In Excel the sheet state very hidden can only be set programmatically, e.g. with Visual Basic Macro. It is not
possible to make such a sheet visible via the user interface.
4.4.43.
Right-to-left worksheet
Worksheets can be set individually whether column A should start at left or right side. Default is
left. Here is how to set columns from right-to-left.
// right-to-left worksheet
$objPHPExcel->getActiveSheet()
->setRightToLeft(true);
5.
5.1.
If you write the following line of code in the invoice demo included with PHPExcel, it evaluates to
the value "64":
Another nice feature of PHPExcel's formula parser, is that it can automatically adjust a formula
when inserting/removing rows/columns. Here's an example:
You see that the formula contained in cell E11 is "SUM(E4:E9)". Now, when I write the following line
of code, two new product lines are added:
$objPHPExcel->getActiveSheet()->insertNewRowBefore(7, 2);
Did you notice? The formula in the former cell E11 (now E13, as I inserted 2 new rows), changed to
"SUM(E4:E11)". Also, the inserted cells duplicate style information of the previous cell, just like
Excel's behaviour. Note that you can both insert rows and columns.
5.2.
Known limitations
There are some known limitations to the PHPExcel calculation engine. Most of them are due to the
fact that an Excel formula is converted into PHP code before being executed. This means that Excel
formula calculation is subject to PHPs language characteristics.
5.2.1.
Operator precedence
In Excel '+' wins over '&', just like '*' wins over '+' in ordinary algebra. The former rule is not what one
finds using the calculation engine shipped with PHPExcel.
Reference for operator precedence in Excel:
http://support.microsoft.com/kb/25189
Reference for operator precedence in PHP:
http://www.php.net/operators
5.2.2.
Formulas involving numbers and text may produce unexpected results or even unreadable file
contents. For example, the formula '=3+"Hello "' is expected to produce an error in Excel (#VALUE!).
Due to the fact that PHP converts Hello to a numeric value (zero), the result of this formula is
evaluated as 3 instead of evaluating as an error. This also causes the Excel document being
generated as containing unreadable content.
Reference for this behaviour in PHP:
http://be.php.net/manual/en/language.types.string.php#language.types.string.conversion
6.
As you already know from part 3.3 Readers and writers, reading and writing to a persisted storage is
not possible using the base PHPExcel classes. For this purpose, PHPExcel provides readers and
writers, which are implementations of PHPExcel_Writer_IReader and PHPExcel_Writer_IWriter.
6.1.
PHPExcel_IOFactory
6.1.1.
There are 2 methods for reading in a file into PHPExcel: using automatic file type resolving or
explicitly.
Automatic file type resolving checks the different PHPExcel_Reader_IReader distributed with
PHPExcel. If one of them can load the specified file name, the file is loaded using that
PHPExcel_Reader_IReader. Explicit mode requires you to specify which PHPExcel_Reader_IReader
should be used.
You can create a PHPExcel_Reader_IReader instance using PHPExcel_IOFactory in automatic file
type resolving mode using the following code sample:
$objPHPExcel = PHPExcel_IOFactory::load("05featuredemo.xlsx");
A typical use of this feature is when you need to read files uploaded by your users, and you dont
know whether they are uploading xls or xlsx files.
If you need to set some properties on the reader, (e.g. to only read data, see more about this later),
then you may instead want to use this variant:
$objReader = PHPExcel_IOFactory::createReaderForFile("05featuredemo.xlsx");
$objReader->setReadDataOnly(true);
$objReader->load("05featuredemo.xlsx");
6.1.2.
Note that automatic type resolving mode is slightly slower than explicit mode.
6.2.
Excel2007 file format is the main file format of PHPExcel. It allows outputting the in-memory
spreadsheet to a .xlsx file.
6.2.1.
PHPExcel_Reader_Excel2007
Reading a spreadsheet
You can read an .xlsx file using the following code:
$objReader = new PHPExcel_Reader_Excel2007();
$objPHPExcel = $objReader->load("05featuredemo.xlsx");
6.2.2.
PHPExcel_Writer_Excel2007
Writing a spreadsheet
You can write an .xlsx file using the following code:
$objWriter = new PHPExcel_Writer_Excel2007($objPHPExcel);
$objWriter->save("05featuredemo.xlsx");
Formula pre-calculation
By default, this writer pre-calculates all formulas in the spreadsheet. This can be slow on large
spreadsheets, and maybe even unwanted. You can however disable formula pre-calculation:
$objWriter = new PHPExcel_Writer_Excel2007($objPHPExcel);
$objWriter->setPreCalculateFormulas(false);
$objWriter->save("05featuredemo.xlsx");
6.3.
Serialized file format is a manner of storing a PHPExcel spreadsheet to disk, creating a file
containing a serialized PHPExcel instance. It offers a fast and easy way to store and read a
spreadsheet.
6.3.1.
PHPExcel_Reader_Serialized
Reading a spreadsheet
You can read a .phpxl file using the following code:
$objReader = new PHPExcel_Reader_Serialized();
$objPHPExcel = $objReader->load("05featuredemo.phpxl");
6.3.2.
PHPExcel_Writer_Serialized
Writing a spreadsheet
You can write a .phpxl file using the following code:
$objWriter = new PHPExcel_Writer_Serialized($objPHPExcel);
$objWriter->save("05featuredemo.phpxl");
6.4.
Excel5 file format is the old Excel file format, implemented in PHPExcel to provide a uniform
manner to create both .xlsx and .xls files. It is basically a modified version of PEAR
Spreadsheet_Excel_Writer, and has the same limitations and features as the PEAR library.
Excel5 file format will not be developed any further, it just provides an additional file format for
PHPExcel.
6.4.1.
PHPExcel_Reader_Excel5
Reading a spreadsheet
You can read an .xls file using the following code:
$objReader = new PHPExcel_Reader_Excel5();
$objPHPExcel = $objReader->load("05featuredemo.xls");
6.4.2.
PHPExcel_Writer_Excel5
Writing a spreadsheet
You can write an .xls file using the following code:
$objWriter = new PHPExcel_Writer_Excel5($objPHPExcel);
$objWriter->save("05featuredemo.xls");
6.5.
Excel 2003 XML file format is a file format which can be used in older versions of Microsoft Excel.
6.5.1.
PHPExcel_Reader_Excel2003XML
Reading a spreadsheet
You can read an .xml file using the following code:
$objReader = new PHPExcel_Reader_Excel2003XML();
$objPHPExcel = $objReader->load("05featuredemo.xml");
6.6.
Symbolic Link (SYLK) is a Microsoft file format typically used to exchange data between
applications, specifically spreadsheets. SYLK files conventionally have a .slk suffix. Composed of
only displayable ANSI characters, it can be easily created and processed by other applications, such
as databases.
SYLK limitations
Please note that SYLK file format has some limits regarding to styling cells and handling large spreadsheets
via PHP.
6.6.1.
PHPExcel_Reader_SYLK
Reading a spreadsheet
You can read an .slk file using the following code:
$objReader = new PHPExcel_Reader_SYLK();
$objPHPExcel = $objReader->load("05featuredemo.slk");
6.7.
CSV (Comma Separated Values) are often used as an import/export file format with other systems.
PHPExcel allows reading and writing to CSV files.
CSV limitations
Please note that CSV file format has some limits regarding to styling cells, number formatting,
6.7.1.
PHPExcel_Reader_CSV
6.7.2.
PHPExcel_Writer_CSV
Formula pre-calculation
By default, this writer pre-calculates all formulas in the spreadsheet. This can be slow on large
spreadsheets, and maybe even unwanted. You can however disable formula pre-calculation:
$objWriter = new PHPExcel_Writer_CSV($objPHPExcel);
$objWriter->setPreCalculateFormulas(false);
$objWriter->save("05featuredemo.csv");
Note that the above code sets decimal and thousand separators as global options. This also affects
how HTML and PDF is exported.
6.8.
HTML
PHPExcel allows you to write a spreadsheet into HTML format, for quick representation of the data
in it to anyone who does not have a spreadsheet application on their PC.
HTML limitations
Please note that HTML file format has some limits regarding to styling cells, number formatting,
6.8.1.
PHPExcel_Writer_HTML
Please note that PHPExcel_Writer_HTML only outputs the first worksheet by default.
Writing a spreadsheet
You can write a .htm file using the following code:
$objWriter = new PHPExcel_Writer_HTML($objPHPExcel);
$objWriter->save("05featuredemo.htm");
Formula pre-calculation
By default, this writer pre-calculates all formulas in the spreadsheet. This can be slow on large
spreadsheets, and maybe even unwanted. You can however disable formula pre-calculation:
$objWriter = new PHPExcel_Writer_HTML($objPHPExcel);
$objWriter->setPreCalculateFormulas(false);
$objWriter->save("05featuredemo.htm");
font-size: 9pt;
background-color: white;
}
<?php
echo $objWriter->generateStyles(false); // do not write <style> and </style>
?>
-->
</style>
<?php
echo $objWriter->generateSheetData();
echo $objWriter->generateHTMLFooter();
?>
6.9.
PHPExcel allows you to write a spreadsheet into PDF format, for fast distribution of represented
data.
PDF limitations
Please note that PDF file format has some limits regarding to styling cells, number formatting,
6.9.1.
PHPExcel_Writer_PDF
Please note that PHPExcel_Writer_PDF only outputs the first worksheet by default.
Writing a spreadsheet
You can write a .pdf file using the following code:
$objWriter = new PHPExcel_Writer_PDF($objPHPExcel);
$objWriter->save("05featuredemo.pdf");
Formula pre-calculation
By default, this writer pre-calculates all formulas in the spreadsheet. This can be slow on large
spreadsheets, and maybe even unwanted. You can however disable formula pre-calculation:
$objWriter = new PHPExcel_Writer_PDF($objPHPExcel);
$objWriter->setPreCalculateFormulas(false);
$objWriter->save("05featuredemo.pdf");
7.
Credits
Maps to property:
getFill()
getFont()
getBorders()
getAlignment()
getNumberFormat()
getProtection()
PHPExcel_Style_Fill
Array key:
type
rotation
startcolor
endcolor
color
Maps to property:
setFillType()
setRotation()
getStartColor()
getEndColor()
getStartColor()
PHPExcel_Style_Font
Array key:
name
bold
italic
underline
strike
color
size
superScript
subScript
Maps to property:
setName()
setBold()
setItalic()
setUnderline()
setStrikethrough()
getColor()
setSize()
setSuperScript()
setSubScript()
PHPExcel_Style_Borders
Array key:
allborders
left
right
top
bottom
diagonal
vertical
horizontal
diagonaldirection
outline
Maps to property:
getLeft(); getRight(); getTop(); getBottom()
getLeft()
getRight()
getTop()
getBottom()
getDiagonal()
getVertical()
getHorizontal()
setDiagonalDirection()
setOutline()
PHPExcel_Style_Border
Array key:
style
color
Maps to property:
setBorderStyle()
getColor()
PHPExcel_Style_Alignment
Array key:
horizontal
vertical
Maps to property:
setHorizontal()
setVertical()
rotation
wrap
shrinkToFit
indent
setTextRotation()
setWrapText()
setShrinkToFit()
setIndent()
PHPExcel_Style_NumberFormat
Array key:
code
Maps to property:
setFormatCode()
PHPExcel_Style_Protection
Array key:
locked
hidden
Maps to property:
setLocked()
setHidden()