';
+ }
+ }
+
+ /**
+ * Get an array of error messages, if any.
+ *
+ * @return array
+ */
+ public function getErrors()
+ {
+ return $this->errors;
+ }
+
+ /**
+ * POP3 connection error handler.
+ *
+ * @param int $errno
+ * @param string $errstr
+ * @param string $errfile
+ * @param int $errline
+ */
+ protected function catchWarning($errno, $errstr, $errfile, $errline)
+ {
+ $this->setError(
+ 'Connecting to the POP3 server raised a PHP warning:' .
+ "errno: $errno errstr: $errstr; errfile: $errfile; errline: $errline"
+ );
+ }
+}
diff --git a/formulier/assets/vendor/phpmailer/phpmailer/src/SMTP.php b/formulier/assets/vendor/phpmailer/phpmailer/src/SMTP.php
new file mode 100755
index 0000000..27b752e
--- /dev/null
+++ b/formulier/assets/vendor/phpmailer/phpmailer/src/SMTP.php
@@ -0,0 +1,1325 @@
+
+ * @author Jim Jagielski (jimjag)
+ * @author Andy Prevost (codeworxtech)
+ * @author Brent R. Matzelle (original founder)
+ * @copyright 2012 - 2017 Marcus Bointon
+ * @copyright 2010 - 2012 Jim Jagielski
+ * @copyright 2004 - 2009 Andy Prevost
+ * @license http://www.gnu.org/copyleft/lesser.html GNU Lesser General Public License
+ * @note This program is distributed in the hope that it will be useful - WITHOUT
+ * ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or
+ * FITNESS FOR A PARTICULAR PURPOSE.
+ */
+
+namespace PHPMailer\PHPMailer;
+
+/**
+ * PHPMailer RFC821 SMTP email transport class.
+ * Implements RFC 821 SMTP commands and provides some utility methods for sending mail to an SMTP server.
+ *
+ * @author Chris Ryan
+ * @author Marcus Bointon
+ */
+class SMTP
+{
+ /**
+ * The PHPMailer SMTP version number.
+ *
+ * @var string
+ */
+ const VERSION = '6.0.3';
+
+ /**
+ * SMTP line break constant.
+ *
+ * @var string
+ */
+ const LE = "\r\n";
+
+ /**
+ * The SMTP port to use if one is not specified.
+ *
+ * @var int
+ */
+ const DEFAULT_PORT = 25;
+
+ /**
+ * The maximum line length allowed by RFC 2822 section 2.1.1.
+ *
+ * @var int
+ */
+ const MAX_LINE_LENGTH = 998;
+
+ /**
+ * Debug level for no output.
+ */
+ const DEBUG_OFF = 0;
+
+ /**
+ * Debug level to show client -> server messages.
+ */
+ const DEBUG_CLIENT = 1;
+
+ /**
+ * Debug level to show client -> server and server -> client messages.
+ */
+ const DEBUG_SERVER = 2;
+
+ /**
+ * Debug level to show connection status, client -> server and server -> client messages.
+ */
+ const DEBUG_CONNECTION = 3;
+
+ /**
+ * Debug level to show all messages.
+ */
+ const DEBUG_LOWLEVEL = 4;
+
+ /**
+ * Debug output level.
+ * Options:
+ * * self::DEBUG_OFF (`0`) No debug output, default
+ * * self::DEBUG_CLIENT (`1`) Client commands
+ * * self::DEBUG_SERVER (`2`) Client commands and server responses
+ * * self::DEBUG_CONNECTION (`3`) As DEBUG_SERVER plus connection status
+ * * self::DEBUG_LOWLEVEL (`4`) Low-level data output, all messages.
+ *
+ * @var int
+ */
+ public $do_debug = self::DEBUG_OFF;
+
+ /**
+ * How to handle debug output.
+ * Options:
+ * * `echo` Output plain-text as-is, appropriate for CLI
+ * * `html` Output escaped, line breaks converted to ` `, appropriate for browser output
+ * * `error_log` Output to error log as configured in php.ini
+ * Alternatively, you can provide a callable expecting two params: a message string and the debug level:
+ *
+ * ```php
+ * $smtp->Debugoutput = function($str, $level) {echo "debug level $level; message: $str";};
+ * ```
+ *
+ * Alternatively, you can pass in an instance of a PSR-3 compatible logger, though only `debug`
+ * level output is used:
+ *
+ * ```php
+ * $mail->Debugoutput = new myPsr3Logger;
+ * ```
+ *
+ * @var string|callable|\Psr\Log\LoggerInterface
+ */
+ public $Debugoutput = 'echo';
+
+ /**
+ * Whether to use VERP.
+ *
+ * @see http://en.wikipedia.org/wiki/Variable_envelope_return_path
+ * @see http://www.postfix.org/VERP_README.html Info on VERP
+ *
+ * @var bool
+ */
+ public $do_verp = false;
+
+ /**
+ * The timeout value for connection, in seconds.
+ * Default of 5 minutes (300sec) is from RFC2821 section 4.5.3.2.
+ * This needs to be quite high to function correctly with hosts using greetdelay as an anti-spam measure.
+ *
+ * @see http://tools.ietf.org/html/rfc2821#section-4.5.3.2
+ *
+ * @var int
+ */
+ public $Timeout = 300;
+
+ /**
+ * How long to wait for commands to complete, in seconds.
+ * Default of 5 minutes (300sec) is from RFC2821 section 4.5.3.2.
+ *
+ * @var int
+ */
+ public $Timelimit = 300;
+
+ /**
+ * Patterns to extract an SMTP transaction id from reply to a DATA command.
+ * The first capture group in each regex will be used as the ID.
+ * MS ESMTP returns the message ID, which may not be correct for internal tracking.
+ *
+ * @var string[]
+ */
+ protected $smtp_transaction_id_patterns = [
+ 'exim' => '/[0-9]{3} OK id=(.*)/',
+ 'sendmail' => '/[0-9]{3} 2.0.0 (.*) Message/',
+ 'postfix' => '/[0-9]{3} 2.0.0 Ok: queued as (.*)/',
+ 'Microsoft_ESMTP' => '/[0-9]{3} 2.[0-9].0 (.*)@(?:.*) Queued mail for delivery/',
+ 'Amazon_SES' => '/[0-9]{3} Ok (.*)/',
+ 'SendGrid' => '/[0-9]{3} Ok: queued as (.*)/',
+ ];
+
+ /**
+ * The last transaction ID issued in response to a DATA command,
+ * if one was detected.
+ *
+ * @var string|bool|null
+ */
+ protected $last_smtp_transaction_id;
+
+ /**
+ * The socket for the server connection.
+ *
+ * @var ?resource
+ */
+ protected $smtp_conn;
+
+ /**
+ * Error information, if any, for the last SMTP command.
+ *
+ * @var array
+ */
+ protected $error = [
+ 'error' => '',
+ 'detail' => '',
+ 'smtp_code' => '',
+ 'smtp_code_ex' => '',
+ ];
+
+ /**
+ * The reply the server sent to us for HELO.
+ * If null, no HELO string has yet been received.
+ *
+ * @var string|null
+ */
+ protected $helo_rply = null;
+
+ /**
+ * The set of SMTP extensions sent in reply to EHLO command.
+ * Indexes of the array are extension names.
+ * Value at index 'HELO' or 'EHLO' (according to command that was sent)
+ * represents the server name. In case of HELO it is the only element of the array.
+ * Other values can be boolean TRUE or an array containing extension options.
+ * If null, no HELO/EHLO string has yet been received.
+ *
+ * @var array|null
+ */
+ protected $server_caps = null;
+
+ /**
+ * The most recent reply received from the server.
+ *
+ * @var string
+ */
+ protected $last_reply = '';
+
+ /**
+ * Output debugging info via a user-selected method.
+ *
+ * @param string $str Debug string to output
+ * @param int $level The debug level of this message; see DEBUG_* constants
+ *
+ * @see SMTP::$Debugoutput
+ * @see SMTP::$do_debug
+ */
+ protected function edebug($str, $level = 0)
+ {
+ if ($level > $this->do_debug) {
+ return;
+ }
+ //Is this a PSR-3 logger?
+ if ($this->Debugoutput instanceof \Psr\Log\LoggerInterface) {
+ $this->Debugoutput->debug($str);
+
+ return;
+ }
+ //Avoid clash with built-in function names
+ if (!in_array($this->Debugoutput, ['error_log', 'html', 'echo']) and is_callable($this->Debugoutput)) {
+ call_user_func($this->Debugoutput, $str, $level);
+
+ return;
+ }
+ switch ($this->Debugoutput) {
+ case 'error_log':
+ //Don't output, just log
+ error_log($str);
+ break;
+ case 'html':
+ //Cleans up output a bit for a better looking, HTML-safe output
+ echo gmdate('Y-m-d H:i:s'), ' ', htmlentities(
+ preg_replace('/[\r\n]+/', '', $str),
+ ENT_QUOTES,
+ 'UTF-8'
+ ), " \n";
+ break;
+ case 'echo':
+ default:
+ //Normalize line breaks
+ $str = preg_replace('/\r\n|\r/ms', "\n", $str);
+ echo gmdate('Y-m-d H:i:s'),
+ "\t",
+ //Trim trailing space
+ trim(
+ //Indent for readability, except for trailing break
+ str_replace(
+ "\n",
+ "\n \t ",
+ trim($str)
+ )
+ ),
+ "\n";
+ }
+ }
+
+ /**
+ * Connect to an SMTP server.
+ *
+ * @param string $host SMTP server IP or host name
+ * @param int $port The port number to connect to
+ * @param int $timeout How long to wait for the connection to open
+ * @param array $options An array of options for stream_context_create()
+ *
+ * @return bool
+ */
+ public function connect($host, $port = null, $timeout = 30, $options = [])
+ {
+ static $streamok;
+ //This is enabled by default since 5.0.0 but some providers disable it
+ //Check this once and cache the result
+ if (null === $streamok) {
+ $streamok = function_exists('stream_socket_client');
+ }
+ // Clear errors to avoid confusion
+ $this->setError('');
+ // Make sure we are __not__ connected
+ if ($this->connected()) {
+ // Already connected, generate error
+ $this->setError('Already connected to a server');
+
+ return false;
+ }
+ if (empty($port)) {
+ $port = self::DEFAULT_PORT;
+ }
+ // Connect to the SMTP server
+ $this->edebug(
+ "Connection: opening to $host:$port, timeout=$timeout, options=" .
+ (count($options) > 0 ? var_export($options, true) : 'array()'),
+ self::DEBUG_CONNECTION
+ );
+ $errno = 0;
+ $errstr = '';
+ if ($streamok) {
+ $socket_context = stream_context_create($options);
+ set_error_handler([$this, 'errorHandler']);
+ $this->smtp_conn = stream_socket_client(
+ $host . ':' . $port,
+ $errno,
+ $errstr,
+ $timeout,
+ STREAM_CLIENT_CONNECT,
+ $socket_context
+ );
+ restore_error_handler();
+ } else {
+ //Fall back to fsockopen which should work in more places, but is missing some features
+ $this->edebug(
+ 'Connection: stream_socket_client not available, falling back to fsockopen',
+ self::DEBUG_CONNECTION
+ );
+ set_error_handler([$this, 'errorHandler']);
+ $this->smtp_conn = fsockopen(
+ $host,
+ $port,
+ $errno,
+ $errstr,
+ $timeout
+ );
+ restore_error_handler();
+ }
+ // Verify we connected properly
+ if (!is_resource($this->smtp_conn)) {
+ $this->setError(
+ 'Failed to connect to server',
+ '',
+ (string) $errno,
+ (string) $errstr
+ );
+ $this->edebug(
+ 'SMTP ERROR: ' . $this->error['error']
+ . ": $errstr ($errno)",
+ self::DEBUG_CLIENT
+ );
+
+ return false;
+ }
+ $this->edebug('Connection: opened', self::DEBUG_CONNECTION);
+ // SMTP server can take longer to respond, give longer timeout for first read
+ // Windows does not have support for this timeout function
+ if (substr(PHP_OS, 0, 3) != 'WIN') {
+ $max = ini_get('max_execution_time');
+ // Don't bother if unlimited
+ if (0 != $max and $timeout > $max) {
+ @set_time_limit($timeout);
+ }
+ stream_set_timeout($this->smtp_conn, $timeout, 0);
+ }
+ // Get any announcement
+ $announce = $this->get_lines();
+ $this->edebug('SERVER -> CLIENT: ' . $announce, self::DEBUG_SERVER);
+
+ return true;
+ }
+
+ /**
+ * Initiate a TLS (encrypted) session.
+ *
+ * @return bool
+ */
+ public function startTLS()
+ {
+ if (!$this->sendCommand('STARTTLS', 'STARTTLS', 220)) {
+ return false;
+ }
+
+ //Allow the best TLS version(s) we can
+ $crypto_method = STREAM_CRYPTO_METHOD_TLS_CLIENT;
+
+ //PHP 5.6.7 dropped inclusion of TLS 1.1 and 1.2 in STREAM_CRYPTO_METHOD_TLS_CLIENT
+ //so add them back in manually if we can
+ if (defined('STREAM_CRYPTO_METHOD_TLSv1_2_CLIENT')) {
+ $crypto_method |= STREAM_CRYPTO_METHOD_TLSv1_2_CLIENT;
+ $crypto_method |= STREAM_CRYPTO_METHOD_TLSv1_1_CLIENT;
+ }
+
+ // Begin encrypted connection
+ set_error_handler([$this, 'errorHandler']);
+ $crypto_ok = stream_socket_enable_crypto(
+ $this->smtp_conn,
+ true,
+ $crypto_method
+ );
+ restore_error_handler();
+
+ return (bool) $crypto_ok;
+ }
+
+ /**
+ * Perform SMTP authentication.
+ * Must be run after hello().
+ *
+ * @see hello()
+ *
+ * @param string $username The user name
+ * @param string $password The password
+ * @param string $authtype The auth type (CRAM-MD5, PLAIN, LOGIN, XOAUTH2)
+ * @param OAuth $OAuth An optional OAuth instance for XOAUTH2 authentication
+ *
+ * @return bool True if successfully authenticated
+ */
+ public function authenticate(
+ $username,
+ $password,
+ $authtype = null,
+ $OAuth = null
+ ) {
+ if (!$this->server_caps) {
+ $this->setError('Authentication is not allowed before HELO/EHLO');
+
+ return false;
+ }
+
+ if (array_key_exists('EHLO', $this->server_caps)) {
+ // SMTP extensions are available; try to find a proper authentication method
+ if (!array_key_exists('AUTH', $this->server_caps)) {
+ $this->setError('Authentication is not allowed at this stage');
+ // 'at this stage' means that auth may be allowed after the stage changes
+ // e.g. after STARTTLS
+
+ return false;
+ }
+
+ $this->edebug('Auth method requested: ' . ($authtype ? $authtype : 'UNKNOWN'), self::DEBUG_LOWLEVEL);
+ $this->edebug(
+ 'Auth methods available on the server: ' . implode(',', $this->server_caps['AUTH']),
+ self::DEBUG_LOWLEVEL
+ );
+
+ //If we have requested a specific auth type, check the server supports it before trying others
+ if (!in_array($authtype, $this->server_caps['AUTH'])) {
+ $this->edebug('Requested auth method not available: ' . $authtype, self::DEBUG_LOWLEVEL);
+ $authtype = null;
+ }
+
+ if (empty($authtype)) {
+ //If no auth mechanism is specified, attempt to use these, in this order
+ //Try CRAM-MD5 first as it's more secure than the others
+ foreach (['CRAM-MD5', 'LOGIN', 'PLAIN', 'XOAUTH2'] as $method) {
+ if (in_array($method, $this->server_caps['AUTH'])) {
+ $authtype = $method;
+ break;
+ }
+ }
+ if (empty($authtype)) {
+ $this->setError('No supported authentication methods found');
+
+ return false;
+ }
+ self::edebug('Auth method selected: ' . $authtype, self::DEBUG_LOWLEVEL);
+ }
+
+ if (!in_array($authtype, $this->server_caps['AUTH'])) {
+ $this->setError("The requested authentication method \"$authtype\" is not supported by the server");
+
+ return false;
+ }
+ } elseif (empty($authtype)) {
+ $authtype = 'LOGIN';
+ }
+ switch ($authtype) {
+ case 'PLAIN':
+ // Start authentication
+ if (!$this->sendCommand('AUTH', 'AUTH PLAIN', 334)) {
+ return false;
+ }
+ // Send encoded username and password
+ if (!$this->sendCommand(
+ 'User & Password',
+ base64_encode("\0" . $username . "\0" . $password),
+ 235
+ )
+ ) {
+ return false;
+ }
+ break;
+ case 'LOGIN':
+ // Start authentication
+ if (!$this->sendCommand('AUTH', 'AUTH LOGIN', 334)) {
+ return false;
+ }
+ if (!$this->sendCommand('Username', base64_encode($username), 334)) {
+ return false;
+ }
+ if (!$this->sendCommand('Password', base64_encode($password), 235)) {
+ return false;
+ }
+ break;
+ case 'CRAM-MD5':
+ // Start authentication
+ if (!$this->sendCommand('AUTH CRAM-MD5', 'AUTH CRAM-MD5', 334)) {
+ return false;
+ }
+ // Get the challenge
+ $challenge = base64_decode(substr($this->last_reply, 4));
+
+ // Build the response
+ $response = $username . ' ' . $this->hmac($challenge, $password);
+
+ // send encoded credentials
+ return $this->sendCommand('Username', base64_encode($response), 235);
+ case 'XOAUTH2':
+ //The OAuth instance must be set up prior to requesting auth.
+ if (null === $OAuth) {
+ return false;
+ }
+ $oauth = $OAuth->getOauth64();
+
+ // Start authentication
+ if (!$this->sendCommand('AUTH', 'AUTH XOAUTH2 ' . $oauth, 235)) {
+ return false;
+ }
+ break;
+ default:
+ $this->setError("Authentication method \"$authtype\" is not supported");
+
+ return false;
+ }
+
+ return true;
+ }
+
+ /**
+ * Calculate an MD5 HMAC hash.
+ * Works like hash_hmac('md5', $data, $key)
+ * in case that function is not available.
+ *
+ * @param string $data The data to hash
+ * @param string $key The key to hash with
+ *
+ * @return string
+ */
+ protected function hmac($data, $key)
+ {
+ if (function_exists('hash_hmac')) {
+ return hash_hmac('md5', $data, $key);
+ }
+
+ // The following borrowed from
+ // http://php.net/manual/en/function.mhash.php#27225
+
+ // RFC 2104 HMAC implementation for php.
+ // Creates an md5 HMAC.
+ // Eliminates the need to install mhash to compute a HMAC
+ // by Lance Rushing
+
+ $bytelen = 64; // byte length for md5
+ if (strlen($key) > $bytelen) {
+ $key = pack('H*', md5($key));
+ }
+ $key = str_pad($key, $bytelen, chr(0x00));
+ $ipad = str_pad('', $bytelen, chr(0x36));
+ $opad = str_pad('', $bytelen, chr(0x5c));
+ $k_ipad = $key ^ $ipad;
+ $k_opad = $key ^ $opad;
+
+ return md5($k_opad . pack('H*', md5($k_ipad . $data)));
+ }
+
+ /**
+ * Check connection state.
+ *
+ * @return bool True if connected
+ */
+ public function connected()
+ {
+ if (is_resource($this->smtp_conn)) {
+ $sock_status = stream_get_meta_data($this->smtp_conn);
+ if ($sock_status['eof']) {
+ // The socket is valid but we are not connected
+ $this->edebug(
+ 'SMTP NOTICE: EOF caught while checking if connected',
+ self::DEBUG_CLIENT
+ );
+ $this->close();
+
+ return false;
+ }
+
+ return true; // everything looks good
+ }
+
+ return false;
+ }
+
+ /**
+ * Close the socket and clean up the state of the class.
+ * Don't use this function without first trying to use QUIT.
+ *
+ * @see quit()
+ */
+ public function close()
+ {
+ $this->setError('');
+ $this->server_caps = null;
+ $this->helo_rply = null;
+ if (is_resource($this->smtp_conn)) {
+ // close the connection and cleanup
+ fclose($this->smtp_conn);
+ $this->smtp_conn = null; //Makes for cleaner serialization
+ $this->edebug('Connection: closed', self::DEBUG_CONNECTION);
+ }
+ }
+
+ /**
+ * Send an SMTP DATA command.
+ * Issues a data command and sends the msg_data to the server,
+ * finializing the mail transaction. $msg_data is the message
+ * that is to be send with the headers. Each header needs to be
+ * on a single line followed by a with the message headers
+ * and the message body being separated by an additional .
+ * Implements RFC 821: DATA .
+ *
+ * @param string $msg_data Message data to send
+ *
+ * @return bool
+ */
+ public function data($msg_data)
+ {
+ //This will use the standard timelimit
+ if (!$this->sendCommand('DATA', 'DATA', 354)) {
+ return false;
+ }
+
+ /* The server is ready to accept data!
+ * According to rfc821 we should not send more than 1000 characters on a single line (including the LE)
+ * so we will break the data up into lines by \r and/or \n then if needed we will break each of those into
+ * smaller lines to fit within the limit.
+ * We will also look for lines that start with a '.' and prepend an additional '.'.
+ * NOTE: this does not count towards line-length limit.
+ */
+
+ // Normalize line breaks before exploding
+ $lines = explode("\n", str_replace(["\r\n", "\r"], "\n", $msg_data));
+
+ /* To distinguish between a complete RFC822 message and a plain message body, we check if the first field
+ * of the first line (':' separated) does not contain a space then it _should_ be a header and we will
+ * process all lines before a blank line as headers.
+ */
+
+ $field = substr($lines[0], 0, strpos($lines[0], ':'));
+ $in_headers = false;
+ if (!empty($field) and strpos($field, ' ') === false) {
+ $in_headers = true;
+ }
+
+ foreach ($lines as $line) {
+ $lines_out = [];
+ if ($in_headers and $line == '') {
+ $in_headers = false;
+ }
+ //Break this line up into several smaller lines if it's too long
+ //Micro-optimisation: isset($str[$len]) is faster than (strlen($str) > $len),
+ while (isset($line[self::MAX_LINE_LENGTH])) {
+ //Working backwards, try to find a space within the last MAX_LINE_LENGTH chars of the line to break on
+ //so as to avoid breaking in the middle of a word
+ $pos = strrpos(substr($line, 0, self::MAX_LINE_LENGTH), ' ');
+ //Deliberately matches both false and 0
+ if (!$pos) {
+ //No nice break found, add a hard break
+ $pos = self::MAX_LINE_LENGTH - 1;
+ $lines_out[] = substr($line, 0, $pos);
+ $line = substr($line, $pos);
+ } else {
+ //Break at the found point
+ $lines_out[] = substr($line, 0, $pos);
+ //Move along by the amount we dealt with
+ $line = substr($line, $pos + 1);
+ }
+ //If processing headers add a LWSP-char to the front of new line RFC822 section 3.1.1
+ if ($in_headers) {
+ $line = "\t" . $line;
+ }
+ }
+ $lines_out[] = $line;
+
+ //Send the lines to the server
+ foreach ($lines_out as $line_out) {
+ //RFC2821 section 4.5.2
+ if (!empty($line_out) and $line_out[0] == '.') {
+ $line_out = '.' . $line_out;
+ }
+ $this->client_send($line_out . static::LE, 'DATA');
+ }
+ }
+
+ //Message data has been sent, complete the command
+ //Increase timelimit for end of DATA command
+ $savetimelimit = $this->Timelimit;
+ $this->Timelimit = $this->Timelimit * 2;
+ $result = $this->sendCommand('DATA END', '.', 250);
+ $this->recordLastTransactionID();
+ //Restore timelimit
+ $this->Timelimit = $savetimelimit;
+
+ return $result;
+ }
+
+ /**
+ * Send an SMTP HELO or EHLO command.
+ * Used to identify the sending server to the receiving server.
+ * This makes sure that client and server are in a known state.
+ * Implements RFC 821: HELO
+ * and RFC 2821 EHLO.
+ *
+ * @param string $host The host name or IP to connect to
+ *
+ * @return bool
+ */
+ public function hello($host = '')
+ {
+ //Try extended hello first (RFC 2821)
+ return (bool) ($this->sendHello('EHLO', $host) or $this->sendHello('HELO', $host));
+ }
+
+ /**
+ * Send an SMTP HELO or EHLO command.
+ * Low-level implementation used by hello().
+ *
+ * @param string $hello The HELO string
+ * @param string $host The hostname to say we are
+ *
+ * @return bool
+ *
+ * @see hello()
+ */
+ protected function sendHello($hello, $host)
+ {
+ $noerror = $this->sendCommand($hello, $hello . ' ' . $host, 250);
+ $this->helo_rply = $this->last_reply;
+ if ($noerror) {
+ $this->parseHelloFields($hello);
+ } else {
+ $this->server_caps = null;
+ }
+
+ return $noerror;
+ }
+
+ /**
+ * Parse a reply to HELO/EHLO command to discover server extensions.
+ * In case of HELO, the only parameter that can be discovered is a server name.
+ *
+ * @param string $type `HELO` or `EHLO`
+ */
+ protected function parseHelloFields($type)
+ {
+ $this->server_caps = [];
+ $lines = explode("\n", $this->helo_rply);
+
+ foreach ($lines as $n => $s) {
+ //First 4 chars contain response code followed by - or space
+ $s = trim(substr($s, 4));
+ if (empty($s)) {
+ continue;
+ }
+ $fields = explode(' ', $s);
+ if (!empty($fields)) {
+ if (!$n) {
+ $name = $type;
+ $fields = $fields[0];
+ } else {
+ $name = array_shift($fields);
+ switch ($name) {
+ case 'SIZE':
+ $fields = ($fields ? $fields[0] : 0);
+ break;
+ case 'AUTH':
+ if (!is_array($fields)) {
+ $fields = [];
+ }
+ break;
+ default:
+ $fields = true;
+ }
+ }
+ $this->server_caps[$name] = $fields;
+ }
+ }
+ }
+
+ /**
+ * Send an SMTP MAIL command.
+ * Starts a mail transaction from the email address specified in
+ * $from. Returns true if successful or false otherwise. If True
+ * the mail transaction is started and then one or more recipient
+ * commands may be called followed by a data command.
+ * Implements RFC 821: MAIL FROM:.
+ *
+ * @param string $from Source address of this message
+ *
+ * @return bool
+ */
+ public function mail($from)
+ {
+ $useVerp = ($this->do_verp ? ' XVERP' : '');
+
+ return $this->sendCommand(
+ 'MAIL FROM',
+ 'MAIL FROM:<' . $from . '>' . $useVerp,
+ 250
+ );
+ }
+
+ /**
+ * Send an SMTP QUIT command.
+ * Closes the socket if there is no error or the $close_on_error argument is true.
+ * Implements from RFC 821: QUIT .
+ *
+ * @param bool $close_on_error Should the connection close if an error occurs?
+ *
+ * @return bool
+ */
+ public function quit($close_on_error = true)
+ {
+ $noerror = $this->sendCommand('QUIT', 'QUIT', 221);
+ $err = $this->error; //Save any error
+ if ($noerror or $close_on_error) {
+ $this->close();
+ $this->error = $err; //Restore any error from the quit command
+ }
+
+ return $noerror;
+ }
+
+ /**
+ * Send an SMTP RCPT command.
+ * Sets the TO argument to $toaddr.
+ * Returns true if the recipient was accepted false if it was rejected.
+ * Implements from RFC 821: RCPT TO:.
+ *
+ * @param string $address The address the message is being sent to
+ *
+ * @return bool
+ */
+ public function recipient($address)
+ {
+ return $this->sendCommand(
+ 'RCPT TO',
+ 'RCPT TO:<' . $address . '>',
+ [250, 251]
+ );
+ }
+
+ /**
+ * Send an SMTP RSET command.
+ * Abort any transaction that is currently in progress.
+ * Implements RFC 821: RSET .
+ *
+ * @return bool True on success
+ */
+ public function reset()
+ {
+ return $this->sendCommand('RSET', 'RSET', 250);
+ }
+
+ /**
+ * Send a command to an SMTP server and check its return code.
+ *
+ * @param string $command The command name - not sent to the server
+ * @param string $commandstring The actual command to send
+ * @param int|array $expect One or more expected integer success codes
+ *
+ * @return bool True on success
+ */
+ protected function sendCommand($command, $commandstring, $expect)
+ {
+ if (!$this->connected()) {
+ $this->setError("Called $command without being connected");
+
+ return false;
+ }
+ //Reject line breaks in all commands
+ if (strpos($commandstring, "\n") !== false or strpos($commandstring, "\r") !== false) {
+ $this->setError("Command '$command' contained line breaks");
+
+ return false;
+ }
+ $this->client_send($commandstring . static::LE, $command);
+
+ $this->last_reply = $this->get_lines();
+ // Fetch SMTP code and possible error code explanation
+ $matches = [];
+ if (preg_match('/^([0-9]{3})[ -](?:([0-9]\\.[0-9]\\.[0-9]) )?/', $this->last_reply, $matches)) {
+ $code = $matches[1];
+ $code_ex = (count($matches) > 2 ? $matches[2] : null);
+ // Cut off error code from each response line
+ $detail = preg_replace(
+ "/{$code}[ -]" .
+ ($code_ex ? str_replace('.', '\\.', $code_ex) . ' ' : '') . '/m',
+ '',
+ $this->last_reply
+ );
+ } else {
+ // Fall back to simple parsing if regex fails
+ $code = substr($this->last_reply, 0, 3);
+ $code_ex = null;
+ $detail = substr($this->last_reply, 4);
+ }
+
+ $this->edebug('SERVER -> CLIENT: ' . $this->last_reply, self::DEBUG_SERVER);
+
+ if (!in_array($code, (array) $expect)) {
+ $this->setError(
+ "$command command failed",
+ $detail,
+ $code,
+ $code_ex
+ );
+ $this->edebug(
+ 'SMTP ERROR: ' . $this->error['error'] . ': ' . $this->last_reply,
+ self::DEBUG_CLIENT
+ );
+
+ return false;
+ }
+
+ $this->setError('');
+
+ return true;
+ }
+
+ /**
+ * Send an SMTP SAML command.
+ * Starts a mail transaction from the email address specified in $from.
+ * Returns true if successful or false otherwise. If True
+ * the mail transaction is started and then one or more recipient
+ * commands may be called followed by a data command. This command
+ * will send the message to the users terminal if they are logged
+ * in and send them an email.
+ * Implements RFC 821: SAML FROM:.
+ *
+ * @param string $from The address the message is from
+ *
+ * @return bool
+ */
+ public function sendAndMail($from)
+ {
+ return $this->sendCommand('SAML', "SAML FROM:$from", 250);
+ }
+
+ /**
+ * Send an SMTP VRFY command.
+ *
+ * @param string $name The name to verify
+ *
+ * @return bool
+ */
+ public function verify($name)
+ {
+ return $this->sendCommand('VRFY', "VRFY $name", [250, 251]);
+ }
+
+ /**
+ * Send an SMTP NOOP command.
+ * Used to keep keep-alives alive, doesn't actually do anything.
+ *
+ * @return bool
+ */
+ public function noop()
+ {
+ return $this->sendCommand('NOOP', 'NOOP', 250);
+ }
+
+ /**
+ * Send an SMTP TURN command.
+ * This is an optional command for SMTP that this class does not support.
+ * This method is here to make the RFC821 Definition complete for this class
+ * and _may_ be implemented in future.
+ * Implements from RFC 821: TURN .
+ *
+ * @return bool
+ */
+ public function turn()
+ {
+ $this->setError('The SMTP TURN command is not implemented');
+ $this->edebug('SMTP NOTICE: ' . $this->error['error'], self::DEBUG_CLIENT);
+
+ return false;
+ }
+
+ /**
+ * Send raw data to the server.
+ *
+ * @param string $data The data to send
+ * @param string $command Optionally, the command this is part of, used only for controlling debug output
+ *
+ * @return int|bool The number of bytes sent to the server or false on error
+ */
+ public function client_send($data, $command = '')
+ {
+ //If SMTP transcripts are left enabled, or debug output is posted online
+ //it can leak credentials, so hide credentials in all but lowest level
+ if (self::DEBUG_LOWLEVEL > $this->do_debug and
+ in_array($command, ['User & Password', 'Username', 'Password'], true)) {
+ $this->edebug('CLIENT -> SERVER: ', self::DEBUG_CLIENT);
+ } else {
+ $this->edebug('CLIENT -> SERVER: ' . $data, self::DEBUG_CLIENT);
+ }
+ set_error_handler([$this, 'errorHandler']);
+ $result = fwrite($this->smtp_conn, $data);
+ restore_error_handler();
+
+ return $result;
+ }
+
+ /**
+ * Get the latest error.
+ *
+ * @return array
+ */
+ public function getError()
+ {
+ return $this->error;
+ }
+
+ /**
+ * Get SMTP extensions available on the server.
+ *
+ * @return array|null
+ */
+ public function getServerExtList()
+ {
+ return $this->server_caps;
+ }
+
+ /**
+ * Get metadata about the SMTP server from its HELO/EHLO response.
+ * The method works in three ways, dependent on argument value and current state:
+ * 1. HELO/EHLO has not been sent - returns null and populates $this->error.
+ * 2. HELO has been sent -
+ * $name == 'HELO': returns server name
+ * $name == 'EHLO': returns boolean false
+ * $name == any other string: returns null and populates $this->error
+ * 3. EHLO has been sent -
+ * $name == 'HELO'|'EHLO': returns the server name
+ * $name == any other string: if extension $name exists, returns True
+ * or its options (e.g. AUTH mechanisms supported). Otherwise returns False.
+ *
+ * @param string $name Name of SMTP extension or 'HELO'|'EHLO'
+ *
+ * @return mixed
+ */
+ public function getServerExt($name)
+ {
+ if (!$this->server_caps) {
+ $this->setError('No HELO/EHLO was sent');
+
+ return;
+ }
+
+ if (!array_key_exists($name, $this->server_caps)) {
+ if ('HELO' == $name) {
+ return $this->server_caps['EHLO'];
+ }
+ if ('EHLO' == $name || array_key_exists('EHLO', $this->server_caps)) {
+ return false;
+ }
+ $this->setError('HELO handshake was used; No information about server extensions available');
+
+ return;
+ }
+
+ return $this->server_caps[$name];
+ }
+
+ /**
+ * Get the last reply from the server.
+ *
+ * @return string
+ */
+ public function getLastReply()
+ {
+ return $this->last_reply;
+ }
+
+ /**
+ * Read the SMTP server's response.
+ * Either before eof or socket timeout occurs on the operation.
+ * With SMTP we can tell if we have more lines to read if the
+ * 4th character is '-' symbol. If it is a space then we don't
+ * need to read anything else.
+ *
+ * @return string
+ */
+ protected function get_lines()
+ {
+ // If the connection is bad, give up straight away
+ if (!is_resource($this->smtp_conn)) {
+ return '';
+ }
+ $data = '';
+ $endtime = 0;
+ stream_set_timeout($this->smtp_conn, $this->Timeout);
+ if ($this->Timelimit > 0) {
+ $endtime = time() + $this->Timelimit;
+ }
+ $selR = [$this->smtp_conn];
+ $selW = null;
+ while (is_resource($this->smtp_conn) and !feof($this->smtp_conn)) {
+ //Must pass vars in here as params are by reference
+ if (!stream_select($selR, $selW, $selW, $this->Timelimit)) {
+ $this->edebug(
+ 'SMTP -> get_lines(): timed-out (' . $this->Timeout . ' sec)',
+ self::DEBUG_LOWLEVEL
+ );
+ break;
+ }
+ //Deliberate noise suppression - errors are handled afterwards
+ $str = @fgets($this->smtp_conn, 515);
+ $this->edebug('SMTP INBOUND: "' . trim($str) . '"', self::DEBUG_LOWLEVEL);
+ $data .= $str;
+ // If response is only 3 chars (not valid, but RFC5321 S4.2 says it must be handled),
+ // or 4th character is a space, we are done reading, break the loop,
+ // string array access is a micro-optimisation over strlen
+ if (!isset($str[3]) or (isset($str[3]) and $str[3] == ' ')) {
+ break;
+ }
+ // Timed-out? Log and break
+ $info = stream_get_meta_data($this->smtp_conn);
+ if ($info['timed_out']) {
+ $this->edebug(
+ 'SMTP -> get_lines(): timed-out (' . $this->Timeout . ' sec)',
+ self::DEBUG_LOWLEVEL
+ );
+ break;
+ }
+ // Now check if reads took too long
+ if ($endtime and time() > $endtime) {
+ $this->edebug(
+ 'SMTP -> get_lines(): timelimit reached (' .
+ $this->Timelimit . ' sec)',
+ self::DEBUG_LOWLEVEL
+ );
+ break;
+ }
+ }
+
+ return $data;
+ }
+
+ /**
+ * Enable or disable VERP address generation.
+ *
+ * @param bool $enabled
+ */
+ public function setVerp($enabled = false)
+ {
+ $this->do_verp = $enabled;
+ }
+
+ /**
+ * Get VERP address generation mode.
+ *
+ * @return bool
+ */
+ public function getVerp()
+ {
+ return $this->do_verp;
+ }
+
+ /**
+ * Set error messages and codes.
+ *
+ * @param string $message The error message
+ * @param string $detail Further detail on the error
+ * @param string $smtp_code An associated SMTP error code
+ * @param string $smtp_code_ex Extended SMTP code
+ */
+ protected function setError($message, $detail = '', $smtp_code = '', $smtp_code_ex = '')
+ {
+ $this->error = [
+ 'error' => $message,
+ 'detail' => $detail,
+ 'smtp_code' => $smtp_code,
+ 'smtp_code_ex' => $smtp_code_ex,
+ ];
+ }
+
+ /**
+ * Set debug output method.
+ *
+ * @param string|callable $method The name of the mechanism to use for debugging output, or a callable to handle it
+ */
+ public function setDebugOutput($method = 'echo')
+ {
+ $this->Debugoutput = $method;
+ }
+
+ /**
+ * Get debug output method.
+ *
+ * @return string
+ */
+ public function getDebugOutput()
+ {
+ return $this->Debugoutput;
+ }
+
+ /**
+ * Set debug output level.
+ *
+ * @param int $level
+ */
+ public function setDebugLevel($level = 0)
+ {
+ $this->do_debug = $level;
+ }
+
+ /**
+ * Get debug output level.
+ *
+ * @return int
+ */
+ public function getDebugLevel()
+ {
+ return $this->do_debug;
+ }
+
+ /**
+ * Set SMTP timeout.
+ *
+ * @param int $timeout The timeout duration in seconds
+ */
+ public function setTimeout($timeout = 0)
+ {
+ $this->Timeout = $timeout;
+ }
+
+ /**
+ * Get SMTP timeout.
+ *
+ * @return int
+ */
+ public function getTimeout()
+ {
+ return $this->Timeout;
+ }
+
+ /**
+ * Reports an error number and string.
+ *
+ * @param int $errno The error number returned by PHP
+ * @param string $errmsg The error message returned by PHP
+ * @param string $errfile The file the error occurred in
+ * @param int $errline The line number the error occurred on
+ */
+ protected function errorHandler($errno, $errmsg, $errfile = '', $errline = 0)
+ {
+ $notice = 'Connection failed.';
+ $this->setError(
+ $notice,
+ $errmsg,
+ (string) $errno
+ );
+ $this->edebug(
+ "$notice Error #$errno: $errmsg [$errfile line $errline]",
+ self::DEBUG_CONNECTION
+ );
+ }
+
+ /**
+ * Extract and return the ID of the last SMTP transaction based on
+ * a list of patterns provided in SMTP::$smtp_transaction_id_patterns.
+ * Relies on the host providing the ID in response to a DATA command.
+ * If no reply has been received yet, it will return null.
+ * If no pattern was matched, it will return false.
+ *
+ * @return bool|null|string
+ */
+ protected function recordLastTransactionID()
+ {
+ $reply = $this->getLastReply();
+
+ if (empty($reply)) {
+ $this->last_smtp_transaction_id = null;
+ } else {
+ $this->last_smtp_transaction_id = false;
+ foreach ($this->smtp_transaction_id_patterns as $smtp_transaction_id_pattern) {
+ if (preg_match($smtp_transaction_id_pattern, $reply, $matches)) {
+ $this->last_smtp_transaction_id = trim($matches[1]);
+ break;
+ }
+ }
+ }
+
+ return $this->last_smtp_transaction_id;
+ }
+
+ /**
+ * Get the queue/transaction ID of the last SMTP transaction
+ * If no reply has been received yet, it will return null.
+ * If no pattern was matched, it will return false.
+ *
+ * @return bool|null|string
+ *
+ * @see recordLastTransactionID()
+ */
+ public function getLastTransactionID()
+ {
+ return $this->last_smtp_transaction_id;
+ }
+}
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/.gitattributes b/formulier/assets/vendor/phpoffice/phpspreadsheet/.gitattributes
new file mode 100755
index 0000000..a898d35
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/.gitattributes
@@ -0,0 +1,2 @@
+/tests export-ignore
+README.md export-ignore
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/.github/ISSUE_TEMPLATE.md b/formulier/assets/vendor/phpoffice/phpspreadsheet/.github/ISSUE_TEMPLATE.md
new file mode 100755
index 0000000..c25612a
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/.github/ISSUE_TEMPLATE.md
@@ -0,0 +1,31 @@
+This is:
+
+```
+- [ ] a bug report
+- [ ] a feature request
+- [ ] **not** a usage question (ask them on https://stackoverflow.com/questions/tagged/phpspreadsheet or https://gitter.im/PHPOffice/PhpSpreadsheet)
+```
+
+### What is the expected behavior?
+
+
+### What is the current behavior?
+
+
+### What are the steps to reproduce?
+
+Please provide a [Minimal, Complete, and Verifiable example](http://stackoverflow.com/help/mcve) of code that exhibits the issue without relying on an external Excel file or a web server:
+
+```php
+
+ This issue has been automatically marked as stale because it has not had
+ recent activity. It will be closed if no further activity occurs.
+
+ If this is still an issue for you, please try to help by debugging it
+ further and sharing your results.
+
+ Thank you for your contributions.
+
+# Comment to post when closing a stale issue. Set to `false` to disable
+closeComment: false
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/.github/support.yml b/formulier/assets/vendor/phpoffice/phpspreadsheet/.github/support.yml
new file mode 100755
index 0000000..e66573e
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/.github/support.yml
@@ -0,0 +1,15 @@
+# Label used to mark issues as support requests
+supportLabel: question
+# Comment to post on issues marked as support requests. Add a link
+# to a support page, or set to `false` to disable
+supportComment: >
+ This looks like a support question. Please ask your support questions on
+ [StackOverflow](http://stackoverflow.com/questions/tagged/phpspreadsheet),
+ or [Gitter](https://gitter.im/PHPOffice/PhpSpreadsheet).
+
+ Thank you for your contributions.
+
+# Whether to close issues marked as support requests
+close: true
+# Whether to lock issues marked as support requests
+lock: false
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/.gitignore b/formulier/assets/vendor/phpoffice/phpspreadsheet/.gitignore
new file mode 100755
index 0000000..011328e
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/.gitignore
@@ -0,0 +1,11 @@
+/tests/codeCoverage
+/analysis
+/vendor/
+/phpunit.xml
+/.php_cs.cache
+
+## IDE support
+*.buildpath
+*.project
+/.settings
+/.idea
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/.php_cs.dist b/formulier/assets/vendor/phpoffice/phpspreadsheet/.php_cs.dist
new file mode 100755
index 0000000..5a494b8
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/.php_cs.dist
@@ -0,0 +1,181 @@
+exclude('vendor')
+ ->in('samples')
+ ->in('src')
+ ->in('tests');
+
+return PhpCsFixer\Config::create()
+ ->setRiskyAllowed(true)
+ ->setFinder($finder)
+ ->setRules([
+ 'align_multiline_comment' => true,
+ 'array_syntax' => ['syntax' => 'short'],
+ 'backtick_to_shell_exec' => true,
+ 'binary_operator_spaces' => true,
+ 'blank_line_after_namespace' => true,
+ 'blank_line_after_opening_tag' => true,
+ 'blank_line_before_statement' => true,
+ 'braces' => true,
+ 'cast_spaces' => true,
+ 'class_attributes_separation' => ['elements' => ['method', 'property']], // const are often grouped with other related const
+ 'class_definition' => true,
+ 'class_keyword_remove' => false, // ::class keyword gives us beter support in IDE
+ 'combine_consecutive_issets' => true,
+ 'combine_consecutive_unsets' => true,
+ 'compact_nullable_typehint' => true,
+ 'concat_space' => ['spacing' => 'one'],
+ 'declare_equal_normalize' => true,
+ 'declare_strict_types' => false, // Too early to adopt strict types
+ 'dir_constant' => true,
+ 'doctrine_annotation_array_assignment' => true,
+ 'doctrine_annotation_braces' => true,
+ 'doctrine_annotation_indentation' => true,
+ 'doctrine_annotation_spaces' => true,
+ 'elseif' => true,
+ 'encoding' => true,
+ 'ereg_to_preg' => true,
+ 'escape_implicit_backslashes' => true,
+ 'explicit_indirect_variable' => false, // I feel it makes the code actually harder to read
+ 'explicit_string_variable' => false, // I feel it makes the code actually harder to read
+ 'final_internal_class' => true,
+ 'full_opening_tag' => true,
+ 'function_declaration' => true,
+ 'function_to_constant' => true,
+ 'function_typehint_space' => true,
+ 'general_phpdoc_annotation_remove' => false, // No use for that
+ 'hash_to_slash_comment' => true,
+ 'header_comment' => false, // We don't use common header in all our files
+ 'heredoc_to_nowdoc' => false, // Not sure about this one
+ 'include' => true,
+ 'increment_style' => true,
+ 'indentation_type' => true,
+ 'is_null' => ['use_yoda_style' => false],
+ 'linebreak_after_opening_tag' => true,
+ 'line_ending' => true,
+ 'list_syntax' => ['syntax' => 'long'], // Stay compatiblew with PHP 5.6
+ 'lowercase_cast' => true,
+ 'lowercase_constants' => true,
+ 'lowercase_keywords' => true,
+ 'magic_constant_casing' => true,
+ 'mb_str_functions' => false, // No, too dangerous to change that
+ 'method_argument_space' => true,
+ 'method_chaining_indentation' => true,
+ 'method_separation' => true,
+ 'modernize_types_casting' => true,
+ 'multiline_comment_opening_closing' => true,
+ 'native_function_casing' => true,
+ 'native_function_invocation' => false, // This is risky and seems to be micro-optimization that make code uglier so not worth it, at least for now
+ 'new_with_braces' => true,
+ 'no_alias_functions' => true,
+ 'no_blank_lines_after_class_opening' => true,
+ 'no_blank_lines_after_phpdoc' => true,
+ 'no_blank_lines_before_namespace' => false, // we want 1 blank line before namespace
+ 'no_break_comment' => true,
+ 'no_closing_tag' => true,
+ 'no_empty_comment' => true,
+ 'no_empty_phpdoc' => true,
+ 'no_empty_statement' => true,
+ 'no_extra_blank_lines' => true,
+ 'no_homoglyph_names' => true,
+ 'no_leading_import_slash' => true,
+ 'no_leading_namespace_whitespace' => true,
+ 'no_mixed_echo_print' => true,
+ 'no_multiline_whitespace_around_double_arrow' => true,
+ 'no_multiline_whitespace_before_semicolons' => true,
+ 'non_printable_character' => true,
+ 'no_null_property_initialization' => true,
+ 'no_php4_constructor' => true,
+ 'normalize_index_brace' => true,
+ 'no_short_bool_cast' => true,
+ 'no_short_echo_tag' => true,
+ 'no_singleline_whitespace_before_semicolons' => true,
+ 'no_spaces_after_function_name' => true,
+ 'no_spaces_around_offset' => true,
+ 'no_spaces_inside_parenthesis' => true,
+ 'no_superfluous_elseif' => false, // Might be risky on a huge code base
+ 'not_operator_with_space' => false, // No we prefer to keep '!' without spaces
+ 'not_operator_with_successor_space' => false, // idem
+ 'no_trailing_comma_in_list_call' => true,
+ 'no_trailing_comma_in_singleline_array' => true,
+ 'no_trailing_whitespace_in_comment' => true,
+ 'no_trailing_whitespace' => true,
+ 'no_unneeded_control_parentheses' => true,
+ 'no_unneeded_curly_braces' => true,
+ 'no_unneeded_final_method' => true,
+ 'no_unreachable_default_argument_value' => true,
+ 'no_unused_imports' => true,
+ 'no_useless_else' => true,
+ 'no_useless_return' => true,
+ 'no_whitespace_before_comma_in_array' => true,
+ 'no_whitespace_in_blank_line' => true,
+ 'object_operator_without_whitespace' => true,
+ 'ordered_class_elements' => false, // We prefer to keep some freedom
+ 'ordered_imports' => true,
+ 'phpdoc_add_missing_param_annotation' => true,
+ 'phpdoc_align' => false, // Waste of time
+ 'phpdoc_annotation_without_dot' => true,
+ 'phpdoc_indent' => true,
+ 'phpdoc_inline_tag' => true,
+ 'phpdoc_no_access' => true,
+ 'phpdoc_no_alias_tag' => true,
+ 'phpdoc_no_empty_return' => true,
+ 'phpdoc_no_package' => true,
+ 'phpdoc_no_useless_inheritdoc' => true,
+ 'phpdoc_order' => true,
+ 'phpdoc_return_self_reference' => true,
+ 'phpdoc_scalar' => true,
+ 'phpdoc_separation' => true,
+ 'phpdoc_single_line_var_spacing' => true,
+ 'phpdoc_summary' => true,
+ 'phpdoc_to_comment' => true,
+ 'phpdoc_trim' => true,
+ 'phpdoc_types_order' => true,
+ 'phpdoc_types' => true,
+ 'phpdoc_var_without_name' => true,
+ 'php_unit_construct' => true,
+ 'php_unit_dedicate_assert' => true,
+ 'php_unit_expectation' => true,
+ 'php_unit_fqcn_annotation' => true,
+ 'php_unit_mock' => true,
+ 'php_unit_namespaced' => true,
+ 'php_unit_no_expectation_annotation' => true,
+ 'php_unit_strict' => false, // We sometime actually need assertEquals
+ 'php_unit_test_annotation' => true,
+ 'php_unit_test_class_requires_covers' => false, // We don't care as much as we should about coverage
+ 'pow_to_exponentiation' => false,
+ 'protected_to_private' => true,
+ 'psr0' => true,
+ 'psr4' => true,
+ 'random_api_migration' => false, // This breaks our unit tests
+ 'return_type_declaration' => true,
+ 'self_accessor' => true,
+ 'semicolon_after_instruction' => false, // Buggy in `samples/index.php`
+ 'short_scalar_cast' => true,
+ 'silenced_deprecation_error' => true,
+ 'simplified_null_return' => false, // While technically correct we prefer to be explicit when returning null
+ 'single_blank_line_at_eof' => true,
+ 'single_blank_line_before_namespace' => true,
+ 'single_class_element_per_statement' => true,
+ 'single_import_per_statement' => true,
+ 'single_line_after_imports' => true,
+ 'single_line_comment_style' => true,
+ 'single_quote' => true,
+ 'space_after_semicolon' => true,
+ 'standardize_not_equals' => true,
+ 'static_lambda' => false, // Risky if we can't guarantee nobody use `bindTo()`
+ 'strict_comparison' => false, // No, too dangerous to change that
+ 'strict_param' => false, // No, too dangerous to change that
+ 'switch_case_semicolon_to_colon' => true,
+ 'switch_case_space' => true,
+ 'ternary_operator_spaces' => true,
+ 'ternary_to_null_coalescing' => false, // Cannot use that with PHP 5.6
+ 'trailing_comma_in_multiline_array' => true,
+ 'trim_array_spaces' => true,
+ 'unary_operator_spaces' => true,
+ 'visibility_required' => true,
+ 'void_return' => false, // Cannot use that with PHP 5.6
+ 'whitespace_after_comma_in_array' => true,
+ 'yoda_style' => false,
+ ]);
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/.scrutinizer.yml b/formulier/assets/vendor/phpoffice/phpspreadsheet/.scrutinizer.yml
new file mode 100755
index 0000000..748f3ac
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/.scrutinizer.yml
@@ -0,0 +1,27 @@
+checks:
+ php: true
+
+coding_style:
+ php:
+ spaces:
+ before_parentheses:
+ closure_definition: true
+ around_operators:
+ concatenation: true
+
+build:
+ nodes:
+ analysis:
+ tests:
+ override:
+ - php-scrutinizer-run
+
+tools:
+ external_code_coverage:
+ timeout: 3600
+
+build_failure_conditions:
+ - 'elements.rating(<= C).new.exists' # No new classes/methods with a rating of C or worse allowed
+ - 'issues.severity(>= MAJOR).new.exists' # New issues of major or higher severity
+ - 'project.metric_change("scrutinizer.test_coverage", < 0)' # Code Coverage decreased from previous inspection
+ - 'patches.label("Unused Use Statements").new.exists' # No new unused imports patches allowed
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/.travis.yml b/formulier/assets/vendor/phpoffice/phpspreadsheet/.travis.yml
new file mode 100755
index 0000000..f8ace31
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/.travis.yml
@@ -0,0 +1,40 @@
+language: php
+dist: trusty
+sudo: false
+
+php:
+ - 5.6
+ - 7.0
+ - 7.1
+ - 7.2
+
+cache:
+ directories:
+ - vendor
+ - $HOME/.composer/cache
+
+before_script:
+ # Deactivate xdebug
+ - if [ -z "$KEEP_XDEBUG" ]; then rm -rfv /home/travis/.phpenv/versions/$(phpenv version-name)/etc/conf.d/xdebug.ini ; fi
+ - composer install --ignore-platform-reqs
+
+script:
+ - ./vendor/bin/phpunit
+
+jobs:
+ include:
+
+ - stage: Code style
+ php: 7.1
+ script:
+ - ./vendor/bin/php-cs-fixer fix --diff --verbose --dry-run
+ - ./vendor/bin/phpcs --report-width=200 --report-summary --report-full samples/ src/ tests/ --ignore=samples/Header.php --standard=PSR2 -n
+
+ - stage: Coverage
+ php: 7.1
+ env: KEEP_XDEBUG=1
+ script:
+ - ./vendor/bin/phpunit --debug --coverage-clover coverage-clover.xml
+ after_script:
+ - wget https://scrutinizer-ci.com/ocular.phar
+ - php ocular.phar code-coverage:upload --format=php-clover tests/coverage-clover.xml
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/CHANGELOG.PHPExcel.md b/formulier/assets/vendor/phpoffice/phpspreadsheet/CHANGELOG.PHPExcel.md
new file mode 100755
index 0000000..a32f78b
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/CHANGELOG.PHPExcel.md
@@ -0,0 +1,1593 @@
+# Changelog for PHPExcel
+
+This is the historic changelog of the project when it was still called PHPExcel.
+It exists only for historical purposes and versions mentioned here should not be
+confused with PhpSpreadsheet versions.
+
+## [1.8.1] - 2015-04-30
+
+### Bugfixes
+
+- Fix for Writing an Open Document cell with non-numeric formula - @goncons [#397](https://github.com/PHPOffice/PHPExcel/issues/397)
+- Avoid potential divide by zero in basedrawing - @sarciszewski [#329](https://github.com/PHPOffice/PHPExcel/issues/329)
+- XML External Entity (XXE) Processing, different behaviour between simplexml_load_string() and simplexml_load_file(). - @ymaerschalck [#405](https://github.com/PHPOffice/PHPExcel/issues/405)
+- Fix to ensure that current cell is maintained when executing formula calculations - @MarkBaker
+- Keep/set the value on Reader _loadSheetsOnly as NULL, courtesy of Restless-ET - @MarkBaker [#350](https://github.com/PHPOffice/PHPExcel/issues/350)
+- Loading an Excel 2007 spreadsheet throws an "Autofilter must be set on a range of cells" exception - @MarkBaker [CodePlex #18105](https://phpexcel.codeplex.com/workitem/18105)
+- Fix to autoloader registration for backward compatibility with PHP 5.2.0 not accepting the prepend flag - @MarkBaker [#388](https://github.com/PHPOffice/PHPExcel/issues/388)
+- DOM loadHTMLFile() failing with options flags when using PHP < 5.4.0 - @MarkBaker [#384](https://github.com/PHPOffice/PHPExcel/issues/384)
+- Fix for percentage operator in formulae for BIFF Writer - @MarkBaker
+- Fix to getStyle() call for cell object - @MarkBaker
+- Discard Autofilters in Excel2007 Reader when filter range isn't a valid range - @MarkBaker
+- Fix invalid NA return in VLOOKUP - @frozenstupidity [#423](https://github.com/PHPOffice/PHPExcel/issues/423)
+- "No Impact" conditional formatting fix for NumberFormat - @wiseloren [CodePlex #21454](https://phpexcel.codeplex.com/workitem/21454)
+- Bug in Excel2003XML reader, parsing merged cells - @bobwitlox [#467](https://github.com/PHPOffice/PHPExcel/issues/467)
+- Fix for CEIL() and FLOOR() when number argument is zero - @MarkBaker [#302](https://github.com/PHPOffice/PHPExcel/issues/302)
+
+### General
+
+- Remove cells cleanly when calling RemoveRow() or RemoveColumn() - @MarkBaker
+- Small performance improvement for autosize columns - @MarkBaker
+- Change the getter/setter for zeroHeight to camel case - @frost-nzcr4 [#379](https://github.com/PHPOffice/PHPExcel/issues/379)
+- DefaultValueBinder is too much aggressive when converting string to numeric - @MarkBaker [#394](https://github.com/PHPOffice/PHPExcel/issues/394)
+- Default precalculate formulas to false for writers - @MarkBaker
+- Set default Cyclic Reference behaviour to 1 to eliminate exception when using a single cyclic iteration in formulae - @MarkBaker
+
+### Features
+
+- Some Excel writer libraries erroneously use Codepage 21010 for UTF-16LE - @MarkBaker [#396](https://github.com/PHPOffice/PHPExcel/issues/396)
+- Methods to manage most of the existing options for Chart Axis, Major Grid-lines and Minor Grid-lines - @WiktrzGE [#404](https://github.com/PHPOffice/PHPExcel/issues/404)
+- ODS read/write comments in the cell - @frost-nzcr4 [#403](https://github.com/PHPOffice/PHPExcel/issues/403)
+- Additional Mac CJK codepage definitions - @CQD [#389](https://github.com/PHPOffice/PHPExcel/issues/389)
+- Update Worksheet.php getStyleByColumnAndRow() to allow a range of cells rather than just a single cell - @bolovincev [#269](https://github.com/PHPOffice/PHPExcel/issues/269)
+- New methods added for testing cell status within merge groups - @MarkBaker
+- Handling merge cells in HTML Reader - @cifren/MBaker [#205](https://github.com/PHPOffice/PHPExcel/issues/205)
+- Helper to convert basic HTML markup to a Rich Text object - @MarkBaker
+- Improved Iterators - @MarkBaker
+ - New Column Iterator
+ - Support for row and column ranges
+ - Improved handling for next/prev
+
+### Security
+
+- XML filescan in XML-based Readers to prevent XML Entity Expansion (XEE) - @MarkBaker
+ - (see http://projects.webappsec.org/w/page/13247002/XML%20Entity%20Expansion for an explanation of XEE injection) attacks
+ - Reference CVE-2015-3542 - Identification of problem courtesy of Dawid Golunski (Pentest Ltd.)
+
+## [1.8.0] - 2014-03-02
+
+### Bugfixes
+
+- Undefined variable: fileHandle in CSV Reader - @MarkBaker [CodePlex #19830](https://phpexcel.codeplex.com/workitem/19830)
+- Out of memory in style/supervisor.php - @MarkBaker [CodePlex #19968](https://phpexcel.codeplex.com/workitem/19968)
+- Style error with merged cells in PDF Writer - @MarkBaker
+- Problem with cloning worksheets - @MarkBaker
+- Bug fix reading Open Office files - @tavoarcila [#259](https://github.com/PHPOffice/PHPExcel/issues/259)
+- Serious bug in absolute cell reference used in shared formula - @MarkBaker [CodePlex #20397](https://phpexcel.codeplex.com/workitem/20397)
+ - Would also have affected insert/delete column/row- CHOOSE() returns "#VALUE!" if the 1st entry is chosen - @RomanSyroeshko [#267](https://github.com/PHPOffice/PHPExcel/issues/267)
+- When duplicating styles, styles shifted by one column to the right - @Gemorroj [#268](https://github.com/PHPOffice/PHPExcel/issues/268)
+ - Fix also applied to duplicating conditional styles- Fix for formulae that reference a sheet whose name begins with a digit: - @IndrekHaav [#212](https://github.com/PHPOffice/PHPExcel/issues/212)
+ - these were erroneously identified as numeric values, causing the parser to throw an undefined variable error.- Fixed undefined variable error due to $styleArray being used before it's initialised - @IndrekHaav [CodePlex #16208](https://phpexcel.codeplex.com/workitem/16208)
+- ISTEXT() return wrong result if referencing an empty but formatted cell - @PowerKiKi [#273](https://github.com/PHPOffice/PHPExcel/issues/273)
+- Binary comparison of strings are case insensitive - @PowerKiKi [#270](https://github.com/PHPOffice/PHPExcel/issues/270), [#31](https://github.com/PHPOffice/PHPExcel/issues/31)
+- Insert New Row/Column Before is not correctly updating formula references - @MarkBaker [#275](https://github.com/PHPOffice/PHPExcel/issues/275)
+- Passing an array of cells to _generateRow() in the HTML/PDF Writer causes caching problems with last cell in the range - @MarkBaker [#257](https://github.com/PHPOffice/PHPExcel/issues/257)
+- Fix to empty worksheet garbage collection when using cell caching - @MarkBaker [#193](https://github.com/PHPOffice/PHPExcel/issues/193)
+- Excel2007 does not correctly mark rows as hidden - @Jazzo [#248](https://github.com/PHPOffice/PHPExcel/issues/248)
+- Fixed typo in Chart/Layout set/getYMode() - @Roy Shahbazian [#299](https://github.com/PHPOffice/PHPExcel/issues/299)
+- Fatal error: Call to a member function cellExists() line: 3327 in calculation.php if referenced worksheet doesn't exist - @EliuFlorez [#279](https://github.com/PHPOffice/PHPExcel/issues/279)
+- AdvancedValueBinder "Division by zero"-error - @MarkBaker [#290](https://github.com/PHPOffice/PHPExcel/issues/290)
+- Adding Sheet to Workbook Bug - @MarkBaker [CodePlex #20604](https://phpexcel.codeplex.com/workitem/20604)
+- Calculation engine incorrectly evaluates empty cells as #VALUE - @MarkBaker [CodePlex #20703](https://phpexcel.codeplex.com/workitem/20703)
+- Formula references to cell on another sheet in ODS files - @MarkBaker [CodePlex #20760](https://phpexcel.codeplex.com/workitem/20760)
+
+### Features
+
+- LibreOffice created XLSX files results in an empty file. - @MarkBaker [#321](https://github.com/PHPOffice/PHPExcel/issues/321), [#158](https://github.com/PHPOffice/PHPExcel/issues/158), [CodePlex #17824](https://phpexcel.codeplex.com/workitem/17824)
+- Implementation of the Excel HLOOKUP() function - @amerov
+- Added "Quote Prefix" to style settings (Excel2007 Reader and Writer only) - @MarkBaker
+- Added Horizontal FILL alignment for Excel5 and Excel2007 Readers/Writers, and Horizontal DISTRIBUTED alignment for Excel2007 Reader/Writer - @MarkBaker
+- Add support for reading protected (RC4 encrypted) .xls files - @trvrnrth [#261](https://github.com/PHPOffice/PHPExcel/issues/261)
+
+### General
+
+- Adding support for macros, Ribbon in Excel 2007 - @LWol [#252](https://github.com/PHPOffice/PHPExcel/issues/252)
+- Remove array_shift in ReferenceHelper::insertNewBefore improves column or row delete speed - @cdhutch [CodePlex #20055](https://phpexcel.codeplex.com/workitem/20055)
+- Improve stock chart handling and rendering, with help from Swashata Ghosh - @MarkBaker
+- Fix to calculation properties for Excel2007 so that the opening application will only recalculate on load if it's actually required - @MarkBaker
+- Modified Excel2007 Writer to default preCalculateFormulas to false - @MarkBaker
+ - Note that autosize columns will still recalculate affected formulae internally- Functionality to getHighestRow() for a specified column, and getHighestColumn() for a specified row - @dresenhista [#242](https://github.com/PHPOffice/PHPExcel/issues/242)
+- Modify PHPExcel_Reader_Excel2007 to use zipClass from PHPExcel_Settings::getZipClass() - @adamriyadi [#247](https://github.com/PHPOffice/PHPExcel/issues/247)
+ - This allows the use of PCLZip when reading for people that don't have access to ZipArchive
+### Security
+
+- Convert properties to string in OOCalc reader - @infojunkie [#276](https://github.com/PHPOffice/PHPExcel/issues/276)
+- Disable libxml external entity loading by default. - @maartenba [#322](https://github.com/PHPOffice/PHPExcel/issues/322)
+ - This is to prevent XML External Entity Processing (XXE) injection attacks (see http://websec.io/2012/08/27/Preventing-XEE-in-PHP.html for an explanation of XXE injection).
+ - Reference CVE-2014-2054
+
+## [1.7.9] - 2013-06-02
+
+### Features
+
+- Include charts option for HTML Writer - @MarkBaker
+- Added composer file - @MarkBaker
+- cache_in_memory_gzip "eats" last worksheet line, cache_in_memory doesn't - @MarkBaker [CodePlex #18844](https://phpexcel.codeplex.com/workitem/18844)
+- echo statements in HTML.php - @MarkBaker [#104](https://github.com/PHPOffice/PHPExcel/issues/104)
+
+### Bugfixes
+
+- Added getStyle() method to Cell object - @MarkBaker
+- Error in PHPEXCEL/Calculation.php script on line 2976 (stack pop check) - @Asker [CodePlex #18777](https://phpexcel.codeplex.com/workitem/18777)
+- CSV files without a file extension being identified as HTML - @MarkBaker [CodePlex #18794](https://phpexcel.codeplex.com/workitem/18794)
+- Wrong check for maximum number of rows in Excel5 Writer - @AndreKR [#66](https://github.com/PHPOffice/PHPExcel/issues/66)
+- Cache directory for DiscISAM cache storage cannot be set - @MarkBaker [#67](https://github.com/PHPOffice/PHPExcel/issues/67)
+- Fix to Excel2007 Reader for hyperlinks with an anchor fragment (following a #), otherwise they were treated as sheet references - @MarkBaker [CodePlex #17976](https://phpexcel.codeplex.com/workitem/17976)
+- getSheetNames() fails on numeric (floating point style) names with trailing zeroes - @MarkBaker [CodePlex #18963](https://phpexcel.codeplex.com/workitem/18963)
+- Modify cell's getCalculatedValue() method to return the content of RichText objects rather than the RichText object itself - @MarkBaker
+- Fixed formula/formatting bug when removing rows - @techhead [#70](https://github.com/PHPOffice/PHPExcel/issues/70)
+- Fix to cellExists for non-existent namedRanges - @alexgann [#63](https://github.com/PHPOffice/PHPExcel/issues/63)
+- Sheet View in Excel5 Writer - @Progi1984 [#22](https://github.com/PHPOffice/PHPExcel/issues/22)
+- PHPExcel_Worksheet::getCellCollection() may not return last cached cell - @amironov [#82](https://github.com/PHPOffice/PHPExcel/issues/82)
+- Rich Text containing UTF-8 characters creating unreadable content with Excel5 Writer - @teso [CodePlex #18551](https://phpexcel.codeplex.com/workitem/18551)
+- Work item GH-8/CP11704 : Conditional formatting in Excel 5 Writer - @Progi1984
+- canRead() Error for GoogleDocs ODS files: in ODS files from Google Docs there is no mimetype file - @MarkBaker [#113](https://github.com/PHPOffice/PHPExcel/issues/113)
+- "Sheet index is out of bounds." Exception - @MarkBaker [#80](https://github.com/PHPOffice/PHPExcel/issues/80)
+- Fixed number format fatal error - @ccorliss [#105](https://github.com/PHPOffice/PHPExcel/issues/105)
+- Add DROP TABLE in destructor for SQLite and SQLite3 cache controllers - @MarkBaker
+- Fix merged-cell borders on HTML/PDF output - @alexgann [#154](https://github.com/PHPOffice/PHPExcel/issues/154)
+- Fix: Hyperlinks break when removing rows - @Shanto [#161](https://github.com/PHPOffice/PHPExcel/issues/161)
+- Fix Extra Table Row From Images and Charts - @neclimdul [#166](https://github.com/PHPOffice/PHPExcel/issues/166)
+
+### General
+
+- Single cell print area - @MarkBaker [#130](https://github.com/PHPOffice/PHPExcel/issues/130)
+- Improved AdvancedValueBinder for currency - @kea [#69](https://github.com/PHPOffice/PHPExcel/issues/69)
+- Fix for environments where there is no access to /tmp but to upload_tmp_dir - @MarkBaker
+ - Provided an option to set the sys_get_temp_dir() call to use the upload_tmp_dir; though by default the standard temp directory will still be used- Search style by identity in PHPExcel_Worksheet::duplicateStyle() - @amironov [#84](https://github.com/PHPOffice/PHPExcel/issues/84)
+- Fill SheetView IO in Excel5 - @karak [#85](https://github.com/PHPOffice/PHPExcel/issues/85)
+- Memory and Speed improvements in PHPExcel_Reader_Excel5 - @cfhay [CodePlex #18958](https://phpexcel.codeplex.com/workitem/18958)
+- Modify listWorksheetNames() and listWorksheetInfo to use XMLReader with streamed XML rather than SimpleXML - @MarkBaker [#78](https://github.com/PHPOffice/PHPExcel/issues/78)
+- Restructuring of PHPExcel Exceptions - @dbonsch
+- Refactor Calculation Engine from singleton to a Multiton - @MarkBaker
+ - Ensures that calculation cache is maintained independently for different workbooks
+
+## [1.7.8] - 2012-10-12
+
+### Features
+
+- Phar builder script to add phar file as a distribution option - @kkamkou
+- Refactor PDF Writer to allow use with a choice of PDF Rendering library - @MarkBaker
+ - rather than restricting to tcPDF
+ - Current options are tcPDF, mPDF, DomPDF
+ - tcPDF Library has now been removed from the deployment bundle- Initial version of HTML Reader - @MarkBaker
+- Implement support for AutoFilter in PHPExcel_Writer_Excel5 - @Progi1984
+- Modified ERF and ERFC Engineering functions to accept Excel 2010's modified acceptance of negative arguments - @MarkBaker
+- Support SheetView `view` attribute (Excel2007) - @k1LoW
+- Excel compatibility option added for writing CSV files - @MarkBaker
+ - While Excel 2010 can read CSV files with a simple UTF-8 BOM, Excel2007 and earlier require UTF-16LE encoded tab-separated files.
+ - The new setExcelCompatibility(TRUE) option for the CSV Writer will generate files with this formatting for easy import into Excel2007 and below.- Language implementations for Turkish (tr) - @MarkBaker
+- Added fraction tests to advanced value binder - @MarkBaker
+
+### General
+
+- Allow call to font setUnderline() for underline format to specify a simple boolean for UNDERLINE_NONE or UNDERLINE_SINGLE - @MarkBaker
+- Add Currency detection to the Advanced Value Binder - @alexgann
+- setCellValueExplicitByColumnAndRow() do not return PHPExcel_Worksheet - @MarkBaker [CodePlex #18404](https://phpexcel.codeplex.com/workitem/18404)
+- Reader factory doesn't read anymore XLTX and XLT files - @MarkBaker [CodePlex #18324](https://phpexcel.codeplex.com/workitem/18324)
+- Magic __toString() method added to Cell object to return raw data value as a string - @MarkBaker
+- Add cell indent to html rendering - @alexgann
+
+### Bugfixes
+
+- ZeroHeight for rows in sheet format - @Raghav1981
+- OOCalc cells containing inside the tag - @cyberconte
+- Fix to listWorksheetInfo() method for OOCalc Reader - @schir1964
+- Support for "e" (epoch) date format mask - @MarkBaker
+ - Rendered as a 4-digit CE year in non-Excel outputs- Background color cell is always black when editing cell - @MarkBaker
+- Allow "no impact" to formats on Conditional Formatting - @MarkBaker
+- OOCalc Reader fix for NULL cells - @wackonline
+- Fix to excel2007 Chart Writer when a $plotSeriesValues is empty - @seltzlab
+- Various fixes to Chart handling - @MarkBaker
+- Error loading xlsx file with column breaks - @MarkBaker [CodePlex #18370](https://phpexcel.codeplex.com/workitem/18370)
+- OOCalc Reader now handles percentage and currency data types - @MarkBaker
+- mb_stripos empty delimiter - @MarkBaker
+- getNestingLevel() Error on Excel5 Read - @takaakik
+- Fix to Excel5 Reader when cell annotations are defined before their referenced text objects - @MarkBaker
+- OOCalc Reader modified to process number-rows-repeated - @MarkBaker
+- Chart Title compatibility on Excel 2007 - @MarkBaker [CodePlex #18377](https://phpexcel.codeplex.com/workitem/18377)
+- Chart Refresh returning cell reference rather than values - @MarkBaker [CodePlex #18146](https://phpexcel.codeplex.com/workitem/18146)
+- Autoshape being identified in twoCellAnchor when includeCharts is TRUE triggering load error - @MarkBaker [CodePlex #18145](https://phpexcel.codeplex.com/workitem/18145)
+- v-type texts for series labels now recognised and parsed correctly - @MarkBaker [CodePlex #18325](https://phpexcel.codeplex.com/workitem/18325)
+- load file failed if the file has no extensionType - @wolf5x [CodePlex #18492](https://phpexcel.codeplex.com/workitem/18492)
+- Pattern fill colours in Excel2007 Style Writer - @dverspui
+- Excel2007 Writer order of font style elements to conform with Excel2003 using compatibility pack - @MarkBaker
+- Problems with $_activeSheetIndex when decreased below 0. - @MarkBaker [CodePlex #18425](https://phpexcel.codeplex.com/workitem/18425)
+- PHPExcel_CachedObjectStorage_SQLite3::cacheMethodIsAvailable() uses class_exists - autoloader throws error - @MarkBaker [CodePlex #18597](https://phpexcel.codeplex.com/workitem/18597)
+- Cannot access private property PHPExcel_CachedObjectStorageFactory::$_cacheStorageMethod - @MarkBaker [CodePlex #18598](https://phpexcel.codeplex.com/workitem/18598)
+- Data titles for charts - @MarkBaker [CodePlex #18397](https://phpexcel.codeplex.com/workitem/18397)
+ - PHPExcel_Chart_Layout now has methods for getting/setting switches for displaying/hiding chart data labels- Discard single cell merge ranges when reading (stupid that Excel allows them in the first place) - @MarkBaker
+- Discard hidden autoFilter named ranges - @MarkBaker
+
+## [1.7.7] - 2012-05-19
+
+### Bugfixes
+
+- Support for Rich-Text in PHPExcel_Writer_Excel5 - @Progi1984 [CodePlex #8916](https://phpexcel.codeplex.com/workitem/8916)
+- Change iterators to implement Iterator rather than extend CachingIterator, as a fix for PHP 5.4. changes in SPL - @MarkBaker
+- Invalid cell coordinate in Autofilter for Excel2007 Writer - @MarkBaker [CodePlex #15459](https://phpexcel.codeplex.com/workitem/15459)
+- PCLZip library issue - @MarkBaker [CodePlex #15518](https://phpexcel.codeplex.com/workitem/15518)
+- Excel2007 Reader canRead function bug - @MarkBaker [CodePlex #15537](https://phpexcel.codeplex.com/workitem/15537)
+- Support for Excel functions whose return can be used as either a value or as a cell reference depending on its context within a formula - @MarkBaker
+- ini_set() call in Calculation class destructor - @gilles06 [CodePlex #15707](https://phpexcel.codeplex.com/workitem/15707)
+- RangeToArray strange array keys - @MarkBaker [CodePlex #15786](https://phpexcel.codeplex.com/workitem/15786)
+- INDIRECT() function doesn't work with named ranges - @MarkBaker [CodePlex #15762](https://phpexcel.codeplex.com/workitem/15762)
+- Locale-specific fix to text functions when passing a boolean argument instead of a string - @MarkBaker
+- reader/CSV fails on this file - @MarkBaker [CodePlex #16246](https://phpexcel.codeplex.com/workitem/16246)
+ - auto_detect_line_endings now set in CSV reader- $arguments improperly used in CachedObjectStorage/PHPTemp.php - @MarkBaker [CodePlex #16212](https://phpexcel.codeplex.com/workitem/16212)
+- Bug In Cache System (cell reference when throwing caching errors) - @MarkBaker [CodePlex #16643](https://phpexcel.codeplex.com/workitem/16643)
+- PHP Invalid index notice on writing excel file when active sheet has been deleted - @MarkBaker [CodePlex #16895](https://phpexcel.codeplex.com/workitem/16895)
+- External links in Excel2010 files cause Fatal error - @MarkBaker [CodePlex #16956](https://phpexcel.codeplex.com/workitem/16956)
+- Previous calculation engine error conditions trigger cyclic reference errors - @MarkBaker [CodePlex #16960](https://phpexcel.codeplex.com/workitem/16960)
+- PHPExcel_Style::applyFromArray() returns null rather than style object in advanced mode - @mkopinsky [CodePlex #16266](https://phpexcel.codeplex.com/workitem/16266)
+- Cell::getFormattedValue returns RichText object instead of string - @fauvel [CodePlex #16958](https://phpexcel.codeplex.com/workitem/16958)
+- Indexed colors do not refer to Excel's indexed colors? - @MarkBaker [CodePlex #17166](https://phpexcel.codeplex.com/workitem/17166)
+- Indexed colors should be consistent with Excel and start from 1 (current index starts at 0) - @MarkBaker [CodePlex #17199](https://phpexcel.codeplex.com/workitem/17199)
+- Named Range definition in .xls when sheet reeference is quote wrapped - @MarkBaker [CodePlex #17262](https://phpexcel.codeplex.com/workitem/17262)
+- duplicateStyle() method doesn't duplicate conditional formats - @MarkBaker [CodePlex #17403](https://phpexcel.codeplex.com/workitem/17403)
+ - Added an equivalent duplicateConditionalStyle() method for duplicating conditional styles- =sumproduct(A,B) <> =sumproduct(B,A) in xlsx - @bnr [CodePlex #17501](https://phpexcel.codeplex.com/workitem/17501)
+
+### Features
+
+- OOCalc cells contain same data bug? - @cyberconte [CodePlex #17471](https://phpexcel.codeplex.com/workitem/17471)
+- listWorksheetInfo() method added to Readers... courtesy of Christopher Mullins - @schir1964
+- Options for cell caching using Igbinary and SQLite/SQlite3. - @MarkBaker
+- Additional row iterator options: allow a start row to be defined in the constructor; seek(), and prev() methods added. - @MarkBaker
+- Implement document properties in Excel5 writer - @Progi1984 [CodePlex #9759](https://phpexcel.codeplex.com/workitem/9759)
+
+### General
+
+- Implement chart functionality (EXPERIMENTAL) - @MarkBaker [CodePlex #16](https://phpexcel.codeplex.com/workitem/16)
+ - Initial definition of chart objects.
+ - Reading Chart definitions through the Excel2007 Reader
+ - Facility to render charts to images using the 3rd-party jpgraph library
+ - Writing Charts using the Excel2007 Writer- Fix to build to ensure that Examples are included with the documentation - @MarkBaker
+- Reduce cell caching overhead using dirty flag to ensure that cells are only rewritten to the cache if they have actually been changed - @MarkBaker
+- Improved memory usage in CSV Writer - @MarkBaker
+- Improved speed and memory usage in Excel5 Writer - @MarkBaker
+- Experimental - @MarkBaker
+ - Added getHighestDataColumn(), getHighestDataRow(), getHighestRowAndColumn() and calculateWorksheetDataDimension() methods for the worksheet that return the highest row and column that have cell records- Support for Rich-Text in PHPExcel_Writer_Excel5 - @Progi1984 [CodePlex #8916](https://phpexcel.codeplex.com/workitem/8916)
+- Two easy to fix Issues concerning PHPExcel_Token_Stack (l10n/UC) - @MarkBaker [CodePlex #15405](https://phpexcel.codeplex.com/workitem/15405)
+- Locale file paths not fit for windows - @MarkBaker [CodePlex #15461](https://phpexcel.codeplex.com/workitem/15461)
+- Add file directory as a cache option for cache_to_discISAM - @MarkBaker [CodePlex #16643](https://phpexcel.codeplex.com/workitem/16643)
+- Datatype.php & constant TYPE_NULL - @MarkBaker [CodePlex #16923](https://phpexcel.codeplex.com/workitem/16923)
+- Ensure use of system temp directory for all temporary work files, unless explicitly specified - @MarkBaker
+- [Patch] faster stringFromColumnIndex() - @char101 [CodePlex #16359](https://phpexcel.codeplex.com/workitem/16359)
+- Fix for projects that still use old autoloaders - @whit1206 [CodePlex #16028](https://phpexcel.codeplex.com/workitem/16028)
+- Unknown codepage: 10007 - @atz [CodePlex #17024](https://phpexcel.codeplex.com/workitem/17024)
+ - Additional Mac codepages
+
+## [1.7.6] - 2011-02-27
+
+### Features
+
+- Provide option to use PCLZip as an alternative to ZipArchive. - @MarkBaker
+ - This allows the writing of Excel2007 files, even without ZipArchive enabled (it does require zlib), or when php_zip is one of the buggy PHP 5.2.6 or 5.2.8 versions
+ - It can be enabled using PHPExcel_Settings::setZipClass(PHPExcel_Settings::PCLZIP);
+ - Note that it is not yet implemented as an alternative to ZipArchive for those Readers that are extracting from zips- Added listWorksheetNames() method to Readers that support multiple worksheets in a workbook, allowing a user to extract a list of all the worksheet names from a file without parsing/loading the whole file. - @MarkBaker [CodePlex #14979](https://phpexcel.codeplex.com/workitem/14979)
+- Speed boost and memory reduction in the Worksheet toArray() method. - @MarkBaker
+- Added new rangeToArray() and namedRangeToArray() methods to the PHPExcel_Worksheet object. - @MarkBaker
+ - Functionally, these are identical to the toArray() method, except that they take an additional first parameter of a Range (e.g. 'B2:C3') or a Named Range name.
+ - Modified the toArray() method so that it actually uses rangeToArray().- Added support for cell comments in the OOCalc, Gnumeric and Excel2003XML Readers, and in the Excel5 Reader - @MarkBaker
+- Improved toFormattedString() handling for Currency and Accounting formats to render currency symbols - @MarkBaker
+
+### Bugfixes
+
+- Implement more Excel calculation functions - @MarkBaker
+ - Implemented the DAVERAGE(), DCOUNT(), DCOUNTA(), DGET(), DMAX(), DMIN(), DPRODUCT(), DSTDEV(), DSTDEVP(), DSUM(), DVAR() and DVARP() Database functions- Simple =IF() formula disappears - @MarkBaker [CodePlex #14888](https://phpexcel.codeplex.com/workitem/14888)
+- PHP Warning: preg_match(): Compilation failed: PCRE does not support \\L, \\l, \\N, \\P, \\p, \\U, \\u, or \\X - @MarkBaker [CodePlex #14898](https://phpexcel.codeplex.com/workitem/14898)
+- VLOOKUP choking on parameters in PHPExcel.1.7.5/PHPExcel_Writer_Excel2007 - @MarkBaker [CodePlex #14901](https://phpexcel.codeplex.com/workitem/14901)
+- PHPExcel_Cell::isInRange() incorrect results - offset by one column - @MarkBaker [CodePlex #14973](https://phpexcel.codeplex.com/workitem/14973)
+- Treat CodePage of 0 as CP1251 (for .xls files written by applications that don't set the CodePage correctly, such as Apple Numbers) - @MarkBaker
+- Need method for removing autoFilter - @MarkBaker [CodePlex #11583](https://phpexcel.codeplex.com/workitem/11583)
+- coordinateFromString throws exception for rows greater than 99,999 - @MarkBaker [CodePlex #15029](https://phpexcel.codeplex.com/workitem/15029)
+- PHPExcel Excel2007 Reader colour problems with solidfill - @MarkBaker [CodePlex #14999](https://phpexcel.codeplex.com/workitem/14999)
+- Formatting get lost and edit a template XLSX file - @MarkBaker [CodePlex #13215](https://phpexcel.codeplex.com/workitem/13215)
+- Excel 2007 Reader /writer lost fontcolor - @MarkBaker [CodePlex #14029](https://phpexcel.codeplex.com/workitem/14029)
+- file that makes cells go black - @MarkBaker [CodePlex #13374](https://phpexcel.codeplex.com/workitem/13374)
+- Minor patchfix for Excel2003XML Reader when XML is defined with a charset attribute - @MarkBaker
+- PHPExcel_Worksheet->toArray() index problem - @MarkBaker [CodePlex #15089](https://phpexcel.codeplex.com/workitem/15089)
+- Merge cells 'un-merge' when using an existing spreadsheet - @MarkBaker [CodePlex #15094](https://phpexcel.codeplex.com/workitem/15094)
+- Worksheet fromArray() only working with 2-D arrays - @MarkBaker [CodePlex #15129](https://phpexcel.codeplex.com/workitem/15129)
+- rangeToarray function modified for non-existent cells - @xkeshav [CodePlex #15172](https://phpexcel.codeplex.com/workitem/15172)
+- Images not getting copyied with the ->clone function - @MarkBaker [CodePlex #14980](https://phpexcel.codeplex.com/workitem/14980)
+- AdvancedValueBinder.php: String sometimes becomes a date when it shouldn't - @MarkBaker [CodePlex #11576](https://phpexcel.codeplex.com/workitem/11576)
+- Fix Excel5 Writer so that it only writes column dimensions for columns that are actually used rather than the full range (A to IV) - @MarkBaker
+- FreezePane causing damaged or modified error - @MarkBaker [CodePlex #15198](https://phpexcel.codeplex.com/workitem/15198)
+ - The freezePaneByColumnAndRow() method row argument should default to 1 rather than 0.
+ - Default row argument for all __ByColumnAndRow() methods should be 1- Column reference rather than cell reference in Print Area definition - @MarkBaker [CodePlex #15121](https://phpexcel.codeplex.com/workitem/15121)
+ - Fix Excel2007 Writer to handle print areas that are defined as row or column ranges rather than just as cell ranges- Reduced false positives from isDateTimeFormatCode() method by suppressing testing within quoted strings - @MarkBaker
+- Caching and tmp partition exhaustion - @MarkBaker [CodePlex #15312](https://phpexcel.codeplex.com/workitem/15312)
+- Writing to Variable No Longer Works. $_tmp_dir Missing in PHPExcel\PHPExcel\Shared\OLE\PPS\Root.php - @MarkBaker [CodePlex #15308](https://phpexcel.codeplex.com/workitem/15308)
+- Named ranges with dot don't get parsed properly - @MarkBaker [CodePlex #15379](https://phpexcel.codeplex.com/workitem/15379)
+- insertNewRowBefore fails to consistently update references - @MarkBaker [CodePlex #15096](https://phpexcel.codeplex.com/workitem/15096)
+- "i" is not a valid character for Excel date format masks (in isDateTimeFormatCode() method) - @MarkBaker
+- PHPExcel_ReferenceHelper::insertNewBefore() is missing an 'Update worksheet: comments' section - @MKunert [CodePlex #15421](https://phpexcel.codeplex.com/workitem/15421)
+
+### General
+
+- Full column/row references in named ranges not supported by updateCellReference() - @MarkBaker [CodePlex #15409](https://phpexcel.codeplex.com/workitem/15409)
+- Improved performance (speed), for building the Shared Strings table in the Excel2007 Writer. - @MarkBaker
+- Improved performance (speed), for PHP to Excel date conversions - @MarkBaker
+- Enhanced SheetViews element structures in the Excel2007 Writer for frozen panes. - @MarkBaker
+- Removed Serialized Reader/Writer as these no longer work. - @MarkBaker
+
+## [1.7.5] - 2010-12-10
+
+### Features
+
+- Implement Gnumeric File Format - @MarkBaker [CodePlex #8769](https://phpexcel.codeplex.com/workitem/8769)
+ - Initial work on Gnumeric Reader (Worksheet Data, Document Properties and basic Formatting)- Support for Extended Workbook Properties in Excel2007, Excel5 and OOCalc Readers; support for User-defined Workbook Properties in Excel2007 and OOCalc Readers - @MarkBaker
+- Support for Extended and User-defined Workbook Properties in Excel2007 Writer - @MarkBaker
+- Provided a setGenerateSheetNavigationBlock(false); option to suppress generation of the sheet navigation block when writing multiple worksheets to HTML - @MarkBaker
+- Advanced Value Binder now recognises TRUE/FALSE strings (locale-specific) and converts to boolean - @MarkBaker
+- PHPExcel_Worksheet->toArray() is returning truncated values - @MarkBaker [CodePlex #14301](https://phpexcel.codeplex.com/workitem/14301)
+- Configure PDF Writer margins based on Excel Worksheet Margin Settings value - @MarkBaker
+- Added Contiguous flag for the CSV Reader, when working with Read Filters - @MarkBaker
+- Added getFormattedValue() method for cell object - @MarkBaker
+- Added strictNullComparison argument to the worksheet fromArray() method - @MarkBaker
+
+### Bugfixes
+
+- Fix to toFormattedString() method in PHPExcel_Style_NumberFormat to handle fractions with a # code for the integer part - @MarkBaker
+- NA() doesn't propagate in matrix calc - quick fix in JAMA/Matrix.php - @MarkBaker [CodePlex #14143](https://phpexcel.codeplex.com/workitem/14143)
+- Excel5 : Formula : String constant containing double quotation mark - @Progi1984 [CodePlex #7895](https://phpexcel.codeplex.com/workitem/7895)
+- Excel5 : Formula : Percent - @Progi1984 [CodePlex #7895](https://phpexcel.codeplex.com/workitem/7895)
+- Excel5 : Formula : Error constant - @Progi1984 [CodePlex #7895](https://phpexcel.codeplex.com/workitem/7895)
+- Excel5 : Formula : Concatenation operator - @Progi1984 [CodePlex #7895](https://phpexcel.codeplex.com/workitem/7895)
+- Worksheet clone broken for CachedObjectStorage_Memory - @MarkBaker [CodePlex #14146](https://phpexcel.codeplex.com/workitem/14146)
+- PHPExcel_Reader_Excel2007 fails when gradient fill without type is present in a file - @MarkBaker [CodePlex #12998](https://phpexcel.codeplex.com/workitem/12998)
+- @ format for numeric strings in XLSX to CSV conversion - @MarkBaker [CodePlex #14176](https://phpexcel.codeplex.com/workitem/14176)
+- Advanced Value Binder Not Working? - @MarkBaker [CodePlex #14223](https://phpexcel.codeplex.com/workitem/14223)
+- unassigned object variable in PHPExcel->removeCellXfByIndex - @MarkBaker [CodePlex #14226](https://phpexcel.codeplex.com/workitem/14226)
+- problem with getting cell values from another worksheet... (if cell doesn't exist) - @MarkBaker [CodePlex #14236](https://phpexcel.codeplex.com/workitem/14236)
+- Setting cell values to one char strings & Trouble reading one character string (thanks gorfou) - @MarkBaker
+- Worksheet title exception when duplicate worksheet is being renamed but exceeds the 31 character limit - @MarkBaker [CodePlex #14256](https://phpexcel.codeplex.com/workitem/14256)
+- Named range with sheet name that contains the $ throws exception when getting the cell - @MarkBaker [CodePlex #14086](https://phpexcel.codeplex.com/workitem/14086)
+- Added autoloader to DefaultValueBinder and AdvancedValueBinder - @MarkBaker
+- Modified PHPExcel_Shared_Date::isDateTimeFormatCode() to return false if format code begins with "_" or with "0 " to prevent false positives - @MarkBaker
+ - These leading characters are most commonly associated with number, currency or accounting (or occasionally fraction) formats- BUG : Excel5 and setReadFilter ? - @MarkBaker [CodePlex #14374](https://phpexcel.codeplex.com/workitem/14374)
+- Wrong exception message while deleting column - @MarkBaker [CodePlex #14425](https://phpexcel.codeplex.com/workitem/14425)
+- Formula evaluation fails with Japanese sheet refs - @MarkBaker [CodePlex #14679](https://phpexcel.codeplex.com/workitem/14679)
+- PHPExcel_Writer_PDF does not handle cell borders correctly - @MarkBaker [CodePlex #13559](https://phpexcel.codeplex.com/workitem/13559)
+- Style : applyFromArray() for 'allborders' not working - @MarkBaker [CodePlex #14831](https://phpexcel.codeplex.com/workitem/14831)
+
+### General
+
+- Using $this when not in object context in Excel5 Reader - @MarkBaker [CodePlex #14837](https://phpexcel.codeplex.com/workitem/14837)
+- Removes a unnecessary loop through each cell when applying conditional formatting to a range. - @MarkBaker
+- Removed spurious PHP end tags (?>) - @MarkBaker
+- Improved performance (speed) and reduced memory overheads, particularly for the Writers, but across the whole library. - @MarkBaker
+
+## [1.7.4] - 2010-08-26
+
+### Bugfixes
+
+- Excel5 : Formula : Power - @Progi1984 [CodePlex #7895](https://phpexcel.codeplex.com/workitem/7895)
+- Excel5 : Formula : Unary plus - @Progi1984 [CodePlex #7895](https://phpexcel.codeplex.com/workitem/7895)
+- Excel5 : Just write the Escher stream if necessary in Worksheet - @Progi1984
+- Syntax errors in memcache.php 1.7.3c - @MarkBaker [CodePlex #13433](https://phpexcel.codeplex.com/workitem/13433)
+- Support for row or column ranges in the calculation engine, e.g. =SUM(C:C) or =SUM(1:2) - @MarkBaker
+ - Also support in the calculation engine for absolute row or column ranges e.g. =SUM($C:$E) or =SUM($3:5)- Picture problem with Excel 2003 - @Erik Tilt [CodePlex #13455](https://phpexcel.codeplex.com/workitem/13455)
+- Wrong variable used in addExternalSheet in PHPExcel.php - @MarkBaker [CodePlex #13484](https://phpexcel.codeplex.com/workitem/13484)
+- "Invalid cell coordinate" error when formula access data from an other sheet - @MarkBaker [CodePlex #13515](https://phpexcel.codeplex.com/workitem/13515)
+- (related to Work item 13515) Calculation engine confusing cell range worksheet when referencing cells in a different worksheet to the formula - @MarkBaker
+- Wrong var naming in Worksheet->garbageCollect() - @MarkBaker [CodePlex #13752](https://phpexcel.codeplex.com/workitem/13752)
+- PHPExcel_Style_*::__clone() methods cause cloning loops? - @MarkBaker [CodePlex #13764](https://phpexcel.codeplex.com/workitem/13764)
+- Recent builds causing problems loading xlsx files? (ZipArchive issue?) - @MarkBaker [CodePlex #11488](https://phpexcel.codeplex.com/workitem/11488)
+- cache_to_apc causes fatal error when processing large data sets - @MarkBaker [CodePlex #13856](https://phpexcel.codeplex.com/workitem/13856)
+- OOCalc reader misses first line if it's a 'table-header-row' - @MarkBaker [CodePlex #13880](https://phpexcel.codeplex.com/workitem/13880)
+- using cache with copy or clone bug? - @MarkBaker [CodePlex #14011](https://phpexcel.codeplex.com/workitem/14011)
+ - Fixed $worksheet->copy() or clone $worksheet when using cache_in_memory, cache_in_memory_gzip, cache_in_memory_serialized, cache_to_discISAM, cache_to_phpTemp, cache_to_apc and cache_to_memcache;
+ - Fixed but untested when using cache_to_wincache.
+### Features
+
+- Standard Deviation functions returning DIV/0 Error when Standard Deviation is zero - @MarkBaker [CodePlex #13450](https://phpexcel.codeplex.com/workitem/13450)
+- Support for print area with several ranges in the Excel2007 reader, and improved features for editing print area with several ranges - @MarkBaker
+- Improved Cell Exception Reporting - @MarkBaker [CodePlex #13769](https://phpexcel.codeplex.com/workitem/13769)
+
+### General
+
+- Fixed problems with reading Excel2007 Properties - @MarkBaker
+- PHP Strict Standards: Non-static method PHPExcel_Shared_String::utf16_decode() should not be called statically - @MarkBaker
+- Array functions were ignored when loading an existing file containing them, and as a result, they would lose their 'cse' status. - @MarkBaker
+- Minor memory tweaks to Excel2007 Writer - @MarkBaker
+- Modified ReferenceHelper updateFormulaReferences() method to handle updates to row and column cell ranges (including absolute references e.g. =SUM(A:$E) or =SUM($5:5), and range/cell references that reference a worksheet by name), and to provide both performance and memory improvements. - @MarkBaker
+- Modified Excel2007 Reader so that ReferenceHelper class is instantiated only once rather than for every shared formula in a workbook. - @MarkBaker
+- Correct handling for additional (synonym) formula tokens in Excel5 Reader - @MarkBaker
+- Additional reading of some Excel2007 Extended Properties (Company, Manager) - @MarkBaker
+
+## [1.7.3c] - 2010-06-01
+
+### Bugfixes
+
+- Fatal error: Class 'ZipArchive' not found... ...Reader/Excel2007.php on line 217 - @MarkBaker [CodePlex #13012](https://phpexcel.codeplex.com/workitem/13012)
+- PHPExcel_Writer_Excel2007 error after 1.7.3b - @MarkBaker [CodePlex #13398](https://phpexcel.codeplex.com/workitem/13398)
+
+## [1.7.3b] - 2010-05-31
+
+### Bugfixes
+
+- Infinite loop when reading - @MarkBaker [CodePlex #12903](https://phpexcel.codeplex.com/workitem/12903)
+- Wrong method chaining on PHPExcel_Worksheet class - @MarkBaker [CodePlex #13381](https://phpexcel.codeplex.com/workitem/13381)
+
+## [1.7.3] - 2010-05-17
+
+### General
+
+- Applied patch 4990 (modified) - @Erik Tilt
+- Applied patch 5568 (modified) - @MarkBaker
+- Applied patch 5943 - @MarkBaker
+- Upgrade build script to use Phing - @MarkBaker [CodePlex #13042](https://phpexcel.codeplex.com/workitem/13042)
+- Replacing var with public/private - @Erik Tilt [CodePlex #11586](https://phpexcel.codeplex.com/workitem/11586)
+- Applied Anthony's Sterling's Class Autoloader to reduce memory overhead by "Lazy Loading" of classes - @MarkBaker
+- Modification to functions that accept a date parameter to support string values containing ordinals as per Excel (English language only) - @MarkBaker
+- Modify PHPExcel_Style_NumberFormat::toFormattedString() to handle dates that fall outside of PHP's 32-bit date range - @MarkBaker
+- Applied patch 5207 - @MarkBaker
+
+### Features
+
+- PHPExcel developer documentation: Set page margins - @Erik Tilt [CodePlex #11970](https://phpexcel.codeplex.com/workitem/11970)
+- Special characters and accents in SYLK reader - @Erik Tilt [CodePlex #11038](https://phpexcel.codeplex.com/workitem/11038)
+- Implement more Excel calculation functions - @MarkBaker
+ - Implemented the COUPDAYS(), COUPDAYBS(), COUPDAYSNC(), COUPNCD(), COUPPCD() and PRICE() Financial functions
+ - Implemented the N() and TYPE() Information functions
+ - Implemented the HYPERLINK() Lookup and Reference function- Horizontal page break support in PHPExcel_Writer_PDF - @Erik Tilt [CodePlex #11526](https://phpexcel.codeplex.com/workitem/11526)
+- Introduce method setActiveSheetIndexByName() - @Erik Tilt [CodePlex #11529](https://phpexcel.codeplex.com/workitem/11529)
+- AdvancedValueBinder.php: Automatically wrap text when there is new line in string (ALT+"Enter") - @Erik Tilt [CodePlex #11550](https://phpexcel.codeplex.com/workitem/11550)
+- Data validation support in PHPExcel_Reader_Excel5 and PHPExcel_Writer_Excel5 - @Erik Tilt [CodePlex #10300](https://phpexcel.codeplex.com/workitem/10300)
+- Improve autosize calculation - @MarkBaker [CodePlex #11616](https://phpexcel.codeplex.com/workitem/11616)
+- Methods to translate locale-specific function names in formulae - @MarkBaker
+ - Language implementations for Czech (cs), Danish (da), German (de), English (uk), Spanish (es), Finnish (fi), French (fr), Hungarian (hu), Italian (it), Dutch (nl), Norwegian (no), Polish (pl), Portuguese (pt), Brazilian Portuguese (pt_br), Russian (ru) and Swedish (sv)- Implement document properties in Excel5 reader/writer - @Erik Tilt [CodePlex #9759](https://phpexcel.codeplex.com/workitem/9759)
+ - Fixed so far for PHPExcel_Reader_Excel5- Show/hide row and column headers in worksheet - @Erik Tilt [CodePlex #11849](https://phpexcel.codeplex.com/workitem/11849)
+- Can't set font on writing PDF (by key) - @Erik Tilt [CodePlex #11919](https://phpexcel.codeplex.com/workitem/11919)
+- Thousands scale (1000^n) support in PHPExcel_Style_NumberFormat::toFormattedString - @Erik Tilt [CodePlex #12096](https://phpexcel.codeplex.com/workitem/12096)
+- Implement repeating rows in PDF and HTML writer - @Erik Tilt
+- Sheet tabs in PHPExcel_Writer_HTML - @Erik Tilt [CodePlex #12289](https://phpexcel.codeplex.com/workitem/12289)
+- Add Wincache CachedObjectProvider - @MarkBaker [CodePlex #13041](https://phpexcel.codeplex.com/workitem/13041)
+- Configure PDF Writer paper size based on Excel Page Settings value, and provided methods to override paper size and page orientation with the writer - @MarkBaker
+ - Note PHPExcel defaults to Letter size, while the previous PDF writer enforced A4 size, so PDF writer will now default to Letter- Initial implementation of cell caching: allowing larger workbooks to be managed, but at a cost in speed - @MarkBaker
+
+### Bugfixes
+
+- Added an identify() method to the IO Factory that identifies the reader which will be used to load a particular file without actually loading it. - @MarkBaker
+- Warning messages with INDEX function having 2 arguments - @MarkBaker [CodePlex #10979](https://phpexcel.codeplex.com/workitem/10979)
+- setValue('=') should result in string instead of formula - @Erik Tilt [CodePlex #11473](https://phpexcel.codeplex.com/workitem/11473)
+- method _raiseFormulaError should no be private - @MarkBaker [CodePlex #11471](https://phpexcel.codeplex.com/workitem/11471)
+- Fatal error: Call to undefined function mb_substr() in ...Classes\PHPExcel\Reader\Excel5.php on line 2903 - @Erik Tilt [CodePlex #11485](https://phpexcel.codeplex.com/workitem/11485)
+- getBold(), getItallic(), getStrikeThrough() not always working with PHPExcel_Reader_Excel2007 - @Erik Tilt [CodePlex #11487](https://phpexcel.codeplex.com/workitem/11487)
+- AdvancedValueBinder.php not working correctly for $cell->setValue('hh:mm:ss') - @Erik Tilt [CodePlex #11492](https://phpexcel.codeplex.com/workitem/11492)
+- Fixed leap year handling for the YEARFRAC() Date/Time function when basis ia 1 (Actual/actual) - @MarkBaker
+- Warning messages - @MarkBaker [CodePlex #11490](https://phpexcel.codeplex.com/workitem/11490)
+ - Calculation Engine code modified to enforce strict standards for pass by reference- PHPExcel_Cell_AdvancedValueBinder doesnt work for dates in far future - @Erik Tilt [CodePlex #11483](https://phpexcel.codeplex.com/workitem/11483)
+- MSODRAWING bug with long CONTINUE record in PHPExcel_Reader_Excel5 - @Erik Tilt [CodePlex #11528](https://phpexcel.codeplex.com/workitem/11528)
+- PHPExcel_Reader_Excel2007 reads print titles as named range when there is more than one sheet - @Erik Tilt [CodePlex #11571](https://phpexcel.codeplex.com/workitem/11571)
+- missing @return in phpdocblock in reader classes - @Erik Tilt [CodePlex #11561](https://phpexcel.codeplex.com/workitem/11561)
+- AdvancedValueBinder.php: String sometimes becomes a date when it shouldn't - @Erik Tilt [CodePlex #11576](https://phpexcel.codeplex.com/workitem/11576)
+- Small numbers escape treatment in PHPExcel_Style_NumberFormat::toFormattedString() - @Erik Tilt [CodePlex #11588](https://phpexcel.codeplex.com/workitem/11588)
+- Blank styled cells are not blank in output by HTML writer due to - @Erik Tilt [CodePlex #11590](https://phpexcel.codeplex.com/workitem/11590)
+- Calculation engine bug: Existing, blank cell + number gives #NUM - @MarkBaker [CodePlex #11587](https://phpexcel.codeplex.com/workitem/11587)
+- AutoSize only measures length of first line in cell with multiple lines (ALT+Enter) - @Erik Tilt [CodePlex #11608](https://phpexcel.codeplex.com/workitem/11608)
+- Fatal error running Tests/12serializedfileformat.php (PHPExcel 1.7.2) - @Erik Tilt [CodePlex #11608](https://phpexcel.codeplex.com/workitem/11608)
+- Fixed various errors in the WORKDAY() and NETWORKDAYS() Date/Time functions (particularly related to holidays) - @MarkBaker
+- Uncaught exception 'Exception' with message 'Valid scale is between 10 and 400.' in Classes/PHPExcel/Worksheet/SheetView.php:115 - @Erik Tilt [CodePlex #11660](https://phpexcel.codeplex.com/workitem/11660)
+- "Unrecognized token 39 in formula" with PHPExcel_Reader_Excel5 (occuring with add-in functions) - @Erik Tilt [CodePlex #11551](https://phpexcel.codeplex.com/workitem/11551)
+- Excel2007 reader not reading PHPExcel_Style_Conditional::CONDITION_EXPRESSION - @Erik Tilt [CodePlex #11668](https://phpexcel.codeplex.com/workitem/11668)
+- Fix to the BESSELI(), BESSELJ(), BESSELK(), BESSELY() and COMPLEX() Engineering functions to use correct default values for parameters - @MarkBaker
+- DATEVALUE function not working for pure time values + allow DATEVALUE() function to handle partial dates (e.g. "1-Jun" or "12/2010") - @MarkBaker [CodePlex #11525](https://phpexcel.codeplex.com/workitem/11525)
+- Fix for empty quoted strings in formulae - @MarkBaker
+- Trap for division by zero in Bessel functions - @MarkBaker
+- Fix to OOCalc Reader to convert semi-colon (;) argument separator in formulae to a comma (,) - @MarkBaker
+- PHPExcel_Writer_Excel5_Parser cannot parse formula like =SUM(C$5:C5) - @Erik Tilt [CodePlex #11693](https://phpexcel.codeplex.com/workitem/11693)
+- Fix to OOCalc Reader to handle dates that fall outside 32-bit PHP's date range - @MarkBaker
+- File->sys_get_temp_dir() can fail in safe mode - @Erik Tilt [CodePlex #11692](https://phpexcel.codeplex.com/workitem/11692)
+- Sheet references in Excel5 writer do not work when referenced sheet title contains non-Latin symbols - @Erik Tilt [CodePlex #11727](https://phpexcel.codeplex.com/workitem/11727)
+- Bug in HTML writer can result in missing rows in output - @Erik Tilt [CodePlex #11743](https://phpexcel.codeplex.com/workitem/11743)
+- setShowGridLines(true) not working with PHPExcel_Writer_PDF - @Erik Tilt [CodePlex #11674](https://phpexcel.codeplex.com/workitem/11674)
+- PHPExcel_Worksheet_RowIterator initial position incorrect - @Erik Tilt [CodePlex #11836](https://phpexcel.codeplex.com/workitem/11836)
+- PHPExcel_Worksheet_HeaderFooterDrawing Strict Exception thrown (by jshaw86) - @Erik Tilt [CodePlex #11835](https://phpexcel.codeplex.com/workitem/11835)
+- Parts of worksheet lost when there are embedded charts (Excel5 reader) - @Erik Tilt [CodePlex #11850](https://phpexcel.codeplex.com/workitem/11850)
+- VLOOKUP() function error when lookup value is passed as a cell reference rather than an absolute value - @MarkBaker
+- First segment of Rich-Text not read correctly by PHPExcel_Reader_Excel2007 - @Erik Tilt [CodePlex #12041](https://phpexcel.codeplex.com/workitem/12041)
+- Fatal Error with getCell('name') when name matches the pattern for a cell reference - @MarkBaker [CodePlex #12048](https://phpexcel.codeplex.com/workitem/12048)
+- excel5 writer appears to be swapping image locations - @Erik Tilt [CodePlex #12039](https://phpexcel.codeplex.com/workitem/12039)
+- Undefined index: host in ZipStreamWrapper.php, line 94 and line 101 - @Erik Tilt [CodePlex #11954](https://phpexcel.codeplex.com/workitem/11954)
+- BIFF8 File Format problem (too short COLINFO record) - @Erik Tilt [CodePlex #11672](https://phpexcel.codeplex.com/workitem/11672)
+- Column width sometimes changed after read/write with Excel2007 reader/writer - @Erik Tilt [CodePlex #12121](https://phpexcel.codeplex.com/workitem/12121)
+- Worksheet.php throws a fatal error when styling is turned off via setReadDataOnly on the reader - @Erik Tilt [CodePlex #11964](https://phpexcel.codeplex.com/workitem/11964)
+- Checking for Circular References in Formulae - @MarkBaker [CodePlex #11851](https://phpexcel.codeplex.com/workitem/11851)
+ - Calculation Engine code now traps for cyclic references, raising an error or throwing an exception, or allows 1 or more iterations through cyclic references, based on a configuration setting- PNG transparency using Excel2007 writer - @Erik Tilt [CodePlex #12244](https://phpexcel.codeplex.com/workitem/12244)
+- Custom readfilter error when cell formulas reference excluded cells (Excel5 reader) - @Erik Tilt [CodePlex #12221](https://phpexcel.codeplex.com/workitem/12221)
+- Protection problem in XLS - @Erik Tilt [CodePlex #12288](https://phpexcel.codeplex.com/workitem/12288)
+- getColumnDimension()->setAutoSize() incorrect on cells with Number Formatting - @Erik Tilt [CodePlex #12300](https://phpexcel.codeplex.com/workitem/12300)
+- Notices reading Excel file with Add-in funcitons (PHPExcel_Reader_Excel5) - @Erik Tilt [CodePlex #12378](https://phpexcel.codeplex.com/workitem/12378)
+- Excel5 reader not reading formulas with deleted sheet references - @Erik Tilt [CodePlex #12380](https://phpexcel.codeplex.com/workitem/12380)
+- Named range (defined name) scope problems for in PHPExcel - @Erik Tilt [CodePlex #12404](https://phpexcel.codeplex.com/workitem/12404)
+- PHP Parse error: syntax error, unexpected T_PUBLIC in PHPExcel/Calculation.php on line 3482 - @Erik Tilt [CodePlex #12423](https://phpexcel.codeplex.com/workitem/12423)
+- Named ranges don't appear in name box using Excel5 writer - @Erik Tilt [CodePlex #12505](https://phpexcel.codeplex.com/workitem/12505)
+- Many merged cells + autoSize column -> slows down the writer - @Erik Tilt [CodePlex #12509](https://phpexcel.codeplex.com/workitem/12509)
+- Incorrect fallback order comment in Shared/Strings.php ConvertEncoding() - @Erik Tilt [CodePlex #12539](https://phpexcel.codeplex.com/workitem/12539)
+- IBM AIX iconv() will not work, should revert to mbstring etc. instead - @Erik Tilt [CodePlex #12538](https://phpexcel.codeplex.com/workitem/12538)
+- Excel5 writer and mbstring functions overload - @Erik Tilt [CodePlex #12568](https://phpexcel.codeplex.com/workitem/12568)
+- OFFSET needs to flattenSingleValue the $rows and $columns args - @MarkBaker [CodePlex #12672](https://phpexcel.codeplex.com/workitem/12672)
+- Formula with DMAX(): Notice: Undefined offset: 2 in ...\PHPExcel\Calculation.php on line 2365 - @MarkBaker [CodePlex #12546](https://phpexcel.codeplex.com/workitem/12546)
+ - Note that the Database functions have not yet been implemented- Call to a member function getParent() on a non-object in Classes\\PHPExcel\\Calculation.php Title is required - @MarkBaker [CodePlex #12839](https://phpexcel.codeplex.com/workitem/12839)
+- Cyclic Reference in Formula - @MarkBaker [CodePlex #12935](https://phpexcel.codeplex.com/workitem/12935)
+- Memory error...data validation? - @MarkBaker [CodePlex #13025](https://phpexcel.codeplex.com/workitem/13025)
+
+## [1.7.2] - 2010-01-11
+
+### General
+
+- Applied patch 4362 - @Erik Tilt
+- Applied patch 4363 (modified) - @Erik Tilt
+- 1.7.1 Extremely Slow - Refactored PHPExcel_Calculation_Functions::flattenArray() method and set calculation cache timer default to 2.5 seconds - @MarkBaker [CodePlex #10874](https://phpexcel.codeplex.com/workitem/10874)
+- Allow formulae to contain line breaks - @MarkBaker
+- split() function deprecated in PHP 5.3.0 - @Erik Tilt [CodePlex #10910](https://phpexcel.codeplex.com/workitem/10910)
+- sys_get_temp_dir() requires PHP 5.2.1, not PHP 5.2 [provide fallback function for PHP 5.2.0] - @Erik Tilt
+- Implementation of the ISPMT() Financial function by Matt Groves - @MarkBaker
+- Put the example of formula with more arguments in documentation - @MarkBaker [CodePlex #11052](https://phpexcel.codeplex.com/workitem/11052)
+
+### Features
+
+- Improved accuracy for the GAMMAINV() Statistical Function - @MarkBaker
+- XFEXT record support to fix colors change from Excel5 reader, and copy/paste color change with Excel5 writer - @Erik Tilt [CodePlex #10409](https://phpexcel.codeplex.com/workitem/10409)
+ - Excel5 reader reads RGB color information in XFEXT records for borders, font color and fill color- Implement more Excel calculation functions - @MarkBaker
+ - Implemented the FVSCHEDULE(), XNPV(), IRR(), MIRR(), XIRR() and RATE() Financial functions
+ - Implemented the SUMPRODUCT() Mathematical function
+ - Implemented the ZTEST() Statistical Function- Multiple print areas in one sheet - @Erik Tilt [CodePlex #10919](https://phpexcel.codeplex.com/workitem/10919)
+- Store calculated values in output by PHPExcel_Writer_Excel5 - @Erik Tilt [CodePlex #10930](https://phpexcel.codeplex.com/workitem/10930)
+- Sheet protection options in Excel5 reader/writer - @Erik Tilt [CodePlex #10939](https://phpexcel.codeplex.com/workitem/10939)
+- Modification of the COUNT(), AVERAGE(), AVERAGEA(), DEVSQ, AVEDEV(), STDEV(), STDEVA(), STDEVP(), STDEVPA(), VARA() and VARPA() SKEW() and KURT() functions to correctly handle boolean values depending on whether they're passed in as values, values within a matrix or values within a range of cells. - @MarkBaker
+- Cell range selection - @Erik Tilt
+- Root-relative path handling - @MarkBaker [CodePlex #10266](https://phpexcel.codeplex.com/workitem/10266)
+
+### Bugfixes
+
+- Named Ranges not working with PHPExcel_Writer_Excel5 - @Erik Tilt [CodePlex #11315](https://phpexcel.codeplex.com/workitem/11315)
+- Excel2007 Reader fails to load Apache POI generated Excel - @MarkBaker [CodePlex #11206](https://phpexcel.codeplex.com/workitem/11206)
+- Number format is broken when system's thousands separator is empty - @MarkBaker [CodePlex #11154](https://phpexcel.codeplex.com/workitem/11154)
+- ReferenceHelper::updateNamedFormulas throws errors if oldName is empty - @MarkBaker [CodePlex #11401](https://phpexcel.codeplex.com/workitem/11401)
+- parse_url() fails to parse path to an image in xlsx - @MarkBaker [CodePlex #11296](https://phpexcel.codeplex.com/workitem/11296)
+- Workaround for iconv_substr() bug in PHP 5.2.0 - @Erik Tilt [CodePlex #10876](https://phpexcel.codeplex.com/workitem/10876)
+- 1 pixel error for image width and height with PHPExcel_Writer_Excel5 - @Erik Tilt [CodePlex #10877](https://phpexcel.codeplex.com/workitem/10877)
+- Fix to GEOMEAN() Statistical function - @MarkBaker
+- setValue('-') and setValue('.') sets numeric 0 instead of 1-character string - @Erik Tilt [CodePlex #10884](https://phpexcel.codeplex.com/workitem/10884)
+- Row height sometimes much too low after read with PHPExcel_Reader_Excel5 - @Erik Tilt [CodePlex #10885](https://phpexcel.codeplex.com/workitem/10885)
+- Diagonal border. Miscellaneous missing support. - @Erik Tilt [CodePlex #10888](https://phpexcel.codeplex.com/workitem/10888)
+ - Constant PHPExcel_Style_Borders::DIAGONAL_BOTH added to support double-diagonal (cross)
+ - PHPExcel_Reader_Excel2007 not always reading diagonal borders (only recognizes 'true' and not '1')
+ - PHPExcel_Reader_Excel5 support for diagonal borders
+ - PHPExcel_Writer_Excel5 support for diagonal borders- Session bug: Fatal error: Call to a member function bindValue() on a non-object in ...\Classes\PHPExcel\Cell.php on line 217 - @Erik Tilt [CodePlex #10894](https://phpexcel.codeplex.com/workitem/10894)
+- Colors messed up saving twice with same instance of PHPExcel_Writer_Excel5 (regression since 1.7.0) - @Erik Tilt [CodePlex #10896](https://phpexcel.codeplex.com/workitem/10896)
+- Method PHPExcel_Worksheet::setDefaultStyle is not working - @Erik Tilt [CodePlex #10917](https://phpexcel.codeplex.com/workitem/10917)
+- PHPExcel_Reader_CSV::canRead() sometimes says false when it shouldn't - @Erik Tilt [CodePlex #10897](https://phpexcel.codeplex.com/workitem/10897)
+- Changes in workbook not picked up between two saves with PHPExcel_Writer_Excel2007 - @Erik Tilt [CodePlex #10922](https://phpexcel.codeplex.com/workitem/10922)
+- Decimal and thousands separators missing in HTML and PDF output - @Erik Tilt [CodePlex #10913](https://phpexcel.codeplex.com/workitem/10913)
+- Notices with PHPExcel_Reader_Excel5 and named array constants - @Erik Tilt [CodePlex #10936](https://phpexcel.codeplex.com/workitem/10936)
+- Calculation engine limitation on 32-bit platform with integers > 2147483647 - @MarkBaker [CodePlex #10938](https://phpexcel.codeplex.com/workitem/10938)
+- Shared(?) formulae containing absolute cell references not read correctly using Excel5 Reader - @Erik Tilt [CodePlex #10959](https://phpexcel.codeplex.com/workitem/10959)
+- Warning messages with intersection operator involving single cell - @MarkBaker [CodePlex #10962](https://phpexcel.codeplex.com/workitem/10962)
+- Infinite loop in Excel5 reader caused by zero-length string in SST - @Erik Tilt [CodePlex #10980](https://phpexcel.codeplex.com/workitem/10980)
+- Remove unnecessary cell sorting to improve speed by approx. 18% in HTML and PDF writers - @Erik Tilt [CodePlex #10983](https://phpexcel.codeplex.com/workitem/10983)
+- Cannot read A1 cell content - OO_Reader - @MarkBaker [CodePlex #10977](https://phpexcel.codeplex.com/workitem/10977)
+- Transliteration failed, invalid encoding - @Erik Tilt [CodePlex #11000](https://phpexcel.codeplex.com/workitem/11000)
+
+## [1.7.1] - 2009-11-02
+
+### General
+
+- ereg() function deprecated in PHP 5.3.0 - @Erik Tilt [CodePlex #10687](https://phpexcel.codeplex.com/workitem/10687)
+- Writer Interface Inconsequence - setTempDir and setUseDiskCaching - @MarkBaker [CodePlex #10739](https://phpexcel.codeplex.com/workitem/10739)
+
+### Features
+
+- Upgrade to TCPDF 4.8.009 - @Erik Tilt
+- Support for row and column styles (feature request) - @Erik Tilt
+ - Basic implementation for Excel2007/Excel5 reader/writer- Hyperlink to local file in Excel5 reader/writer - @Erik Tilt [CodePlex #10459](https://phpexcel.codeplex.com/workitem/10459)
+- Color Tab (Color Sheet's name) - @MarkBaker [CodePlex #10472](https://phpexcel.codeplex.com/workitem/10472)
+- Border style "double" support in PHPExcel_Writer_HTML - @Erik Tilt [CodePlex #10488](https://phpexcel.codeplex.com/workitem/10488)
+- Multi-section number format support in HTML/PDF/CSV writers - @Erik Tilt [CodePlex #10492](https://phpexcel.codeplex.com/workitem/10492)
+- Some additional performance tweaks in the calculation engine - @MarkBaker
+- Fix result of DB() and DDB() Financial functions to 2dp when in Gnumeric Compatibility mode - @MarkBaker
+- Added AMORDEGRC(), AMORLINC() and COUPNUM() Financial function (no validation of parameters yet) - @MarkBaker
+- Improved accuracy of TBILLEQ(), TBILLPRICE() and TBILLYIELD() Financial functions when in Excel or Gnumeric mode - @MarkBaker
+- Added INDIRECT() Lookup/Reference function (only supports full addresses at the moment) - @MarkBaker
+- PHPExcel_Reader_CSV::canRead() improvements - @MarkBaker [CodePlex #10498](https://phpexcel.codeplex.com/workitem/10498)
+- Input encoding option for PHPExcel_Reader_CSV - @Erik Tilt [CodePlex #10500](https://phpexcel.codeplex.com/workitem/10500)
+- Colored number format support, e.g. [Red], in HTML/PDF output - @Erik Tilt [CodePlex #10493](https://phpexcel.codeplex.com/workitem/10493)
+- Color Tab (Color Sheet's name) [Excel5 reader/writer support] - @Erik Tilt [CodePlex #10559](https://phpexcel.codeplex.com/workitem/10559)
+- Initial version of SYLK (slk) and Excel 2003 XML Readers (Cell data and basic cell formatting) - @MarkBaker
+- Initial version of Open Office Calc (ods) Reader (Cell data only) - @MarkBaker
+- Initial use of "pass by reference" in the calculation engine for ROW() and COLUMN() Lookup/Reference functions - @MarkBaker
+- COLUMNS() and ROWS() Lookup/Reference functions, and SUBSTITUTE() Text function - @MarkBaker [CodePlex #2346](https://phpexcel.codeplex.com/workitem/2346)
+- AdvancedValueBinder(): Re-enable zero-padded string-to-number conversion, e.g '0004' -> 4 - @Erik Tilt [CodePlex #10502](https://phpexcel.codeplex.com/workitem/10502)
+- Make PHP type match Excel datatype - @Erik Tilt [CodePlex #10600](https://phpexcel.codeplex.com/workitem/10600)
+- Change first page number on header - @MarkBaker [CodePlex #10630](https://phpexcel.codeplex.com/workitem/10630)
+- Applied patch 3941 - @MarkBaker
+- Hidden sheets - @MB,ET [CodePlex #10745](https://phpexcel.codeplex.com/workitem/10745)
+- mbstring fallback when iconv is broken - @Erik Tilt [CodePlex #10761](https://phpexcel.codeplex.com/workitem/10761)
+- Note, can't yet handle comparison of two matrices - @MarkBaker
+- Improved handling for validation and error trapping in a number of functions - @MarkBaker
+- Improved support for fraction number formatting - @MarkBaker
+- Support Reading CSV with Byte Order Mark (BOM) - @Erik Tilt [CodePlex #10455](https://phpexcel.codeplex.com/workitem/10455)
+
+### Bugfixes
+
+- addExternalSheet() at specified index - @Erik Tilt [CodePlex #10860](https://phpexcel.codeplex.com/workitem/10860)
+- Named range can no longer be passed to worksheet->getCell() - @MarkBaker [CodePlex #10684](https://phpexcel.codeplex.com/workitem/10684)
+- RichText HTML entities no longer working in PHPExcel 1.7.0 - @Erik Tilt [CodePlex #10455](https://phpexcel.codeplex.com/workitem/10455)
+- Fit-to-width value of 1 is lost after read/write of Excel2007 spreadsheet [+ support for simultaneous scale/fitToPage] - @Erik Tilt
+- Performance issue identified by profiling - @MarkBaker [CodePlex #10469](https://phpexcel.codeplex.com/workitem/10469)
+- setSelectedCell is wrong - @Erik Tilt [CodePlex #10473](https://phpexcel.codeplex.com/workitem/10473)
+- Images get squeezed/stretched with (Mac) Verdana 10 Excel files using Excel5 reader/writer - @Erik Tilt [CodePlex #10481](https://phpexcel.codeplex.com/workitem/10481)
+- Error in argument count for DATEDIF() function - @MarkBaker [CodePlex #10482](https://phpexcel.codeplex.com/workitem/10482)
+- updateFormulaReferences is buggy - @MarkBaker [CodePlex #10452](https://phpexcel.codeplex.com/workitem/10452)
+- CellIterator returns null Cell if onlyExistingCells is set and key() is in use - @MarkBaker [CodePlex #10485](https://phpexcel.codeplex.com/workitem/10485)
+- Wrong RegEx for parsing cell references in formulas - @MarkBaker [CodePlex #10453](https://phpexcel.codeplex.com/workitem/10453)
+- Optimisation subverted to devastating effect if IterateOnlyExistingCells is clear - @MarkBaker [CodePlex #10486](https://phpexcel.codeplex.com/workitem/10486)
+- Fatal error: Uncaught exception 'Exception' with message 'Unrecognized token 6C in formula'... with PHPExcel_Reader_Excel5 - @Erik Tilt [CodePlex #10494](https://phpexcel.codeplex.com/workitem/10494)
+- Fractions stored as text are not treated as numbers by PHPExcel's calculation engine - @MarkBaker [CodePlex #10490](https://phpexcel.codeplex.com/workitem/10490)
+- AutoFit (autosize) row height not working in PHPExcel_Writer_Excel5 - @Erik Tilt [CodePlex #10503](https://phpexcel.codeplex.com/workitem/10503)
+- Fixed problem with null values breaking the calculation stack - @MarkBaker
+- Date number formats sometimes fail with PHPExcel_Style_NumberFormat::toFormattedString, e.g. [$-40047]mmmm d yyyy - @Erik Tilt [CodePlex #10524](https://phpexcel.codeplex.com/workitem/10524)
+- Fixed minor problem with DATEDIFF YM calculation - @MarkBaker
+- Applied patch 3695 - @MarkBaker
+- setAutosize() and Date cells not working properly - @Erik Tilt [CodePlex #10536](https://phpexcel.codeplex.com/workitem/10536)
+- Time value hour offset in output by HTML/PDF/CSV writers (system timezone problem) - @Erik Tilt [CodePlex #10556](https://phpexcel.codeplex.com/workitem/10556)
+- Control characters 0x14-0x1F are not treated by PHPExcel - @Erik Tilt [CodePlex #10558](https://phpexcel.codeplex.com/workitem/10558)
+- PHPExcel_Writer_Excel5 not working when open_basedir restriction is in effect - @Erik Tilt [CodePlex #10560](https://phpexcel.codeplex.com/workitem/10560)
+- IF formula calculation problem in PHPExcel 1.7.0 (string comparisons) - @MarkBaker [CodePlex #10563](https://phpexcel.codeplex.com/workitem/10563)
+- Improved CODE() Text function result for UTF-8 characters - @MarkBaker
+- Empty rows are collapsed with HTML/PDF writer - @Erik Tilt [CodePlex #10568](https://phpexcel.codeplex.com/workitem/10568)
+- Gaps between rows in output by PHPExcel_Writer_PDF (Upgrading to TCPDF 4.7.003) - @Erik Tilt [CodePlex #10569](https://phpexcel.codeplex.com/workitem/10569)
+- Problem reading formulas (Excel5 reader problem with "fake" shared formulas) - @Erik Tilt [CodePlex #10575](https://phpexcel.codeplex.com/workitem/10575)
+- Error type in formula: "_raiseFormulaError message is Formula Error: An unexpected error occured" - @MarkBaker [CodePlex #10588](https://phpexcel.codeplex.com/workitem/10588)
+- Miscellaneous column width problems in Excel5/Excel2007 writer - @Erik Tilt [CodePlex #10599](https://phpexcel.codeplex.com/workitem/10599)
+- Reader/Excel5 'Unrecognized token 2D in formula' in latest version - @Erik Tilt [CodePlex #10615](https://phpexcel.codeplex.com/workitem/10615)
+- on php 5.3 PHPExcel 1.7 Excel 5 reader fails in _getNextToken, token = 2C, throws exception - @Erik Tilt [CodePlex #10623](https://phpexcel.codeplex.com/workitem/10623)
+- Fatal error when altering styles after workbook has been saved - @Erik Tilt [CodePlex #10617](https://phpexcel.codeplex.com/workitem/10617)
+- Images vertically stretched or squeezed when default font size is changed (PHPExcel_Writer_Excel5) - @Erik Tilt [CodePlex #10661](https://phpexcel.codeplex.com/workitem/10661)
+- Styles not read in "manipulated" Excel2007 workbook - @Erik Tilt [CodePlex #10676](https://phpexcel.codeplex.com/workitem/10676)
+- Windows 7 says corrupt file by PHPExcel_Writer_Excel5 when opening in Excel - @Erik Tilt [CodePlex #10059](https://phpexcel.codeplex.com/workitem/10059)
+- Calculations sometimes not working with cell references to other sheets - @MarkBaker [CodePlex #10708](https://phpexcel.codeplex.com/workitem/10708)
+- Problem with merged cells after insertNewRowBefore() - @Erik Tilt [CodePlex #10706](https://phpexcel.codeplex.com/workitem/10706)
+- Applied patch 4023 - @MarkBaker
+- Fix to SUMIF() and COUNTIF() Statistical functions for when condition is a match against a string value - @MarkBaker
+- PHPExcel_Cell::coordinateFromString should throw exception for bad string parameter - @Erik Tilt [CodePlex #10721](https://phpexcel.codeplex.com/workitem/10721)
+- EucrosiaUPC (Thai font) not working with PHPExcel_Writer_Excel5 - @Erik Tilt [CodePlex #10723](https://phpexcel.codeplex.com/workitem/10723)
+- Improved the return of calculated results when the result value is an array - @MarkBaker
+- Allow calculation engine to support Functions prefixed with @ within formulae - @MarkBaker
+- Intersection operator (space operator) fatal error with calculation engine - @MarkBaker [CodePlex #10632](https://phpexcel.codeplex.com/workitem/10632)
+- Chinese, Japanese, Korean characters show as squares in PDF - @Erik Tilt [CodePlex #10742](https://phpexcel.codeplex.com/workitem/10742)
+- sheet title allows invalid characters - @Erik Tilt [CodePlex #10756](https://phpexcel.codeplex.com/workitem/10756)
+- Sheet!$A$1 as function argument in formula causes infinite loop in Excel5 writer - @Erik Tilt [CodePlex #10757](https://phpexcel.codeplex.com/workitem/10757)
+- Cell range involving name not working with calculation engine - Modified calculation parser to handle range operator (:), but doesn't currently handle worksheet references with spaces or other non-alphameric characters, or trap erroneous references - @MarkBaker [CodePlex #10740](https://phpexcel.codeplex.com/workitem/10740)
+- DATE function problem with calculation engine (says too few arguments given) - @MarkBaker [CodePlex #10798](https://phpexcel.codeplex.com/workitem/10798)
+- Blank cell can cause wrong calculated value - @MarkBaker [CodePlex #10799](https://phpexcel.codeplex.com/workitem/10799)
+- Modified ROW() and COLUMN() Lookup/Reference Functions to return an array when passed a cell range, plus some additional work on INDEX() - @MarkBaker
+- Images not showing in Excel 97 using PHPExcel_Writer_Excel5 (patch by Jordi Gutiérrez Hermoso) - @Erik Tilt [CodePlex #10817](https://phpexcel.codeplex.com/workitem/10817)
+- When figures are contained in the excel sheet, Reader was stopped - @Erik Tilt [CodePlex #10785](https://phpexcel.codeplex.com/workitem/10785)
+- Formulas changed after insertNewRowBefore() - @MarkBaker [CodePlex #10818](https://phpexcel.codeplex.com/workitem/10818)
+- Cell range row offset problem with shared formulas using PHPExcel_Reader_Excel5 - @Erik Tilt [CodePlex #10825](https://phpexcel.codeplex.com/workitem/10825)
+- Warning: Call-time pass-by-reference has been deprecated - @MarkBaker [CodePlex #10832](https://phpexcel.codeplex.com/workitem/10832)
+- Image should "Move but don't size with cells" instead of "Move and size with cells" with PHPExcel_Writer_Excel5 - @Erik Tilt [CodePlex #10849](https://phpexcel.codeplex.com/workitem/10849)
+- Opening a Excel5 generated XLS in Excel 2007 results in header/footer entry not showing on input - @Erik Tilt [CodePlex #10856](https://phpexcel.codeplex.com/workitem/10856)
+- addExternalSheet() not returning worksheet - @Erik Tilt [CodePlex #10859](https://phpexcel.codeplex.com/workitem/10859)
+- Invalid results in formulas with named ranges - @MarkBaker [CodePlex #10629](https://phpexcel.codeplex.com/workitem/10629)
+
+## [1.7.0] - 2009-08-10
+
+### General
+
+- Expand documentation: Number formats - @Erik Tilt
+- Class 'PHPExcel_Cell_AdvancedValueBinder' not found - @Erik Tilt
+
+### Features
+
+- Change return type of date functions to PHPExcel_Calculation_Functions::RETURNDATE_EXCEL - @MarkBaker
+- New RPN and stack-based calculation engine for improved performance of formula calculation - @MarkBaker
+ - Faster (anything between 2 and 12 times faster than the old parser, depending on the complexity and nature of the formula)
+ - Significantly more memory efficient when formulae reference cells across worksheets
+ - Correct behaviour when referencing Named Ranges that exist on several worksheets
+ - Support for Excel ^ (Exponential) and % (Percentage) operators
+ - Support for matrices within basic arithmetic formulae (e.g. ={1,2,3;4,5,6;7,8,9}/2)
+ - Better trapping/handling of NaN and infinity results (return #NUM! error)
+ - Improved handling of empty parameters for Excel functions
+ - Optional logging of calculation steps- New calculation engine can be accessed independently of workbooks (for use as a standalone calculator) - @MarkBaker
+- Implement more Excel calculation functions - @MarkBaker
+ - Initial implementation of the COUNTIF() and SUMIF() Statistical functions
+ - Added ACCRINT() Financial function- Modifications to number format handling for dddd and ddd masks in dates, use of thousand separators even when locale only implements it for money, and basic fraction masks (0 ?/? and ?/?) - @MarkBaker
+- Support arbitrary fixed number of decimals in PHPExcel_Style_NumberFormat::toFormattedString() - @Erik Tilt
+- Improving performance and memory on data dumps - @Erik Tilt
+ - Various style optimizations (merging from branch wi6857-memory)
+ - Moving hyperlink and dataValidation properties from cell to worksheet for lower PHP memory usage- Provide fluent interfaces where possible - @MarkBaker
+- Make easy way to apply a border to a rectangular selection - @Erik Tilt
+- Support for system window colors in PHPExcel_Reader_Excel5 - @Erik Tilt
+- Horizontal center across selection - @Erik Tilt
+- Merged cells record, write to full record size in PHPExcel_Writer_Excel5 - @Erik Tilt
+- Add page break between sheets in exported PDF - @MarkBaker
+- Sanitization of UTF-8 input for cell values - @Erik Tilt
+- Read cached calculated value with PHPExcel_Reader_Excel5 - @Erik Tilt
+- Miscellaneous CSS improvements for PHPExcel_Writer_HTML - @Erik Tilt
+- getProperties: setCompany feature request - @Erik Tilt
+- Insert worksheet at a specified index - @MarkBaker
+- Change worksheet index - @MarkBaker
+- Readfilter for CSV reader - @MarkBaker
+- Check value of mbstring.func_overload when saving with PHPExcel_Writer_Excel5 - @Erik Tilt [CodePlex #10172](https://phpexcel.codeplex.com/workitem/10172)
+- Eliminate dependency of an include path pointing to class directory - @Erik Tilt [CodePlex #10251](https://phpexcel.codeplex.com/workitem/10251)
+- Method for getting the correct reader for a certain file (contribution) - @Erik Tilt [CodePlex #10292](https://phpexcel.codeplex.com/workitem/10292)
+- Choosing specific row in fromArray method - @Erik Tilt [CodePlex #10287](https://phpexcel.codeplex.com/workitem/10287)
+- Shared formula support in PHPExcel_Reader_Excel5 - @Erik Tilt [CodePlex #10319](https://phpexcel.codeplex.com/workitem/10319)
+
+### Bugfixes
+
+- Right-to-left column direction in worksheet - @MB,ET [CodePlex #10345](https://phpexcel.codeplex.com/workitem/10345)
+- PHPExcel_Reader_Excel5 not reading PHPExcel_Style_NumberFormat::FORMAT_NUMBER ('0') - @Erik Tilt
+- Fractional row height in locale other than English results in corrupt output using PHPExcel_Writer_Excel2007 - @Erik Tilt
+- Fractional (decimal) numbers not inserted correctly when locale is other than English - @Erik Tilt
+- Fractional calculated value in locale other than English results in corrupt output using PHPExcel_Writer_Excel2007 - @Erik Tilt
+- Locale aware decimal and thousands separator in exported formats HTML, CSV, PDF - @Erik Tilt
+- Cannot Add Image with Space on its Name - @MarkBaker
+- Black line at top of every page in output by PHPExcel_Writer_PDF - @Erik Tilt
+- Border styles and border colors not showing in HTML output (regression since 1.6.4) - @Erik Tilt
+- Hidden screen gridlines setting in worksheet not read by PHPExcel_Reader_Excel2007 - @Erik Tilt
+- Some valid sheet names causes corrupt output using PHPExcel_Writer_Excel2007 - @MarkBaker
+- More than 32,767 characters in a cell gives corrupt Excel file - @Erik Tilt
+- Images not getting copyied with the ->copy() function - @Erik Tilt
+- Bad calculation of column width setAutoSize(true) function - @Erik Tilt
+- Dates are sometimes offset by 1 day in output by HTML and PDF writers depending on system timezone setting - @Erik Tilt
+- Wingdings symbol fonts not working with PHPExcel_Writer_Excel5 - @Erik Tilt [CodePlex #10003](https://phpexcel.codeplex.com/workitem/10003)
+- White space string prefix stripped by PHPExcel_Writer_Excel2007 - @MarkBaker [CodePlex #10010](https://phpexcel.codeplex.com/workitem/10010)
+- The name of the Workbook stream MUST be "Workbook", not "Book" - @Erik Tilt [CodePlex #10023](https://phpexcel.codeplex.com/workitem/10023)
+- Avoid message "Microsoft Excel recalculates formulas..." when closing xls file from Excel - @Erik Tilt [CodePlex #10030](https://phpexcel.codeplex.com/workitem/10030)
+- Non-unique newline representation causes problems with LEN formula - @Erik Tilt [CodePlex #10031](https://phpexcel.codeplex.com/workitem/10031)
+- Newline in cell not showing with PHPExcel_Writer_HTML and PHPExcel_Writer_PDF - @Erik Tilt [CodePlex #10033](https://phpexcel.codeplex.com/workitem/10033)
+- Rich-Text strings get prefixed by when output by HTML writer - @Erik Tilt [CodePlex #10046](https://phpexcel.codeplex.com/workitem/10046)
+- Leading spaces do not appear in output by HTML/PDF writers - @Erik Tilt [CodePlex #10052](https://phpexcel.codeplex.com/workitem/10052)
+- Empty Apache POI-generated file can not be read - @MarkBaker [CodePlex #10061](https://phpexcel.codeplex.com/workitem/10061)
+- Column width not scaling correctly with font size in HTML and PDF writers - @Erik Tilt [CodePlex #10068](https://phpexcel.codeplex.com/workitem/10068)
+- Inaccurate row heights with HTML writer - @Erik Tilt [CodePlex #10069](https://phpexcel.codeplex.com/workitem/10069)
+- Reference helper - @MarkBaker
+- Excel 5 Named ranges should not be local to the worksheet, but accessible from all worksheets - @MarkBaker
+- Row heights are ignored by PHPExcel_Writer_PDF - @Erik Tilt [CodePlex #10088](https://phpexcel.codeplex.com/workitem/10088)
+- Write raw XML - @MarkBaker
+- removeRow(), removeColumn() not always clearing cell values - @Erik Tilt [CodePlex #10098](https://phpexcel.codeplex.com/workitem/10098)
+- Problem reading certain hyperlink records with PHPExcel_Reader_Excel5 - @Erik Tilt [CodePlex #10142](https://phpexcel.codeplex.com/workitem/10142)
+- Hyperlink cell range read failure with PHPExcel_Reader_Excel2007 - @Erik Tilt [CodePlex #10143](https://phpexcel.codeplex.com/workitem/10143)
+- 'Column string index can not be empty.' - @MarkBaker [CodePlex #10149](https://phpexcel.codeplex.com/workitem/10149)
+- getHighestColumn() sometimes says there are 256 columns with PHPExcel_Reader_Excel5 - @Erik Tilt [CodePlex #10204](https://phpexcel.codeplex.com/workitem/10204)
+- extractSheetTitle fails when sheet title contains exclamation mark (!) - @Erik Tilt [CodePlex #10220](https://phpexcel.codeplex.com/workitem/10220)
+- setTitle() sometimes erroneously appends integer to sheet name - @Erik Tilt [CodePlex #10221](https://phpexcel.codeplex.com/workitem/10221)
+- Mac BIFF5 Excel file read failure (missing support for Mac OS Roman character set) - @Erik Tilt [CodePlex #10229](https://phpexcel.codeplex.com/workitem/10229)
+- BIFF5 header and footer incorrectly read by PHPExcel_Reader_Excel5 - @Erik Tilt [CodePlex #10230](https://phpexcel.codeplex.com/workitem/10230)
+- iconv notices when reading hyperlinks with PHPExcel_Reader_Excel5 - @Erik Tilt [CodePlex #10259](https://phpexcel.codeplex.com/workitem/10259)
+- Excel5 reader OLE read failure with small Mac BIFF5 Excel files - @Erik Tilt [CodePlex #10252](https://phpexcel.codeplex.com/workitem/10252)
+- Problem in reading formula : IF( IF ) with PHPExcel_Reader_Excel5 - @Erik Tilt [CodePlex #10272](https://phpexcel.codeplex.com/workitem/10272)
+- Error reading formulas referencing external sheets with PHPExcel_Reader_Excel5 - @Erik Tilt [CodePlex #10274](https://phpexcel.codeplex.com/workitem/10274)
+- Image horizontally stretched when default font size is increased (PHPExcel_Writer_Excel5) - @Erik Tilt [CodePlex #10291](https://phpexcel.codeplex.com/workitem/10291)
+- Undefined offset in Reader\Excel5.php on line 3572 - @Erik Tilt [CodePlex #10333](https://phpexcel.codeplex.com/workitem/10333)
+- PDF output different then XLS (copied data) - @MarkBaker [CodePlex #10340](https://phpexcel.codeplex.com/workitem/10340)
+- Internal hyperlinks with UTF-8 sheet names not working in PHPExcel_Writer_Excel5 - @Erik Tilt [CodePlex #10352](https://phpexcel.codeplex.com/workitem/10352)
+- String shared formula result read error with PHPExcel_Reader_Excel5 - @Erik Tilt [CodePlex #10361](https://phpexcel.codeplex.com/workitem/10361)
+- Uncaught exception 'Exception' with message 'Valid scale is between 10 and 400.' in Classes/PHPExcel/Worksheet/PageSetup.php:338 - @Erik Tilt [CodePlex #10363](https://phpexcel.codeplex.com/workitem/10363)
+- Using setLoadSheetsOnly fails if you do not use setReadDataOnly(true) and sheet is not the first sheet - @Erik Tilt [CodePlex #10355](https://phpexcel.codeplex.com/workitem/10355)
+- getCalculatedValue() sometimes incorrect with IF formula and 0-values - @MarkBaker [CodePlex #10362](https://phpexcel.codeplex.com/workitem/10362)
+- Excel Reader 2007 problem with "shared" formulae when "master" is an error - @MarkBaker
+- Named Range Bug, using the same range name on different worksheets - @MarkBaker
+- Java code in JAMA classes - @MarkBaker
+- getCalculatedValue() not working with some formulas involving error types - @MarkBaker
+- evaluation of both return values in an IF() statement returning an error if either result was an error, irrespective of the IF evaluation - @MarkBaker
+- Power in formulas: new calculation engine no longer treats ^ as a bitwise XOR operator - @MarkBaker
+- Bugfixes and improvements to many of the Excel functions in PHPExcel - @MarkBaker
+ - Added optional "places" parameter in the BIN2HEX(), BIN2OCT, DEC2BIN(), DEC2OCT(), DEC2HEX(), HEX2BIN(), HEX2OCT(), OCT2BIN() and OCT2HEX() Engineering Functions
+ - Trap for unbalanced matrix sizes in MDETERM() and MINVERSE() Mathematic and Trigonometric functions
+ - Fix for default characters parameter value for LEFT() and RIGHT() Text functions
+ - Fix for GCD() and LCB() Mathematical functions when the parameters include a zero (0) value
+ - Fix for BIN2OCT() Engineering Function for 2s complement values (which were returning hex values)
+ - Fix for BESSELK() and BESSELY() Engineering functions
+ - Fix for IMDIV() Engineering Function when result imaginary component is positive (wasn't setting the sign)
+ - Fix for ERF() Engineering Function when called with an upper limit value for the integration
+ - Fix to DATE() Date/Time Function for year value of 0
+ - Set ISPMT() function as category FINANCIAL
+ - Fix for DOLLARDE() and DOLLARFR() Financial functions
+ - Fix to EFFECT() Financial function (treating $nominal_rate value as a variable name rather than a value)
+ - Fix to CRITBINOM() Statistical function (CurrentValue and EssentiallyZero treated as constants rather than variables)
+ - Note that an Error in the function logic can still lead to a permanent loop
+ - Fix to MOD() Mathematical function to work with floating point results
+ - Fix for QUOTIENT() Mathematical function
+ - Fix to HOUR(), MINUTE() and SECOND() Date/Time functions to return an error when passing in a floating point value of 1.0 or greater, or less than 0
+ - LOG() Function now correctly returns base-10 log when called with only one parameter, rather than the natural log as the default base
+ - Modified text functions to handle multibyte character set (UTF-8).
+
+## [1.6.7] - 2009-04-22
+
+### BREAKING CHANGE
+
+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. Refer to the developer
+documentation for more information on entering dates into a cell.
+
+### General
+
+- Deprecate misspelled setStriketrough() and getStriketrough() methods - @MarkBaker [CodePlex #9416](https://phpexcel.codeplex.com/workitem/9416)
+
+### Features
+
+- Performance improvement when saving file - @MarkBaker [CodePlex #9526](https://phpexcel.codeplex.com/workitem/9526)
+- Check that sheet title has maximum 31 characters - @MarkBaker [CodePlex #9598](https://phpexcel.codeplex.com/workitem/9598)
+- True support for Excel built-in number format codes - @MB, ET [CodePlex #9631](https://phpexcel.codeplex.com/workitem/9631)
+- Ability to read defect BIFF5 Excel file without CODEPAGE record - @Erik Tilt [CodePlex #9683](https://phpexcel.codeplex.com/workitem/9683)
+- Auto-detect which reader to invoke - @MarkBaker [CodePlex #9701](https://phpexcel.codeplex.com/workitem/9701)
+- Deprecate insertion of dates using PHP-time (Unix time) [request for removal of feature] - @Erik Tilt [CodePlex #9214](https://phpexcel.codeplex.com/workitem/9214)
+- Support for entering time values like '9:45', '09:45' using AdvancedValueBinder - @Erik Tilt [CodePlex #9747](https://phpexcel.codeplex.com/workitem/9747)
+
+### Bugfixes
+
+- DataType dependent horizontal alignment in HTML and PDF writer - @Erik Tilt [CodePlex #9797](https://phpexcel.codeplex.com/workitem/9797)
+- Cloning data validation object causes script to stop - @MarkBaker [CodePlex #9375](https://phpexcel.codeplex.com/workitem/9375)
+- Simultaneous repeating rows and repeating columns not working with PHPExcel_Writer_Excel5 - @Erik Tilt [CodePlex #9400](https://phpexcel.codeplex.com/workitem/9400)
+- Simultaneous repeating rows and repeating columns not working with PHPExcel_Writer_Excel2007 - @MarkBaker [CodePlex #9399](https://phpexcel.codeplex.com/workitem/9399)
+- Row outline level not working with PHPExcel_Writer_Excel5 - @Erik Tilt [CodePlex #9437](https://phpexcel.codeplex.com/workitem/9437)
+- Occasional notices with PHPExcel_Reader_Excel5 when Excel file contains drawing elements - @Erik Tilt [CodePlex #9452](https://phpexcel.codeplex.com/workitem/9452)
+- PHPExcel_Reader_Excel5 fails as a whole when workbook contains images other than JPEG/PNG - @Erik Tilt [CodePlex #9453](https://phpexcel.codeplex.com/workitem/9453)
+- Excel5 writer checks for iconv but does not necessarily use it - @Erik Tilt [CodePlex #9444](https://phpexcel.codeplex.com/workitem/9444)
+- Altering a style on copied worksheet alters also the original - @Erik Tilt [CodePlex #9463](https://phpexcel.codeplex.com/workitem/9463)
+- Formulas are incorrectly updated when a sheet is renamed - @MarkBaker [CodePlex #9480](https://phpexcel.codeplex.com/workitem/9480)
+- PHPExcel_Worksheet::extractSheetTitle not treating single quotes correctly - @MarkBaker [CodePlex #9513](https://phpexcel.codeplex.com/workitem/9513)
+- PHP Warning raised in function array_key_exists - @MarkBaker [CodePlex #9477](https://phpexcel.codeplex.com/workitem/9477)
+- getAlignWithMargins() gives wrong value when using PHPExcel_Reader_Excel2007 - @MarkBaker [CodePlex #9599](https://phpexcel.codeplex.com/workitem/9599)
+- getScaleWithDocument() gives wrong value when using PHPExcel_Reader_Excel2007 - @MarkBaker [CodePlex #9600](https://phpexcel.codeplex.com/workitem/9600)
+- PHPExcel_Reader_Excel2007 not reading the first user-defined number format - @MarkBaker [CodePlex #9630](https://phpexcel.codeplex.com/workitem/9630)
+- Print area converted to uppercase after read with PHPExcel_Reader_Excel2007 - @MarkBaker [CodePlex #9647](https://phpexcel.codeplex.com/workitem/9647)
+- Incorrect reading of scope for named range using PHPExcel_Reader_Excel2007 - @MarkBaker [CodePlex #9661](https://phpexcel.codeplex.com/workitem/9661)
+- Error with pattern (getFillType) and rbg (getRGB) - @MarkBaker [CodePlex #9690](https://phpexcel.codeplex.com/workitem/9690)
+- AdvancedValueBinder affected by system timezone setting when inserting date values - @Erik Tilt [CodePlex #9712](https://phpexcel.codeplex.com/workitem/9712)
+- PHPExcel_Reader_Excel2007 not reading value of active sheet index - @Erik Tilt [CodePlex #9743](https://phpexcel.codeplex.com/workitem/9743)
+- getARGB() sometimes returns SimpleXMLElement object instead of string with PHPExcel_Reader_Excel2007 - @Erik Tilt [CodePlex #9742](https://phpexcel.codeplex.com/workitem/9742)
+- Negative image offset causes defects in 14excel5.xls and 20readexcel5.xlsx - @Erik Tilt [CodePlex #9731](https://phpexcel.codeplex.com/workitem/9731)
+- HTML & PDF Writer not working with mergeCells (regression since 1.6.5) - @Erik Tilt [CodePlex #9758](https://phpexcel.codeplex.com/workitem/9758)
+- Too wide columns with HTML and PDF writer - @Erik Tilt [CodePlex #9774](https://phpexcel.codeplex.com/workitem/9774)
+- PDF and cyrillic fonts - @MarkBaker [CodePlex #9775](https://phpexcel.codeplex.com/workitem/9775)
+- Percentages not working correctly with HTML and PDF writers (shows 0.25% instead of 25%) - @Erik Tilt [CodePlex #9793](https://phpexcel.codeplex.com/workitem/9793)
+- PHPExcel_Writer_HTML creates extra borders around cell contents using setUseInlineCss(true) - @Erik Tilt [CodePlex #9791](https://phpexcel.codeplex.com/workitem/9791)
+- Problem with text wrap + merged cells in HTML and PDF writer - @Erik Tilt [CodePlex #9784](https://phpexcel.codeplex.com/workitem/9784)
+- Adjacent path separators in include_path causing IOFactory to violate open_basedir restriction - @Erik Tilt [CodePlex #9814](https://phpexcel.codeplex.com/workitem/9814)
+
+## [1.6.6] - 2009-03-02
+
+### General
+
+- Improve support for built-in number formats in PHPExcel_Reader_Excel2007 - @MarkBaker [CodePlex #9102](https://phpexcel.codeplex.com/workitem/9102)
+- Source files are in both UNIX and DOS formats - changed to UNIX - @Erik Tilt [CodePlex #9281](https://phpexcel.codeplex.com/workitem/9281)
+
+### Features
+
+- Update documentation: Which language to write formulas in? - @MarkBaker [CodePlex #9338](https://phpexcel.codeplex.com/workitem/9338)
+- Ignore DEFCOLWIDTH records with value 8 in PHPExcel_Reader_Excel5 - @Erik Tilt [CodePlex #8817](https://phpexcel.codeplex.com/workitem/8817)
+- Support for width, height, offsetX, offsetY for images in PHPExcel_Reader_Excel5 - @Erik Tilt [CodePlex #8847](https://phpexcel.codeplex.com/workitem/8847)
+- Disk Caching in specific folder - @MarkBaker [CodePlex #8870](https://phpexcel.codeplex.com/workitem/8870)
+- Added SUMX2MY2, SUMX2PY2, SUMXMY2, MDETERM and MINVERSE Mathematical and Trigonometric Functions - @MarkBaker [CodePlex #2346](https://phpexcel.codeplex.com/workitem/2346)
+- Added CONVERT Engineering Function - @MarkBaker [CodePlex #2346](https://phpexcel.codeplex.com/workitem/2346)
+- Added DB, DDB, DISC, DOLLARDE, DOLLARFR, INTRATE, IPMT, PPMT, PRICEDISC, PRICEMAT and RECEIVED Financial Functions - @MarkBaker [CodePlex #2346](https://phpexcel.codeplex.com/workitem/2346)
+- Added ACCRINTM, CUMIPMT, CUMPRINC, TBILLEQ, TBILLPRICE, TBILLYIELD, YIELDDISC and YIELDMAT Financial Functions - @MarkBaker [CodePlex #2346](https://phpexcel.codeplex.com/workitem/2346)
+- Added DOLLAR Text Function - @MarkBaker [CodePlex #2346](https://phpexcel.codeplex.com/workitem/2346)
+- Added CORREL, COVAR, FORECAST, INTERCEPT, RSQ, SLOPE and STEYX Statistical Functions - @MarkBaker [CodePlex #2346](https://phpexcel.codeplex.com/workitem/2346)
+- Added PEARSON Statistical Functions as a synonym for CORREL - @MarkBaker [CodePlex #2346](https://phpexcel.codeplex.com/workitem/2346)
+- Added LINEST, LOGEST (currently only valid for stats = false), TREND and GROWTH Statistical Functions - @MarkBaker [CodePlex #2346](https://phpexcel.codeplex.com/workitem/2346)
+- Added RANK and PERCENTRANK Statistical Functions - @MarkBaker [CodePlex #2346](https://phpexcel.codeplex.com/workitem/2346)
+- Added ROMAN Mathematical Function (Classic form only) - @MarkBaker [CodePlex #2346](https://phpexcel.codeplex.com/workitem/2346)
+- Update documentation to show example of getCellByColumnAndRow($col, $row) - @MarkBaker [CodePlex #8931](https://phpexcel.codeplex.com/workitem/8931)
+- Implement worksheet, row and cell iterators - @MarkBaker [CodePlex #8770](https://phpexcel.codeplex.com/workitem/8770)
+- Support for arbitrary defined names (named range) - @MarkBaker [CodePlex #9001](https://phpexcel.codeplex.com/workitem/9001)
+- Update formulas when sheet title / named range title changes - @MB, ET [CodePlex #9016](https://phpexcel.codeplex.com/workitem/9016)
+- Ability to read cached calculated value - @MarkBaker [CodePlex #9103](https://phpexcel.codeplex.com/workitem/9103)
+- Support for Excel 1904 calendar date mode (Mac) - @MBaker, ET [CodePlex #8483](https://phpexcel.codeplex.com/workitem/8483)
+- PHPExcel_Writer_Excel5 improvements writing shared strings table - @Erik Tilt [CodePlex #9194](https://phpexcel.codeplex.com/workitem/9194)
+- PHPExcel_Writer_Excel5 iconv fallback when mbstring extension is not enabled - @Erik Tilt [CodePlex #9248](https://phpexcel.codeplex.com/workitem/9248)
+- UTF-8 support in font names in PHPExcel_Writer_Excel5 - @Erik Tilt [CodePlex #9253](https://phpexcel.codeplex.com/workitem/9253)
+- Implement value binding architecture - @MarkBaker [CodePlex #9215](https://phpexcel.codeplex.com/workitem/9215)
+- PDF writer not working with UTF-8 - @MarkBaker [CodePlex #6742](https://phpexcel.codeplex.com/workitem/6742)
+
+### Bugfixes
+
+- Eliminate duplicate style entries in multisheet workbook written by PHPExcel_Writer_Excel5 - @Erik Tilt [CodePlex #9355](https://phpexcel.codeplex.com/workitem/9355)
+- Redirect to client browser fails due to trailing white space in class definitions - @Erik Tilt [CodePlex #8810](https://phpexcel.codeplex.com/workitem/8810)
+- Spurious column dimension element introduced in blank worksheet after using PHPExcel_Writer_Excel2007 - @MarkBaker [CodePlex #8816](https://phpexcel.codeplex.com/workitem/8816)
+- Image gets slightly narrower than expected when using PHPExcel_Writer_Excel5 - @Erik Tilt [CodePlex #8830](https://phpexcel.codeplex.com/workitem/8830)
+- Image laid over non-visible row gets squeezed in height when using PHPExcel_Writer_Excel5 - @Erik Tilt [CodePlex #8831](https://phpexcel.codeplex.com/workitem/8831)
+- PHPExcel_Reader_Excel5 fails when there are 10 or more images in the workbook - @Erik Tilt [CodePlex #8860](https://phpexcel.codeplex.com/workitem/8860)
+- Different header/footer images in different sheets not working with PHPExcel_Writer_Excel2007 - @MarkBaker [CodePlex #8909](https://phpexcel.codeplex.com/workitem/8909)
+- Fractional seconds disappear when using PHPExcel_Reader_Excel2007 and PHPExcel_Reader_Excel5 - @MB, ET [CodePlex #8924](https://phpexcel.codeplex.com/workitem/8924)
+- Images not showing in OpenOffice when using PHPExcel_Writer_Excel5 - @Erik Tilt [CodePlex #7994](https://phpexcel.codeplex.com/workitem/7994)
+- Images not showing on print using PHPExcel_Writer_Excel5 - @Erik Tilt [CodePlex #9047](https://phpexcel.codeplex.com/workitem/9047)
+- PHPExcel_Writer_Excel5 maximum allowed record size 4 bytes too short - @Erik Tilt [CodePlex #9085](https://phpexcel.codeplex.com/workitem/9085)
+- Not numeric strings are formatted as dates and numbers using worksheet's toArray method - @MarkBaker [CodePlex #9119](https://phpexcel.codeplex.com/workitem/9119)
+- Excel5 simple formula parsing error - @Erik Tilt [CodePlex #9132](https://phpexcel.codeplex.com/workitem/9132)
+- Problems writing dates with CSV - @Erik Tilt [CodePlex #9206](https://phpexcel.codeplex.com/workitem/9206)
+- PHPExcel_Reader_Excel5 reader fails with fatal error when reading group shapes - @Erik Tilt [CodePlex #9203](https://phpexcel.codeplex.com/workitem/9203)
+- PHPExcel_Writer_Excel5 fails completely when workbook contains more than 57 colors - @Erik Tilt [CodePlex #9231](https://phpexcel.codeplex.com/workitem/9231)
+- PHPExcel_Writer_PDF not compatible with autoload - @Erik Tilt [CodePlex #9244](https://phpexcel.codeplex.com/workitem/9244)
+- Fatal error: Call to a member function getNestingLevel() on a non-object in PHPExcel/Reader/Excel5.php on line 690 - @Erik Tilt [CodePlex #9250](https://phpexcel.codeplex.com/workitem/9250)
+- Notices when running test 04printing.php on PHP 5.2.8 - @MarkBaker [CodePlex #9246](https://phpexcel.codeplex.com/workitem/9246)
+- insertColumn() spawns creation of spurious RowDimension - @MarkBaker [CodePlex #9294](https://phpexcel.codeplex.com/workitem/9294)
+- Fix declarations for methods in extended Trend classes - @MarkBaker [CodePlex #9296](https://phpexcel.codeplex.com/workitem/9296)
+- Fix to parameters for the FORECAST Statistical Function - @MarkBaker [CodePlex #2346](https://phpexcel.codeplex.com/workitem/2346)
+- PDF writer problems with cell height and text wrapping - @MarkBaker [CodePlex #7083](https://phpexcel.codeplex.com/workitem/7083)
+- Fix test for calculated value in case the returned result is an array - @MarkBaker
+- Column greater than 256 results in corrupt Excel file using PHPExcel_Writer_Excel5 - @Erik Tilt
+- Excel Numberformat 0.00 results in non internal decimal places values in toArray() Method - @MarkBaker [CodePlex #9351](https://phpexcel.codeplex.com/workitem/9351)
+- setAutoSize not taking into account text rotation - @MB,ET [CodePlex #9356](https://phpexcel.codeplex.com/workitem/9356)
+- Call to undefined method PHPExcel_Worksheet_MemoryDrawing::getPath() in PHPExcel/Writer/HTML.php - @Erik Tilt [CodePlex #9372](https://phpexcel.codeplex.com/workitem/9372)
+
+## [1.6.5] - 2009-01-05
+
+### General
+
+- Applied patch 2063 - @MarkBaker
+- Optimise Shared Strings - @MarkBaker
+- Optimise Cell Sorting - @MarkBaker
+- Optimise Style Hashing - @MarkBaker
+- UTF-8 enhancements - @Erik Tilt
+- PHPExcel_Writer_HTML validation errors against strict HTML 4.01 / CSS 2.1 - @Erik Tilt
+- Documented work items 6203 and 8110 in manual - @MarkBaker
+- Restructure package hierachy so classes can be found more easily in auto-generated API (from work item 8468) - @Erik Tilt
+
+### Features
+
+- Redirect output to a client's browser: Update recommendation in documentation - @MarkBaker [CodePlex #8806](https://phpexcel.codeplex.com/workitem/8806)
+- PHPExcel_Reader_Excel5 support for print gridlines - @Erik Tilt [CodePlex #7897](https://phpexcel.codeplex.com/workitem/7897)
+- Screen gridlines support in Excel5 reader/writer - @Erik Tilt [CodePlex #7899](https://phpexcel.codeplex.com/workitem/7899)
+- Option for adding image to spreadsheet from image resource in memory - @MB, ET [CodePlex #7552](https://phpexcel.codeplex.com/workitem/7552)
+- PHPExcel_Reader_Excel5 style support for BIFF5 files (Excel 5.0 - Excel 95) - @Erik Tilt [CodePlex #7862](https://phpexcel.codeplex.com/workitem/7862)
+- PHPExcel_Reader_Excel5 support for user-defined colors and special built-in colors - @Erik Tilt [CodePlex #7918](https://phpexcel.codeplex.com/workitem/7918)
+- Support for freeze panes in PHPExcel_Reader_Excel5 - @Erik Tilt [CodePlex #7992](https://phpexcel.codeplex.com/workitem/7992)
+- Support for header and footer margins in PHPExcel_Reader_Excel5 - @Erik Tilt [CodePlex #7996](https://phpexcel.codeplex.com/workitem/7996)
+- Support for active sheet index in Excel5 reader/writer - @Erik Tilt [CodePlex #7997](https://phpexcel.codeplex.com/workitem/7997)
+- Freeze panes not read by PHPExcel_Reader_Excel2007 - @MarkBaker [CodePlex #7991](https://phpexcel.codeplex.com/workitem/7991)
+- Support for screen zoom level (feature request) - @MB, ET [CodePlex #7993](https://phpexcel.codeplex.com/workitem/7993)
+- Support for default style in PHPExcel_Reader_Excel5 - @Erik Tilt [CodePlex #8012](https://phpexcel.codeplex.com/workitem/8012)
+- Apple iWork / Numbers.app incompatibility - @MarkBaker [CodePlex #8094](https://phpexcel.codeplex.com/workitem/8094)
+- Support "between rule" in conditional formatting - @MarkBaker [CodePlex #7931](https://phpexcel.codeplex.com/workitem/7931)
+- Comment size, width and height control (feature request) - @MarkBaker [CodePlex #8308](https://phpexcel.codeplex.com/workitem/8308)
+- Improve method for storing MERGEDCELLS records in PHPExcel_Writer_Excel5 - @Erik Tilt [CodePlex #8418](https://phpexcel.codeplex.com/workitem/8418)
+- Support for protectCells() in Excel5 reader/writer - @Erik Tilt [CodePlex #8435](https://phpexcel.codeplex.com/workitem/8435)
+- Support for fitToWidth and fitToHeight pagesetup properties in PHPExcel_Reader_Excel5 - @Erik Tilt [CodePlex #8472](https://phpexcel.codeplex.com/workitem/8472)
+- Support for setShowSummaryBelow() and setShowSummaryRight() in PHPExcel_Writer_Excel5 - @Erik Tilt [CodePlex #8489](https://phpexcel.codeplex.com/workitem/8489)
+- Support for Excel 1904 calendar date mode (Mac) - @MarkBaker [CodePlex #8483](https://phpexcel.codeplex.com/workitem/8483)
+- Excel5 reader: Support for reading images (bitmaps) - @Erik Tilt [CodePlex #7538](https://phpexcel.codeplex.com/workitem/7538)
+- Support for default style in PHPExcel_Writer_Excel5 - @Erik Tilt [CodePlex #8787](https://phpexcel.codeplex.com/workitem/8787)
+- Modified calculate() method to return either an array or the first value from the array for those functions that return arrays rather than single values (e.g the MMULT and TRANSPOSE function). This performance can be modified based on the $returnArrayAsType which can be set/retrieved by calling the setArrayReturnType() and getArrayReturnType() methods of the PHPExcel_Calculation class. - @MarkBaker
+
+### Bugfixes
+
+- Added ERROR.TYPE Information Function, MMULT Mathematical and Trigonometry Function, and TRANSPOSE Lookup and Reference Function - @MarkBaker [CodePlex #2346](https://phpexcel.codeplex.com/workitem/2346)
+- setPrintGridlines(true) not working with PHPExcel_Writer_Excel5 - @Erik Tilt [CodePlex #7896](https://phpexcel.codeplex.com/workitem/7896)
+- Incorrect mapping of fill patterns in PHPExcel_Writer_Excel5 - @Erik Tilt [CodePlex #7907](https://phpexcel.codeplex.com/workitem/7907)
+- setShowGridlines(false) not working with PHPExcel_Writer_Excel2007 - @MarkBaker [CodePlex #7898](https://phpexcel.codeplex.com/workitem/7898)
+- getShowGridlines() gives inverted value when reading sheet with PHPExcel_Reader_Excel2007 - @MarkBaker [CodePlex #7905](https://phpexcel.codeplex.com/workitem/7905)
+- User-defined column width becomes slightly larger after read/write with Excel5 - @Erik Tilt [CodePlex #7944](https://phpexcel.codeplex.com/workitem/7944)
+- Incomplete border style support in PHPExcel_Writer_Excel5 - @Erik Tilt [CodePlex #7949](https://phpexcel.codeplex.com/workitem/7949)
+- Conditional formatting "containsText" read/write results in MS Office Excel 2007 crash - @MarkBaker [CodePlex #7928](https://phpexcel.codeplex.com/workitem/7928)
+- All sheets are always selected in output when using PHPExcel_Writer_Excel2007 - @MarkBaker [CodePlex #7995](https://phpexcel.codeplex.com/workitem/7995)
+- COLUMN function warning message during plain read/write - @MarkBaker [CodePlex #8013](https://phpexcel.codeplex.com/workitem/8013)
+- setValue(0) results in string data type '0' - @MarkBaker [CodePlex #8155](https://phpexcel.codeplex.com/workitem/8155)
+- Styles not removed when removing rows from sheet - @MarkBaker [CodePlex #8226](https://phpexcel.codeplex.com/workitem/8226)
+- =IF formula causes fatal error during $objWriter->save() in Excel2007 format - @MarkBaker [CodePlex #8301](https://phpexcel.codeplex.com/workitem/8301)
+- Exception thrown reading valid xls file: "Excel file is corrupt. Didn't find CONTINUE record while reading shared strings" - @Erik Tilt [CodePlex #8333](https://phpexcel.codeplex.com/workitem/8333)
+- MS Outlook corrupts files generated by PHPExcel_Writer_Excel5 - @Erik Tilt [CodePlex #8320](https://phpexcel.codeplex.com/workitem/8320)
+- Undefined method PHPExcel_Worksheet::setFreezePane() in ReferenceHelper.php on line 271 - @MarkBaker [CodePlex #8351](https://phpexcel.codeplex.com/workitem/8351)
+- Ampersands (&), left and right angles (<, >) in Rich-Text strings leads to corrupt output using PHPExcel_Writer_Excel2007 - @MarkBaker [CodePlex #8401](https://phpexcel.codeplex.com/workitem/8401)
+- Print header and footer not supporting UTF-8 in PHPExcel_Writer_Excel5 - @Erik Tilt [CodePlex #8408](https://phpexcel.codeplex.com/workitem/8408)
+- Vertical page breaks not working with PHPExcel_Writer_Excel5 - @Erik Tilt [CodePlex #8463](https://phpexcel.codeplex.com/workitem/8463)
+- Missing support for accounting underline types in PHPExcel_Writer_Excel5 - @Erik Tilt [CodePlex #8476](https://phpexcel.codeplex.com/workitem/8476)
+- Infinite loops when reading corrupt xls file using PHPExcel_Reader_Excel5 - @Erik Tilt [CodePlex #8482](https://phpexcel.codeplex.com/workitem/8482)
+- Sheet protection password not working with PHPExcel_Writer_Excel5 - @Erik Tilt [CodePlex #8566](https://phpexcel.codeplex.com/workitem/8566)
+- PHPExcel_Style_NumberFormat::FORMAT_NUMBER ignored by PHPExcel_Writer_Excel5 - @Erik Tilt [CodePlex #8596](https://phpexcel.codeplex.com/workitem/8596)
+- PHPExcel_Reader_Excel5 fails a whole when workbook contains a chart - @Erik Tilt [CodePlex #8781](https://phpexcel.codeplex.com/workitem/8781)
+- Occasional loss of column widths using PHPExcel_Writer_Excel5 - @Erik Tilt [CodePlex #8788](https://phpexcel.codeplex.com/workitem/8788)
+- Notices while reading formulas with deleted sheet references using PHPExcel_Reader_Excel5 - @Erik Tilt [CodePlex #8795](https://phpexcel.codeplex.com/workitem/8795)
+- Default style not read by PHPExcel_Reader_Excel2007 - @MarkBaker [CodePlex #8807](https://phpexcel.codeplex.com/workitem/8807)
+- Blank rows occupy too much space in file generated by PHPExcel_Writer_Excel2007 - @MarkBaker [CodePlex #9341](https://phpexcel.codeplex.com/workitem/9341)
+
+## [1.6.4] - 2008-10-27
+
+### Features
+
+- RK record number error in MS developer documentation: 0x007E should be 0x027E - @Erik Tilt [CodePlex #7882](https://phpexcel.codeplex.com/workitem/7882)
+- getHighestColumn() returning "@" for blank worksheet causes corrupt output - @MarkBaker [CodePlex #7878](https://phpexcel.codeplex.com/workitem/7878)
+- Implement ROW and COLUMN Lookup/Reference Functions (when specified with a parameter) - @MarkBaker [CodePlex #2346](https://phpexcel.codeplex.com/workitem/2346)
+- Implement initial work on OFFSET Lookup/Reference Function (returning address rather than value at address) - @MarkBaker [CodePlex #2346](https://phpexcel.codeplex.com/workitem/2346)
+- Excel5 reader: Page margins - @Erik Tilt [CodePlex #7416](https://phpexcel.codeplex.com/workitem/7416)
+- Excel5 reader: Header & Footer - @Erik Tilt [CodePlex #7417](https://phpexcel.codeplex.com/workitem/7417)
+- Excel5 reader support for page setup (paper size etc.) - @Erik Tilt [CodePlex #7449](https://phpexcel.codeplex.com/workitem/7449)
+- Improve speed and memory consumption of PHPExcel_Writer_CSV - @MarkBaker [CodePlex #7445](https://phpexcel.codeplex.com/workitem/7445)
+- Better recognition of number format in HTML, CSV, and PDF writer - @MarkBaker [CodePlex #7432](https://phpexcel.codeplex.com/workitem/7432)
+- Font support: Superscript and Subscript - @MarkBaker [CodePlex #7485](https://phpexcel.codeplex.com/workitem/7485)
+- Excel5 reader font support: Super- and subscript - @Erik Tilt [CodePlex #7509](https://phpexcel.codeplex.com/workitem/7509)
+- Excel5 reader style support: Text rotation and stacked text - @Erik Tilt [CodePlex #7521](https://phpexcel.codeplex.com/workitem/7521)
+- Excel5 reader: Support for hyperlinks - @Erik Tilt [CodePlex #7530](https://phpexcel.codeplex.com/workitem/7530)
+- Import sheet by request - @MB, ET [CodePlex #7557](https://phpexcel.codeplex.com/workitem/7557)
+- PHPExcel_Reader_Excel5 support for page breaks - @Erik Tilt [CodePlex #7607](https://phpexcel.codeplex.com/workitem/7607)
+- PHPExcel_Reader_Excel5 support for shrink-to-fit - @Erik Tilt [CodePlex #7622](https://phpexcel.codeplex.com/workitem/7622)
+- Support for error types - @MB, ET [CodePlex #7675](https://phpexcel.codeplex.com/workitem/7675)
+- Excel5 reader true formula support - @Erik Tilt [CodePlex #7388](https://phpexcel.codeplex.com/workitem/7388)
+- Support for named ranges (defined names) in PHPExcel_Reader_Excel5 - @Erik Tilt [CodePlex #7701](https://phpexcel.codeplex.com/workitem/7701)
+- Support for repeating rows and repeating columns (print titles) in PHPExcel_Reader_Excel5 - @Erik Tilt [CodePlex #7781](https://phpexcel.codeplex.com/workitem/7781)
+- Support for print area in PHPExcel_Reader_Excel5 - @Erik Tilt [CodePlex #7783](https://phpexcel.codeplex.com/workitem/7783)
+- Excel5 reader and writer support for horizontal and vertical centering of page - @Erik Tilt [CodePlex #7795](https://phpexcel.codeplex.com/workitem/7795)
+- Applied patch 1962 - @MarkBaker
+- Excel5 reader and writer support for hidden cells (formulas) - @Erik Tilt [CodePlex #7866](https://phpexcel.codeplex.com/workitem/7866)
+- Support for indentation in cells (feature request) - @MB, ET [CodePlex #7612](https://phpexcel.codeplex.com/workitem/7612)
+
+### Bugfixes
+
+- Option for reading only specified interval of rows in a sheet - @MB, ET [CodePlex #7828](https://phpexcel.codeplex.com/workitem/7828)
+- PHPExcel_Calculation_Functions::DATETIMENOW() and PHPExcel_Calculation_Functions::DATENOW() to force UTC - @MarkBaker [CodePlex #7367](https://phpexcel.codeplex.com/workitem/7367)
+- Modified PHPExcel_Shared_Date::FormattedPHPToExcel() and PHPExcel_Shared_Date::ExcelToPHP to force datatype for return values - @MarkBaker [CodePlex #7395](https://phpexcel.codeplex.com/workitem/7395)
+- Excel5 reader not producing UTF-8 strings with BIFF5 files - @Erik Tilt [CodePlex #7450](https://phpexcel.codeplex.com/workitem/7450)
+- Array constant in formula gives run-time notice with Excel2007 writer - @MarkBaker [CodePlex #7470](https://phpexcel.codeplex.com/workitem/7470)
+- PHPExcel_Reader_Excel2007 setReadDataOnly(true) returns Rich-Text - @MarkBaker [CodePlex #7494](https://phpexcel.codeplex.com/workitem/7494)
+- PHPExcel_Reader_Excel5 setReadDataOnly(true) returns Rich-Text - @Erik Tilt [CodePlex #7496](https://phpexcel.codeplex.com/workitem/7496)
+- Characters before superscript or subscript losing style - @MarkBaker [CodePlex #7497](https://phpexcel.codeplex.com/workitem/7497)
+- Subscript not working with HTML writer - @MarkBaker [CodePlex #7507](https://phpexcel.codeplex.com/workitem/7507)
+- DefaultColumnDimension not working on first column (A) - @MarkBaker [CodePlex #7508](https://phpexcel.codeplex.com/workitem/7508)
+- Negative numbers are stored as text in PHPExcel_Writer_2007 - @MarkBaker [CodePlex #7527](https://phpexcel.codeplex.com/workitem/7527)
+- Text rotation and stacked text not working with PHPExcel_Writer_Excel5 - @Erik Tilt [CodePlex #7531](https://phpexcel.codeplex.com/workitem/7531)
+- PHPExcel_Shared_Date::isDateTimeFormatCode erroneously says true - @MarkBaker [CodePlex #7536](https://phpexcel.codeplex.com/workitem/7536)
+- Different images with same filename in separate directories become duplicates - @MarkBaker [CodePlex #7559](https://phpexcel.codeplex.com/workitem/7559)
+- PHPExcel_Reader_Excel5 not returning sheet names as UTF-8 using for Excel 95 files - @Erik Tilt [CodePlex #7568](https://phpexcel.codeplex.com/workitem/7568)
+- setAutoSize(true) on empty column gives column width of 10 using PHPExcel_Writer_Excel2007 - @MarkBaker [CodePlex #7575](https://phpexcel.codeplex.com/workitem/7575)
+- setAutoSize(true) on empty column gives column width of 255 using PHPExcel_Writer_Excel5 - @MB, ET [CodePlex #7573](https://phpexcel.codeplex.com/workitem/7573)
+- Worksheet_Drawing bug - @MarkBaker [CodePlex #7514](https://phpexcel.codeplex.com/workitem/7514)
+- getCalculatedValue() with REPT function causes script to stop - @MarkBaker [CodePlex #7593](https://phpexcel.codeplex.com/workitem/7593)
+- getCalculatedValue() with LEN function causes script to stop - @MarkBaker [CodePlex #7594](https://phpexcel.codeplex.com/workitem/7594)
+- Explicit fit-to-width (page setup) results in fit-to-height becoming 1 - @MarkBaker [CodePlex #7600](https://phpexcel.codeplex.com/workitem/7600)
+- Fit-to-width value of 1 is lost after read/write of Excel2007 spreadsheet - @MarkBaker [CodePlex #7610](https://phpexcel.codeplex.com/workitem/7610)
+- Conditional styles not read properly using PHPExcel_Reader_Excel2007 - @MarkBaker [CodePlex #7516](https://phpexcel.codeplex.com/workitem/7516)
+- PHPExcel_Writer_2007: Default worksheet style works only for first sheet - @MarkBaker [CodePlex #7611](https://phpexcel.codeplex.com/workitem/7611)
+- Cannot Lock Cells using PHPExcel_Writer_Excel5 - @Erik Tilt [CodePlex #6940](https://phpexcel.codeplex.com/workitem/6940)
+- Incorrect cell protection values found when using Excel5 reader - @Erik Tilt [CodePlex #7621](https://phpexcel.codeplex.com/workitem/7621)
+- Default row height not working above highest row using PHPExcel_Writer_Excel5 - @Erik Tilt [CodePlex #7623](https://phpexcel.codeplex.com/workitem/7623)
+- Default column width does not get applied when using PHPExcel_Writer_Excel5 - @Erik Tilt [CodePlex #7637](https://phpexcel.codeplex.com/workitem/7637)
+- Broken support for UTF-8 string formula results in PHPExcel_Reader_Excel5 - @Erik Tilt [CodePlex #7642](https://phpexcel.codeplex.com/workitem/7642)
+- UTF-8 sheet names not working with PHPExcel_Writer_Excel5 - @Erik Tilt [CodePlex #7643](https://phpexcel.codeplex.com/workitem/7643)
+- getCalculatedValue() with ISNONTEXT function causes script to stop - @MarkBaker [CodePlex #7631](https://phpexcel.codeplex.com/workitem/7631)
+- Missing BIFF3 functions in PHPExcel_Writer_Excel5: USDOLLAR (YEN), FINDB, SEARCHB, REPLACEB, LEFTB, RIGHTB, MIDB, LENB, ASC, DBCS (JIS) - @Erik Tilt [CodePlex #7652](https://phpexcel.codeplex.com/workitem/7652)
+- Excel5 reader doesn't read numbers correctly in 64-bit systems - @Erik Tilt [CodePlex #7663](https://phpexcel.codeplex.com/workitem/7663)
+- Missing BIFF5 functions in PHPExcel_Writer_Excel5: ISPMT, DATEDIF, DATESTRING, NUMBERSTRING - @Erik Tilt [CodePlex #7667](https://phpexcel.codeplex.com/workitem/7667)
+- Missing BIFF8 functions in PHPExcel_Writer_Excel5: GETPIVOTDATA, HYPERLINK, PHONETIC, AVERAGEA, MAXA, MINA, STDEVPA, VARPA, STDEVA, VARA - @Erik Tilt [CodePlex #7668](https://phpexcel.codeplex.com/workitem/7668)
+- Wrong host value in PHPExcel_Shared_ZipStreamWrapper::stream_open() - @MarkBaker [CodePlex #7657](https://phpexcel.codeplex.com/workitem/7657)
+- PHPExcel_Reader_Excel5 not reading explicitly entered error types in cells - @Erik Tilt [CodePlex #7676](https://phpexcel.codeplex.com/workitem/7676)
+- Boolean and error data types not preserved for formula results in PHPExcel_Reader_Excel5 - @Erik Tilt [CodePlex #7678](https://phpexcel.codeplex.com/workitem/7678)
+- PHPExcel_Reader_Excel2007 ignores cell data type - @MarkBaker [CodePlex #7695](https://phpexcel.codeplex.com/workitem/7695)
+- PHPExcel_Reader_Excel5 ignores cell data type - @Erik Tilt [CodePlex #7712](https://phpexcel.codeplex.com/workitem/7712)
+- PHPExcel_Writer_Excel5 not aware of data type - @Erik Tilt [CodePlex #7587](https://phpexcel.codeplex.com/workitem/7587)
+- Long strings sometimes truncated when using PHPExcel_Reader_Excel5 - @Erik Tilt [CodePlex #7713](https://phpexcel.codeplex.com/workitem/7713)
+- Direct entry of boolean or error type in cell not supported by PHPExcel_Writer_Excel5 - @Erik Tilt [CodePlex #7727](https://phpexcel.codeplex.com/workitem/7727)
+- PHPExcel_Reader_Excel2007: Error reading cell with data type string, date number format, and numeric-like cell value - @MarkBaker [CodePlex #7714](https://phpexcel.codeplex.com/workitem/7714)
+- Row and column outlines (group indent level) not showing after using PHPExcel_Writer_Excel5 - @Erik Tilt [CodePlex #7735](https://phpexcel.codeplex.com/workitem/7735)
+- Missing UTF-8 support in number format codes for PHPExcel_Writer_Excel5 - @Erik Tilt [CodePlex #7737](https://phpexcel.codeplex.com/workitem/7737)
+- Missing UTF-8 support with PHPExcel_Writer_Excel5 for explicit string in formula - @Erik Tilt [CodePlex #7750](https://phpexcel.codeplex.com/workitem/7750)
+- Problem with class constants in PHPExcel_Style_NumberFormat - @MarkBaker [CodePlex #7726](https://phpexcel.codeplex.com/workitem/7726)
+- Sometimes errors with PHPExcel_Reader_Excel5 reading hyperlinks - @Erik Tilt [CodePlex #7758](https://phpexcel.codeplex.com/workitem/7758)
+- Hyperlink in cell always results in string data type when using PHPExcel_Writer_Excel5 - @Erik Tilt [CodePlex #7759](https://phpexcel.codeplex.com/workitem/7759)
+- Excel file with blank sheet seen as broken in MS Office Excel 2007 when created by PHPExcel_Writer_Excel5 - @Erik Tilt [CodePlex #7771](https://phpexcel.codeplex.com/workitem/7771)
+- PHPExcel_Reader_Excel5: Incorrect reading of formula with explicit string containing (escaped) double-quote - @Erik Tilt [CodePlex #7785](https://phpexcel.codeplex.com/workitem/7785)
+- getCalculatedValue() fails on formula with sheet name containing (escaped) single-quote - @MarkBaker [CodePlex #7787](https://phpexcel.codeplex.com/workitem/7787)
+- getCalculatedValue() fails on formula with explicit string containing (escaped) double-quote - @MarkBaker [CodePlex #7786](https://phpexcel.codeplex.com/workitem/7786)
+- Problems with simultaneous repeatRowsAtTop and repeatColumnsAtLeft using Excel2007 reader and writer - @MarkBaker [CodePlex #7780](https://phpexcel.codeplex.com/workitem/7780)
+- PHPExcel_Reader_Excel5: Error reading formulas with sheet reference containing special characters - @Erik Tilt [CodePlex #7802](https://phpexcel.codeplex.com/workitem/7802)
+- Off-sheet references sheet!A1 not working with PHPExcel_Writer_Excel5 - @Erik Tilt [CodePlex #7831](https://phpexcel.codeplex.com/workitem/7831)
+- Repeating rows/columns (print titles), print area not working with PHPExcel_Writer_Excel5 - @Erik Tilt [CodePlex #7834](https://phpexcel.codeplex.com/workitem/7834)
+- Formula having datetime number format shows as text when using PHPExcel_Writer_Excel5 - @Erik Tilt [CodePlex #7849](https://phpexcel.codeplex.com/workitem/7849)
+- Cannot set formula to hidden using applyFromArray() - @MarkBaker [CodePlex #7863](https://phpexcel.codeplex.com/workitem/7863)
+- HTML/PDF Writers limited to 26 columns by calculateWorksheetDimension (erroneous comparison in getHighestColumn() method) - @MarkBaker [CodePlex #7805](https://phpexcel.codeplex.com/workitem/7805)
+- Formula returning error type is lost when read by PHPExcel_Reader_Excel2007 - @MarkBaker [CodePlex #7873](https://phpexcel.codeplex.com/workitem/7873)
+- PHPExcel_Reader_Excel5: Cell style lost for last column in group of blank cells - @Erik Tilt [CodePlex #7883](https://phpexcel.codeplex.com/workitem/7883)
+- Column width sometimes collapses to auto size using Excel2007 reader/writer - @MarkBaker [CodePlex #7886](https://phpexcel.codeplex.com/workitem/7886)
+- Data Validation Formula = 0 crashes Excel - @MarkBaker [CodePlex #9343](https://phpexcel.codeplex.com/workitem/9343)
+
+## [1.6.3] - 2008-08-25
+
+### General
+
+- Modified PHPExcel_Shared_Date::PHPToExcel() to force UTC - @MarkBaker [CodePlex #7367](https://phpexcel.codeplex.com/workitem/7367)
+- Applied patch 1629 - @MarkBaker
+- Applied patch 1644 - @MarkBaker
+- Implement repeatRow and repeatColumn in Excel5 writer - @MarkBaker [CodePlex #6485](https://phpexcel.codeplex.com/workitem/6485)
+
+### Features
+
+- Remove scene3d filter in Excel2007 drawing - @MarkBaker [CodePlex #6838](https://phpexcel.codeplex.com/workitem/6838)
+- Implement CHOOSE and INDEX Lookup/Reference Functions - @MarkBaker [CodePlex #2346](https://phpexcel.codeplex.com/workitem/2346)
+- Implement CLEAN Text Functions - @MarkBaker [CodePlex #2346](https://phpexcel.codeplex.com/workitem/2346)
+- Implement YEARFRAC Date/Time Functions - @MarkBaker [CodePlex #2346](https://phpexcel.codeplex.com/workitem/2346)
+- Implement 2 options for print/show gridlines - @MarkBaker [CodePlex #6508](https://phpexcel.codeplex.com/workitem/6508)
+- Add VLOOKUP function (contribution) - @MarkBaker [CodePlex #7270](https://phpexcel.codeplex.com/workitem/7270)
+- Implemented: ShrinkToFit - @MarkBaker [CodePlex #7182](https://phpexcel.codeplex.com/workitem/7182)
+- Row heights not updated correctly when inserting new rows - @MarkBaker [CodePlex #7218](https://phpexcel.codeplex.com/workitem/7218)
+- Copy worksheets within the same workbook - @MarkBaker [CodePlex #7157](https://phpexcel.codeplex.com/workitem/7157)
+- Excel5 reader style support: horizontal and vertical alignment plus text wrap - @Erik Tilt [CodePlex #7290](https://phpexcel.codeplex.com/workitem/7290)
+- Excel5 reader support for merged cells - @Erik Tilt [CodePlex #7294](https://phpexcel.codeplex.com/workitem/7294)
+- Excel5 reader: Sheet Protection - @Erik Tilt [CodePlex #7296](https://phpexcel.codeplex.com/workitem/7296)
+- Excel5 reader: Password for sheet protection - @Erik Tilt [CodePlex #7297](https://phpexcel.codeplex.com/workitem/7297)
+- Excel5 reader: Column width - @Erik Tilt [CodePlex #7299](https://phpexcel.codeplex.com/workitem/7299)
+- Excel5 reader: Row height - @Erik Tilt [CodePlex #7301](https://phpexcel.codeplex.com/workitem/7301)
+- Excel5 reader: Font support - @Erik Tilt [CodePlex #7304](https://phpexcel.codeplex.com/workitem/7304)
+- Excel5 reader: support for locked cells - @Erik Tilt [CodePlex #7324](https://phpexcel.codeplex.com/workitem/7324)
+- Excel5 reader style support: Fill (background colors and patterns) - @Erik Tilt [CodePlex #7330](https://phpexcel.codeplex.com/workitem/7330)
+- Excel5 reader style support: Borders (style and color) - @Erik Tilt [CodePlex #7332](https://phpexcel.codeplex.com/workitem/7332)
+- Excel5 reader: Rich-Text support - @Erik Tilt [CodePlex #7346](https://phpexcel.codeplex.com/workitem/7346)
+- Read Excel built-in number formats with Excel 2007 reader - @MarkBaker [CodePlex #7313](https://phpexcel.codeplex.com/workitem/7313)
+- Excel5 reader: Number format support - @Erik Tilt [CodePlex #7317](https://phpexcel.codeplex.com/workitem/7317)
+- Creating a copy of PHPExcel object - @MarkBaker [CodePlex #7362](https://phpexcel.codeplex.com/workitem/7362)
+- Excel5 reader: support for row / column outline (group) - @Erik Tilt [CodePlex #7373](https://phpexcel.codeplex.com/workitem/7373)
+- Implement default row/column sizes - @MarkBaker [CodePlex #7380](https://phpexcel.codeplex.com/workitem/7380)
+- Writer HTML - option to return styles and table separately - @MarkBaker [CodePlex #7364](https://phpexcel.codeplex.com/workitem/7364)
+
+### Bugfixes
+
+- Excel5 reader: Support for remaining built-in number formats - @Erik Tilt [CodePlex #7393](https://phpexcel.codeplex.com/workitem/7393)
+- Fixed rounding in HOUR MINUTE and SECOND Time functions, and improved performance for these - @MarkBaker
+- Fix to TRIM function - @MarkBaker
+- Fixed range validation in TIME Functions.php - @MarkBaker
+- EDATE and EOMONTH functions now return date values based on the returnDateType flag - @MarkBaker
+- Write date values that are the result of a calculation function correctly as Excel serialized dates rather than PHP serialized date values - @MarkBaker
+- Excel2007 reader not always reading boolean correctly - @MarkBaker [CodePlex #6690](https://phpexcel.codeplex.com/workitem/6690)
+- Columns above IZ - @MarkBaker [CodePlex #6275](https://phpexcel.codeplex.com/workitem/6275)
+- Other locale than English causes Excel2007 writer to produce broken xlsx - @MarkBaker [CodePlex #6853](https://phpexcel.codeplex.com/workitem/6853)
+- Typo: Number_fromat in NumberFormat.php - @MarkBaker [CodePlex #7061](https://phpexcel.codeplex.com/workitem/7061)
+- Bug in Worksheet_BaseDrawing setWidth() - @MarkBaker [CodePlex #6865](https://phpexcel.codeplex.com/workitem/6865)
+- PDF writer collapses column width for merged cells - @MarkBaker [CodePlex #6891](https://phpexcel.codeplex.com/workitem/6891)
+- Issues with drawings filenames - @MarkBaker [CodePlex #6867](https://phpexcel.codeplex.com/workitem/6867)
+- fromArray() local variable isn't defined - @MarkBaker [CodePlex #7073](https://phpexcel.codeplex.com/workitem/7073)
+- PHPExcel_Writer_Excel5->setTempDir() not passed to all classes involved in writing to a file - @MarkBaker [CodePlex #7276](https://phpexcel.codeplex.com/workitem/7276)
+- Excel5 reader not handling UTF-8 properly - @MarkBaker [CodePlex #7277](https://phpexcel.codeplex.com/workitem/7277)
+- If you write a 0 value in cell, cell shows as empty - @MarkBaker [CodePlex #7327](https://phpexcel.codeplex.com/workitem/7327)
+- Excel2007 writer: Row height ignored for empty rows - @MarkBaker [CodePlex #7302](https://phpexcel.codeplex.com/workitem/7302)
+- Excel2007 (comments related error) - @MarkBaker [CodePlex #7281](https://phpexcel.codeplex.com/workitem/7281)
+- Column width in other locale - @MarkBaker [CodePlex #7345](https://phpexcel.codeplex.com/workitem/7345)
+- Excel2007 reader not reading underlined Rich-Text - @MarkBaker [CodePlex #7347](https://phpexcel.codeplex.com/workitem/7347)
+- Excel5 reader converting booleans to strings - @Erik Tilt [CodePlex #7357](https://phpexcel.codeplex.com/workitem/7357)
+- Recursive Object Memory Leak - @MarkBaker [CodePlex #7365](https://phpexcel.codeplex.com/workitem/7365)
+- Excel2007 writer ignoring row dimensions without cells - @MarkBaker [CodePlex #7372](https://phpexcel.codeplex.com/workitem/7372)
+- Excel5 reader is converting formatted numbers / dates to strings - @Erik Tilt [CodePlex #7382](https://phpexcel.codeplex.com/workitem/7382)
+
+## [1.6.2] - 2008-06-23
+
+### General
+
+- Document style array values - @MarkBaker [CodePlex #6088](https://phpexcel.codeplex.com/workitem/6088)
+- Applied patch 1195 - @MarkBaker
+- Redirecting output to a client’s web browser - http headers - @MarkBaker [CodePlex #6178](https://phpexcel.codeplex.com/workitem/6178)
+- Improve worksheet garbage collection - @MarkBaker [CodePlex #6187](https://phpexcel.codeplex.com/workitem/6187)
+- Functions that return date values can now be configured to return as Excel serialized date/time, PHP serialized date/time, or a PHP date/time object. - @MarkBaker
+- Functions that explicitly accept dates as parameters now permit values as Excel serialized date/time, PHP serialized date/time, a valid date string, or a PHP date/time object. - @MarkBaker
+- Implement ACOSH, ASINH and ATANH functions for those operating platforms/PHP versions that don't include these functions - @MarkBaker
+- Implement ATAN2 logic reversing the arguments as per Excel - @MarkBaker
+- Additional validation of parameters for COMBIN - @MarkBaker
+
+### Features
+
+- Fixed validation for CEILING and FLOOR when the value and significance parameters have different signs; and allowed default value of 1 or -1 for significance when in GNUMERIC compatibility mode - @MarkBaker
+- Implement ADDRESS, ISLOGICAL, ISTEXT and ISNONTEXT functions - @MarkBaker [CodePlex #2346](https://phpexcel.codeplex.com/workitem/2346)
+- Implement COMPLEX, IMAGINARY, IMREAL, IMARGUMENT, IMCONJUGATE, IMABS, IMSUB, IMDIV, IMSUM, IMPRODUCT, IMSQRT, IMEXP, IMLN, IMLOG10, IMLOG2, IMPOWER IMCOS and IMSIN Engineering functions - @MarkBaker [CodePlex #2346](https://phpexcel.codeplex.com/workitem/2346)
+- Implement NETWORKDAYS and WORKDAY Date/Time functions - @MarkBaker [CodePlex #2346](https://phpexcel.codeplex.com/workitem/2346)
+- Make cell column AAA available - @MarkBaker [CodePlex #6100](https://phpexcel.codeplex.com/workitem/6100)
+- Mark particular cell as selected when opening Excel - @MarkBaker [CodePlex #6095](https://phpexcel.codeplex.com/workitem/6095)
+- Multiple sheets in PDF and HTML - @MarkBaker [CodePlex #6120](https://phpexcel.codeplex.com/workitem/6120)
+- Implement PHPExcel_ReaderFactory and PHPExcel_WriterFactory - @MarkBaker [CodePlex #6227](https://phpexcel.codeplex.com/workitem/6227)
+- Set image root of PHPExcel_Writer_HTML - @MarkBaker [CodePlex #6249](https://phpexcel.codeplex.com/workitem/6249)
+- Enable/disable calculation cache - @MarkBaker [CodePlex #6264](https://phpexcel.codeplex.com/workitem/6264)
+- PDF writer and multi-line text - @MarkBaker [CodePlex #6259](https://phpexcel.codeplex.com/workitem/6259)
+- Feature request - setCacheExpirationTime() - @MarkBaker [CodePlex #6350](https://phpexcel.codeplex.com/workitem/6350)
+- Implement late-binding mechanisms to reduce memory footprint - @JB [CodePlex #6370](https://phpexcel.codeplex.com/workitem/6370)
+- Implement shared styles - @JB [CodePlex #6430](https://phpexcel.codeplex.com/workitem/6430)
+- Copy sheet from external Workbook to active Workbook - @MarkBaker [CodePlex #6391](https://phpexcel.codeplex.com/workitem/6391)
+
+### Bugfixes
+
+- Functions in Conditional Formatting - @MarkBaker [CodePlex #6428](https://phpexcel.codeplex.com/workitem/6428)
+- Default Style in Excel5 - @MarkBaker [CodePlex #6096](https://phpexcel.codeplex.com/workitem/6096)
+- Numbers starting with '+' cause Excel 2007 errors - @MarkBaker [CodePlex #6150](https://phpexcel.codeplex.com/workitem/6150)
+- ExcelWriter5 is not PHP5 compatible, using it with E_STRICT results in a bunch of errors (applied patches) - @MarkBaker [CodePlex #6092](https://phpexcel.codeplex.com/workitem/6092)
+- Error Reader Excel2007 line 653 foreach ($relsDrawing->Relationship as $ele) - @MarkBaker [CodePlex #6179](https://phpexcel.codeplex.com/workitem/6179)
+- Worksheet toArray() screws up DATE - @MarkBaker [CodePlex #6229](https://phpexcel.codeplex.com/workitem/6229)
+- References to a Richtext cell in a formula - @MarkBaker [CodePlex #6253](https://phpexcel.codeplex.com/workitem/6253)
+- insertNewColumnBefore Bug - @MarkBaker [CodePlex #6285](https://phpexcel.codeplex.com/workitem/6285)
+- Error reading Excel2007 file with shapes - @MarkBaker [CodePlex #6319](https://phpexcel.codeplex.com/workitem/6319)
+- Determine whether date values need conversion from PHP dates to Excel dates before writing to file, based on the data type (float or integer) - @MarkBaker [CodePlex #6302](https://phpexcel.codeplex.com/workitem/6302)
+- Fixes to DATE function when it is given negative input parameters - @MarkBaker
+- PHPExcel handles empty cells other than Excel - @MarkBaker [CodePlex #6347](https://phpexcel.codeplex.com/workitem/6347)
+- PHPExcel handles 0 and "" as being the same - @MarkBaker [CodePlex #6348](https://phpexcel.codeplex.com/workitem/6348)
+- Problem Using Excel2007 Reader for Spreadsheets containing images - @MarkBaker [CodePlex #6357](https://phpexcel.codeplex.com/workitem/6357)
+- ShowGridLines ignored when reading/writing Excel 2007 - @MarkBaker [CodePlex #6359](https://phpexcel.codeplex.com/workitem/6359)
+- Bug With Word Wrap in Excel 2007 Reader - @MarkBaker [CodePlex #6426](https://phpexcel.codeplex.com/workitem/6426)
+
+## [1.6.1] - 2008-04-28
+
+### General
+
+- Fix documentation printing - @MarkBaker [CodePlex #5532](https://phpexcel.codeplex.com/workitem/5532)
+- Memory usage improvements - @MarkBaker [CodePlex #5586](https://phpexcel.codeplex.com/workitem/5586)
+- Applied patch 990 - @MarkBaker
+
+### Features
+
+- Applied patch 991 - @MarkBaker
+- Implement PHPExcel_Reader_Excel5 - @BM [CodePlex #2841](https://phpexcel.codeplex.com/workitem/2841)
+- Implement "toArray" and "fromArray" method - @MarkBaker [CodePlex #5564](https://phpexcel.codeplex.com/workitem/5564)
+- Read shared formula - @MarkBaker [CodePlex #5665](https://phpexcel.codeplex.com/workitem/5665)
+- Read image twoCellAnchor - @MarkBaker [CodePlex #5681](https://phpexcel.codeplex.com/workitem/5681)
+- &G Image as bg for headerfooter - @MarkBaker [CodePlex #4446](https://phpexcel.codeplex.com/workitem/4446)
+- Implement page layout functionality for Excel5 format - @MarkBaker [CodePlex #5834](https://phpexcel.codeplex.com/workitem/5834)
+
+### Bugfixes
+
+- Feature request: PHPExcel_Writer_PDF - @MarkBaker [CodePlex #6039](https://phpexcel.codeplex.com/workitem/6039)
+- DefinedNames null check - @MarkBaker [CodePlex #5517](https://phpexcel.codeplex.com/workitem/5517)
+- Hyperlinks should not always have trailing slash - @MarkBaker [CodePlex #5463](https://phpexcel.codeplex.com/workitem/5463)
+- Saving Error - Uncaught exception (#REF! named range) - @MarkBaker [CodePlex #5592](https://phpexcel.codeplex.com/workitem/5592)
+- Error when creating Zip file on Linux System (Not Windows) - @MarkBaker [CodePlex #5634](https://phpexcel.codeplex.com/workitem/5634)
+- Time incorrecly formated - @MarkBaker [CodePlex #5876](https://phpexcel.codeplex.com/workitem/5876)
+- Conditional formatting - second rule not applied - @MarkBaker [CodePlex #5914](https://phpexcel.codeplex.com/workitem/5914)
+- PHPExcel_Reader_Excel2007 cannot load PHPExcel_Shared_File - @MarkBaker [CodePlex #5978](https://phpexcel.codeplex.com/workitem/5978)
+- Output redirection to web browser - @MarkBaker [CodePlex #6020](https://phpexcel.codeplex.com/workitem/6020)
+
+## [1.6.0] - 2008-02-14
+
+### Features
+
+- Use PHPExcel datatypes in formula calculation - @MarkBaker [CodePlex #3156](https://phpexcel.codeplex.com/workitem/3156)
+- Center on page when printing - @MarkBaker [CodePlex #5019](https://phpexcel.codeplex.com/workitem/5019)
+- Hyperlink to other spreadsheet - @MarkBaker [CodePlex #5099](https://phpexcel.codeplex.com/workitem/5099)
+- Set the print area of a worksheet - @MarkBaker [CodePlex #5104](https://phpexcel.codeplex.com/workitem/5104)
+- Read "definedNames" property of worksheet - @MarkBaker [CodePlex #5118](https://phpexcel.codeplex.com/workitem/5118)
+- Set default style for all cells - @MarkBaker [CodePlex #5338](https://phpexcel.codeplex.com/workitem/5338)
+- Named Ranges - @MarkBaker [CodePlex #4216](https://phpexcel.codeplex.com/workitem/4216)
+
+### Bugfixes
+
+- Implement worksheet references (Sheet1!A1) - @MarkBaker [CodePlex #5398](https://phpexcel.codeplex.com/workitem/5398)
+- Redirect output to a client's web browser - @MarkBaker [CodePlex #4967](https://phpexcel.codeplex.com/workitem/4967)
+- "File Error: data may have been lost." seen in Excel 2007 and Excel 2003 SP3 when opening XLS file - @MarkBaker [CodePlex #5008](https://phpexcel.codeplex.com/workitem/5008)
+- Bug in style's getHashCode() - @MarkBaker [CodePlex #5165](https://phpexcel.codeplex.com/workitem/5165)
+- PHPExcel_Reader not correctly reading numeric values - @MarkBaker [CodePlex #5165](https://phpexcel.codeplex.com/workitem/5165)
+- Text rotation is read incorrectly - @MarkBaker [CodePlex #5324](https://phpexcel.codeplex.com/workitem/5324)
+- Enclosure " and data " result a bad data : \" instead of "" - @MarkBaker [CodePlex #5326](https://phpexcel.codeplex.com/workitem/5326)
+- Formula parser - IF statement returning array instead of scalar - @MarkBaker [CodePlex #5332](https://phpexcel.codeplex.com/workitem/5332)
+- setFitToWidth(nbpage) & setFitToWidth(nbpage) work partially - @MarkBaker [CodePlex #5351](https://phpexcel.codeplex.com/workitem/5351)
+- Worksheet::setTitle() causes unwanted renaming - @MarkBaker [CodePlex #5361](https://phpexcel.codeplex.com/workitem/5361)
+- Hyperlinks not working. Results in broken xlsx file. - @MarkBaker [CodePlex #5407](https://phpexcel.codeplex.com/workitem/5407)
+
+## [1.5.5] - 2007-12-24
+
+### General
+
+- Grouping Rows - @MarkBaker [CodePlex #4135](https://phpexcel.codeplex.com/workitem/4135)
+
+### Features
+
+- Semi-nightly builds - @MarkBaker [CodePlex #4427](https://phpexcel.codeplex.com/workitem/4427)
+- Implement "date" datatype - @MarkBaker [CodePlex #3155](https://phpexcel.codeplex.com/workitem/3155)
+- Date format not honored in CSV writer - @MarkBaker [CodePlex #4150](https://phpexcel.codeplex.com/workitem/4150)
+- RichText and sharedStrings - @MarkBaker [CodePlex #4199](https://phpexcel.codeplex.com/workitem/4199)
+- Implement more Excel calculation functions - @MarkBaker [CodePlex #2346](https://phpexcel.codeplex.com/workitem/2346)
+ - Addition of DATE, DATEDIF, DATEVALUE, DAY, DAYS360- Implement more Excel calculation functions - @MarkBaker [CodePlex #2346](https://phpexcel.codeplex.com/workitem/2346)
+ - Addition of AVEDEV, HARMEAN and GEOMEAN
+ - Addition of the BINOMDIST (Non-cumulative only), COUNTBLANK, EXPONDIST, FISHER, FISHERINV, NORMDIST, NORMSDIST, PERMUT, POISSON (Non-cumulative only) and STANDARDIZE Statistical Functions
+ - Addition of the CEILING, COMBIN, EVEN, FACT, FACTDOUBLE, FLOOR, MULTINOMIAL, ODD, ROUNDDOWN, ROUNDUP, SIGN, SQRTPI and SUMSQ Mathematical Functions
+ - Addition of the NORMINV, NORMSINV, CONFIDENCE and SKEW Statistical Functions
+ - Addition of the CRITBINOM, HYPGEOMDIST, KURT, LOGINV, LOGNORMDIST, NEGBINOMDIST and WEIBULL Statistical Functions
+ - Addition of the LARGE, PERCENTILE, QUARTILE, SMALL and TRIMMEAN Statistical Functions
+ - Addition of the BIN2HEX, BIN2OCT, DELTA, ERF, ERFC, GESTEP, HEX2BIN, HEX2DEC, HEX2OCT, OCT2BIN and OCT2HEX Engineering Functions
+ - Addition of the CHIDIST, GAMMADIST and GAMMALN Statistical Functions
+ - Addition of the GCD, LCM, MROUND and SUBTOTAL Mathematical Functions
+ - Addition of the LOWER, PROPER and UPPER Text Functions
+ - Addition of the BETADIST and BETAINV Statistical Functions
+ - Addition of the CHIINV and GAMMAINV Statistical Functions
+ - Addition of the SERIESSUM Mathematical Function
+ - Addition of the CHAR, CODE, FIND, LEN, REPT, SEARCH, T, TRIM Text Functions
+ - Addition of the FALSE and TRUE Boolean Functions
+ - Addition of the TDIST and TINV Statistical Functions
+ - Addition of the EDATE, EOMONTH, YEAR, MONTH, TIME, TIMEVALUE, HOUR, MINUTE, SECOND, WEEKDAY, WEEKNUM, NOW, TODAY and Date/Time Function
+ - Addition of the BESSELI, BESSELJ, BESSELK and BESSELY Engineering Functions
+ - Addition of the SLN and SYD Financial Functions
+ - reworked MODE calculation to handle floating point numbers
+ - Improved error trapping for invalid input values
+ - Fix to SMALL, LARGE, PERCENTILE and TRIMMEAN to eliminate non-numeric values
+ - Added CDF to BINOMDIST and POISSON
+ - Fix to a potential endless loop in CRITBINOM, together with other bugfixes to the algorithm
+ - Fix to SQRTPI so that it will work with a real value parameter rather than just integers
+ - Trap for passing negative values to FACT
+ - Improved accuracy of the NORMDIST cumulative function, and of the ERF and ERFC functions
+ - Replicated Excel data-type and error handling for BIN, DEC, OCT and HEX conversion functions
+ - Replicated Excel data-type and error handling for AND and OR Boolean functions
+ - Bugfix to MROUND
+ - Rework of the DATE, DATEVALUE, DAY, DAYS360 and DATEDIF date/Time functions to use Excel dates rather than straight PHP dates
+ - Rework of the AND, OR Boolean functions to ignore string values
+ - Rework of the BIN2DEC, BIN2HEX, BIN2OCT, DEC2BIN, DEC2HEX, DEC2OCT Engineering functions to handle two's complement
+ - Excel, Gnumeric and OpenOffice Calc compatibility flag for functions
+ - Note, not all functions have yet been written to work with the Gnumeric and OpenOffice Calc compatibility flags
+ - 1900 or 1904 Calendar flag for date functions
+ - Reworked ExcelToPHP date method to handle the Excel 1900 leap year
+ - Note that this will not correctly return values prior to 13-Dec-1901 20:45:52 as this is the minimum value that PHP date serial values can handle. If you need to work with dates prior to this, then an ExcelToPHPObject method has been added which will work correctly with values between Excel's 1900 calendar base date of 1-Jan-1900, and 13-Dec-1901
+ - Addition of ExcelToPHPObject date method to return a PHP DateTime object from an Excel date serial value
+ - PHPToExcel method modified to accept either PHP date serial numbers or PHP DateTime objects
+ - Addition of FormattedPHPToExcel which will accept a date and time broken to into year, month, day, hour, minute, second and return an Excel date serial value- Control characters in Excel 2007 - @MarkBaker [CodePlex #4485](https://phpexcel.codeplex.com/workitem/4485)
+- BaseDrawing::setWidthAndHeight method request - @MarkBaker [CodePlex #4796](https://phpexcel.codeplex.com/workitem/4796)
+- Page Setup -> Print Titles -> Sheet -> 'Rows to repeat at top' - @MarkBaker [CodePlex #4798](https://phpexcel.codeplex.com/workitem/4798)
+
+### Bugfixes
+
+- Comment functionality - @MarkBaker [CodePlex #4433](https://phpexcel.codeplex.com/workitem/4433)
+- Undefined variable in PHPExcel_Writer_Serialized - @MarkBaker [CodePlex #4124](https://phpexcel.codeplex.com/workitem/4124)
+- Notice: Object of class PHPExcel_RichText could not be converted to int - @MarkBaker [CodePlex #4125](https://phpexcel.codeplex.com/workitem/4125)
+- Excel5Writer: utf8 string not converted to utf16 - @MarkBaker [CodePlex #4126](https://phpexcel.codeplex.com/workitem/4126)
+- PHPExcel_RichText and autosize - @MarkBaker [CodePlex #4180](https://phpexcel.codeplex.com/workitem/4180)
+- Excel5Writer produces broken xls files after change mentioned in work item 4126 - @MarkBaker [CodePlex #4574](https://phpexcel.codeplex.com/workitem/4574)
+- Small bug in PHPExcel_Reader_Excel2007 function _readStyle - @MarkBaker [CodePlex #4797](https://phpexcel.codeplex.com/workitem/4797)
+
+## [1.5.0] - 2007-10-23
+
+### Features
+
+- Refactor PHPExcel Drawing - @MarkBaker [CodePlex #3265](https://phpexcel.codeplex.com/workitem/3265)
+- Update Shared/OLE.php to latest version from PEAR - @CS [CodePlex #3079](https://phpexcel.codeplex.com/workitem/3079)
+- Excel2007 vs Excel2003 compatibility pack - @MarkBaker [CodePlex #3217](https://phpexcel.codeplex.com/workitem/3217)
+- Cell protection (lock/unlock) - @MarkBaker [CodePlex #3234](https://phpexcel.codeplex.com/workitem/3234)
+- Create clickable links (hyperlinks) - @MarkBaker [CodePlex #3543](https://phpexcel.codeplex.com/workitem/3543)
+- Additional page setup parameters - @MarkBaker [CodePlex #3241](https://phpexcel.codeplex.com/workitem/3241)
+- Make temporary file path configurable (Excel5) - @MarkBaker [CodePlex #3300](https://phpexcel.codeplex.com/workitem/3300)
+- Small addition to applyFromArray for font - @MarkBaker [CodePlex #3306](https://phpexcel.codeplex.com/workitem/3306)
+
+### Bugfixes
+
+- Better feedback when save of file is not possible - @MarkBaker [CodePlex #3373](https://phpexcel.codeplex.com/workitem/3373)
+- Text Rotation - @MarkBaker [CodePlex #3181](https://phpexcel.codeplex.com/workitem/3181)
+- Small bug in Page Orientation - @MarkBaker [CodePlex #3237](https://phpexcel.codeplex.com/workitem/3237)
+- insertNewColumnBeforeByColumn undefined - @MarkBaker [CodePlex #3812](https://phpexcel.codeplex.com/workitem/3812)
+- Sheet references not working in formula (Excel5 Writer) - @MarkBaker [CodePlex #3893](https://phpexcel.codeplex.com/workitem/3893)
+
+## [1.4.5] - 2007-08-23
+
+### General
+
+- Class file endings - @MarkBaker [CodePlex #3003](https://phpexcel.codeplex.com/workitem/3003)
+- Different calculation engine improvements - @MarkBaker [CodePlex #3081](https://phpexcel.codeplex.com/workitem/3081)
+- Different improvements in PHPExcel_Reader_Excel2007 - @MarkBaker [CodePlex #3082](https://phpexcel.codeplex.com/workitem/3082)
+
+### Features
+
+- Set XML indentation in PHPExcel_Writer_Excel2007 - @MarkBaker [CodePlex #3146](https://phpexcel.codeplex.com/workitem/3146)
+- Optionally store temporary Excel2007 writer data in file instead of memory - @MarkBaker [CodePlex #3159](https://phpexcel.codeplex.com/workitem/3159)
+- Implement show/hide gridlines - @MarkBaker [CodePlex #3063](https://phpexcel.codeplex.com/workitem/3063)
+- Implement option to read only data - @MarkBaker [CodePlex #3064](https://phpexcel.codeplex.com/workitem/3064)
+- Optionally disable formula precalculation - @MarkBaker [CodePlex #3080](https://phpexcel.codeplex.com/workitem/3080)
+- Explicitly set cell datatype - @MarkBaker [CodePlex #3154](https://phpexcel.codeplex.com/workitem/3154)
+
+### Bugfixes
+
+- Implement more Excel calculation functions - @MarkBaker [CodePlex #2346](https://phpexcel.codeplex.com/workitem/2346)
+ - Addition of MINA, MAXA, COUNTA, AVERAGEA, MEDIAN, MODE, DEVSQ, STDEV, STDEVA, STDEVP, STDEVPA, VAR, VARA, VARP and VARPA Excel Functions
+ - Fix to SUM, PRODUCT, QUOTIENT, MIN, MAX, COUNT and AVERAGE functions when cell contains a numeric value in a string datatype, bringing it in line with MS Excel behaviour- File_exists on ZIP fails on some installations - @MarkBaker [CodePlex #2881](https://phpexcel.codeplex.com/workitem/2881)
+- Argument in textRotation should be -90..90 - @MarkBaker [CodePlex #2879](https://phpexcel.codeplex.com/workitem/2879)
+- Excel2007 reader/writer not implementing OpenXML/SpreadsheetML styles 100% correct - @MarkBaker [CodePlex #2883](https://phpexcel.codeplex.com/workitem/2883)
+- Active sheet index not read/saved - @MarkBaker [CodePlex #2513](https://phpexcel.codeplex.com/workitem/2513)
+- Print and print preview of generated XLSX causes Excel2007 to crash - @MarkBaker [CodePlex #2935](https://phpexcel.codeplex.com/workitem/2935)
+- Error in Calculations - COUNT() function - @MarkBaker [CodePlex #2952](https://phpexcel.codeplex.com/workitem/2952)
+- HTML and CSV writer not writing last row - @MarkBaker [CodePlex #3002](https://phpexcel.codeplex.com/workitem/3002)
+- Memory leak in Excel5 writer - @MarkBaker [CodePlex #3017](https://phpexcel.codeplex.com/workitem/3017)
+- Printing (PHPExcel_Writer_Excel5) - @MarkBaker [CodePlex #3044](https://phpexcel.codeplex.com/workitem/3044)
+- Problems reading zip:// - @MarkBaker [CodePlex #3046](https://phpexcel.codeplex.com/workitem/3046)
+- Error reading conditional formatting - @MarkBaker [CodePlex #3047](https://phpexcel.codeplex.com/workitem/3047)
+- Bug in Excel5 writer (storePanes) - @MarkBaker [CodePlex #3067](https://phpexcel.codeplex.com/workitem/3067)
+- Memory leak in PHPExcel_Style_Color - @MarkBaker [CodePlex #3077](https://phpexcel.codeplex.com/workitem/3077)
+
+## [1.4.0] - 2007-07-23
+
+### General
+
+- Coding convention / code cleanup - @MarkBaker [CodePlex #2687](https://phpexcel.codeplex.com/workitem/2687)
+- Use set_include_path in tests - @MarkBaker [CodePlex #2717](https://phpexcel.codeplex.com/workitem/2717)
+
+### Features
+
+- Move PHPExcel_Writer_Excel5 OLE to PHPExcel_Shared_OLE - @MarkBaker [CodePlex #2812](https://phpexcel.codeplex.com/workitem/2812)
+- Hide/Unhide Column or Row - @MarkBaker [CodePlex #2679](https://phpexcel.codeplex.com/workitem/2679)
+- Implement multi-cell styling - @MarkBaker [CodePlex #2271](https://phpexcel.codeplex.com/workitem/2271)
+- Implement CSV file format (reader/writer) - @MarkBaker [CodePlex #2720](https://phpexcel.codeplex.com/workitem/2720)
+
+### Bugfixes
+
+- Implement HTML file format - @MarkBaker [CodePlex #2845](https://phpexcel.codeplex.com/workitem/2845)
+- Active sheet index not read/saved - @MarkBaker [CodePlex #2513](https://phpexcel.codeplex.com/workitem/2513)
+- Freeze Panes with PHPExcel_Writer_Excel5 - @MarkBaker [CodePlex #2678](https://phpexcel.codeplex.com/workitem/2678)
+- OLE.php - @MarkBaker [CodePlex #2680](https://phpexcel.codeplex.com/workitem/2680)
+- Copy and pasting multiple drop-down list cells breaks reader - @MarkBaker [CodePlex #2736](https://phpexcel.codeplex.com/workitem/2736)
+- Function setAutoFilterByColumnAndRow takes wrong arguments - @MarkBaker [CodePlex #2775](https://phpexcel.codeplex.com/workitem/2775)
+- Simplexml_load_file fails on ZipArchive - @MarkBaker [CodePlex #2858](https://phpexcel.codeplex.com/workitem/2858)
+
+## [1.3.5] - 2007-06-27
+
+### Features
+
+- Documentation - @MarkBaker [CodePlex #15](https://phpexcel.codeplex.com/workitem/15)
+- PHPExcel_Writer_Excel5 - @JV
+- PHPExcel_Reader_Excel2007: Image shadows - @JV
+- Data validation - @MarkBaker [CodePlex #2385](https://phpexcel.codeplex.com/workitem/2385)
+
+### Bugfixes
+
+- Implement richtext strings - @MarkBaker
+- Empty relations when adding image to any sheet but the first one - @MarkBaker [CodePlex #2443](https://phpexcel.codeplex.com/workitem/2443)
+- Excel2007 crashes on print preview - @MarkBaker [CodePlex #2536](https://phpexcel.codeplex.com/workitem/2536)
+
+## [1.3.0] - 2007-06-05
+
+### General
+
+- Create PEAR package - @MarkBaker [CodePlex #1942](https://phpexcel.codeplex.com/workitem/1942)
+
+### Features
+
+- Replace *->duplicate() by __clone() - @MarkBaker [CodePlex #2331](https://phpexcel.codeplex.com/workitem/2331)
+- PHPExcel_Reader_Excel2007: Column auto-size, Protection, Merged cells, Wrap text, Page breaks, Auto filter, Images - @JV
+- Implement "freezing" panes - @MarkBaker [CodePlex #245](https://phpexcel.codeplex.com/workitem/245)
+- Cell addressing alternative - @MarkBaker [CodePlex #2273](https://phpexcel.codeplex.com/workitem/2273)
+- Implement cell word-wrap attribute - @MarkBaker [CodePlex #2270](https://phpexcel.codeplex.com/workitem/2270)
+- Auto-size column - @MarkBaker [CodePlex #2282](https://phpexcel.codeplex.com/workitem/2282)
+- Implement formula calculation - @MarkBaker [CodePlex #241](https://phpexcel.codeplex.com/workitem/241)
+
+### Bugfixes
+
+- Insert/remove row/column - @MarkBaker [CodePlex #2375](https://phpexcel.codeplex.com/workitem/2375)
+- PHPExcel_Worksheet::getCell() should not accept absolute coordinates - @MarkBaker [CodePlex #1931](https://phpexcel.codeplex.com/workitem/1931)
+- Cell reference without row number - @MarkBaker [CodePlex #2272](https://phpexcel.codeplex.com/workitem/2272)
+- Styles with same coordinate but different worksheet - @MarkBaker [CodePlex #2276](https://phpexcel.codeplex.com/workitem/2276)
+- PHPExcel_Worksheet->getCellCollection() usort error - @MarkBaker [CodePlex #2290](https://phpexcel.codeplex.com/workitem/2290)
+- Bug in PHPExcel_Cell::stringFromColumnIndex - @SS [CodePlex #2353](https://phpexcel.codeplex.com/workitem/2353)
+- Reader: numFmts can be missing, use cellStyleXfs instead of cellXfs in styles - @JV [CodePlex #2353](https://phpexcel.codeplex.com/workitem/2353)
+
+## [1.2.0] - 2007-04-26
+
+### General
+
+- Stringtable attribute "count" not necessary, provides wrong info to Excel sometimes... - @MarkBaker
+- Updated tests to address more document properties - @MarkBaker
+- Some refactoring in PHPExcel_Writer_Excel2007_Workbook - @MarkBaker
+- New package: PHPExcel_Shared - @MarkBaker
+- Password hashing algorithm implemented in PHPExcel_Shared_PasswordHasher - @MarkBaker
+- Moved pixel conversion functions to PHPExcel_Shared_Drawing - @MarkBaker
+- Switch over to LGPL license - @MarkBaker [CodePlex #244](https://phpexcel.codeplex.com/workitem/244)
+
+### Features
+
+- Include PHPExcel version in file headers - @MarkBaker [CodePlex #5](https://phpexcel.codeplex.com/workitem/5)
+- Autofilter - @MarkBaker [CodePlex #6](https://phpexcel.codeplex.com/workitem/6)
+- Extra document property: keywords - @MarkBaker [CodePlex #7](https://phpexcel.codeplex.com/workitem/7)
+- Extra document property: category - @MarkBaker [CodePlex #8](https://phpexcel.codeplex.com/workitem/8)
+- Document security - @MarkBaker [CodePlex #9](https://phpexcel.codeplex.com/workitem/9)
+- PHPExcel_Writer_Serialized and PHPExcel_Reader_Serialized - @MarkBaker [CodePlex #10](https://phpexcel.codeplex.com/workitem/10)
+- Alternative syntax: Addressing a cell - @MarkBaker [CodePlex #11](https://phpexcel.codeplex.com/workitem/11)
+- Merge cells - @MarkBaker [CodePlex #12](https://phpexcel.codeplex.com/workitem/12)
+
+### Bugfixes
+
+- Protect ranges of cells with a password - @MarkBaker [CodePlex #13](https://phpexcel.codeplex.com/workitem/13)
+- (style/fill/patternFill/fgColor or bgColor can be empty) - @JV [CodePlex #14](https://phpexcel.codeplex.com/workitem/14)
+
+## [1.1.1] - 2007-03-26
+
+### General
+
+- Syntax error in "Classes/PHPExcel/Writer/Excel2007.php" on line 243 - @MarkBaker [CodePlex #1250](https://phpexcel.codeplex.com/workitem/1250)
+- Reader should check if file exists and throws an exception when it doesn't - @MarkBaker [CodePlex #1282](https://phpexcel.codeplex.com/workitem/1282)
+
+## [1.1.0] - 2007-03-22
+
+### Bugfixes
+
+- Style information lost after passing trough Excel2007_Reader - @MarkBaker [CodePlex #836](https://phpexcel.codeplex.com/workitem/836)
+
+### General
+
+- Number of columns > AZ fails fixed in PHPExcel_Cell::columnIndexFromString - @MarkBaker [CodePlex #913](https://phpexcel.codeplex.com/workitem/913)
+
+### Features
+
+- Added a brief file with installation instructions - @MarkBaker
+- Page breaks (horizontal and vertical) - @MarkBaker
+- Image shadows - @MarkBaker
+
+## [1.0.0] - 2007-02-22
+
+### Bugfixes
+
+- PHPExcel->removeSheetByIndex now re-orders sheets after deletion, so no array indexes are lost - @JV
+- PHPExcel_Writer_Excel2007_Worksheet::_writeCols() used direct assignment to $pSheet->getColumnDimension('A')->Width instead of $pSheet->getColumnDimension('A')->setWidth() - @JV
+- DocumentProperties used $this->LastModifiedBy instead of $this->_lastModifiedBy. - @JV
+
+### General
+
+- Only first = should be removed when writing formula in PHPExcel_Writer_Excel2007_Worksheet. - @JV
+- Consistency of method names to camelCase - @JV
+- Updated tests to match consistency changes - @JV
+- Detection of mime-types now with image_type_to_mime_type() - @JV
+- Constants now hold string value used in Excel 2007 - @JV
+
+### Features
+
+- Fixed folder name case (WorkSheet -> Worksheet) - @MarkBaker
+- PHPExcel classes (not the Writer classes) can be duplicated, using a duplicate() method. - @MarkBaker
+- Cell styles can now be duplicated to a range of cells using PHPExcel_Worksheet->duplicateStyle() - @MarkBaker
+- Conditional formatting - @MarkBaker
+- Reader for Excel 2007 (not supporting full specification yet!) - @JV
+
+## [1.0.0 RC] - 2007-01-31
+
+- Project name has been changed to PHPExcel
+- Project homepage is now http://www.codeplex.com/PHPExcel
+- Started versioning at number: PHPExcel 1.0.0 RC
+
+## 2007-01-22
+
+- Fixed some performance issues on large-scale worksheets (mainly loops vs. indexed arrays)
+- Performance on creating StringTable has been increased
+- Performance on writing Excel2007 worksheet has been increased
+
+## 2007-01-18
+
+- Images can now be rotated
+- Fixed bug: When drawings have full path specified, no mime type can be deducted
+- Fixed bug: Only one drawing can be added to a worksheet
+
+## 2007-01-12
+
+- Refactoring of some classes to use ArrayObject instead of array()
+- Cell style now has support for number format (i.e. #,##0)
+- Implemented embedding images
+
+## 2007-01-02
+
+- Cell style now has support for fills, including gradient fills
+- Cell style now has support for fonts
+- Cell style now has support for border colors
+- Cell style now has support for font colors
+- Cell style now has support for alignment
+
+## 2006-12-21
+
+- Support for cell style borders
+- Support for cell styles
+- Refactoring of Excel2007 Writer into multiple classes in package SpreadSheet_Writer_Excel2007
+- Refactoring of all classes, changed public members to public properties using getter/setter
+- Worksheet names are now unique. On duplicate worksheet names, a number is appended.
+- Worksheet now has parent SpreadSheet object
+- Worksheet now has support for page header and footer
+- Worksheet now has support for page margins
+- Worksheet now has support for page setup (only Paper size and Orientation)
+- Worksheet properties now accessible by using getProperties()
+- Worksheet now has support for row and column dimensions (height / width)
+- Exceptions thrown have a more clear description
+
+## Initial version
+
+- Create a Spreadsheet object
+- Add one or more Worksheet objects
+- Add cells to Worksheet objects
+- Export Spreadsheet object to Excel 2007 OpenXML format
+- Each cell supports the following data formats: string, number, formula, boolean.
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/CHANGELOG.md b/formulier/assets/vendor/phpoffice/phpspreadsheet/CHANGELOG.md
new file mode 100755
index 0000000..750a196
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/CHANGELOG.md
@@ -0,0 +1,124 @@
+# Changelog
+
+All notable changes to this project will be documented in this file.
+
+The format is based on [Keep a Changelog](http://keepachangelog.com/)
+and this project adheres to [Semantic Versioning](http://semver.org/).
+
+## [1.1.0] - 2018-01-28
+
+### Added
+
+- Support for PHP 7.2
+- Support cell comments in HTML writer and reader - [#308](https://github.com/PHPOffice/PhpSpreadsheet/issues/308)
+- Option to stop at a conditional styling, if it matches (only XLSX format) - [#292](https://github.com/PHPOffice/PhpSpreadsheet/pull/292)
+- Support for line width for data series when rendering Xlsx - [#329](https://github.com/PHPOffice/PhpSpreadsheet/pull/329)
+
+### Fixed
+
+- Better auto-detection of CSV separators - [#305](https://github.com/PHPOffice/PhpSpreadsheet/issues/305)
+- Support for shape style ending with `;` - [#304](https://github.com/PHPOffice/PhpSpreadsheet/issues/304)
+- Freeze Panes takes wrong coordinates for XLSX - [#322](https://github.com/PHPOffice/PhpSpreadsheet/issues/322)
+- `COLUMNS` and `ROWS` functions crashed in some cases - [#336](https://github.com/PHPOffice/PhpSpreadsheet/issues/336)
+- Support XML file without styles - [#331](https://github.com/PHPOffice/PhpSpreadsheet/pull/331)
+- Cell coordinates which are already a range cause an exception [#319](https://github.com/PHPOffice/PhpSpreadsheet/issues/319)
+
+## [1.0.0] - 2017-12-25
+
+### Added
+
+- Support to write merged cells in ODS format - [#287](https://github.com/PHPOffice/PhpSpreadsheet/issues/287)
+- Able to set the `topLeftCell` in freeze panes - [#261](https://github.com/PHPOffice/PhpSpreadsheet/pull/261)
+- Support `DateTimeImmutable` as cell value
+- Support migration of prefixed classes
+
+### Fixed
+
+- Can read very small HTML files - [#194](https://github.com/PHPOffice/PhpSpreadsheet/issues/194)
+- Written DataValidation was corrupted - [#290](https://github.com/PHPOffice/PhpSpreadsheet/issues/290)
+- Date format compatible with both LibreOffice and Excel - [#298](https://github.com/PHPOffice/PhpSpreadsheet/issues/298)
+
+### BREAKING CHANGE
+
+- Constant `TYPE_DOUGHTNUTCHART` is now `TYPE_DOUGHNUTCHART`.
+
+## [1.0.0-beta2] - 2017-11-26
+
+### Added
+
+- Support for chart fill color - @CrazyBite [#158](https://github.com/PHPOffice/PhpSpreadsheet/pull/158)
+- Support for read Hyperlink for xml - @GreatHumorist [#223](https://github.com/PHPOffice/PhpSpreadsheet/pull/223)
+- Support for cell value validation according to data validation rules - @SailorMax [#257](https://github.com/PHPOffice/PhpSpreadsheet/pull/257)
+- Support for custom implementation, or configuration, of PDF libraries - @SailorMax [#266](https://github.com/PHPOffice/PhpSpreadsheet/pull/266)
+
+### Changed
+
+- Merge data-validations to reduce written worksheet size - @billblume [#131](https://github.com/PHPOffice/PhpSpreadSheet/issues/131)
+- Throws exception if a XML file is invalid - @GreatHumorist [#222](https://github.com/PHPOffice/PhpSpreadsheet/pull/222)
+- Upgrade to mPDF 7.0+ - [#144](https://github.com/PHPOffice/PhpSpreadsheet/issues/144)
+
+### Fixed
+
+- Control characters in cell values are automatically escaped - [#212](https://github.com/PHPOffice/PhpSpreadsheet/issues/212)
+- Prevent color changing when copy/pasting xls files written by PhpSpreadsheet to another file - @al-lala [#218](https://github.com/PHPOffice/PhpSpreadsheet/issues/218)
+- Add cell reference automatic when there is no cell reference('r' attribute) in Xlsx file. - @GreatHumorist [#225](https://github.com/PHPOffice/PhpSpreadsheet/pull/225) Refer to [issue#201](https://github.com/PHPOffice/PhpSpreadsheet/issues/201)
+- `Reader\Xlsx::getFromZipArchive()` function return false if the zip entry could not be located. - @anton-harvey [#268](https://github.com/PHPOffice/PhpSpreadsheet/pull/268)
+
+### BREAKING CHANGE
+
+- Extracted coordinate method to dedicate class [migration guide](./docs/topics/migration-from-PHPExcel.md).
+- Column indexes are based on 1, see the [migration guide](./docs/topics/migration-from-PHPExcel.md).
+- Standardization of array keys used for style, see the [migration guide](./docs/topics/migration-from-PHPExcel.md).
+- Easier usage of PDF writers, and other custom readers and writers, see the [migration guide](./docs/topics/migration-from-PHPExcel.md).
+- Easier usage of chart renderers, see the [migration guide](./docs/topics/migration-from-PHPExcel.md).
+- Rename a few more classes to keep them in their related namespaces:
+ - `CalcEngine` => `Calculation\Engine`
+ - `PhpSpreadsheet\Calculation` => `PhpSpreadsheet\Calculation\Calculation`
+ - `PhpSpreadsheet\Cell` => `PhpSpreadsheet\Cell\Cell`
+ - `PhpSpreadsheet\Chart` => `PhpSpreadsheet\Chart\Chart`
+ - `PhpSpreadsheet\RichText` => `PhpSpreadsheet\RichText\RichText`
+ - `PhpSpreadsheet\Style` => `PhpSpreadsheet\Style\Style`
+ - `PhpSpreadsheet\Worksheet` => `PhpSpreadsheet\Worksheet\Worksheet`
+
+## [1.0.0-beta] - 2017-08-17
+
+### Added
+
+- Initial implementation of SUMIFS() function
+- Additional codepages
+- MemoryDrawing not working in HTML writer [#808](https://github.com/PHPOffice/PHPExcel/issues/808)
+- CSV Reader can auto-detect the separator used in file [#141](https://github.com/PHPOffice/PhpSpreadsheet/pull/141)
+- HTML Reader supports some basic inline styles [#180](https://github.com/PHPOffice/PhpSpreadsheet/pull/180)
+
+### Changed
+
+- Start following [SemVer](http://semver.org) properly.
+
+### Fixed
+
+- Fix to getCell() method when cell reference includes a worksheet reference - @MarkBaker
+- Ignore inlineStr type if formula element exists - @ncrypthic [#570](https://github.com/PHPOffice/PHPExcel/issues/570)
+- Excel 2007 Reader freezes because of conditional formatting - @rentalhost [#575](https://github.com/PHPOffice/PHPExcel/issues/575)
+- Readers will now parse files containing worksheet titles over 31 characters [#176](https://github.com/PHPOffice/PhpSpreadsheet/pull/176)
+
+### General
+
+- Whitespace after toRichTextObject() - @MarkBaker [#554](https://github.com/PHPOffice/PHPExcel/issues/554)
+- Optimize vlookup() sort - @umpirsky [#548](https://github.com/PHPOffice/PHPExcel/issues/548)
+- c:max and c:min elements shall NOT be inside c:orientation elements - @vitalyrepin [#869](https://github.com/PHPOffice/PHPExcel/pull/869)
+- Implement actual timezone adjustment into PHPExcel_Shared_Date::PHPToExcel - @sim642 [#489](https://github.com/PHPOffice/PHPExcel/pull/489)
+
+### BREAKING CHANGE
+
+- Introduction of namespaces for all classes, eg: `PHPExcel_Calculation_Functions` becomes `PhpOffice\PhpSpreadsheet\Calculation\Functions`
+- Some classes were renamed for clarity and/or consistency:
+
+For a comprehensive list of all class changes, and a semi-automated migration path, read the [migration guide](./docs/topics/migration-from-PHPExcel.md).
+
+- Dropped `PHPExcel_Calculation_Functions::VERSION()`. Composer or git should be used to know the version.
+- Dropped `PHPExcel_Settings::setPdfRenderer()` and `PHPExcel_Settings::setPdfRenderer()`. Composer should be used to autoload PDF libs.
+- Dropped support for HHVM
+
+## Previous versions of PHPExcel
+
+The changelog for the project when it was called PHPExcel is [still available](./CHANGELOG.PHPExcel.md).
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/CONTRIBUTING.md b/formulier/assets/vendor/phpoffice/phpspreadsheet/CONTRIBUTING.md
new file mode 100755
index 0000000..62f0772
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/CONTRIBUTING.md
@@ -0,0 +1,11 @@
+# Want to contribute?
+
+If you would like to contribute, here are some notes and guidelines:
+
+ - All new development happens on feature/fix branches referenced with the GitHub issue number, and are then merged to the develop branch; so the develop branch is always the most up-to-date, working code
+ - The master branch only contains tagged releases
+ - If you are going to be submitting a pull request, please fork from develop, and submit your pull request back as a fix/feature branch referencing the GitHub issue number
+ - Code style might be automatically fixed by `composer fix`
+ - All code changes must be validated by `composer check`
+ - [Helpful article about forking](https://help.github.com/articles/fork-a-repo/ "Forking a GitHub repository")
+ - [Helpful article about pull requests](https://help.github.com/articles/using-pull-requests/ "Pull Requests")
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/LICENSE b/formulier/assets/vendor/phpoffice/phpspreadsheet/LICENSE
new file mode 100755
index 0000000..c7338e3
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/LICENSE
@@ -0,0 +1,345 @@
+GNU LESSER GENERAL PUBLIC LICENSE
+
+ TERMS AND CONDITIONS FOR COPYING, DISTRIBUTION AND MODIFICATION
+
+ 0. This License Agreement applies to any software library or other
+program which contains a notice placed by the copyright holder or
+other authorized party saying it may be distributed under the terms of
+this Lesser General Public License (also called "this License").
+Each licensee is addressed as "you".
+
+ A "library" means a collection of software functions and/or data
+prepared so as to be conveniently linked with application programs
+(which use some of those functions and data) to form executables.
+
+ The "Library", below, refers to any such software library or work
+which has been distributed under these terms. A "work based on the
+Library" means either the Library or any derivative work under
+copyright law: that is to say, a work containing the Library or a
+portion of it, either verbatim or with modifications and/or translated
+straightforwardly into another language. (Hereinafter, translation is
+included without limitation in the term "modification".)
+
+ "Source code" for a work means the preferred form of the work for
+making modifications to it. For a library, complete source code means
+all the source code for all modules it contains, plus any associated
+interface definition files, plus the scripts used to control compilation
+and installation of the library.
+
+ Activities other than copying, distribution and modification are not
+covered by this License; they are outside its scope. The act of
+running a program using the Library is not restricted, and output from
+such a program is covered only if its contents constitute a work based
+on the Library (independent of the use of the Library in a tool for
+writing it). Whether that is true depends on what the Library does
+and what the program that uses the Library does.
+
+ 1. You may copy and distribute verbatim copies of the Library's
+complete source code as you receive it, in any medium, provided that
+you conspicuously and appropriately publish on each copy an
+appropriate copyright notice and disclaimer of warranty; keep intact
+all the notices that refer to this License and to the absence of any
+warranty; and distribute a copy of this License along with the
+Library.
+
+ You may charge a fee for the physical act of transferring a copy,
+and you may at your option offer warranty protection in exchange for a
+fee.
+
+ 2. You may modify your copy or copies of the Library or any portion
+of it, thus forming a work based on the Library, and copy and
+distribute such modifications or work under the terms of Section 1
+above, provided that you also meet all of these conditions:
+
+ a) The modified work must itself be a software library.
+
+ b) You must cause the files modified to carry prominent notices
+ stating that you changed the files and the date of any change.
+
+ c) You must cause the whole of the work to be licensed at no
+ charge to all third parties under the terms of this License.
+
+ d) If a facility in the modified Library refers to a function or a
+ table of data to be supplied by an application program that uses
+ the facility, other than as an argument passed when the facility
+ is invoked, then you must make a good faith effort to ensure that,
+ in the event an application does not supply such function or
+ table, the facility still operates, and performs whatever part of
+ its purpose remains meaningful.
+
+ (For example, a function in a library to compute square roots has
+ a purpose that is entirely well-defined independent of the
+ application. Therefore, Subsection 2d requires that any
+ application-supplied function or table used by this function must
+ be optional: if the application does not supply it, the square
+ root function must still compute square roots.)
+
+These requirements apply to the modified work as a whole. If
+identifiable sections of that work are not derived from the Library,
+and can be reasonably considered independent and separate works in
+themselves, then this License, and its terms, do not apply to those
+sections when you distribute them as separate works. But when you
+distribute the same sections as part of a whole which is a work based
+on the Library, the distribution of the whole must be on the terms of
+this License, whose permissions for other licensees extend to the
+entire whole, and thus to each and every part regardless of who wrote
+it.
+
+Thus, it is not the intent of this section to claim rights or contest
+your rights to work written entirely by you; rather, the intent is to
+exercise the right to control the distribution of derivative or
+collective works based on the Library.
+
+In addition, mere aggregation of another work not based on the Library
+with the Library (or with a work based on the Library) on a volume of
+a storage or distribution medium does not bring the other work under
+the scope of this License.
+
+ 3. You may opt to apply the terms of the ordinary GNU General Public
+License instead of this License to a given copy of the Library. To do
+this, you must alter all the notices that refer to this License, so
+that they refer to the ordinary GNU General Public License, version 2,
+instead of to this License. (If a newer version than version 2 of the
+ordinary GNU General Public License has appeared, then you can specify
+that version instead if you wish.) Do not make any other change in
+these notices.
+
+ Once this change is made in a given copy, it is irreversible for
+that copy, so the ordinary GNU General Public License applies to all
+subsequent copies and derivative works made from that copy.
+
+ This option is useful when you wish to copy part of the code of
+the Library into a program that is not a library.
+
+ 4. You may copy and distribute the Library (or a portion or
+derivative of it, under Section 2) in object code or executable form
+under the terms of Sections 1 and 2 above provided that you accompany
+it with the complete corresponding machine-readable source code, which
+must be distributed under the terms of Sections 1 and 2 above on a
+medium customarily used for software interchange.
+
+ If distribution of object code is made by offering access to copy
+from a designated place, then offering equivalent access to copy the
+source code from the same place satisfies the requirement to
+distribute the source code, even though third parties are not
+compelled to copy the source along with the object code.
+
+ 5. A program that contains no derivative of any portion of the
+Library, but is designed to work with the Library by being compiled or
+linked with it, is called a "work that uses the Library". Such a
+work, in isolation, is not a derivative work of the Library, and
+therefore falls outside the scope of this License.
+
+ However, linking a "work that uses the Library" with the Library
+creates an executable that is a derivative of the Library (because it
+contains portions of the Library), rather than a "work that uses the
+library". The executable is therefore covered by this License.
+Section 6 states terms for distribution of such executables.
+
+ When a "work that uses the Library" uses material from a header file
+that is part of the Library, the object code for the work may be a
+derivative work of the Library even though the source code is not.
+Whether this is true is especially significant if the work can be
+linked without the Library, or if the work is itself a library. The
+threshold for this to be true is not precisely defined by law.
+
+ If such an object file uses only numerical parameters, data
+structure layouts and accessors, and small macros and small inline
+functions (ten lines or less in length), then the use of the object
+file is unrestricted, regardless of whether it is legally a derivative
+work. (Executables containing this object code plus portions of the
+Library will still fall under Section 6.)
+
+ Otherwise, if the work is a derivative of the Library, you may
+distribute the object code for the work under the terms of Section 6.
+Any executables containing that work also fall under Section 6,
+whether or not they are linked directly with the Library itself.
+
+ 6. As an exception to the Sections above, you may also combine or
+link a "work that uses the Library" with the Library to produce a
+work containing portions of the Library, and distribute that work
+under terms of your choice, provided that the terms permit
+modification of the work for the customer's own use and reverse
+engineering for debugging such modifications.
+
+ You must give prominent notice with each copy of the work that the
+Library is used in it and that the Library and its use are covered by
+this License. You must supply a copy of this License. If the work
+during execution displays copyright notices, you must include the
+copyright notice for the Library among them, as well as a reference
+directing the user to the copy of this License. Also, you must do one
+of these things:
+
+ a) Accompany the work with the complete corresponding
+ machine-readable source code for the Library including whatever
+ changes were used in the work (which must be distributed under
+ Sections 1 and 2 above); and, if the work is an executable linked
+ with the Library, with the complete machine-readable "work that
+ uses the Library", as object code and/or source code, so that the
+ user can modify the Library and then relink to produce a modified
+ executable containing the modified Library. (It is understood
+ that the user who changes the contents of definitions files in the
+ Library will not necessarily be able to recompile the application
+ to use the modified definitions.)
+
+ b) Use a suitable shared library mechanism for linking with the
+ Library. A suitable mechanism is one that (1) uses at run time a
+ copy of the library already present on the user's computer system,
+ rather than copying library functions into the executable, and (2)
+ will operate properly with a modified version of the library, if
+ the user installs one, as long as the modified version is
+ interface-compatible with the version that the work was made with.
+
+ c) Accompany the work with a written offer, valid for at
+ least three years, to give the same user the materials
+ specified in Subsection 6a, above, for a charge no more
+ than the cost of performing this distribution.
+
+ d) If distribution of the work is made by offering access to copy
+ from a designated place, offer equivalent access to copy the above
+ specified materials from the same place.
+
+ e) Verify that the user has already received a copy of these
+ materials or that you have already sent this user a copy.
+
+ For an executable, the required form of the "work that uses the
+Library" must include any data and utility programs needed for
+reproducing the executable from it. However, as a special exception,
+the materials to be distributed need not include anything that is
+normally distributed (in either source or binary form) with the major
+components (compiler, kernel, and so on) of the operating system on
+which the executable runs, unless that component itself accompanies
+the executable.
+
+ It may happen that this requirement contradicts the license
+restrictions of other proprietary libraries that do not normally
+accompany the operating system. Such a contradiction means you cannot
+use both them and the Library together in an executable that you
+distribute.
+
+ 7. You may place library facilities that are a work based on the
+Library side-by-side in a single library together with other library
+facilities not covered by this License, and distribute such a combined
+library, provided that the separate distribution of the work based on
+the Library and of the other library facilities is otherwise
+permitted, and provided that you do these two things:
+
+ a) Accompany the combined library with a copy of the same work
+ based on the Library, uncombined with any other library
+ facilities. This must be distributed under the terms of the
+ Sections above.
+
+ b) Give prominent notice with the combined library of the fact
+ that part of it is a work based on the Library, and explaining
+ where to find the accompanying uncombined form of the same work.
+
+ 8. You may not copy, modify, sublicense, link with, or distribute
+the Library except as expressly provided under this License. Any
+attempt otherwise to copy, modify, sublicense, link with, or
+distribute the Library is void, and will automatically terminate your
+rights under this License. However, parties who have received copies,
+or rights, from you under this License will not have their licenses
+terminated so long as such parties remain in full compliance.
+
+ 9. You are not required to accept this License, since you have not
+signed it. However, nothing else grants you permission to modify or
+distribute the Library or its derivative works. These actions are
+prohibited by law if you do not accept this License. Therefore, by
+modifying or distributing the Library (or any work based on the
+Library), you indicate your acceptance of this License to do so, and
+all its terms and conditions for copying, distributing or modifying
+the Library or works based on it.
+
+ 10. Each time you redistribute the Library (or any work based on the
+Library), the recipient automatically receives a license from the
+original licensor to copy, distribute, link with or modify the Library
+subject to these terms and conditions. You may not impose any further
+restrictions on the recipients' exercise of the rights granted herein.
+You are not responsible for enforcing compliance by third parties with
+this License.
+
+ 11. If, as a consequence of a court judgment or allegation of patent
+infringement or for any other reason (not limited to patent issues),
+conditions are imposed on you (whether by court order, agreement or
+otherwise) that contradict the conditions of this License, they do not
+excuse you from the conditions of this License. If you cannot
+distribute so as to satisfy simultaneously your obligations under this
+License and any other pertinent obligations, then as a consequence you
+may not distribute the Library at all. For example, if a patent
+license would not permit royalty-free redistribution of the Library by
+all those who receive copies directly or indirectly through you, then
+the only way you could satisfy both it and this License would be to
+refrain entirely from distribution of the Library.
+
+If any portion of this section is held invalid or unenforceable under any
+particular circumstance, the balance of the section is intended to apply,
+and the section as a whole is intended to apply in other circumstances.
+
+It is not the purpose of this section to induce you to infringe any
+patents or other property right claims or to contest validity of any
+such claims; this section has the sole purpose of protecting the
+integrity of the free software distribution system which is
+implemented by public license practices. Many people have made
+generous contributions to the wide range of software distributed
+through that system in reliance on consistent application of that
+system; it is up to the author/donor to decide if he or she is willing
+to distribute software through any other system and a licensee cannot
+impose that choice.
+
+This section is intended to make thoroughly clear what is believed to
+be a consequence of the rest of this License.
+
+ 12. If the distribution and/or use of the Library is restricted in
+certain countries either by patents or by copyrighted interfaces, the
+original copyright holder who places the Library under this License may add
+an explicit geographical distribution limitation excluding those countries,
+so that distribution is permitted only in or among countries not thus
+excluded. In such case, this License incorporates the limitation as if
+written in the body of this License.
+
+ 13. The Free Software Foundation may publish revised and/or new
+versions of the Lesser General Public License from time to time.
+Such new versions will be similar in spirit to the present version,
+but may differ in detail to address new problems or concerns.
+
+Each version is given a distinguishing version number. If the Library
+specifies a version number of this License which applies to it and
+"any later version", you have the option of following the terms and
+conditions either of that version or of any later version published by
+the Free Software Foundation. If the Library does not specify a
+license version number, you may choose any version ever published by
+the Free Software Foundation.
+
+ 14. If you wish to incorporate parts of the Library into other free
+programs whose distribution conditions are incompatible with these,
+write to the author to ask for permission. For software which is
+copyrighted by the Free Software Foundation, write to the Free
+Software Foundation; we sometimes make exceptions for this. Our
+decision will be guided by the two goals of preserving the free status
+of all derivatives of our free software and of promoting the sharing
+and reuse of software generally.
+
+NO WARRANTY
+
+ 15. BECAUSE THE LIBRARY IS LICENSED FREE OF CHARGE, THERE IS NO
+WARRANTY FOR THE LIBRARY, TO THE EXTENT PERMITTED BY APPLICABLE LAW.
+EXCEPT WHEN OTHERWISE STATED IN WRITING THE COPYRIGHT HOLDERS AND/OR
+OTHER PARTIES PROVIDE THE LIBRARY "AS IS" WITHOUT WARRANTY OF ANY
+KIND, EITHER EXPRESSED OR IMPLIED, INCLUDING, BUT NOT LIMITED TO, THE
+IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR
+PURPOSE. THE ENTIRE RISK AS TO THE QUALITY AND PERFORMANCE OF THE
+LIBRARY IS WITH YOU. SHOULD THE LIBRARY PROVE DEFECTIVE, YOU ASSUME
+THE COST OF ALL NECESSARY SERVICING, REPAIR OR CORRECTION.
+
+ 16. IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN
+WRITING WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MAY MODIFY
+AND/OR REDISTRIBUTE THE LIBRARY AS PERMITTED ABOVE, BE LIABLE TO YOU
+FOR DAMAGES, INCLUDING ANY GENERAL, SPECIAL, INCIDENTAL OR
+CONSEQUENTIAL DAMAGES ARISING OUT OF THE USE OR INABILITY TO USE THE
+LIBRARY (INCLUDING BUT NOT LIMITED TO LOSS OF DATA OR DATA BEING
+RENDERED INACCURATE OR LOSSES SUSTAINED BY YOU OR THIRD PARTIES OR A
+FAILURE OF THE LIBRARY TO OPERATE WITH ANY OTHER SOFTWARE), EVEN IF
+SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE POSSIBILITY OF SUCH
+DAMAGES.
+
+END OF TERMS AND CONDITIONS
\ No newline at end of file
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/bin/migrate-from-phpexcel b/formulier/assets/vendor/phpoffice/phpspreadsheet/bin/migrate-from-phpexcel
new file mode 100755
index 0000000..51c60d4
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/bin/migrate-from-phpexcel
@@ -0,0 +1,8 @@
+#!/usr/bin/env php
+migrate();
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/bin/pre-commit b/formulier/assets/vendor/phpoffice/phpspreadsheet/bin/pre-commit
new file mode 100755
index 0000000..8d93f8a
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/bin/pre-commit
@@ -0,0 +1,33 @@
+#!/bin/bash
+
+pass=true
+
+files=$(git diff --cached --name-only --diff-filter=ACMR | grep -E '\.(php|phtml)$')
+if [ "$files" != "" ]; then
+
+ # Run php syntax check before commit
+ while read -r file; do
+ php -l "$file"
+ if [ $? -ne 0 ]; then
+ pass=false
+ fi
+ done <<< "$files"
+
+ # Run php-cs-fixer validation before commit
+ echo "$files" | xargs ./vendor/bin/php-cs-fixer fix --diff --config .php_cs.dist
+ if [ $? -ne 0 ]; then
+ pass=false
+ fi
+
+ # Automatically add files that may have been fixed by php-cs-fixer
+ echo "$files" | xargs git add
+fi
+
+if $pass; then
+ exit 0
+else
+ echo ""
+ echo "PRE-COMMIT HOOK FAILED:"
+ echo "Code style validation failed. Please fix errors and try committing again."
+ exit 1
+fi
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/composer.json b/formulier/assets/vendor/phpoffice/phpspreadsheet/composer.json
new file mode 100755
index 0000000..4bc30db
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/composer.json
@@ -0,0 +1,78 @@
+{
+ "name": "phpoffice/phpspreadsheet",
+ "description": "PHPSpreadsheet - Read, Create and Write Spreadsheet documents in PHP - Spreadsheet engine",
+ "keywords": ["PHP", "OpenXML", "Excel", "xlsx", "xls", "ods", "gnumeric", "spreadsheet"],
+ "homepage": "https://github.com/PHPOffice/PhpSpreadsheet",
+ "type": "library",
+ "license": "LGPL-2.1",
+ "authors": [
+ {
+ "name": "Maarten Balliauw",
+ "homepage": "http://blog.maartenballiauw.be"
+ },
+ {
+ "name": "Mark Baker",
+ "homepage": "http://markbakeruk.net"
+ },
+ {
+ "name": "Franck Lefevre",
+ "homepage": "http://rootslabs.net"
+ },
+ {
+ "name": "Erik Tilt"
+ }
+ ],
+ "scripts": {
+ "check": [
+ "php-cs-fixer fix --ansi --dry-run --diff",
+ "phpcs --report-width=200 --report-summary --report-full samples/ src/ tests/ --ignore=samples/Header.php --standard=PSR2 -n",
+ "phpunit --color=always"
+ ],
+ "fix": [
+ "php-cs-fixer fix --ansi"
+ ]
+ },
+ "require": {
+ "php": "^5.6|^7.0",
+ "ext-ctype": "*",
+ "ext-dom": "*",
+ "ext-gd": "*",
+ "ext-iconv": "*",
+ "ext-libxml": "*",
+ "ext-mbstring": "*",
+ "ext-SimpleXML": "*",
+ "ext-xml": "*",
+ "ext-xmlreader": "*",
+ "ext-xmlwriter": "*",
+ "ext-zip": "*",
+ "ext-zlib": "*",
+ "psr/simple-cache": "^1.0"
+ },
+ "require-dev": {
+ "tecnickcom/tcpdf": "^6.2",
+ "squizlabs/php_codesniffer": "^2.7",
+ "phpunit/phpunit": "^5.7",
+ "dompdf/dompdf": "^0.8.0",
+ "mpdf/mpdf": "^7.0.0",
+ "jpgraph/jpgraph": "^4.0",
+ "friendsofphp/php-cs-fixer": "@stable"
+ },
+ "suggest": {
+ "ext-gd": "Required for exact column width autocalculation",
+ "ext-dom": "Option to read and write HTML files",
+ "mpdf/mpdf": "Option for rendering PDF with PDF Writer",
+ "dompdf/dompdf": "Option for rendering PDF with PDF Writer",
+ "tecnick.com/tcpdf": "Option for rendering PDF with PDF Writer",
+ "jpgraph/jpgraph": "Option for rendering charts, or including charts with PDF or HTML Writers"
+ },
+ "autoload": {
+ "psr-4": {
+ "PhpOffice\\PhpSpreadsheet\\": "src/PhpSpreadsheet"
+ }
+ },
+ "autoload-dev": {
+ "psr-4": {
+ "PhpOffice\\PhpSpreadsheetTests\\": "tests/PhpSpreadsheetTests"
+ }
+ }
+}
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/composer.lock b/formulier/assets/vendor/phpoffice/phpspreadsheet/composer.lock
new file mode 100755
index 0000000..2991465
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/composer.lock
@@ -0,0 +1,3103 @@
+{
+ "_readme": [
+ "This file locks the dependencies of your project to a known state",
+ "Read more about it at https://getcomposer.org/doc/01-basic-usage.md#composer-lock-the-lock-file",
+ "This file is @generated automatically"
+ ],
+ "content-hash": "e61a906bd83393400add286703f10557",
+ "packages": [
+ {
+ "name": "psr/simple-cache",
+ "version": "1.0.0",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/php-fig/simple-cache.git",
+ "reference": "753fa598e8f3b9966c886fe13f370baa45ef0e24"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/php-fig/simple-cache/zipball/753fa598e8f3b9966c886fe13f370baa45ef0e24",
+ "reference": "753fa598e8f3b9966c886fe13f370baa45ef0e24",
+ "shasum": ""
+ },
+ "require": {
+ "php": ">=5.3.0"
+ },
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "1.0.x-dev"
+ }
+ },
+ "autoload": {
+ "psr-4": {
+ "Psr\\SimpleCache\\": "src/"
+ }
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "MIT"
+ ],
+ "authors": [
+ {
+ "name": "PHP-FIG",
+ "homepage": "http://www.php-fig.org/"
+ }
+ ],
+ "description": "Common interfaces for simple caching",
+ "keywords": [
+ "cache",
+ "caching",
+ "psr",
+ "psr-16",
+ "simple-cache"
+ ],
+ "time": "2017-01-02T13:31:39+00:00"
+ }
+ ],
+ "packages-dev": [
+ {
+ "name": "composer/semver",
+ "version": "1.4.2",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/composer/semver.git",
+ "reference": "c7cb9a2095a074d131b65a8a0cd294479d785573"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/composer/semver/zipball/c7cb9a2095a074d131b65a8a0cd294479d785573",
+ "reference": "c7cb9a2095a074d131b65a8a0cd294479d785573",
+ "shasum": ""
+ },
+ "require": {
+ "php": "^5.3.2 || ^7.0"
+ },
+ "require-dev": {
+ "phpunit/phpunit": "^4.5 || ^5.0.5",
+ "phpunit/phpunit-mock-objects": "2.3.0 || ^3.0"
+ },
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "1.x-dev"
+ }
+ },
+ "autoload": {
+ "psr-4": {
+ "Composer\\Semver\\": "src"
+ }
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "MIT"
+ ],
+ "authors": [
+ {
+ "name": "Nils Adermann",
+ "email": "naderman@naderman.de",
+ "homepage": "http://www.naderman.de"
+ },
+ {
+ "name": "Jordi Boggiano",
+ "email": "j.boggiano@seld.be",
+ "homepage": "http://seld.be"
+ },
+ {
+ "name": "Rob Bast",
+ "email": "rob.bast@gmail.com",
+ "homepage": "http://robbast.nl"
+ }
+ ],
+ "description": "Semver library that offers utilities, version constraint parsing and validation.",
+ "keywords": [
+ "semantic",
+ "semver",
+ "validation",
+ "versioning"
+ ],
+ "time": "2016-08-30T16:08:34+00:00"
+ },
+ {
+ "name": "doctrine/annotations",
+ "version": "v1.6.0",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/doctrine/annotations.git",
+ "reference": "c7f2050c68a9ab0bdb0f98567ec08d80ea7d24d5"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/doctrine/annotations/zipball/c7f2050c68a9ab0bdb0f98567ec08d80ea7d24d5",
+ "reference": "c7f2050c68a9ab0bdb0f98567ec08d80ea7d24d5",
+ "shasum": ""
+ },
+ "require": {
+ "doctrine/lexer": "1.*",
+ "php": "^7.1"
+ },
+ "require-dev": {
+ "doctrine/cache": "1.*",
+ "phpunit/phpunit": "^6.4"
+ },
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "1.6.x-dev"
+ }
+ },
+ "autoload": {
+ "psr-4": {
+ "Doctrine\\Common\\Annotations\\": "lib/Doctrine/Common/Annotations"
+ }
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "MIT"
+ ],
+ "authors": [
+ {
+ "name": "Roman Borschel",
+ "email": "roman@code-factory.org"
+ },
+ {
+ "name": "Benjamin Eberlei",
+ "email": "kontakt@beberlei.de"
+ },
+ {
+ "name": "Guilherme Blanco",
+ "email": "guilhermeblanco@gmail.com"
+ },
+ {
+ "name": "Jonathan Wage",
+ "email": "jonwage@gmail.com"
+ },
+ {
+ "name": "Johannes Schmitt",
+ "email": "schmittjoh@gmail.com"
+ }
+ ],
+ "description": "Docblock Annotations Parser",
+ "homepage": "http://www.doctrine-project.org",
+ "keywords": [
+ "annotations",
+ "docblock",
+ "parser"
+ ],
+ "time": "2017-12-06T07:11:42+00:00"
+ },
+ {
+ "name": "doctrine/instantiator",
+ "version": "1.0.5",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/doctrine/instantiator.git",
+ "reference": "8e884e78f9f0eb1329e445619e04456e64d8051d"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/doctrine/instantiator/zipball/8e884e78f9f0eb1329e445619e04456e64d8051d",
+ "reference": "8e884e78f9f0eb1329e445619e04456e64d8051d",
+ "shasum": ""
+ },
+ "require": {
+ "php": ">=5.3,<8.0-DEV"
+ },
+ "require-dev": {
+ "athletic/athletic": "~0.1.8",
+ "ext-pdo": "*",
+ "ext-phar": "*",
+ "phpunit/phpunit": "~4.0",
+ "squizlabs/php_codesniffer": "~2.0"
+ },
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "1.0.x-dev"
+ }
+ },
+ "autoload": {
+ "psr-4": {
+ "Doctrine\\Instantiator\\": "src/Doctrine/Instantiator/"
+ }
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "MIT"
+ ],
+ "authors": [
+ {
+ "name": "Marco Pivetta",
+ "email": "ocramius@gmail.com",
+ "homepage": "http://ocramius.github.com/"
+ }
+ ],
+ "description": "A small, lightweight utility to instantiate objects in PHP without invoking their constructors",
+ "homepage": "https://github.com/doctrine/instantiator",
+ "keywords": [
+ "constructor",
+ "instantiate"
+ ],
+ "time": "2015-06-14T21:17:01+00:00"
+ },
+ {
+ "name": "doctrine/lexer",
+ "version": "v1.0.1",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/doctrine/lexer.git",
+ "reference": "83893c552fd2045dd78aef794c31e694c37c0b8c"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/doctrine/lexer/zipball/83893c552fd2045dd78aef794c31e694c37c0b8c",
+ "reference": "83893c552fd2045dd78aef794c31e694c37c0b8c",
+ "shasum": ""
+ },
+ "require": {
+ "php": ">=5.3.2"
+ },
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "1.0.x-dev"
+ }
+ },
+ "autoload": {
+ "psr-0": {
+ "Doctrine\\Common\\Lexer\\": "lib/"
+ }
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "MIT"
+ ],
+ "authors": [
+ {
+ "name": "Roman Borschel",
+ "email": "roman@code-factory.org"
+ },
+ {
+ "name": "Guilherme Blanco",
+ "email": "guilhermeblanco@gmail.com"
+ },
+ {
+ "name": "Johannes Schmitt",
+ "email": "schmittjoh@gmail.com"
+ }
+ ],
+ "description": "Base library for a lexer that can be used in Top-Down, Recursive Descent Parsers.",
+ "homepage": "http://www.doctrine-project.org",
+ "keywords": [
+ "lexer",
+ "parser"
+ ],
+ "time": "2014-09-09T13:34:57+00:00"
+ },
+ {
+ "name": "dompdf/dompdf",
+ "version": "v0.8.0",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/dompdf/dompdf.git",
+ "reference": "0f418c6b58fdeafc2a0e80eb1fa5e644e185089c"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/dompdf/dompdf/zipball/0f418c6b58fdeafc2a0e80eb1fa5e644e185089c",
+ "reference": "0f418c6b58fdeafc2a0e80eb1fa5e644e185089c",
+ "shasum": ""
+ },
+ "require": {
+ "ext-dom": "*",
+ "ext-gd": "*",
+ "ext-mbstring": "*",
+ "phenx/php-font-lib": "0.5.*",
+ "phenx/php-svg-lib": "0.2.*",
+ "php": ">=5.3.0"
+ },
+ "require-dev": {
+ "phpunit/phpunit": "4.8.*",
+ "squizlabs/php_codesniffer": "2.*"
+ },
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-develop": "0.7-dev"
+ }
+ },
+ "autoload": {
+ "psr-4": {
+ "Dompdf\\": "src/"
+ },
+ "classmap": [
+ "lib/"
+ ]
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "LGPL-2.1"
+ ],
+ "authors": [
+ {
+ "name": "Fabien Ménager",
+ "email": "fabien.menager@gmail.com"
+ },
+ {
+ "name": "Brian Sweeney",
+ "email": "eclecticgeek@gmail.com"
+ },
+ {
+ "name": "Gabriel Bull",
+ "email": "me@gabrielbull.com"
+ }
+ ],
+ "description": "DOMPDF is a CSS 2.1 compliant HTML to PDF converter",
+ "homepage": "https://github.com/dompdf/dompdf",
+ "time": "2017-02-16T02:40:40+00:00"
+ },
+ {
+ "name": "friendsofphp/php-cs-fixer",
+ "version": "v2.10.0",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/FriendsOfPHP/PHP-CS-Fixer.git",
+ "reference": "513a3765b56dd029175f9f32995566657ee89dda"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/FriendsOfPHP/PHP-CS-Fixer/zipball/513a3765b56dd029175f9f32995566657ee89dda",
+ "reference": "513a3765b56dd029175f9f32995566657ee89dda",
+ "shasum": ""
+ },
+ "require": {
+ "composer/semver": "^1.4",
+ "doctrine/annotations": "^1.2",
+ "ext-json": "*",
+ "ext-tokenizer": "*",
+ "gecko-packages/gecko-php-unit": "^2.0 || ^3.0",
+ "php": "^5.6 || >=7.0 <7.3",
+ "php-cs-fixer/diff": "^1.2",
+ "symfony/console": "^3.2 || ^4.0",
+ "symfony/event-dispatcher": "^3.0 || ^4.0",
+ "symfony/filesystem": "^3.0 || ^4.0",
+ "symfony/finder": "^3.0 || ^4.0",
+ "symfony/options-resolver": "^3.0 || ^4.0",
+ "symfony/polyfill-php70": "^1.0",
+ "symfony/polyfill-php72": "^1.4",
+ "symfony/process": "^3.0 || ^4.0",
+ "symfony/stopwatch": "^3.0 || ^4.0"
+ },
+ "conflict": {
+ "hhvm": "*"
+ },
+ "require-dev": {
+ "johnkary/phpunit-speedtrap": "^1.1 || ^2.0@dev",
+ "justinrainbow/json-schema": "^5.0",
+ "keradus/cli-executor": "^1.0",
+ "mikey179/vfsstream": "^1.6",
+ "php-coveralls/php-coveralls": "^2.0",
+ "php-cs-fixer/accessible-object": "^1.0",
+ "phpunit/phpunit": "^5.7.23 || ^6.4.3",
+ "phpunitgoodpractices/traits": "^1.0",
+ "symfony/phpunit-bridge": "^3.2.2 || ^4.0"
+ },
+ "suggest": {
+ "ext-mbstring": "For handling non-UTF8 characters in cache signature.",
+ "symfony/polyfill-mbstring": "When enabling `ext-mbstring` is not possible."
+ },
+ "bin": [
+ "php-cs-fixer"
+ ],
+ "type": "application",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "2.10-dev"
+ }
+ },
+ "autoload": {
+ "psr-4": {
+ "PhpCsFixer\\": "src/"
+ },
+ "classmap": [
+ "tests/Test/AbstractFixerTestCase.php",
+ "tests/Test/AbstractIntegrationTestCase.php",
+ "tests/Test/Assert/AssertTokensTrait.php",
+ "tests/Test/IntegrationCase.php",
+ "tests/Test/IntegrationCaseFactory.php",
+ "tests/TestCase.php"
+ ]
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "MIT"
+ ],
+ "authors": [
+ {
+ "name": "Dariusz Rumiński",
+ "email": "dariusz.ruminski@gmail.com"
+ },
+ {
+ "name": "Fabien Potencier",
+ "email": "fabien@symfony.com"
+ }
+ ],
+ "description": "A tool to automatically fix PHP code style",
+ "time": "2018-01-10T17:16:15+00:00"
+ },
+ {
+ "name": "gecko-packages/gecko-php-unit",
+ "version": "v3.0",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/GeckoPackages/GeckoPHPUnit.git",
+ "reference": "6a866551dffc2154c1b091bae3a7877d39c25ca3"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/GeckoPackages/GeckoPHPUnit/zipball/6a866551dffc2154c1b091bae3a7877d39c25ca3",
+ "reference": "6a866551dffc2154c1b091bae3a7877d39c25ca3",
+ "shasum": ""
+ },
+ "require": {
+ "php": "^7.0"
+ },
+ "require-dev": {
+ "phpunit/phpunit": "^6.0"
+ },
+ "suggest": {
+ "ext-dom": "When testing with xml.",
+ "ext-libxml": "When testing with xml.",
+ "phpunit/phpunit": "This is an extension for it so make sure you have it some way."
+ },
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "3.0-dev"
+ }
+ },
+ "autoload": {
+ "psr-4": {
+ "GeckoPackages\\PHPUnit\\": "src/PHPUnit"
+ }
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "MIT"
+ ],
+ "description": "Additional PHPUnit asserts and constraints.",
+ "homepage": "https://github.com/GeckoPackages",
+ "keywords": [
+ "extension",
+ "filesystem",
+ "phpunit"
+ ],
+ "time": "2017-08-23T07:46:41+00:00"
+ },
+ {
+ "name": "ircmaxell/password-compat",
+ "version": "v1.0.4",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/ircmaxell/password_compat.git",
+ "reference": "5c5cde8822a69545767f7c7f3058cb15ff84614c"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/ircmaxell/password_compat/zipball/5c5cde8822a69545767f7c7f3058cb15ff84614c",
+ "reference": "5c5cde8822a69545767f7c7f3058cb15ff84614c",
+ "shasum": ""
+ },
+ "require-dev": {
+ "phpunit/phpunit": "4.*"
+ },
+ "type": "library",
+ "autoload": {
+ "files": [
+ "lib/password.php"
+ ]
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "MIT"
+ ],
+ "authors": [
+ {
+ "name": "Anthony Ferrara",
+ "email": "ircmaxell@php.net",
+ "homepage": "http://blog.ircmaxell.com"
+ }
+ ],
+ "description": "A compatibility library for the proposed simplified password hashing algorithm: https://wiki.php.net/rfc/password_hash",
+ "homepage": "https://github.com/ircmaxell/password_compat",
+ "keywords": [
+ "hashing",
+ "password"
+ ],
+ "time": "2014-11-20T16:49:30+00:00"
+ },
+ {
+ "name": "jpgraph/jpgraph",
+ "version": "4.0.2",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/ztec/JpGraph.git",
+ "reference": "e82db7da6a546d3926c24c9a346226da7aa49094"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/ztec/JpGraph/zipball/e82db7da6a546d3926c24c9a346226da7aa49094",
+ "reference": "e82db7da6a546d3926c24c9a346226da7aa49094",
+ "shasum": ""
+ },
+ "type": "library",
+ "autoload": {
+ "classmap": [
+ "lib/JpGraph.php"
+ ]
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "QPL 1.0"
+ ],
+ "authors": [
+ {
+ "name": "JpGraph team"
+ }
+ ],
+ "description": "jpGraph, library to make graphs and charts",
+ "homepage": "http://jpgraph.net/",
+ "keywords": [
+ "chart",
+ "data",
+ "graph",
+ "jpgraph",
+ "pie"
+ ],
+ "time": "2017-02-23T09:44:15+00:00"
+ },
+ {
+ "name": "mpdf/mpdf",
+ "version": "v7.0.0",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/mpdf/mpdf.git",
+ "reference": "375a79a575fde762a7c390766837e78e8dfe97bf"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/mpdf/mpdf/zipball/375a79a575fde762a7c390766837e78e8dfe97bf",
+ "reference": "375a79a575fde762a7c390766837e78e8dfe97bf",
+ "shasum": ""
+ },
+ "require": {
+ "ext-gd": "*",
+ "ext-mbstring": "*",
+ "paragonie/random_compat": "^2.0",
+ "php": "^5.6 || ~7.0.0 || ~7.1.0 || ~7.2.0",
+ "psr/log": "^1.0",
+ "setasign/fpdi": "1.6.*"
+ },
+ "require-dev": {
+ "mockery/mockery": "^0.9.5",
+ "phpunit/phpunit": "^5.0",
+ "squizlabs/php_codesniffer": "^2.7.0",
+ "tracy/tracy": "^2.4"
+ },
+ "suggest": {
+ "ext-bcmath": "Needed for generation of some types of barcodes",
+ "ext-xml": "Needed mainly for SVG manipulation",
+ "ext-zlib": "Needed for compression of embedded resources, such as fonts"
+ },
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-development": "7.0-dev"
+ }
+ },
+ "autoload": {
+ "psr-4": {
+ "Mpdf\\": "src/"
+ }
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "GPL-2.0"
+ ],
+ "authors": [
+ {
+ "name": "Matěj Humpál",
+ "role": "Developer, maintainer"
+ },
+ {
+ "name": "Ian Back",
+ "role": "Developer (retired)"
+ }
+ ],
+ "description": "A PHP class to generate PDF files from HTML with Unicode/UTF-8 and CJK support",
+ "homepage": "https://mpdf.github.io",
+ "keywords": [
+ "pdf",
+ "php",
+ "utf-8"
+ ],
+ "time": "2017-10-19T16:38:45+00:00"
+ },
+ {
+ "name": "myclabs/deep-copy",
+ "version": "1.6.0",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/myclabs/DeepCopy.git",
+ "reference": "5a5a9fc8025a08d8919be87d6884d5a92520cefe"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/myclabs/DeepCopy/zipball/5a5a9fc8025a08d8919be87d6884d5a92520cefe",
+ "reference": "5a5a9fc8025a08d8919be87d6884d5a92520cefe",
+ "shasum": ""
+ },
+ "require": {
+ "php": ">=5.4.0"
+ },
+ "require-dev": {
+ "doctrine/collections": "1.*",
+ "phpunit/phpunit": "~4.1"
+ },
+ "type": "library",
+ "autoload": {
+ "psr-4": {
+ "DeepCopy\\": "src/DeepCopy/"
+ }
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "MIT"
+ ],
+ "description": "Create deep copies (clones) of your objects",
+ "homepage": "https://github.com/myclabs/DeepCopy",
+ "keywords": [
+ "clone",
+ "copy",
+ "duplicate",
+ "object",
+ "object graph"
+ ],
+ "time": "2017-01-26T22:05:40+00:00"
+ },
+ {
+ "name": "paragonie/random_compat",
+ "version": "v2.0.11",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/paragonie/random_compat.git",
+ "reference": "5da4d3c796c275c55f057af5a643ae297d96b4d8"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/paragonie/random_compat/zipball/5da4d3c796c275c55f057af5a643ae297d96b4d8",
+ "reference": "5da4d3c796c275c55f057af5a643ae297d96b4d8",
+ "shasum": ""
+ },
+ "require": {
+ "php": ">=5.2.0"
+ },
+ "require-dev": {
+ "phpunit/phpunit": "4.*|5.*"
+ },
+ "suggest": {
+ "ext-libsodium": "Provides a modern crypto API that can be used to generate random bytes."
+ },
+ "type": "library",
+ "autoload": {
+ "files": [
+ "lib/random.php"
+ ]
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "MIT"
+ ],
+ "authors": [
+ {
+ "name": "Paragon Initiative Enterprises",
+ "email": "security@paragonie.com",
+ "homepage": "https://paragonie.com"
+ }
+ ],
+ "description": "PHP 5.x polyfill for random_bytes() and random_int() from PHP 7",
+ "keywords": [
+ "csprng",
+ "pseudorandom",
+ "random"
+ ],
+ "time": "2017-09-27T21:40:39+00:00"
+ },
+ {
+ "name": "phenx/php-font-lib",
+ "version": "0.5",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/PhenX/php-font-lib.git",
+ "reference": "19ad2bebc35be028fcc0221025fcbf3d436a3962"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/PhenX/php-font-lib/zipball/19ad2bebc35be028fcc0221025fcbf3d436a3962",
+ "reference": "19ad2bebc35be028fcc0221025fcbf3d436a3962",
+ "shasum": ""
+ },
+ "require-dev": {
+ "phpunit/phpunit": "^4.8"
+ },
+ "type": "library",
+ "autoload": {
+ "psr-4": {
+ "FontLib\\": "src/FontLib"
+ }
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "LGPL-3.0"
+ ],
+ "authors": [
+ {
+ "name": "Fabien Ménager",
+ "email": "fabien.menager@gmail.com"
+ }
+ ],
+ "description": "A library to read, parse, export and make subsets of different types of font files.",
+ "homepage": "https://github.com/PhenX/php-font-lib",
+ "time": "2017-02-11T10:58:43+00:00"
+ },
+ {
+ "name": "phenx/php-svg-lib",
+ "version": "v0.2",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/PhenX/php-svg-lib.git",
+ "reference": "de291bec8449b89acfe85691b5c71434797959dc"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/PhenX/php-svg-lib/zipball/de291bec8449b89acfe85691b5c71434797959dc",
+ "reference": "de291bec8449b89acfe85691b5c71434797959dc",
+ "shasum": ""
+ },
+ "require": {
+ "sabberworm/php-css-parser": "6.0.*"
+ },
+ "type": "library",
+ "autoload": {
+ "psr-0": {
+ "Svg\\": "src/"
+ }
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "LGPL-3.0"
+ ],
+ "authors": [
+ {
+ "name": "Fabien Ménager",
+ "email": "fabien.menager@gmail.com"
+ }
+ ],
+ "description": "A library to read, parse and export to PDF SVG files.",
+ "homepage": "https://github.com/PhenX/php-svg-lib",
+ "time": "2016-12-13T20:25:45+00:00"
+ },
+ {
+ "name": "php-cs-fixer/diff",
+ "version": "v1.2.0",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/PHP-CS-Fixer/diff.git",
+ "reference": "f0ef6133d674137e902fdf8a6f2e8e97e14a087b"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/PHP-CS-Fixer/diff/zipball/f0ef6133d674137e902fdf8a6f2e8e97e14a087b",
+ "reference": "f0ef6133d674137e902fdf8a6f2e8e97e14a087b",
+ "shasum": ""
+ },
+ "require": {
+ "php": "^5.6 || ^7.0"
+ },
+ "require-dev": {
+ "phpunit/phpunit": "^4.8.35 || ^5.4.3",
+ "symfony/process": "^3.3"
+ },
+ "type": "library",
+ "autoload": {
+ "classmap": [
+ "src/"
+ ]
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "authors": [
+ {
+ "name": "Kore Nordmann",
+ "email": "mail@kore-nordmann.de"
+ },
+ {
+ "name": "Sebastian Bergmann",
+ "email": "sebastian@phpunit.de"
+ },
+ {
+ "name": "SpacePossum"
+ }
+ ],
+ "description": "sebastian/diff v2 backport support for PHP5.6",
+ "homepage": "https://github.com/PHP-CS-Fixer",
+ "keywords": [
+ "diff"
+ ],
+ "time": "2017-10-19T09:58:18+00:00"
+ },
+ {
+ "name": "phpdocumentor/reflection-common",
+ "version": "1.0",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/phpDocumentor/ReflectionCommon.git",
+ "reference": "144c307535e82c8fdcaacbcfc1d6d8eeb896687c"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/phpDocumentor/ReflectionCommon/zipball/144c307535e82c8fdcaacbcfc1d6d8eeb896687c",
+ "reference": "144c307535e82c8fdcaacbcfc1d6d8eeb896687c",
+ "shasum": ""
+ },
+ "require": {
+ "php": ">=5.5"
+ },
+ "require-dev": {
+ "phpunit/phpunit": "^4.6"
+ },
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "1.0.x-dev"
+ }
+ },
+ "autoload": {
+ "psr-4": {
+ "phpDocumentor\\Reflection\\": [
+ "src"
+ ]
+ }
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "MIT"
+ ],
+ "authors": [
+ {
+ "name": "Jaap van Otterdijk",
+ "email": "opensource@ijaap.nl"
+ }
+ ],
+ "description": "Common reflection classes used by phpdocumentor to reflect the code structure",
+ "homepage": "http://www.phpdoc.org",
+ "keywords": [
+ "FQSEN",
+ "phpDocumentor",
+ "phpdoc",
+ "reflection",
+ "static analysis"
+ ],
+ "time": "2015-12-27T11:43:31+00:00"
+ },
+ {
+ "name": "phpdocumentor/reflection-docblock",
+ "version": "3.1.1",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/phpDocumentor/ReflectionDocBlock.git",
+ "reference": "8331b5efe816ae05461b7ca1e721c01b46bafb3e"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/phpDocumentor/ReflectionDocBlock/zipball/8331b5efe816ae05461b7ca1e721c01b46bafb3e",
+ "reference": "8331b5efe816ae05461b7ca1e721c01b46bafb3e",
+ "shasum": ""
+ },
+ "require": {
+ "php": ">=5.5",
+ "phpdocumentor/reflection-common": "^1.0@dev",
+ "phpdocumentor/type-resolver": "^0.2.0",
+ "webmozart/assert": "^1.0"
+ },
+ "require-dev": {
+ "mockery/mockery": "^0.9.4",
+ "phpunit/phpunit": "^4.4"
+ },
+ "type": "library",
+ "autoload": {
+ "psr-4": {
+ "phpDocumentor\\Reflection\\": [
+ "src/"
+ ]
+ }
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "MIT"
+ ],
+ "authors": [
+ {
+ "name": "Mike van Riel",
+ "email": "me@mikevanriel.com"
+ }
+ ],
+ "description": "With this component, a library can provide support for annotations via DocBlocks or otherwise retrieve information that is embedded in a DocBlock.",
+ "time": "2016-09-30T07:12:33+00:00"
+ },
+ {
+ "name": "phpdocumentor/type-resolver",
+ "version": "0.2.1",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/phpDocumentor/TypeResolver.git",
+ "reference": "e224fb2ea2fba6d3ad6fdaef91cd09a172155ccb"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/phpDocumentor/TypeResolver/zipball/e224fb2ea2fba6d3ad6fdaef91cd09a172155ccb",
+ "reference": "e224fb2ea2fba6d3ad6fdaef91cd09a172155ccb",
+ "shasum": ""
+ },
+ "require": {
+ "php": ">=5.5",
+ "phpdocumentor/reflection-common": "^1.0"
+ },
+ "require-dev": {
+ "mockery/mockery": "^0.9.4",
+ "phpunit/phpunit": "^5.2||^4.8.24"
+ },
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "1.0.x-dev"
+ }
+ },
+ "autoload": {
+ "psr-4": {
+ "phpDocumentor\\Reflection\\": [
+ "src/"
+ ]
+ }
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "MIT"
+ ],
+ "authors": [
+ {
+ "name": "Mike van Riel",
+ "email": "me@mikevanriel.com"
+ }
+ ],
+ "time": "2016-11-25T06:54:22+00:00"
+ },
+ {
+ "name": "phpspec/prophecy",
+ "version": "v1.7.0",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/phpspec/prophecy.git",
+ "reference": "93d39f1f7f9326d746203c7c056f300f7f126073"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/phpspec/prophecy/zipball/93d39f1f7f9326d746203c7c056f300f7f126073",
+ "reference": "93d39f1f7f9326d746203c7c056f300f7f126073",
+ "shasum": ""
+ },
+ "require": {
+ "doctrine/instantiator": "^1.0.2",
+ "php": "^5.3|^7.0",
+ "phpdocumentor/reflection-docblock": "^2.0|^3.0.2",
+ "sebastian/comparator": "^1.1|^2.0",
+ "sebastian/recursion-context": "^1.0|^2.0|^3.0"
+ },
+ "require-dev": {
+ "phpspec/phpspec": "^2.5|^3.2",
+ "phpunit/phpunit": "^4.8 || ^5.6.5"
+ },
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "1.6.x-dev"
+ }
+ },
+ "autoload": {
+ "psr-0": {
+ "Prophecy\\": "src/"
+ }
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "MIT"
+ ],
+ "authors": [
+ {
+ "name": "Konstantin Kudryashov",
+ "email": "ever.zet@gmail.com",
+ "homepage": "http://everzet.com"
+ },
+ {
+ "name": "Marcello Duarte",
+ "email": "marcello.duarte@gmail.com"
+ }
+ ],
+ "description": "Highly opinionated mocking framework for PHP 5.3+",
+ "homepage": "https://github.com/phpspec/prophecy",
+ "keywords": [
+ "Double",
+ "Dummy",
+ "fake",
+ "mock",
+ "spy",
+ "stub"
+ ],
+ "time": "2017-03-02T20:05:34+00:00"
+ },
+ {
+ "name": "phpunit/php-code-coverage",
+ "version": "4.0.7",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/sebastianbergmann/php-code-coverage.git",
+ "reference": "09e2277d14ea467e5a984010f501343ef29ffc69"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/sebastianbergmann/php-code-coverage/zipball/09e2277d14ea467e5a984010f501343ef29ffc69",
+ "reference": "09e2277d14ea467e5a984010f501343ef29ffc69",
+ "shasum": ""
+ },
+ "require": {
+ "ext-dom": "*",
+ "ext-xmlwriter": "*",
+ "php": "^5.6 || ^7.0",
+ "phpunit/php-file-iterator": "^1.3",
+ "phpunit/php-text-template": "^1.2",
+ "phpunit/php-token-stream": "^1.4.2 || ^2.0",
+ "sebastian/code-unit-reverse-lookup": "^1.0",
+ "sebastian/environment": "^1.3.2 || ^2.0",
+ "sebastian/version": "^1.0 || ^2.0"
+ },
+ "require-dev": {
+ "ext-xdebug": "^2.1.4",
+ "phpunit/phpunit": "^5.7"
+ },
+ "suggest": {
+ "ext-xdebug": "^2.5.1"
+ },
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "4.0.x-dev"
+ }
+ },
+ "autoload": {
+ "classmap": [
+ "src/"
+ ]
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "BSD-3-Clause"
+ ],
+ "authors": [
+ {
+ "name": "Sebastian Bergmann",
+ "email": "sb@sebastian-bergmann.de",
+ "role": "lead"
+ }
+ ],
+ "description": "Library that provides collection, processing, and rendering functionality for PHP code coverage information.",
+ "homepage": "https://github.com/sebastianbergmann/php-code-coverage",
+ "keywords": [
+ "coverage",
+ "testing",
+ "xunit"
+ ],
+ "time": "2017-03-01T09:12:17+00:00"
+ },
+ {
+ "name": "phpunit/php-file-iterator",
+ "version": "1.4.2",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/sebastianbergmann/php-file-iterator.git",
+ "reference": "3cc8f69b3028d0f96a9078e6295d86e9bf019be5"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/sebastianbergmann/php-file-iterator/zipball/3cc8f69b3028d0f96a9078e6295d86e9bf019be5",
+ "reference": "3cc8f69b3028d0f96a9078e6295d86e9bf019be5",
+ "shasum": ""
+ },
+ "require": {
+ "php": ">=5.3.3"
+ },
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "1.4.x-dev"
+ }
+ },
+ "autoload": {
+ "classmap": [
+ "src/"
+ ]
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "BSD-3-Clause"
+ ],
+ "authors": [
+ {
+ "name": "Sebastian Bergmann",
+ "email": "sb@sebastian-bergmann.de",
+ "role": "lead"
+ }
+ ],
+ "description": "FilterIterator implementation that filters files based on a list of suffixes.",
+ "homepage": "https://github.com/sebastianbergmann/php-file-iterator/",
+ "keywords": [
+ "filesystem",
+ "iterator"
+ ],
+ "time": "2016-10-03T07:40:28+00:00"
+ },
+ {
+ "name": "phpunit/php-text-template",
+ "version": "1.2.1",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/sebastianbergmann/php-text-template.git",
+ "reference": "31f8b717e51d9a2afca6c9f046f5d69fc27c8686"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/sebastianbergmann/php-text-template/zipball/31f8b717e51d9a2afca6c9f046f5d69fc27c8686",
+ "reference": "31f8b717e51d9a2afca6c9f046f5d69fc27c8686",
+ "shasum": ""
+ },
+ "require": {
+ "php": ">=5.3.3"
+ },
+ "type": "library",
+ "autoload": {
+ "classmap": [
+ "src/"
+ ]
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "BSD-3-Clause"
+ ],
+ "authors": [
+ {
+ "name": "Sebastian Bergmann",
+ "email": "sebastian@phpunit.de",
+ "role": "lead"
+ }
+ ],
+ "description": "Simple template engine.",
+ "homepage": "https://github.com/sebastianbergmann/php-text-template/",
+ "keywords": [
+ "template"
+ ],
+ "time": "2015-06-21T13:50:34+00:00"
+ },
+ {
+ "name": "phpunit/php-timer",
+ "version": "1.0.9",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/sebastianbergmann/php-timer.git",
+ "reference": "3dcf38ca72b158baf0bc245e9184d3fdffa9c46f"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/sebastianbergmann/php-timer/zipball/3dcf38ca72b158baf0bc245e9184d3fdffa9c46f",
+ "reference": "3dcf38ca72b158baf0bc245e9184d3fdffa9c46f",
+ "shasum": ""
+ },
+ "require": {
+ "php": "^5.3.3 || ^7.0"
+ },
+ "require-dev": {
+ "phpunit/phpunit": "^4.8.35 || ^5.7 || ^6.0"
+ },
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "1.0-dev"
+ }
+ },
+ "autoload": {
+ "classmap": [
+ "src/"
+ ]
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "BSD-3-Clause"
+ ],
+ "authors": [
+ {
+ "name": "Sebastian Bergmann",
+ "email": "sb@sebastian-bergmann.de",
+ "role": "lead"
+ }
+ ],
+ "description": "Utility class for timing",
+ "homepage": "https://github.com/sebastianbergmann/php-timer/",
+ "keywords": [
+ "timer"
+ ],
+ "time": "2017-02-26T11:10:40+00:00"
+ },
+ {
+ "name": "phpunit/php-token-stream",
+ "version": "1.4.11",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/sebastianbergmann/php-token-stream.git",
+ "reference": "e03f8f67534427a787e21a385a67ec3ca6978ea7"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/sebastianbergmann/php-token-stream/zipball/e03f8f67534427a787e21a385a67ec3ca6978ea7",
+ "reference": "e03f8f67534427a787e21a385a67ec3ca6978ea7",
+ "shasum": ""
+ },
+ "require": {
+ "ext-tokenizer": "*",
+ "php": ">=5.3.3"
+ },
+ "require-dev": {
+ "phpunit/phpunit": "~4.2"
+ },
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "1.4-dev"
+ }
+ },
+ "autoload": {
+ "classmap": [
+ "src/"
+ ]
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "BSD-3-Clause"
+ ],
+ "authors": [
+ {
+ "name": "Sebastian Bergmann",
+ "email": "sebastian@phpunit.de"
+ }
+ ],
+ "description": "Wrapper around PHP's tokenizer extension.",
+ "homepage": "https://github.com/sebastianbergmann/php-token-stream/",
+ "keywords": [
+ "tokenizer"
+ ],
+ "time": "2017-02-27T10:12:30+00:00"
+ },
+ {
+ "name": "phpunit/phpunit",
+ "version": "5.7.17",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/sebastianbergmann/phpunit.git",
+ "reference": "68752b665d3875f9a38a357e3ecb35c79f8673bf"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/sebastianbergmann/phpunit/zipball/68752b665d3875f9a38a357e3ecb35c79f8673bf",
+ "reference": "68752b665d3875f9a38a357e3ecb35c79f8673bf",
+ "shasum": ""
+ },
+ "require": {
+ "ext-dom": "*",
+ "ext-json": "*",
+ "ext-libxml": "*",
+ "ext-mbstring": "*",
+ "ext-xml": "*",
+ "myclabs/deep-copy": "~1.3",
+ "php": "^5.6 || ^7.0",
+ "phpspec/prophecy": "^1.6.2",
+ "phpunit/php-code-coverage": "^4.0.4",
+ "phpunit/php-file-iterator": "~1.4",
+ "phpunit/php-text-template": "~1.2",
+ "phpunit/php-timer": "^1.0.6",
+ "phpunit/phpunit-mock-objects": "^3.2",
+ "sebastian/comparator": "^1.2.4",
+ "sebastian/diff": "~1.2",
+ "sebastian/environment": "^1.3.4 || ^2.0",
+ "sebastian/exporter": "~2.0",
+ "sebastian/global-state": "^1.1",
+ "sebastian/object-enumerator": "~2.0",
+ "sebastian/resource-operations": "~1.0",
+ "sebastian/version": "~1.0.3|~2.0",
+ "symfony/yaml": "~2.1|~3.0"
+ },
+ "conflict": {
+ "phpdocumentor/reflection-docblock": "3.0.2"
+ },
+ "require-dev": {
+ "ext-pdo": "*"
+ },
+ "suggest": {
+ "ext-xdebug": "*",
+ "phpunit/php-invoker": "~1.1"
+ },
+ "bin": [
+ "phpunit"
+ ],
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "5.7.x-dev"
+ }
+ },
+ "autoload": {
+ "classmap": [
+ "src/"
+ ]
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "BSD-3-Clause"
+ ],
+ "authors": [
+ {
+ "name": "Sebastian Bergmann",
+ "email": "sebastian@phpunit.de",
+ "role": "lead"
+ }
+ ],
+ "description": "The PHP Unit Testing framework.",
+ "homepage": "https://phpunit.de/",
+ "keywords": [
+ "phpunit",
+ "testing",
+ "xunit"
+ ],
+ "time": "2017-03-19T16:52:12+00:00"
+ },
+ {
+ "name": "phpunit/phpunit-mock-objects",
+ "version": "3.4.3",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/sebastianbergmann/phpunit-mock-objects.git",
+ "reference": "3ab72b65b39b491e0c011e2e09bb2206c2aa8e24"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/sebastianbergmann/phpunit-mock-objects/zipball/3ab72b65b39b491e0c011e2e09bb2206c2aa8e24",
+ "reference": "3ab72b65b39b491e0c011e2e09bb2206c2aa8e24",
+ "shasum": ""
+ },
+ "require": {
+ "doctrine/instantiator": "^1.0.2",
+ "php": "^5.6 || ^7.0",
+ "phpunit/php-text-template": "^1.2",
+ "sebastian/exporter": "^1.2 || ^2.0"
+ },
+ "conflict": {
+ "phpunit/phpunit": "<5.4.0"
+ },
+ "require-dev": {
+ "phpunit/phpunit": "^5.4"
+ },
+ "suggest": {
+ "ext-soap": "*"
+ },
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "3.2.x-dev"
+ }
+ },
+ "autoload": {
+ "classmap": [
+ "src/"
+ ]
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "BSD-3-Clause"
+ ],
+ "authors": [
+ {
+ "name": "Sebastian Bergmann",
+ "email": "sb@sebastian-bergmann.de",
+ "role": "lead"
+ }
+ ],
+ "description": "Mock Object library for PHPUnit",
+ "homepage": "https://github.com/sebastianbergmann/phpunit-mock-objects/",
+ "keywords": [
+ "mock",
+ "xunit"
+ ],
+ "time": "2016-12-08T20:27:08+00:00"
+ },
+ {
+ "name": "psr/log",
+ "version": "1.0.2",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/php-fig/log.git",
+ "reference": "4ebe3a8bf773a19edfe0a84b6585ba3d401b724d"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/php-fig/log/zipball/4ebe3a8bf773a19edfe0a84b6585ba3d401b724d",
+ "reference": "4ebe3a8bf773a19edfe0a84b6585ba3d401b724d",
+ "shasum": ""
+ },
+ "require": {
+ "php": ">=5.3.0"
+ },
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "1.0.x-dev"
+ }
+ },
+ "autoload": {
+ "psr-4": {
+ "Psr\\Log\\": "Psr/Log/"
+ }
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "MIT"
+ ],
+ "authors": [
+ {
+ "name": "PHP-FIG",
+ "homepage": "http://www.php-fig.org/"
+ }
+ ],
+ "description": "Common interface for logging libraries",
+ "homepage": "https://github.com/php-fig/log",
+ "keywords": [
+ "log",
+ "psr",
+ "psr-3"
+ ],
+ "time": "2016-10-10T12:19:37+00:00"
+ },
+ {
+ "name": "sabberworm/php-css-parser",
+ "version": "6.0.1",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/sabberworm/PHP-CSS-Parser.git",
+ "reference": "9ea4b00c569b19f731d0c2e0e802055877ff40c2"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/sabberworm/PHP-CSS-Parser/zipball/9ea4b00c569b19f731d0c2e0e802055877ff40c2",
+ "reference": "9ea4b00c569b19f731d0c2e0e802055877ff40c2",
+ "shasum": ""
+ },
+ "require": {
+ "php": ">=5.3.2"
+ },
+ "type": "library",
+ "autoload": {
+ "psr-0": {
+ "Sabberworm\\CSS": "lib/"
+ }
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "MIT"
+ ],
+ "authors": [
+ {
+ "name": "Raphael Schweikert"
+ }
+ ],
+ "description": "Parser for CSS Files written in PHP",
+ "homepage": "http://www.sabberworm.com/blog/2010/6/10/php-css-parser",
+ "keywords": [
+ "css",
+ "parser",
+ "stylesheet"
+ ],
+ "time": "2015-08-24T08:48:52+00:00"
+ },
+ {
+ "name": "sebastian/code-unit-reverse-lookup",
+ "version": "1.0.1",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/sebastianbergmann/code-unit-reverse-lookup.git",
+ "reference": "4419fcdb5eabb9caa61a27c7a1db532a6b55dd18"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/sebastianbergmann/code-unit-reverse-lookup/zipball/4419fcdb5eabb9caa61a27c7a1db532a6b55dd18",
+ "reference": "4419fcdb5eabb9caa61a27c7a1db532a6b55dd18",
+ "shasum": ""
+ },
+ "require": {
+ "php": "^5.6 || ^7.0"
+ },
+ "require-dev": {
+ "phpunit/phpunit": "^5.7 || ^6.0"
+ },
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "1.0.x-dev"
+ }
+ },
+ "autoload": {
+ "classmap": [
+ "src/"
+ ]
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "BSD-3-Clause"
+ ],
+ "authors": [
+ {
+ "name": "Sebastian Bergmann",
+ "email": "sebastian@phpunit.de"
+ }
+ ],
+ "description": "Looks up which function or method a line of code belongs to",
+ "homepage": "https://github.com/sebastianbergmann/code-unit-reverse-lookup/",
+ "time": "2017-03-04T06:30:41+00:00"
+ },
+ {
+ "name": "sebastian/comparator",
+ "version": "1.2.4",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/sebastianbergmann/comparator.git",
+ "reference": "2b7424b55f5047b47ac6e5ccb20b2aea4011d9be"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/sebastianbergmann/comparator/zipball/2b7424b55f5047b47ac6e5ccb20b2aea4011d9be",
+ "reference": "2b7424b55f5047b47ac6e5ccb20b2aea4011d9be",
+ "shasum": ""
+ },
+ "require": {
+ "php": ">=5.3.3",
+ "sebastian/diff": "~1.2",
+ "sebastian/exporter": "~1.2 || ~2.0"
+ },
+ "require-dev": {
+ "phpunit/phpunit": "~4.4"
+ },
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "1.2.x-dev"
+ }
+ },
+ "autoload": {
+ "classmap": [
+ "src/"
+ ]
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "BSD-3-Clause"
+ ],
+ "authors": [
+ {
+ "name": "Jeff Welch",
+ "email": "whatthejeff@gmail.com"
+ },
+ {
+ "name": "Volker Dusch",
+ "email": "github@wallbash.com"
+ },
+ {
+ "name": "Bernhard Schussek",
+ "email": "bschussek@2bepublished.at"
+ },
+ {
+ "name": "Sebastian Bergmann",
+ "email": "sebastian@phpunit.de"
+ }
+ ],
+ "description": "Provides the functionality to compare PHP values for equality",
+ "homepage": "http://www.github.com/sebastianbergmann/comparator",
+ "keywords": [
+ "comparator",
+ "compare",
+ "equality"
+ ],
+ "time": "2017-01-29T09:50:25+00:00"
+ },
+ {
+ "name": "sebastian/diff",
+ "version": "1.4.1",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/sebastianbergmann/diff.git",
+ "reference": "13edfd8706462032c2f52b4b862974dd46b71c9e"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/sebastianbergmann/diff/zipball/13edfd8706462032c2f52b4b862974dd46b71c9e",
+ "reference": "13edfd8706462032c2f52b4b862974dd46b71c9e",
+ "shasum": ""
+ },
+ "require": {
+ "php": ">=5.3.3"
+ },
+ "require-dev": {
+ "phpunit/phpunit": "~4.8"
+ },
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "1.4-dev"
+ }
+ },
+ "autoload": {
+ "classmap": [
+ "src/"
+ ]
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "BSD-3-Clause"
+ ],
+ "authors": [
+ {
+ "name": "Kore Nordmann",
+ "email": "mail@kore-nordmann.de"
+ },
+ {
+ "name": "Sebastian Bergmann",
+ "email": "sebastian@phpunit.de"
+ }
+ ],
+ "description": "Diff implementation",
+ "homepage": "https://github.com/sebastianbergmann/diff",
+ "keywords": [
+ "diff"
+ ],
+ "time": "2015-12-08T07:14:41+00:00"
+ },
+ {
+ "name": "sebastian/environment",
+ "version": "2.0.0",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/sebastianbergmann/environment.git",
+ "reference": "5795ffe5dc5b02460c3e34222fee8cbe245d8fac"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/sebastianbergmann/environment/zipball/5795ffe5dc5b02460c3e34222fee8cbe245d8fac",
+ "reference": "5795ffe5dc5b02460c3e34222fee8cbe245d8fac",
+ "shasum": ""
+ },
+ "require": {
+ "php": "^5.6 || ^7.0"
+ },
+ "require-dev": {
+ "phpunit/phpunit": "^5.0"
+ },
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "2.0.x-dev"
+ }
+ },
+ "autoload": {
+ "classmap": [
+ "src/"
+ ]
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "BSD-3-Clause"
+ ],
+ "authors": [
+ {
+ "name": "Sebastian Bergmann",
+ "email": "sebastian@phpunit.de"
+ }
+ ],
+ "description": "Provides functionality to handle HHVM/PHP environments",
+ "homepage": "http://www.github.com/sebastianbergmann/environment",
+ "keywords": [
+ "Xdebug",
+ "environment",
+ "hhvm"
+ ],
+ "time": "2016-11-26T07:53:53+00:00"
+ },
+ {
+ "name": "sebastian/exporter",
+ "version": "2.0.0",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/sebastianbergmann/exporter.git",
+ "reference": "ce474bdd1a34744d7ac5d6aad3a46d48d9bac4c4"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/sebastianbergmann/exporter/zipball/ce474bdd1a34744d7ac5d6aad3a46d48d9bac4c4",
+ "reference": "ce474bdd1a34744d7ac5d6aad3a46d48d9bac4c4",
+ "shasum": ""
+ },
+ "require": {
+ "php": ">=5.3.3",
+ "sebastian/recursion-context": "~2.0"
+ },
+ "require-dev": {
+ "ext-mbstring": "*",
+ "phpunit/phpunit": "~4.4"
+ },
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "2.0.x-dev"
+ }
+ },
+ "autoload": {
+ "classmap": [
+ "src/"
+ ]
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "BSD-3-Clause"
+ ],
+ "authors": [
+ {
+ "name": "Jeff Welch",
+ "email": "whatthejeff@gmail.com"
+ },
+ {
+ "name": "Volker Dusch",
+ "email": "github@wallbash.com"
+ },
+ {
+ "name": "Bernhard Schussek",
+ "email": "bschussek@2bepublished.at"
+ },
+ {
+ "name": "Sebastian Bergmann",
+ "email": "sebastian@phpunit.de"
+ },
+ {
+ "name": "Adam Harvey",
+ "email": "aharvey@php.net"
+ }
+ ],
+ "description": "Provides the functionality to export PHP variables for visualization",
+ "homepage": "http://www.github.com/sebastianbergmann/exporter",
+ "keywords": [
+ "export",
+ "exporter"
+ ],
+ "time": "2016-11-19T08:54:04+00:00"
+ },
+ {
+ "name": "sebastian/global-state",
+ "version": "1.1.1",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/sebastianbergmann/global-state.git",
+ "reference": "bc37d50fea7d017d3d340f230811c9f1d7280af4"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/sebastianbergmann/global-state/zipball/bc37d50fea7d017d3d340f230811c9f1d7280af4",
+ "reference": "bc37d50fea7d017d3d340f230811c9f1d7280af4",
+ "shasum": ""
+ },
+ "require": {
+ "php": ">=5.3.3"
+ },
+ "require-dev": {
+ "phpunit/phpunit": "~4.2"
+ },
+ "suggest": {
+ "ext-uopz": "*"
+ },
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "1.0-dev"
+ }
+ },
+ "autoload": {
+ "classmap": [
+ "src/"
+ ]
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "BSD-3-Clause"
+ ],
+ "authors": [
+ {
+ "name": "Sebastian Bergmann",
+ "email": "sebastian@phpunit.de"
+ }
+ ],
+ "description": "Snapshotting of global state",
+ "homepage": "http://www.github.com/sebastianbergmann/global-state",
+ "keywords": [
+ "global state"
+ ],
+ "time": "2015-10-12T03:26:01+00:00"
+ },
+ {
+ "name": "sebastian/object-enumerator",
+ "version": "2.0.1",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/sebastianbergmann/object-enumerator.git",
+ "reference": "1311872ac850040a79c3c058bea3e22d0f09cbb7"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/sebastianbergmann/object-enumerator/zipball/1311872ac850040a79c3c058bea3e22d0f09cbb7",
+ "reference": "1311872ac850040a79c3c058bea3e22d0f09cbb7",
+ "shasum": ""
+ },
+ "require": {
+ "php": ">=5.6",
+ "sebastian/recursion-context": "~2.0"
+ },
+ "require-dev": {
+ "phpunit/phpunit": "~5"
+ },
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "2.0.x-dev"
+ }
+ },
+ "autoload": {
+ "classmap": [
+ "src/"
+ ]
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "BSD-3-Clause"
+ ],
+ "authors": [
+ {
+ "name": "Sebastian Bergmann",
+ "email": "sebastian@phpunit.de"
+ }
+ ],
+ "description": "Traverses array structures and object graphs to enumerate all referenced objects",
+ "homepage": "https://github.com/sebastianbergmann/object-enumerator/",
+ "time": "2017-02-18T15:18:39+00:00"
+ },
+ {
+ "name": "sebastian/recursion-context",
+ "version": "2.0.0",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/sebastianbergmann/recursion-context.git",
+ "reference": "2c3ba150cbec723aa057506e73a8d33bdb286c9a"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/sebastianbergmann/recursion-context/zipball/2c3ba150cbec723aa057506e73a8d33bdb286c9a",
+ "reference": "2c3ba150cbec723aa057506e73a8d33bdb286c9a",
+ "shasum": ""
+ },
+ "require": {
+ "php": ">=5.3.3"
+ },
+ "require-dev": {
+ "phpunit/phpunit": "~4.4"
+ },
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "2.0.x-dev"
+ }
+ },
+ "autoload": {
+ "classmap": [
+ "src/"
+ ]
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "BSD-3-Clause"
+ ],
+ "authors": [
+ {
+ "name": "Jeff Welch",
+ "email": "whatthejeff@gmail.com"
+ },
+ {
+ "name": "Sebastian Bergmann",
+ "email": "sebastian@phpunit.de"
+ },
+ {
+ "name": "Adam Harvey",
+ "email": "aharvey@php.net"
+ }
+ ],
+ "description": "Provides functionality to recursively process PHP variables",
+ "homepage": "http://www.github.com/sebastianbergmann/recursion-context",
+ "time": "2016-11-19T07:33:16+00:00"
+ },
+ {
+ "name": "sebastian/resource-operations",
+ "version": "1.0.0",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/sebastianbergmann/resource-operations.git",
+ "reference": "ce990bb21759f94aeafd30209e8cfcdfa8bc3f52"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/sebastianbergmann/resource-operations/zipball/ce990bb21759f94aeafd30209e8cfcdfa8bc3f52",
+ "reference": "ce990bb21759f94aeafd30209e8cfcdfa8bc3f52",
+ "shasum": ""
+ },
+ "require": {
+ "php": ">=5.6.0"
+ },
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "1.0.x-dev"
+ }
+ },
+ "autoload": {
+ "classmap": [
+ "src/"
+ ]
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "BSD-3-Clause"
+ ],
+ "authors": [
+ {
+ "name": "Sebastian Bergmann",
+ "email": "sebastian@phpunit.de"
+ }
+ ],
+ "description": "Provides a list of PHP built-in functions that operate on resources",
+ "homepage": "https://www.github.com/sebastianbergmann/resource-operations",
+ "time": "2015-07-28T20:34:47+00:00"
+ },
+ {
+ "name": "sebastian/version",
+ "version": "2.0.1",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/sebastianbergmann/version.git",
+ "reference": "99732be0ddb3361e16ad77b68ba41efc8e979019"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/sebastianbergmann/version/zipball/99732be0ddb3361e16ad77b68ba41efc8e979019",
+ "reference": "99732be0ddb3361e16ad77b68ba41efc8e979019",
+ "shasum": ""
+ },
+ "require": {
+ "php": ">=5.6"
+ },
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "2.0.x-dev"
+ }
+ },
+ "autoload": {
+ "classmap": [
+ "src/"
+ ]
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "BSD-3-Clause"
+ ],
+ "authors": [
+ {
+ "name": "Sebastian Bergmann",
+ "email": "sebastian@phpunit.de",
+ "role": "lead"
+ }
+ ],
+ "description": "Library that helps with managing the version number of Git-hosted PHP projects",
+ "homepage": "https://github.com/sebastianbergmann/version",
+ "time": "2016-10-03T07:35:21+00:00"
+ },
+ {
+ "name": "setasign/fpdi",
+ "version": "1.6.2",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/Setasign/FPDI.git",
+ "reference": "a6ad58897a6d97cc2d2cd2adaeda343b25a368ea"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/Setasign/FPDI/zipball/a6ad58897a6d97cc2d2cd2adaeda343b25a368ea",
+ "reference": "a6ad58897a6d97cc2d2cd2adaeda343b25a368ea",
+ "shasum": ""
+ },
+ "suggest": {
+ "setasign/fpdf": "FPDI will extend this class but as it is also possible to use \"tecnickcom/tcpdf\" as an alternative there's no fixed dependency configured.",
+ "setasign/fpdi-fpdf": "Use this package to automatically evaluate dependencies to FPDF.",
+ "setasign/fpdi-tcpdf": "Use this package to automatically evaluate dependencies to TCPDF."
+ },
+ "type": "library",
+ "autoload": {
+ "classmap": [
+ "filters/",
+ "fpdi.php",
+ "fpdf_tpl.php",
+ "fpdi_pdf_parser.php",
+ "pdf_context.php"
+ ]
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "MIT"
+ ],
+ "authors": [
+ {
+ "name": "Jan Slabon",
+ "email": "jan.slabon@setasign.com",
+ "homepage": "https://www.setasign.com"
+ }
+ ],
+ "description": "FPDI is a collection of PHP classes facilitating developers to read pages from existing PDF documents and use them as templates in FPDF. Because it is also possible to use FPDI with TCPDF, there are no fixed dependencies defined. Please see suggestions for packages which evaluates the dependencies automatically.",
+ "homepage": "https://www.setasign.com/fpdi",
+ "keywords": [
+ "fpdf",
+ "fpdi",
+ "pdf"
+ ],
+ "time": "2017-05-11T14:25:49+00:00"
+ },
+ {
+ "name": "squizlabs/php_codesniffer",
+ "version": "2.8.1",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/squizlabs/PHP_CodeSniffer.git",
+ "reference": "d7cf0d894e8aa4c73712ee4a331cc1eaa37cdc7d"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/squizlabs/PHP_CodeSniffer/zipball/d7cf0d894e8aa4c73712ee4a331cc1eaa37cdc7d",
+ "reference": "d7cf0d894e8aa4c73712ee4a331cc1eaa37cdc7d",
+ "shasum": ""
+ },
+ "require": {
+ "ext-simplexml": "*",
+ "ext-tokenizer": "*",
+ "ext-xmlwriter": "*",
+ "php": ">=5.1.2"
+ },
+ "require-dev": {
+ "phpunit/phpunit": "~4.0"
+ },
+ "bin": [
+ "scripts/phpcs",
+ "scripts/phpcbf"
+ ],
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "2.x-dev"
+ }
+ },
+ "autoload": {
+ "classmap": [
+ "CodeSniffer.php",
+ "CodeSniffer/CLI.php",
+ "CodeSniffer/Exception.php",
+ "CodeSniffer/File.php",
+ "CodeSniffer/Fixer.php",
+ "CodeSniffer/Report.php",
+ "CodeSniffer/Reporting.php",
+ "CodeSniffer/Sniff.php",
+ "CodeSniffer/Tokens.php",
+ "CodeSniffer/Reports/",
+ "CodeSniffer/Tokenizers/",
+ "CodeSniffer/DocGenerators/",
+ "CodeSniffer/Standards/AbstractPatternSniff.php",
+ "CodeSniffer/Standards/AbstractScopeSniff.php",
+ "CodeSniffer/Standards/AbstractVariableSniff.php",
+ "CodeSniffer/Standards/IncorrectPatternException.php",
+ "CodeSniffer/Standards/Generic/Sniffs/",
+ "CodeSniffer/Standards/MySource/Sniffs/",
+ "CodeSniffer/Standards/PEAR/Sniffs/",
+ "CodeSniffer/Standards/PSR1/Sniffs/",
+ "CodeSniffer/Standards/PSR2/Sniffs/",
+ "CodeSniffer/Standards/Squiz/Sniffs/",
+ "CodeSniffer/Standards/Zend/Sniffs/"
+ ]
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "BSD-3-Clause"
+ ],
+ "authors": [
+ {
+ "name": "Greg Sherwood",
+ "role": "lead"
+ }
+ ],
+ "description": "PHP_CodeSniffer tokenizes PHP, JavaScript and CSS files and detects violations of a defined set of coding standards.",
+ "homepage": "http://www.squizlabs.com/php-codesniffer",
+ "keywords": [
+ "phpcs",
+ "standards"
+ ],
+ "time": "2017-03-01T22:17:45+00:00"
+ },
+ {
+ "name": "symfony/console",
+ "version": "v4.0.3",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/symfony/console.git",
+ "reference": "fe0e69d7162cba0885791cf7eea5f0d7bc0f897e"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/symfony/console/zipball/fe0e69d7162cba0885791cf7eea5f0d7bc0f897e",
+ "reference": "fe0e69d7162cba0885791cf7eea5f0d7bc0f897e",
+ "shasum": ""
+ },
+ "require": {
+ "php": "^7.1.3",
+ "symfony/polyfill-mbstring": "~1.0"
+ },
+ "conflict": {
+ "symfony/dependency-injection": "<3.4",
+ "symfony/process": "<3.3"
+ },
+ "require-dev": {
+ "psr/log": "~1.0",
+ "symfony/config": "~3.4|~4.0",
+ "symfony/dependency-injection": "~3.4|~4.0",
+ "symfony/event-dispatcher": "~3.4|~4.0",
+ "symfony/lock": "~3.4|~4.0",
+ "symfony/process": "~3.4|~4.0"
+ },
+ "suggest": {
+ "psr/log": "For using the console logger",
+ "symfony/event-dispatcher": "",
+ "symfony/lock": "",
+ "symfony/process": ""
+ },
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "4.0-dev"
+ }
+ },
+ "autoload": {
+ "psr-4": {
+ "Symfony\\Component\\Console\\": ""
+ },
+ "exclude-from-classmap": [
+ "/Tests/"
+ ]
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "MIT"
+ ],
+ "authors": [
+ {
+ "name": "Fabien Potencier",
+ "email": "fabien@symfony.com"
+ },
+ {
+ "name": "Symfony Community",
+ "homepage": "https://symfony.com/contributors"
+ }
+ ],
+ "description": "Symfony Console Component",
+ "homepage": "https://symfony.com",
+ "time": "2018-01-03T07:38:00+00:00"
+ },
+ {
+ "name": "symfony/event-dispatcher",
+ "version": "v4.0.3",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/symfony/event-dispatcher.git",
+ "reference": "74d33aac36208c4d6757807d9f598f0133a3a4eb"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/symfony/event-dispatcher/zipball/74d33aac36208c4d6757807d9f598f0133a3a4eb",
+ "reference": "74d33aac36208c4d6757807d9f598f0133a3a4eb",
+ "shasum": ""
+ },
+ "require": {
+ "php": "^7.1.3"
+ },
+ "conflict": {
+ "symfony/dependency-injection": "<3.4"
+ },
+ "require-dev": {
+ "psr/log": "~1.0",
+ "symfony/config": "~3.4|~4.0",
+ "symfony/dependency-injection": "~3.4|~4.0",
+ "symfony/expression-language": "~3.4|~4.0",
+ "symfony/stopwatch": "~3.4|~4.0"
+ },
+ "suggest": {
+ "symfony/dependency-injection": "",
+ "symfony/http-kernel": ""
+ },
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "4.0-dev"
+ }
+ },
+ "autoload": {
+ "psr-4": {
+ "Symfony\\Component\\EventDispatcher\\": ""
+ },
+ "exclude-from-classmap": [
+ "/Tests/"
+ ]
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "MIT"
+ ],
+ "authors": [
+ {
+ "name": "Fabien Potencier",
+ "email": "fabien@symfony.com"
+ },
+ {
+ "name": "Symfony Community",
+ "homepage": "https://symfony.com/contributors"
+ }
+ ],
+ "description": "Symfony EventDispatcher Component",
+ "homepage": "https://symfony.com",
+ "time": "2018-01-03T07:38:00+00:00"
+ },
+ {
+ "name": "symfony/filesystem",
+ "version": "v4.0.3",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/symfony/filesystem.git",
+ "reference": "760e47a4ee64b4c48f4b30017011e09d4c0f05ed"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/symfony/filesystem/zipball/760e47a4ee64b4c48f4b30017011e09d4c0f05ed",
+ "reference": "760e47a4ee64b4c48f4b30017011e09d4c0f05ed",
+ "shasum": ""
+ },
+ "require": {
+ "php": "^7.1.3"
+ },
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "4.0-dev"
+ }
+ },
+ "autoload": {
+ "psr-4": {
+ "Symfony\\Component\\Filesystem\\": ""
+ },
+ "exclude-from-classmap": [
+ "/Tests/"
+ ]
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "MIT"
+ ],
+ "authors": [
+ {
+ "name": "Fabien Potencier",
+ "email": "fabien@symfony.com"
+ },
+ {
+ "name": "Symfony Community",
+ "homepage": "https://symfony.com/contributors"
+ }
+ ],
+ "description": "Symfony Filesystem Component",
+ "homepage": "https://symfony.com",
+ "time": "2018-01-03T07:38:00+00:00"
+ },
+ {
+ "name": "symfony/finder",
+ "version": "v4.0.3",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/symfony/finder.git",
+ "reference": "8b08180f2b7ccb41062366b9ad91fbc4f1af8601"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/symfony/finder/zipball/8b08180f2b7ccb41062366b9ad91fbc4f1af8601",
+ "reference": "8b08180f2b7ccb41062366b9ad91fbc4f1af8601",
+ "shasum": ""
+ },
+ "require": {
+ "php": "^7.1.3"
+ },
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "4.0-dev"
+ }
+ },
+ "autoload": {
+ "psr-4": {
+ "Symfony\\Component\\Finder\\": ""
+ },
+ "exclude-from-classmap": [
+ "/Tests/"
+ ]
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "MIT"
+ ],
+ "authors": [
+ {
+ "name": "Fabien Potencier",
+ "email": "fabien@symfony.com"
+ },
+ {
+ "name": "Symfony Community",
+ "homepage": "https://symfony.com/contributors"
+ }
+ ],
+ "description": "Symfony Finder Component",
+ "homepage": "https://symfony.com",
+ "time": "2018-01-03T07:38:00+00:00"
+ },
+ {
+ "name": "symfony/options-resolver",
+ "version": "v4.0.3",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/symfony/options-resolver.git",
+ "reference": "30d9240b30696a69e893534c9fc4a5c72ab6689b"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/symfony/options-resolver/zipball/30d9240b30696a69e893534c9fc4a5c72ab6689b",
+ "reference": "30d9240b30696a69e893534c9fc4a5c72ab6689b",
+ "shasum": ""
+ },
+ "require": {
+ "php": "^7.1.3"
+ },
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "4.0-dev"
+ }
+ },
+ "autoload": {
+ "psr-4": {
+ "Symfony\\Component\\OptionsResolver\\": ""
+ },
+ "exclude-from-classmap": [
+ "/Tests/"
+ ]
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "MIT"
+ ],
+ "authors": [
+ {
+ "name": "Fabien Potencier",
+ "email": "fabien@symfony.com"
+ },
+ {
+ "name": "Symfony Community",
+ "homepage": "https://symfony.com/contributors"
+ }
+ ],
+ "description": "Symfony OptionsResolver Component",
+ "homepage": "https://symfony.com",
+ "keywords": [
+ "config",
+ "configuration",
+ "options"
+ ],
+ "time": "2018-01-03T07:38:00+00:00"
+ },
+ {
+ "name": "symfony/polyfill-mbstring",
+ "version": "v1.6.0",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/symfony/polyfill-mbstring.git",
+ "reference": "2ec8b39c38cb16674bbf3fea2b6ce5bf117e1296"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/symfony/polyfill-mbstring/zipball/2ec8b39c38cb16674bbf3fea2b6ce5bf117e1296",
+ "reference": "2ec8b39c38cb16674bbf3fea2b6ce5bf117e1296",
+ "shasum": ""
+ },
+ "require": {
+ "php": ">=5.3.3"
+ },
+ "suggest": {
+ "ext-mbstring": "For best performance"
+ },
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "1.6-dev"
+ }
+ },
+ "autoload": {
+ "psr-4": {
+ "Symfony\\Polyfill\\Mbstring\\": ""
+ },
+ "files": [
+ "bootstrap.php"
+ ]
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "MIT"
+ ],
+ "authors": [
+ {
+ "name": "Nicolas Grekas",
+ "email": "p@tchwork.com"
+ },
+ {
+ "name": "Symfony Community",
+ "homepage": "https://symfony.com/contributors"
+ }
+ ],
+ "description": "Symfony polyfill for the Mbstring extension",
+ "homepage": "https://symfony.com",
+ "keywords": [
+ "compatibility",
+ "mbstring",
+ "polyfill",
+ "portable",
+ "shim"
+ ],
+ "time": "2017-10-11T12:05:26+00:00"
+ },
+ {
+ "name": "symfony/polyfill-php54",
+ "version": "v1.3.0",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/symfony/polyfill-php54.git",
+ "reference": "90e085822963fdcc9d1c5b73deb3d2e5783b16a0"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/symfony/polyfill-php54/zipball/90e085822963fdcc9d1c5b73deb3d2e5783b16a0",
+ "reference": "90e085822963fdcc9d1c5b73deb3d2e5783b16a0",
+ "shasum": ""
+ },
+ "require": {
+ "php": ">=5.3.3"
+ },
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "1.3-dev"
+ }
+ },
+ "autoload": {
+ "psr-4": {
+ "Symfony\\Polyfill\\Php54\\": ""
+ },
+ "files": [
+ "bootstrap.php"
+ ],
+ "classmap": [
+ "Resources/stubs"
+ ]
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "MIT"
+ ],
+ "authors": [
+ {
+ "name": "Nicolas Grekas",
+ "email": "p@tchwork.com"
+ },
+ {
+ "name": "Symfony Community",
+ "homepage": "https://symfony.com/contributors"
+ }
+ ],
+ "description": "Symfony polyfill backporting some PHP 5.4+ features to lower PHP versions",
+ "homepage": "https://symfony.com",
+ "keywords": [
+ "compatibility",
+ "polyfill",
+ "portable",
+ "shim"
+ ],
+ "time": "2016-11-14T01:06:16+00:00"
+ },
+ {
+ "name": "symfony/polyfill-php55",
+ "version": "v1.3.0",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/symfony/polyfill-php55.git",
+ "reference": "03e3f0350bca2220e3623a0e340eef194405fc67"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/symfony/polyfill-php55/zipball/03e3f0350bca2220e3623a0e340eef194405fc67",
+ "reference": "03e3f0350bca2220e3623a0e340eef194405fc67",
+ "shasum": ""
+ },
+ "require": {
+ "ircmaxell/password-compat": "~1.0",
+ "php": ">=5.3.3"
+ },
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "1.3-dev"
+ }
+ },
+ "autoload": {
+ "psr-4": {
+ "Symfony\\Polyfill\\Php55\\": ""
+ },
+ "files": [
+ "bootstrap.php"
+ ]
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "MIT"
+ ],
+ "authors": [
+ {
+ "name": "Nicolas Grekas",
+ "email": "p@tchwork.com"
+ },
+ {
+ "name": "Symfony Community",
+ "homepage": "https://symfony.com/contributors"
+ }
+ ],
+ "description": "Symfony polyfill backporting some PHP 5.5+ features to lower PHP versions",
+ "homepage": "https://symfony.com",
+ "keywords": [
+ "compatibility",
+ "polyfill",
+ "portable",
+ "shim"
+ ],
+ "time": "2016-11-14T01:06:16+00:00"
+ },
+ {
+ "name": "symfony/polyfill-php70",
+ "version": "v1.6.0",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/symfony/polyfill-php70.git",
+ "reference": "0442b9c0596610bd24ae7b5f0a6cdbbc16d9fcff"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/symfony/polyfill-php70/zipball/0442b9c0596610bd24ae7b5f0a6cdbbc16d9fcff",
+ "reference": "0442b9c0596610bd24ae7b5f0a6cdbbc16d9fcff",
+ "shasum": ""
+ },
+ "require": {
+ "paragonie/random_compat": "~1.0|~2.0",
+ "php": ">=5.3.3"
+ },
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "1.6-dev"
+ }
+ },
+ "autoload": {
+ "psr-4": {
+ "Symfony\\Polyfill\\Php70\\": ""
+ },
+ "files": [
+ "bootstrap.php"
+ ],
+ "classmap": [
+ "Resources/stubs"
+ ]
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "MIT"
+ ],
+ "authors": [
+ {
+ "name": "Nicolas Grekas",
+ "email": "p@tchwork.com"
+ },
+ {
+ "name": "Symfony Community",
+ "homepage": "https://symfony.com/contributors"
+ }
+ ],
+ "description": "Symfony polyfill backporting some PHP 7.0+ features to lower PHP versions",
+ "homepage": "https://symfony.com",
+ "keywords": [
+ "compatibility",
+ "polyfill",
+ "portable",
+ "shim"
+ ],
+ "time": "2017-10-11T12:05:26+00:00"
+ },
+ {
+ "name": "symfony/polyfill-php72",
+ "version": "v1.6.0",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/symfony/polyfill-php72.git",
+ "reference": "6de4f4884b97abbbed9f0a84a95ff2ff77254254"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/symfony/polyfill-php72/zipball/6de4f4884b97abbbed9f0a84a95ff2ff77254254",
+ "reference": "6de4f4884b97abbbed9f0a84a95ff2ff77254254",
+ "shasum": ""
+ },
+ "require": {
+ "php": ">=5.3.3"
+ },
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "1.6-dev"
+ }
+ },
+ "autoload": {
+ "psr-4": {
+ "Symfony\\Polyfill\\Php72\\": ""
+ },
+ "files": [
+ "bootstrap.php"
+ ]
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "MIT"
+ ],
+ "authors": [
+ {
+ "name": "Nicolas Grekas",
+ "email": "p@tchwork.com"
+ },
+ {
+ "name": "Symfony Community",
+ "homepage": "https://symfony.com/contributors"
+ }
+ ],
+ "description": "Symfony polyfill backporting some PHP 7.2+ features to lower PHP versions",
+ "homepage": "https://symfony.com",
+ "keywords": [
+ "compatibility",
+ "polyfill",
+ "portable",
+ "shim"
+ ],
+ "time": "2017-10-11T12:05:26+00:00"
+ },
+ {
+ "name": "symfony/polyfill-xml",
+ "version": "v1.3.0",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/symfony/polyfill-xml.git",
+ "reference": "64b6a864f18ab4fddad49f5025f805f6781dfabd"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/symfony/polyfill-xml/zipball/64b6a864f18ab4fddad49f5025f805f6781dfabd",
+ "reference": "64b6a864f18ab4fddad49f5025f805f6781dfabd",
+ "shasum": ""
+ },
+ "require": {
+ "php": ">=5.3.3"
+ },
+ "suggest": {
+ "ext-xml": "For best performance"
+ },
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "1.3-dev"
+ }
+ },
+ "autoload": {
+ "psr-4": {
+ "Symfony\\Polyfill\\Xml\\": ""
+ },
+ "files": [
+ "bootstrap.php"
+ ]
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "MIT"
+ ],
+ "authors": [
+ {
+ "name": "Nicolas Grekas",
+ "email": "p@tchwork.com"
+ },
+ {
+ "name": "Symfony Community",
+ "homepage": "https://symfony.com/contributors"
+ }
+ ],
+ "description": "Symfony polyfill for xml's utf8_encode and utf8_decode functions",
+ "homepage": "https://symfony.com",
+ "keywords": [
+ "compatibility",
+ "polyfill",
+ "portable",
+ "shim"
+ ],
+ "time": "2016-11-14T01:06:16+00:00"
+ },
+ {
+ "name": "symfony/process",
+ "version": "v4.0.3",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/symfony/process.git",
+ "reference": "2145b3e8137e463b1051b79440a59b38220944f0"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/symfony/process/zipball/2145b3e8137e463b1051b79440a59b38220944f0",
+ "reference": "2145b3e8137e463b1051b79440a59b38220944f0",
+ "shasum": ""
+ },
+ "require": {
+ "php": "^7.1.3"
+ },
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "4.0-dev"
+ }
+ },
+ "autoload": {
+ "psr-4": {
+ "Symfony\\Component\\Process\\": ""
+ },
+ "exclude-from-classmap": [
+ "/Tests/"
+ ]
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "MIT"
+ ],
+ "authors": [
+ {
+ "name": "Fabien Potencier",
+ "email": "fabien@symfony.com"
+ },
+ {
+ "name": "Symfony Community",
+ "homepage": "https://symfony.com/contributors"
+ }
+ ],
+ "description": "Symfony Process Component",
+ "homepage": "https://symfony.com",
+ "time": "2018-01-03T07:38:00+00:00"
+ },
+ {
+ "name": "symfony/stopwatch",
+ "version": "v4.0.3",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/symfony/stopwatch.git",
+ "reference": "d52321f0e2b596bd03b5d1dd6eebe71caa925704"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/symfony/stopwatch/zipball/d52321f0e2b596bd03b5d1dd6eebe71caa925704",
+ "reference": "d52321f0e2b596bd03b5d1dd6eebe71caa925704",
+ "shasum": ""
+ },
+ "require": {
+ "php": "^7.1.3"
+ },
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "4.0-dev"
+ }
+ },
+ "autoload": {
+ "psr-4": {
+ "Symfony\\Component\\Stopwatch\\": ""
+ },
+ "exclude-from-classmap": [
+ "/Tests/"
+ ]
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "MIT"
+ ],
+ "authors": [
+ {
+ "name": "Fabien Potencier",
+ "email": "fabien@symfony.com"
+ },
+ {
+ "name": "Symfony Community",
+ "homepage": "https://symfony.com/contributors"
+ }
+ ],
+ "description": "Symfony Stopwatch Component",
+ "homepage": "https://symfony.com",
+ "time": "2018-01-03T07:38:00+00:00"
+ },
+ {
+ "name": "symfony/yaml",
+ "version": "v3.2.6",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/symfony/yaml.git",
+ "reference": "093e416ad096355149e265ea2e4cc1f9ee40ab1a"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/symfony/yaml/zipball/093e416ad096355149e265ea2e4cc1f9ee40ab1a",
+ "reference": "093e416ad096355149e265ea2e4cc1f9ee40ab1a",
+ "shasum": ""
+ },
+ "require": {
+ "php": ">=5.5.9"
+ },
+ "require-dev": {
+ "symfony/console": "~2.8|~3.0"
+ },
+ "suggest": {
+ "symfony/console": "For validating YAML files using the lint command"
+ },
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "3.2-dev"
+ }
+ },
+ "autoload": {
+ "psr-4": {
+ "Symfony\\Component\\Yaml\\": ""
+ },
+ "exclude-from-classmap": [
+ "/Tests/"
+ ]
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "MIT"
+ ],
+ "authors": [
+ {
+ "name": "Fabien Potencier",
+ "email": "fabien@symfony.com"
+ },
+ {
+ "name": "Symfony Community",
+ "homepage": "https://symfony.com/contributors"
+ }
+ ],
+ "description": "Symfony Yaml Component",
+ "homepage": "https://symfony.com",
+ "time": "2017-03-07T16:47:02+00:00"
+ },
+ {
+ "name": "tecnickcom/tcpdf",
+ "version": "6.2.12",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/tecnickcom/TCPDF.git",
+ "reference": "2f732eaa91b5665274689b1d40b285a7bacdc37f"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/tecnickcom/TCPDF/zipball/2f732eaa91b5665274689b1d40b285a7bacdc37f",
+ "reference": "2f732eaa91b5665274689b1d40b285a7bacdc37f",
+ "shasum": ""
+ },
+ "require": {
+ "php": ">=5.3.0"
+ },
+ "type": "library",
+ "autoload": {
+ "classmap": [
+ "fonts",
+ "config",
+ "include",
+ "tcpdf.php",
+ "tcpdf_parser.php",
+ "tcpdf_import.php",
+ "tcpdf_barcodes_1d.php",
+ "tcpdf_barcodes_2d.php",
+ "include/tcpdf_colors.php",
+ "include/tcpdf_filters.php",
+ "include/tcpdf_font_data.php",
+ "include/tcpdf_fonts.php",
+ "include/tcpdf_images.php",
+ "include/tcpdf_static.php",
+ "include/barcodes/datamatrix.php",
+ "include/barcodes/pdf417.php",
+ "include/barcodes/qrcode.php"
+ ]
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "LGPLv3"
+ ],
+ "authors": [
+ {
+ "name": "Nicola Asuni",
+ "email": "info@tecnick.com",
+ "homepage": "http://nicolaasuni.tecnick.com"
+ }
+ ],
+ "description": "TCPDF is a PHP class for generating PDF documents and barcodes.",
+ "homepage": "http://www.tcpdf.org/",
+ "keywords": [
+ "PDFD32000-2008",
+ "TCPDF",
+ "barcodes",
+ "datamatrix",
+ "pdf",
+ "pdf417",
+ "qrcode"
+ ],
+ "time": "2015-09-12T10:08:34+00:00"
+ },
+ {
+ "name": "webmozart/assert",
+ "version": "1.2.0",
+ "source": {
+ "type": "git",
+ "url": "https://github.com/webmozart/assert.git",
+ "reference": "2db61e59ff05fe5126d152bd0655c9ea113e550f"
+ },
+ "dist": {
+ "type": "zip",
+ "url": "https://api.github.com/repos/webmozart/assert/zipball/2db61e59ff05fe5126d152bd0655c9ea113e550f",
+ "reference": "2db61e59ff05fe5126d152bd0655c9ea113e550f",
+ "shasum": ""
+ },
+ "require": {
+ "php": "^5.3.3 || ^7.0"
+ },
+ "require-dev": {
+ "phpunit/phpunit": "^4.6",
+ "sebastian/version": "^1.0.1"
+ },
+ "type": "library",
+ "extra": {
+ "branch-alias": {
+ "dev-master": "1.3-dev"
+ }
+ },
+ "autoload": {
+ "psr-4": {
+ "Webmozart\\Assert\\": "src/"
+ }
+ },
+ "notification-url": "https://packagist.org/downloads/",
+ "license": [
+ "MIT"
+ ],
+ "authors": [
+ {
+ "name": "Bernhard Schussek",
+ "email": "bschussek@gmail.com"
+ }
+ ],
+ "description": "Assertions to validate method input/output with nice error messages.",
+ "keywords": [
+ "assert",
+ "check",
+ "validate"
+ ],
+ "time": "2016-11-23T20:04:58+00:00"
+ }
+ ],
+ "aliases": [],
+ "minimum-stability": "stable",
+ "stability-flags": {
+ "friendsofphp/php-cs-fixer": 0
+ },
+ "prefer-stable": false,
+ "prefer-lowest": false,
+ "platform": {
+ "php": "^5.6|^7.0",
+ "ext-ctype": "*",
+ "ext-dom": "*",
+ "ext-gd": "*",
+ "ext-iconv": "*",
+ "ext-libxml": "*",
+ "ext-mbstring": "*",
+ "ext-simplexml": "*",
+ "ext-xml": "*",
+ "ext-xmlreader": "*",
+ "ext-xmlwriter": "*",
+ "ext-zip": "*",
+ "ext-zlib": "*"
+ },
+ "platform-dev": []
+}
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/Architecture.cd b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/Architecture.cd
new file mode 100755
index 0000000..afc1dbd
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/Architecture.cd
@@ -0,0 +1,51 @@
+
+
+
+
+
+
+ Classes\PHPExcel.cs
+ AAAAAAAAAAAAAAAAAAAAAAAAAAAgAAAAAAAAAAAAAAA=
+
+
+
+
+
+
+
+
+ Classes\Worksheet.cs
+ AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA=
+
+
+
+
+
+ Classes\IReader.cs
+ AAAAAAAAAAAAAAAAAAAEAAAAAAAAAAAAAAAAAAAAAAA=
+
+
+
+
+
+
+
+
+
+
+
+
+
+ Classes\IWriter.cs
+ AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAQAAAAAAAAA=
+
+
+
+
+
+
+
+
+
+
+
\ No newline at end of file
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/Architecture.png b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/Architecture.png
new file mode 100755
index 0000000..3fc7655
Binary files /dev/null and b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/Architecture.png differ
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/ClassDiagrams.csproj b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/ClassDiagrams.csproj
new file mode 100755
index 0000000..5920f3d
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/ClassDiagrams.csproj
@@ -0,0 +1,64 @@
+
+
+
+ Debug
+ AnyCPU
+ 8.0.50727
+ 2.0
+ {CC8CD7D2-8EFF-48E5-A17A-C1C482744D31}
+ Exe
+ Properties
+ ClassDiagrams
+ ClassDiagrams
+
+
+ 2.0
+
+
+
+
+ true
+ full
+ false
+ bin\Debug\
+ DEBUG;TRACE
+ prompt
+ 4
+
+
+ pdbonly
+ true
+ bin\Release\
+ TRACE
+ prompt
+ 4
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
\ No newline at end of file
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/ClassDiagrams.csproj.user b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/ClassDiagrams.csproj.user
new file mode 100755
index 0000000..6a34e7d
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/ClassDiagrams.csproj.user
@@ -0,0 +1,5 @@
+
+
+ ShowAllFiles
+
+
\ No newline at end of file
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/ClassDiagrams.sln b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/ClassDiagrams.sln
new file mode 100755
index 0000000..3ed7732
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/ClassDiagrams.sln
@@ -0,0 +1,20 @@
+
+Microsoft Visual Studio Solution File, Format Version 10.00
+# Visual Studio 2008
+Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "ClassDiagrams", "ClassDiagrams.csproj", "{CC8CD7D2-8EFF-48E5-A17A-C1C482744D31}"
+EndProject
+Global
+ GlobalSection(SolutionConfigurationPlatforms) = preSolution
+ Debug|Any CPU = Debug|Any CPU
+ Release|Any CPU = Release|Any CPU
+ EndGlobalSection
+ GlobalSection(ProjectConfigurationPlatforms) = postSolution
+ {CC8CD7D2-8EFF-48E5-A17A-C1C482744D31}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
+ {CC8CD7D2-8EFF-48E5-A17A-C1C482744D31}.Debug|Any CPU.Build.0 = Debug|Any CPU
+ {CC8CD7D2-8EFF-48E5-A17A-C1C482744D31}.Release|Any CPU.ActiveCfg = Release|Any CPU
+ {CC8CD7D2-8EFF-48E5-A17A-C1C482744D31}.Release|Any CPU.Build.0 = Release|Any CPU
+ EndGlobalSection
+ GlobalSection(SolutionProperties) = preSolution
+ HideSolutionNode = FALSE
+ EndGlobalSection
+EndGlobal
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/Classes/IReader.cs b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/Classes/IReader.cs
new file mode 100755
index 0000000..96c11af
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/Classes/IReader.cs
@@ -0,0 +1,15 @@
+using System;
+using System.Collections.Generic;
+using System.Text;
+
+namespace ClassDiagrams
+{
+ public interface PHPExcel_Reader_IReader
+ {
+ PHPExcel reads
+ {
+ get;
+ set;
+ }
+ }
+}
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/Classes/IWriter.cs b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/Classes/IWriter.cs
new file mode 100755
index 0000000..d1d6642
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/Classes/IWriter.cs
@@ -0,0 +1,15 @@
+using System;
+using System.Collections.Generic;
+using System.Text;
+
+namespace ClassDiagrams
+{
+ public interface PHPExcel_Writer_IWriter
+ {
+ PHPExcel writes
+ {
+ get;
+ set;
+ }
+ }
+}
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/Classes/PHPExcel.cs b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/Classes/PHPExcel.cs
new file mode 100755
index 0000000..5efaa5b
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/Classes/PHPExcel.cs
@@ -0,0 +1,40 @@
+using System;
+using System.Collections.Generic;
+using System.Text;
+
+namespace ClassDiagrams
+{
+ public class PHPExcel
+ {
+ ///
+ public Worksheet Worksheets
+ {
+ get
+ {
+ throw new System.NotImplementedException();
+ }
+ set
+ {
+ }
+ }
+ }
+
+ public class PHPExcel_Writer_PDF : PHPExcel_Writer_IWriter
+ {
+ #region PHPExcel_Writer_IWriter Members
+
+ public PHPExcel writes
+ {
+ get
+ {
+ throw new Exception("The method or operation is not implemented.");
+ }
+ set
+ {
+ throw new Exception("The method or operation is not implemented.");
+ }
+ }
+
+ #endregion
+ }
+}
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/Classes/PHPExcel_IOFactory.cs b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/Classes/PHPExcel_IOFactory.cs
new file mode 100755
index 0000000..444712c
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/Classes/PHPExcel_IOFactory.cs
@@ -0,0 +1,41 @@
+using System;
+using System.Collections.Generic;
+using System.Text;
+
+namespace ClassDiagrams
+{
+ public class PHPExcel_IOFactory
+ {
+ public PHPExcel_Reader_IReader createsReader
+ {
+ get
+ {
+ throw new System.NotImplementedException();
+ }
+ set
+ {
+ }
+ }
+
+ public PHPExcel_Writer_IWriter createsWriter
+ {
+ get
+ {
+ throw new System.NotImplementedException();
+ }
+ set
+ {
+ }
+ }
+
+ public PHPExcel_Writer_IWriter createWriter()
+ {
+ throw new System.NotImplementedException();
+ }
+
+ public PHPExcel_Reader_IReader createReader()
+ {
+ throw new System.NotImplementedException();
+ }
+ }
+}
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/Classes/PHPExcel_Reader_Excel2007.cs b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/Classes/PHPExcel_Reader_Excel2007.cs
new file mode 100755
index 0000000..5cf6e3d
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/Classes/PHPExcel_Reader_Excel2007.cs
@@ -0,0 +1,25 @@
+using System;
+using System.Collections.Generic;
+using System.Text;
+
+namespace ClassDiagrams
+{
+ public class PHPExcel_Reader_Excel2007 : PHPExcel_Reader_IReader
+ {
+ #region IReader Members
+
+ public PHPExcel reads
+ {
+ get
+ {
+ throw new Exception("The method or operation is not implemented.");
+ }
+ set
+ {
+ throw new Exception("The method or operation is not implemented.");
+ }
+ }
+
+ #endregion
+ }
+}
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/Classes/PHPExcel_Reader_Excel5.cs b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/Classes/PHPExcel_Reader_Excel5.cs
new file mode 100755
index 0000000..e407212
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/Classes/PHPExcel_Reader_Excel5.cs
@@ -0,0 +1,63 @@
+using System;
+using System.Collections.Generic;
+using System.Text;
+
+namespace ClassDiagrams
+{
+ public class PHPExcel_Reader_Excel5 : PHPExcel_Reader_IReader
+ {
+ #region PHPExcel_Writer_IReader Members
+
+ public PHPExcel reads
+ {
+ get
+ {
+ throw new Exception("The method or operation is not implemented.");
+ }
+ set
+ {
+ throw new Exception("The method or operation is not implemented.");
+ }
+ }
+
+ #endregion
+ }
+
+ public class PHPExcel_Reader_Excel2003XML : PHPExcel_Reader_IReader
+ {
+ #region PHPExcel_Writer_IReader Members
+
+ public PHPExcel reads
+ {
+ get
+ {
+ throw new Exception("The method or operation is not implemented.");
+ }
+ set
+ {
+ throw new Exception("The method or operation is not implemented.");
+ }
+ }
+
+ #endregion
+ }
+
+ public class PHPExcel_Reader_SYLK : PHPExcel_Reader_IReader
+ {
+ #region PHPExcel_Writer_IReader Members
+
+ public PHPExcel reads
+ {
+ get
+ {
+ throw new Exception("The method or operation is not implemented.");
+ }
+ set
+ {
+ throw new Exception("The method or operation is not implemented.");
+ }
+ }
+
+ #endregion
+ }
+}
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/Classes/PHPExcel_Reader_Serialized.cs b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/Classes/PHPExcel_Reader_Serialized.cs
new file mode 100755
index 0000000..ea114c8
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/Classes/PHPExcel_Reader_Serialized.cs
@@ -0,0 +1,44 @@
+using System;
+using System.Collections.Generic;
+using System.Text;
+
+namespace ClassDiagrams
+{
+ public class PHPExcel_Reader_Serialized : PHPExcel_Reader_IReader
+ {
+ #region IReader Members
+
+ public PHPExcel reads
+ {
+ get
+ {
+ throw new Exception("The method or operation is not implemented.");
+ }
+ set
+ {
+ throw new Exception("The method or operation is not implemented.");
+ }
+ }
+
+ #endregion
+ }
+
+ public class PHPExcel_Reader_CSV : PHPExcel_Reader_IReader
+ {
+ #region IReader Members
+
+ public PHPExcel reads
+ {
+ get
+ {
+ throw new Exception("The method or operation is not implemented.");
+ }
+ set
+ {
+ throw new Exception("The method or operation is not implemented.");
+ }
+ }
+
+ #endregion
+ }
+}
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/Classes/PHPExcel_Writer_Excel2007.cs b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/Classes/PHPExcel_Writer_Excel2007.cs
new file mode 100755
index 0000000..03edda9
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/Classes/PHPExcel_Writer_Excel2007.cs
@@ -0,0 +1,25 @@
+using System;
+using System.Collections.Generic;
+using System.Text;
+
+namespace ClassDiagrams
+{
+ public class PHPExcel_Writer_Excel2007 : PHPExcel_Writer_IWriter
+ {
+ #region IWriter Members
+
+ public PHPExcel writes
+ {
+ get
+ {
+ throw new Exception("The method or operation is not implemented.");
+ }
+ set
+ {
+ throw new Exception("The method or operation is not implemented.");
+ }
+ }
+
+ #endregion
+ }
+}
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/Classes/PHPExcel_Writer_Serialized.cs b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/Classes/PHPExcel_Writer_Serialized.cs
new file mode 100755
index 0000000..cf8af20
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/Classes/PHPExcel_Writer_Serialized.cs
@@ -0,0 +1,82 @@
+using System;
+using System.Collections.Generic;
+using System.Text;
+
+namespace ClassDiagrams
+{
+ public class PHPExcel_Writer_Serialized : PHPExcel_Writer_IWriter
+ {
+ #region IWriter Members
+
+ public PHPExcel writes
+ {
+ get
+ {
+ throw new Exception("The method or operation is not implemented.");
+ }
+ set
+ {
+ throw new Exception("The method or operation is not implemented.");
+ }
+ }
+
+ #endregion
+ }
+
+ public class PHPExcel_Writer_CSV : PHPExcel_Writer_IWriter
+ {
+ #region IWriter Members
+
+ public PHPExcel writes
+ {
+ get
+ {
+ throw new Exception("The method or operation is not implemented.");
+ }
+ set
+ {
+ throw new Exception("The method or operation is not implemented.");
+ }
+ }
+
+ #endregion
+ }
+
+ public class PHPExcel_Writer_Excel5 : PHPExcel_Writer_IWriter
+ {
+ #region IWriter Members
+
+ public PHPExcel writes
+ {
+ get
+ {
+ throw new Exception("The method or operation is not implemented.");
+ }
+ set
+ {
+ throw new Exception("The method or operation is not implemented.");
+ }
+ }
+
+ #endregion
+ }
+
+ public class PHPExcel_Writer_HTML : PHPExcel_Writer_IWriter
+ {
+ #region IWriter Members
+
+ public PHPExcel writes
+ {
+ get
+ {
+ throw new Exception("The method or operation is not implemented.");
+ }
+ set
+ {
+ throw new Exception("The method or operation is not implemented.");
+ }
+ }
+
+ #endregion
+ }
+}
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/Classes/Worksheet.cs b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/Classes/Worksheet.cs
new file mode 100755
index 0000000..fdcf0ff
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/Classes/Worksheet.cs
@@ -0,0 +1,14 @@
+using System;
+using System.Collections.Generic;
+using System.Text;
+
+namespace ClassDiagrams
+{
+ public class Worksheet
+ {
+ }
+
+ public class CopyOfWorksheet
+ {
+ }
+}
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/Exports/Architecture.png b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/Exports/Architecture.png
new file mode 100755
index 0000000..1324818
Binary files /dev/null and b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/Exports/Architecture.png differ
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/Exports/ReaderWriter.png b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/Exports/ReaderWriter.png
new file mode 100755
index 0000000..b915faa
Binary files /dev/null and b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/Exports/ReaderWriter.png differ
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/ReaderWriter.cd b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/ReaderWriter.cd
new file mode 100755
index 0000000..bbaf291
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/ReaderWriter.cd
@@ -0,0 +1,135 @@
+
+
+
+
+
+ AAAAAAAAAAAAAAAAAAAEAAAAAAAAAAAAAAAAAAAAAAA=
+ Classes\PHPExcel_Reader_Excel2007.cs
+
+
+
+
+
+
+ AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAQAAAAAAAAA=
+ Classes\PHPExcel_Writer_Excel2007.cs
+
+
+
+
+
+
+ AAAAAAAAAAAAAAAAAAAEAAAAAAAAAAAAAAAAAAAAAAA=
+ Classes\PHPExcel_Reader_Serialized.cs
+
+
+
+
+
+
+ AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAQAAAAAAAAA=
+ Classes\PHPExcel_Writer_Serialized.cs
+
+
+
+
+
+
+ AAAAAAAAAAAAAAAAAAAEAAAAAAAAAAAAAAAAAAAAAAA=
+ Classes\PHPExcel_Reader_Serialized.cs
+
+
+
+
+
+
+ AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAQAAAAAAAAA=
+ Classes\PHPExcel_Writer_Serialized.cs
+
+
+
+
+
+
+ AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAQAAAAAAAAA=
+ Classes\PHPExcel_Writer_Serialized.cs
+
+
+
+
+
+
+ AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAQAAAAAAAAA=
+ Classes\PHPExcel_Writer_Serialized.cs
+
+
+
+
+
+
+ AAAAAAAAAAAAAAAAAAAEAAAAAAAAAAAAAAAAAAAAAAA=
+ Classes\PHPExcel_Reader_Excel5.cs
+
+
+
+
+
+
+ AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAQAAAAAAAAA=
+ Classes\PHPExcel.cs
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ AIAAAAAAAAEAAAAAAQAAAAAAAAAAAAAAAAABAAAAAAA=
+ Classes\PHPExcel_IOFactory.cs
+
+
+
+
+
+
+
+
+
+ AAAAAAAAAAAAAAAAAAAEAAAAAAAAAAAAAAAAAAAAAAA=
+ Classes\PHPExcel_Reader_Excel5.cs
+
+
+
+
+
+
+ AAAAAAAAAAAAAAAAAAAEAAAAAAAAAAAAAAAAAAAAAAA=
+ Classes\PHPExcel_Reader_Excel5.cs
+
+
+
+
+
+
+ AAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAQAAAAAAAAA=
+ Classes\IWriter.cs
+
+
+
+
+
+ AAAAAAAAAAAAAAAAAAAEAAAAAAAAAAAAAAAAAAAAAAA=
+ Classes\IReader.cs
+
+
+
+
\ No newline at end of file
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/ReaderWriter.png b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/ReaderWriter.png
new file mode 100755
index 0000000..d76c98d
Binary files /dev/null and b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/ClassDiagrams/ReaderWriter.png differ
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/logo.svg b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/logo.svg
new file mode 100755
index 0000000..229debc
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/assets/logo.svg
@@ -0,0 +1,947 @@
+
+
+
+
\ No newline at end of file
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/extra/extra.css b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/extra/extra.css
new file mode 100755
index 0000000..2addeb7
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/extra/extra.css
@@ -0,0 +1,8 @@
+/* Make the huge table always visible */
+table.features-cross-reference {
+ overflow: visible !important;
+}
+.rst-content table.features-cross-reference.docutils th,
+.rst-content table.features-cross-reference.docutils td {
+ background-color: white;
+}
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/extra/extra.js b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/extra/extra.js
new file mode 100755
index 0000000..fdef958
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/extra/extra.js
@@ -0,0 +1,57 @@
+var nodemcu = nodemcu || {};
+(function () {
+ 'use strict';
+
+ $(document).ready(function () {
+ fixSearch();
+ });
+
+ /*
+ * RTD messes up MkDocs' search feature by tinkering with the search box defined in the theme, see
+ * https://github.com/rtfd/readthedocs.org/issues/1088. This function sets up a DOM4 MutationObserver
+ * to react to changes to the search form (triggered by RTD on doc ready). It then reverts everything
+ * the RTD JS code modified.
+ */
+ function fixSearch() {
+ var target = document.getElementById('rtd-search-form');
+ var config = {attributes: true, childList: true};
+
+ var observer = new MutationObserver(function (mutations) {
+ // if it isn't disconnected it'll loop infinitely because the observed element is modified
+ observer.disconnect();
+ var form = $('#rtd-search-form');
+ form.empty();
+ form.attr('action', 'https://' + window.location.hostname + '/en/' + determineSelectedBranch() + '/search.html');
+ $('').attr({
+ type: "text",
+ name: "q",
+ placeholder: "Search docs"
+ }).appendTo(form);
+ });
+
+ if (window.location.origin.indexOf('readthedocs') > -1) {
+ observer.observe(target, config);
+ }
+ }
+
+ /**
+ * Analyzes the URL of the current page to find out what the selected GitHub branch is. It's usually
+ * part of the location path. The code needs to distinguish between running MkDocs standalone
+ * and docs served from RTD. If no valid branch could be determined 'dev' returned.
+ *
+ * @returns GitHub branch name
+ */
+ function determineSelectedBranch() {
+ var branch = 'dev', path = window.location.pathname;
+ if (window.location.origin.indexOf('readthedocs') > -1) {
+ // path is like /en///build/ -> extract 'lang'
+ // split[0] is an '' because the path starts with the separator
+ var thirdPathSegment = path.split('/')[2];
+ // 'latest' is an alias on RTD for the 'dev' branch - which is the default for 'branch' here
+ if (thirdPathSegment !== 'latest') {
+ branch = thirdPathSegment;
+ }
+ }
+ return branch;
+ }
+}());
\ No newline at end of file
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/faq.md b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/faq.md
new file mode 100755
index 0000000..19f5f8f
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/faq.md
@@ -0,0 +1,57 @@
+# Frequently asked questions
+
+## There seems to be a problem with character encoding...
+
+It is necessary to use UTF-8 encoding for all texts in PhpSpreadsheet.
+If the script uses different encoding then you can convert those texts
+with PHP's `iconv()` or `mb_convert_encoding()` functions.
+
+## Fatal error: Allowed memory size of xxx bytes exhausted (tried to allocate yyy bytes) in zzz on line aaa
+
+PhpSpreadsheet holds an "in memory" representation of a spreadsheet, so
+it is susceptible to PHP's memory limitations. The memory made available
+to PHP can be increased by editing the value of the `memory_limit`
+directive in your `php.ini` file, or by using
+`ini_set('memory_limit', '128M')` within your code.
+
+Some Readers and Writers are faster than others, and they also use
+differing amounts of memory.
+
+## Protection on my worksheet is not working?
+
+When you make use of any of the worksheet protection features (e.g. cell
+range protection, prohibiting deleting rows, ...), make sure you enable
+worksheet security. This can for example be done like this:
+
+``` php
+$spreadsheet->getActiveSheet()->getProtection()->setSheet(true);
+```
+
+## Feature X is not working with Reader\_Y / Writer\_Z
+
+Not all features of PhpSpreadsheet are implemented in all of the Reader
+/ Writer classes. This is mostly due to underlying libraries not
+supporting a specific feature or not having implemented a specific
+feature.
+
+For example autofilter is not implemented in PEAR
+Spreadsheet\_Excel\_writer, which is the base of our Xls writer.
+
+We are slowly building up a list of features, together with the
+different readers and writers that support them, in the [features cross
+reference](./references/features-cross-reference.md).
+
+## Formulas don't seem to be calculated in Excel2003 using compatibility pack?
+
+This is normal behaviour of the compatibility pack, `Xlsx` displays this
+correctly. Use `\PhpOffice\PhpSpreadsheet\Writer\Xls` if you really need
+calculated values, or force recalculation in Excel2003.
+
+## Setting column width is not 100% accurate
+
+Trying to set column width, I experience one problem. When I open the
+file in Excel, the actual width is 0.71 less than it should be.
+
+The short answer is that PhpSpreadsheet uses a measure where padding is
+included. See [how to set a column's width](./topics/recipes.md#setting-a-columns-width)
+for more details.
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/index.md b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/index.md
new file mode 100755
index 0000000..a9f59bf
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/index.md
@@ -0,0 +1,102 @@
+# Welcome to PhpSpreadsheet's documentation
+
+![Logo](./assets/logo.svg)
+
+PhpSpreadsheet is a library written in pure PHP and providing a set of
+classes that allow you to read from and to write to different
+spreadsheet file formats, like Excel and LibreOffice Calc.
+
+## File formats supported
+
+|Format |Reading|Writing|
+|--------------------------------------------|:-----:|:-----:|
+|Open Document Format/OASIS (.ods) | ✓ | ✓ |
+|Office Open XML (.xlsx) Excel 2007 and above| ✓ | ✓ |
+|BIFF 8 (.xls) Excel 97 and above | ✓ | ✓ |
+|BIFF 5 (.xls) Excel 95 | ✓ | |
+|SpreadsheetML (.xml) Excel 2003 | ✓ | |
+|Gnumeric | ✓ | |
+|HTML | ✓ | ✓ |
+|SYLK | ✓ | |
+|CSV | ✓ | ✓ |
+|PDF (using either the TCPDF, Dompdf or mPDF libraries, which need to be installed separately)| | ✓ |
+
+# Getting started
+
+## Software requirements
+
+The following software is required to develop using PhpSpreadsheet:
+
+- PHP version 5.6 or newer
+- PHP extension php\_zip enabled
+- PHP extension php\_xml enabled
+- PHP extension php\_gd2 enabled (if not compiled in)
+
+### PHP version support
+
+Support for PHP versions will only be maintained for a period of six months beyond the end-of-life of that PHP version
+
+## Installation
+
+Use [composer](https://getcomposer.org/) to install PhpSpreadsheet into your project:
+
+```sh
+composer require phpoffice/phpspreadsheet
+```
+
+**Note:** If you want the unreleased, unstable development version use
+`phpoffice/phpspreadsheet:dev-develop` instead.
+
+## Hello World
+
+This would be the simplest way to write a spreadsheet:
+
+```php
+getActiveSheet();
+$sheet->setCellValue('A1', 'Hello World !');
+
+$writer = new Xlsx($spreadsheet);
+$writer->save('hello world.xlsx');
+```
+
+## Learn by example
+
+A good way to get started is to run some of the samples. Serve the samples via
+PHP built-in webserver:
+
+```sh
+php -S localhost:8000 -t vendor/phpoffice/phpspreadsheet/samples
+```
+
+Then point your browser to:
+
+> http://localhost:8000/
+
+The samples may also be run directly from the command line, for example:
+
+```sh
+php vendor/phpoffice/phpspreadsheet/samples/01_Simple.php
+```
+
+## Learn by documentation
+
+For more in-depth documentation, you may read about an [overview of the
+architecture](./topics/architecture.md),
+[creating a spreadsheet](./topics/creating-spreadsheet.md),
+[worksheets](./topics/worksheets.md),
+[accessing cells](./topics/accessing-cells.md) and
+[reading and writing to files](./topics/reading-and-writing-to-file.md).
+
+# Credits
+
+Please refer to the [contributor
+list](https://github.com/PHPOffice/PhpSpreadsheet/graphs/contributors)
+for up-to-date credits.
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/references/features-cross-reference.md b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/references/features-cross-reference.md
new file mode 100755
index 0000000..2d28cd4
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/references/features-cross-reference.md
@@ -0,0 +1,1573 @@
+# Features cross reference
+
+- ✔ Supported
+- ● Partially supported
+- ✖ Not supported
+- N/A Cannot be supported
+
+
' . PHP_EOL;
+ $cellIterator = $row->getCellIterator();
+ $cellIterator->setIterateOnlyExistingCells(FALSE); // This loops through all cells,
+ // even if a cell value is not set.
+ // By default, only cells that have a value
+ // set will be iterated.
+ foreach ($cellIterator as $cell) {
+ echo '
' .
+ $cell->getValue() .
+ '
' . PHP_EOL;
+ }
+ echo '
' . PHP_EOL;
+}
+echo '
' . PHP_EOL;
+```
+
+Note that we have set the cell iterator's
+`setIterateOnlyExistingCells()` to FALSE. This makes the iterator loop
+all cells within the worksheet range, even if they have not been set.
+
+The cell iterator will return a `null` as the cell value if it is not
+set in the worksheet. Setting the cell iterator's
+`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.
+
+### Looping through cells using indexes
+
+One can use the possibility to access cell values by column and row
+index like `[1, 1]` instead of `'A1'` for reading and writing cell values in
+loops.
+
+**Note:** In PhpSpreadsheet column index and row index are 1-based. That means `'A1'` ~ `[1, 1]`
+
+Below is an example where we read all the values in a worksheet and
+display them in a table.
+
+``` php
+$reader = \PhpOffice\PhpSpreadsheet\IOFactory::createReader('Xlsx');
+$reader->setReadDataOnly(TRUE);
+$spreadsheet = $reader->load("test.xlsx");
+
+$worksheet = $spreadsheet->getActiveSheet();
+// Get the highest row and column numbers referenced in the worksheet
+$highestRow = $worksheet->getHighestRow(); // e.g. 10
+$highestColumn = $worksheet->getHighestColumn(); // e.g 'F'
+$highestColumnIndex = \PhpOffice\PhpSpreadsheet\Cell\Coordinate::columnIndexFromString($highestColumn); // e.g. 5
+
+echo '
' . PHP_EOL;
+```
+
+Alternatively, you can take advantage of PHP's "Perl-style" character
+incrementors to loop through the cells by coordinate:
+
+``` php
+$reader = \PhpOffice\PhpSpreadsheet\IOFactory::createReader('Xlsx');
+$reader->setReadDataOnly(TRUE);
+$spreadsheet = $reader->load("test.xlsx");
+
+$worksheet = $spreadsheet->getActiveSheet();
+// Get the highest row number and column letter referenced in the worksheet
+$highestRow = $worksheet->getHighestRow(); // e.g. 10
+$highestColumn = $worksheet->getHighestColumn(); // e.g 'F'
+// Increment the highest column letter
+$highestColumn++;
+
+echo '
' . PHP_EOL;
+```
+
+Note that we can't use a <= comparison here, because 'AA' would match
+as <= 'B', so we increment the highest column letter and then loop
+while \$col != the incremented highest column.
+
+## Using value binders to facilitate data entry
+
+Internally, PhpSpreadsheet uses a default
+`\PhpOffice\PhpSpreadsheet\Cell\IValueBinder` implementation
+(\PhpOffice\PhpSpreadsheet\Cell\DefaultValueBinder) to determine data
+types of entered data using a cell's `setValue()` method (the
+`setValueExplicit()` method bypasses this check).
+
+Optionally, the default behaviour of PhpSpreadsheet can be modified,
+allowing easier data entry. For example, a
+`\PhpOffice\PhpSpreadsheet\Cell\AdvancedValueBinder` class is available.
+It automatically converts percentages, number in scientific format, and
+dates entered as strings to the correct format, also setting the cell's
+style information. The following example demonstrates how to set the
+value binder in PhpSpreadsheet:
+
+``` php
+/** PhpSpreadsheet */
+require_once 'src/Boostrap.php';
+
+// Set value binder
+\PhpOffice\PhpSpreadsheet\Cell\Cell::setValueBinder( new \PhpOffice\PhpSpreadsheet\Cell\AdvancedValueBinder() );
+
+// Create new Spreadsheet object
+$spreadsheet = new \PhpOffice\PhpSpreadsheet\Spreadsheet();
+
+// ...
+// Add some data, resembling some different data types
+$spreadsheet->getActiveSheet()->setCellValue('A4', 'Percentage value:');
+// Converts the string value to 0.1 and sets percentage cell style
+$spreadsheet->getActiveSheet()->setCellValue('B4', '10%');
+
+$spreadsheet->getActiveSheet()->setCellValue('A5', 'Date/time value:');
+// Converts the string value to an Excel datestamp and sets the date format cell style
+$spreadsheet->getActiveSheet()->setCellValue('B5', '21 December 1983');
+```
+
+**Creating your own value binder is easy.** When advanced value binding
+is required, you can implement the
+`\PhpOffice\PhpSpreadsheet\Cell\IValueBinder` interface or extend the
+`\PhpOffice\PhpSpreadsheet\Cell\DefaultValueBinder` or
+`\PhpOffice\PhpSpreadsheet\Cell\AdvancedValueBinder` classes.
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/architecture.md b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/architecture.md
new file mode 100755
index 0000000..0295d67
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/architecture.md
@@ -0,0 +1,75 @@
+# Architecture
+
+## Schematical
+
+![01-schematic.png](./images/01-schematic.png "Basic Architecture Schematic")
+
+## AutoLoader
+
+PhpSpreadsheet relies on Composer autoloader. So before working with
+PhpSpreadsheet in standalone, be sure to run `composer install`. Or add it to a
+pre-existing project with `composer require phpoffice/phpspreadsheet`.
+
+## Spreadsheet in memory
+
+PhpSpreadsheet's 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 PhpSpreadsheet's
+object model, he would only have to write the front-end code.
+
+Just like desktop spreadsheet software, PhpSpreadsheet represents a
+spreadsheet containing one or more worksheets, which contain cells with
+data, formulas, images, ...
+
+## Readers and writers
+
+On its own, the `Spreadsheet` class 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 PhpSpreadsheet 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
+`\PhpOffice\PhpSpreadsheet\Reader\IReader` and
+`\PhpOffice\PhpSpreadsheet\Writer\IWriter` interface in a custom class.
+
+![02-readers-writers.png](./images/02-readers-writers.png "Readers/Writers")
+
+## Fluent interfaces
+
+PhpSpreadsheet 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:
+
+``` php
+$spreadsheet->getProperties()->setCreator("Maarten Balliauw");
+$spreadsheet->getProperties()->setLastModifiedBy("Maarten Balliauw");
+$spreadsheet->getProperties()->setTitle("Office 2007 XLSX Test Document");
+$spreadsheet->getProperties()->setSubject("Office 2007 XLSX Test Document");
+$spreadsheet->getProperties()->setDescription("Test document for Office 2007 XLSX, generated using PHP classes.");
+$spreadsheet->getProperties()->setKeywords("office 2007 openxml php");
+$spreadsheet->getProperties()->setCategory("Test result file");
+```
+
+This can be rewritten as:
+
+``` php
+$spreadsheet->getProperties()
+ ->setCreator("Maarten Balliauw")
+ ->setLastModifiedBy("Maarten Balliauw")
+ ->setTitle("Office 2007 XLSX Test Document")
+ ->setSubject("Office 2007 XLSX Test Document")
+ ->setDescription("Test document for Office 2007 XLSX, generated using PHP classes.")
+ ->setKeywords("office 2007 openxml php")
+ ->setCategory("Test result file");
+```
+
+> **Using fluent interfaces is not required** Fluent interfaces have
+> been implemented to provide a convenient programming API. Use of them
+> is not required, but can make your code easier to read and maintain.
+> It can also improve performance, as you are reducing the overall
+> number of calls to PhpSpreadsheet methods: in the above example, the
+> `getProperties()` method is being called only once rather than 7 times
+> in the non-fluent version.
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/autofilters.md b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/autofilters.md
new file mode 100755
index 0000000..9c367c3
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/autofilters.md
@@ -0,0 +1,530 @@
+# AutoFilter Reference
+
+## Introduction
+
+Each worksheet in an Excel Workbook can contain a single autoFilter
+range. Filtered data displays only the rows that meet criteria that you
+specify and hides rows that you do not want displayed. You can filter by
+more than one column: filters are additive, which means that each
+additional filter is based on the current filter and further reduces the
+subset of data.
+
+![01-01-autofilter.png](./images/01-01-autofilter.png)
+
+When an AutoFilter is applied to a range of cells, the first row in an
+autofilter range will be the heading row, which displays the autoFilter
+dropdown icons. It is not part of the actual autoFiltered data. All
+subsequent rows are the autoFiltered data. So an AutoFilter range should
+always contain the heading row and one or more data rows (one data row
+is pretty meaningless), but PhpSpreadsheet won't actually stop you
+specifying a meaningless range: it's up to you as a developer to avoid
+such errors.
+
+To determine if a filter is applied, note the icon in the column
+heading. A drop-down arrow
+(![01-03-filter-icon-1.png](./images/01-03-filter-icon-1.png)) means
+that filtering is enabled but not applied. In MS Excel, when you hover
+over the heading of a column with filtering enabled but not applied, a
+screen tip displays the cell text for the first row in that column, and
+the message "(Showing All)".
+
+![01-02-autofilter.png](./images/01-02-autofilter.png)
+
+A Filter button
+(![01-03-filter-icon-2.png](./images/01-03-filter-icon-2.png)) means
+that a filter is applied. When you hover over the heading of a filtered
+column, a screen tip displays the filter that has been applied to that
+column, such as "Equals a red cell color" or "Larger than 150".
+
+![01-04-autofilter.png](./images/01-04-autofilter.png)
+
+## Setting an AutoFilter area on a worksheet
+
+To set an autoFilter on a range of cells.
+
+``` php
+$spreadsheet->getActiveSheet()->setAutoFilter('A1:E20');
+```
+
+The first row in an autofilter range will be the heading row, which
+displays the autoFilter dropdown icons. It is not part of the actual
+autoFiltered data. All subsequent rows are the autoFiltered data. So an
+AutoFilter range should always contain the heading row and one or more
+data rows (one data row is pretty meaningless, but PhpSpreadsheet won't
+actually stop you specifying a meaningless range: it's up to you as a
+developer to avoid such errors.
+
+If you want to set the whole worksheet as an autofilter region
+
+``` php
+$spreadsheet->getActiveSheet()->setAutoFilter(
+ $spreadsheet->getActiveSheet()
+ ->calculateWorksheetDimension()
+);
+```
+
+This enables filtering, but does not actually apply any filters.
+
+## Autofilter Expressions
+
+PHPEXcel 1.7.8 introduced the ability to actually create, read and write
+filter expressions; initially only for Xlsx files, but later releases
+will extend this to other formats.
+
+To apply a filter expression to an autoFilter range, you first need to
+identify which column you're going to be applying this filter to.
+
+``` php
+$autoFilter = $spreadsheet->getActiveSheet()->getAutoFilter();
+$columnFilter = $autoFilter->getColumn('C');
+```
+
+This returns an autoFilter column object, and you can then apply filter
+expressions to that column.
+
+There are a number of different types of autofilter expressions. The
+most commonly used are:
+
+- Simple Filters
+- DateGroup Filters
+- Custom filters
+- Dynamic Filters
+- Top Ten Filters
+
+These different types are mutually exclusive within any single column.
+You should not mix the different types of filter in the same column.
+PhpSpreadsheet will not actively prevent you from doing this, but the
+results are unpredictable.
+
+Other filter expression types (such as cell colour filters) are not yet
+supported.
+
+### Simple filters
+
+In MS Excel, Simple Filters are a dropdown list of all values used in
+that column, and the user can select which ones they want to display and
+which ones they want to hide by ticking and unticking the checkboxes
+alongside each option. When the filter is applied, rows containing the
+checked entries will be displayed, rows that don't contain those values
+will be hidden.
+
+![04-01-simple-autofilter.png](./images/04-01-simple-autofilter.png)
+
+To create a filter expression, we need to start by identifying the
+filter type. In this case, we're just going to specify that this filter
+is a standard filter.
+
+``` php
+$columnFilter->setFilterType(
+ \PhpOffice\PhpSpreadsheet\Worksheet\AutoFilter\Column::AUTOFILTER_FILTERTYPE_FILTER
+);
+```
+
+Now we've identified the filter type, we can create a filter rule and
+set the filter values:
+
+When creating a simple filter in PhpSpreadsheet, you only need to
+specify the values for "checked" columns: you do this by creating a
+filter rule for each value.
+
+``` php
+$columnFilter->createRule()
+ ->setRule(
+ \PhpOffice\PhpSpreadsheet\Worksheet\AutoFilter\Column\Rule::AUTOFILTER_COLUMN_RULE_EQUAL,
+ 'France'
+ );
+
+$columnFilter->createRule()
+ ->setRule(
+ \PhpOffice\PhpSpreadsheet\Worksheet\AutoFilter\Column\Rule::AUTOFILTER_COLUMN_RULE_EQUAL,
+ 'Germany'
+ );
+```
+
+This creates two filter rules: the column will be filtered by values
+that match "France" OR "Germany". For Simple Filters, you can create as
+many rules as you want
+
+Simple filters are always a comparison match of EQUALS, and multiple
+standard filters are always treated as being joined by an OR condition.
+
+#### Matching Blanks
+
+If you want to create a filter to select blank cells, you would use:
+
+``` php
+$columnFilter->createRule()
+ ->setRule(
+ \PhpOffice\PhpSpreadsheet\Worksheet\AutoFilter\Column\Rule::AUTOFILTER_COLUMN_RULE_EQUAL,
+ ''
+ );
+```
+
+### DateGroup Filters
+
+In MS Excel, DateGroup filters provide a series of dropdown filter
+selectors for date values, so you can specify entire years, or months
+within a year, or individual days within each month.
+
+![04-02-dategroup-autofilter.png](./images/04-02-dategroup-autofilter.png)
+
+DateGroup filters are still applied as a Standard Filter type.
+
+``` php
+$columnFilter->setFilterType(
+ \PhpOffice\PhpSpreadsheet\Worksheet\AutoFilter\Column::AUTOFILTER_FILTERTYPE_FILTER
+);
+```
+
+Creating a dateGroup filter in PhpSpreadsheet, you specify the values
+for "checked" columns as an associative array of year. month, day, hour
+minute and second. To select a year and month, you need to create a
+DateGroup rule identifying the selected year and month:
+
+``` php
+$columnFilter->createRule()
+ ->setRule(
+ \PhpOffice\PhpSpreadsheet\Worksheet\AutoFilter\Column\Rule::AUTOFILTER_COLUMN_RULE_EQUAL,
+ array(
+ 'year' => 2012,
+ 'month' => 1
+ )
+ )
+ ->setRuleType(
+ \PhpOffice\PhpSpreadsheet\Worksheet\AutoFilter\Column\Rule::AUTOFILTER_RULETYPE_DATEGROUP
+ );
+```
+
+The key values for the associative array are:
+
+- year
+- month
+- day
+- hour
+- minute
+- second
+
+Like Standard filters, DateGroup filters are always a match of EQUALS,
+and multiple standard filters are always treated as being joined by an
+OR condition.
+
+Note that we alse specify a ruleType: to differentiate this from a
+standard filter, we explicitly set the Rule's Type to
+AUTOFILTER\_RULETYPE\_DATEGROUP. As with standard filters, we can create
+any number of DateGroup Filters.
+
+### Custom filters
+
+In MS Excel, Custom filters allow us to select more complex conditions
+using an operator as well as a value. Typical examples might be values
+that fall within a range (e.g. between -20 and +20), or text values with
+wildcards (e.g. beginning with the letter U). To handle this, they
+
+![04-03-custom-autofilter-1.png](./images/04-03-custom-autofilter-1.png)
+
+![04-03-custom-autofilter-2.png](./images/04-03-custom-autofilter-2.png)
+
+Custom filters are limited to 2 rules, and these can be joined using
+either an AND or an OR.
+
+We start by specifying a Filter type, this time a CUSTOMFILTER.
+
+``` php
+$columnFilter->setFilterType(
+ \PhpOffice\PhpSpreadsheet\Worksheet\AutoFilter\Column::AUTOFILTER_FILTERTYPE_CUSTOMFILTER
+);
+```
+
+And then define our rules.
+
+The following shows a simple wildcard filter to show all column entries
+beginning with the letter `U`.
+
+``` php
+$columnFilter->createRule()
+ ->setRule(
+ \PhpOffice\PhpSpreadsheet\Worksheet\AutoFilter\Column\Rule::AUTOFILTER_COLUMN_RULE_EQUAL,
+ 'U*'
+ )
+ ->setRuleType(
+ \PhpOffice\PhpSpreadsheet\Worksheet\AutoFilter\Column\Rule::AUTOFILTER_RULETYPE_CUSTOMFILTER
+ );
+```
+
+MS Excel uses \* as a wildcard to match any number of characters, and ?
+as a wildcard to match a single character. 'U\*' equates to "begins with
+a 'U'"; '\*U' equates to "ends with a 'U'"; and '\*U\*' equates to
+"contains a 'U'"
+
+If you want to match explicitly against a \* or a ? character, you can
+escape it with a tilde (\~), so ?\~\*\* would explicitly match for a \*
+character as the second character in the cell value, followed by any
+number of other characters. The only other character that needs escaping
+is the \~ itself.
+
+To create a "between" condition, we need to define two rules:
+
+``` php
+$columnFilter->createRule()
+ ->setRule(
+ \PhpOffice\PhpSpreadsheet\Worksheet\AutoFilter\Column\Rule::AUTOFILTER_COLUMN_RULE_GREATERTHANOREQUAL,
+ -20
+ )
+ ->setRuleType(
+ \PhpOffice\PhpSpreadsheet\Worksheet\AutoFilter\Column\Rule::AUTOFILTER_RULETYPE_CUSTOMFILTER
+ );
+$columnFilter->createRule()
+ ->setRule(
+ \PhpOffice\PhpSpreadsheet\Worksheet\AutoFilter\Column\Rule::AUTOFILTER_COLUMN_RULE_LESSTHANOREQUAL,
+ 20
+ )
+ ->setRuleType(
+ \PhpOffice\PhpSpreadsheet\Worksheet\AutoFilter\Column\Rule::AUTOFILTER_RULETYPE_CUSTOMFILTER
+ );
+```
+
+We also set the rule type to CUSTOMFILTER.
+
+This defined two rules, filtering numbers that are >= -20 OR <=
+20, so we also need to modify the join condition to reflect AND rather
+than OR.
+
+``` php
+$columnFilter->setAndOr(
+ \PhpOffice\PhpSpreadsheet\Worksheet\AutoFilter\Column::AUTOFILTER_COLUMN_ANDOR_AND
+);
+```
+
+The valid set of operators for Custom Filters are defined in the
+`\PhpOffice\PhpSpreadsheet\Worksheet\AutoFilter\Column\Rule` class, and
+comprise:
+
+Operator Constant | Value
+------------------------------------------|----------------------
+AUTOFILTER_COLUMN_RULE_EQUAL | 'equal'
+AUTOFILTER_COLUMN_RULE_NOTEQUAL | 'notEqual'
+AUTOFILTER_COLUMN_RULE_GREATERTHAN | 'greaterThan'
+AUTOFILTER_COLUMN_RULE_GREATERTHANOREQUAL | 'greaterThanOrEqual'
+AUTOFILTER_COLUMN_RULE_LESSTHAN | 'lessThan'
+AUTOFILTER_COLUMN_RULE_LESSTHANOREQUAL | 'lessThanOrEqual'
+
+### Dynamic Filters
+
+Dynamic Filters are based on a dynamic comparison condition, where the
+value we're comparing against the cell values is variable, such as
+'today'; or when we're testing against an aggregate of the cell data
+(e.g. 'aboveAverage'). Only a single dynamic filter can be applied to a
+column at a time.
+
+![04-04-dynamic-autofilter.png](./images/04-04-dynamic-autofilter.png)
+
+Again, we start by specifying a Filter type, this time a DYNAMICFILTER.
+
+``` php
+$columnFilter->setFilterType(
+ \PhpOffice\PhpSpreadsheet\Worksheet\AutoFilter\Column::AUTOFILTER_FILTERTYPE_DYNAMICFILTER
+);
+```
+
+When defining the rule for a dynamic filter, we don't define a value (we
+can simply set that to NULL) but we do specify the dynamic filter
+category.
+
+``` php
+$columnFilter->createRule()
+ ->setRule(
+ \PhpOffice\PhpSpreadsheet\Worksheet\AutoFilter\Column\Rule::AUTOFILTER_COLUMN_RULE_EQUAL,
+ NULL,
+ \PhpOffice\PhpSpreadsheet\Worksheet\AutoFilter\Column\Rule::AUTOFILTER_RULETYPE_DYNAMIC_YEARTODATE
+ )
+ ->setRuleType(
+ \PhpOffice\PhpSpreadsheet\Worksheet\AutoFilter\Column\Rule::AUTOFILTER_RULETYPE_DYNAMICFILTER
+ );
+```
+
+We also set the rule type to DYNAMICFILTER.
+
+The valid set of dynamic filter categories is defined in the
+`\PhpOffice\PhpSpreadsheet\Worksheet\AutoFilter\Column\Rule` class, and
+comprises:
+
+Operator Constant | Value
+-----------------------------------------|----------------
+AUTOFILTER_RULETYPE_DYNAMIC_YESTERDAY | 'yesterday'
+AUTOFILTER_RULETYPE_DYNAMIC_TODAY | 'today'
+AUTOFILTER_RULETYPE_DYNAMIC_TOMORROW | 'tomorrow'
+AUTOFILTER_RULETYPE_DYNAMIC_YEARTODATE | 'yearToDate'
+AUTOFILTER_RULETYPE_DYNAMIC_THISYEAR | 'thisYear'
+AUTOFILTER_RULETYPE_DYNAMIC_THISQUARTER | 'thisQuarter'
+AUTOFILTER_RULETYPE_DYNAMIC_THISMONTH | 'thisMonth'
+AUTOFILTER_RULETYPE_DYNAMIC_THISWEEK | 'thisWeek'
+AUTOFILTER_RULETYPE_DYNAMIC_LASTYEAR | 'lastYear'
+AUTOFILTER_RULETYPE_DYNAMIC_LASTQUARTER | 'lastQuarter'
+AUTOFILTER_RULETYPE_DYNAMIC_LASTMONTH | 'lastMonth'
+AUTOFILTER_RULETYPE_DYNAMIC_LASTWEEK | 'lastWeek'
+AUTOFILTER_RULETYPE_DYNAMIC_NEXTYEAR | 'nextYear'
+AUTOFILTER_RULETYPE_DYNAMIC_NEXTQUARTER | 'nextQuarter'
+AUTOFILTER_RULETYPE_DYNAMIC_NEXTMONTH | 'nextMonth'
+AUTOFILTER_RULETYPE_DYNAMIC_NEXTWEEK | 'nextWeek'
+AUTOFILTER_RULETYPE_DYNAMIC_MONTH_1 | 'M1'
+AUTOFILTER_RULETYPE_DYNAMIC_JANUARY | 'M1'
+AUTOFILTER_RULETYPE_DYNAMIC_MONTH_2 | 'M2'
+AUTOFILTER_RULETYPE_DYNAMIC_FEBRUARY | 'M2'
+AUTOFILTER_RULETYPE_DYNAMIC_MONTH_3 | 'M3'
+AUTOFILTER_RULETYPE_DYNAMIC_MARCH | 'M3'
+AUTOFILTER_RULETYPE_DYNAMIC_MONTH_4 | 'M4'
+AUTOFILTER_RULETYPE_DYNAMIC_APRIL | 'M4'
+AUTOFILTER_RULETYPE_DYNAMIC_MONTH_5 | 'M5'
+AUTOFILTER_RULETYPE_DYNAMIC_MAY | 'M5'
+AUTOFILTER_RULETYPE_DYNAMIC_MONTH_6 | 'M6'
+AUTOFILTER_RULETYPE_DYNAMIC_JUNE | 'M6'
+AUTOFILTER_RULETYPE_DYNAMIC_MONTH_7 | 'M7'
+AUTOFILTER_RULETYPE_DYNAMIC_JULY | 'M7'
+AUTOFILTER_RULETYPE_DYNAMIC_MONTH_8 | 'M8'
+AUTOFILTER_RULETYPE_DYNAMIC_AUGUST | 'M8'
+AUTOFILTER_RULETYPE_DYNAMIC_MONTH_9 | 'M9'
+AUTOFILTER_RULETYPE_DYNAMIC_SEPTEMBER | 'M9'
+AUTOFILTER_RULETYPE_DYNAMIC_MONTH_10 | 'M10'
+AUTOFILTER_RULETYPE_DYNAMIC_OCTOBER | 'M10'
+AUTOFILTER_RULETYPE_DYNAMIC_MONTH_11 | 'M11'
+AUTOFILTER_RULETYPE_DYNAMIC_NOVEMBER | 'M11'
+AUTOFILTER_RULETYPE_DYNAMIC_MONTH_12 | 'M12'
+AUTOFILTER_RULETYPE_DYNAMIC_DECEMBER | 'M12'
+AUTOFILTER_RULETYPE_DYNAMIC_QUARTER_1 | 'Q1'
+AUTOFILTER_RULETYPE_DYNAMIC_QUARTER_2 | 'Q2'
+AUTOFILTER_RULETYPE_DYNAMIC_QUARTER_3 | 'Q3'
+AUTOFILTER_RULETYPE_DYNAMIC_QUARTER_4 | 'Q4'
+AUTOFILTER_RULETYPE_DYNAMIC_ABOVEAVERAGE | 'aboveAverage'
+AUTOFILTER_RULETYPE_DYNAMIC_BELOWAVERAGE | 'belowAverage'
+
+We can only apply a single Dynamic Filter rule to a column at a time.
+
+### Top Ten Filters
+
+Top Ten Filters are similar to Dynamic Filters in that they are based on
+a summarisation of the actual data values in the cells. However, unlike
+Dynamic Filters where you can only select a single option, Top Ten
+Filters allow you to select based on a number of criteria:
+
+![04-05-custom-topten-1.png](./images/04-05-topten-autofilter-1.png)
+
+![04-05-custom-topten-2.png](./images/04-05-topten-autofilter-2.png)
+
+You can identify whether you want the top (highest) or bottom (lowest)
+values.You can identify how many values you wish to select in the
+filterYou can identify whether this should be a percentage or a number
+of items.
+
+Like Dynamic Filters, only a single Top Ten filter can be applied to a
+column at a time.
+
+We start by specifying a Filter type, this time a DYNAMICFILTER.
+
+``` php
+$columnFilter->setFilterType(
+ \PhpOffice\PhpSpreadsheet\Worksheet\AutoFilter\Column::AUTOFILTER_FILTERTYPE_TOPTENFILTER
+);
+```
+
+Then we create the rule:
+
+``` php
+$columnFilter->createRule()
+ ->setRule(
+ \PhpOffice\PhpSpreadsheet\Worksheet\AutoFilter\Column\Rule::AUTOFILTER_COLUMN_RULE_TOPTEN_PERCENT,
+ 5,
+ \PhpOffice\PhpSpreadsheet\Worksheet\AutoFilter\Column\Rule::AUTOFILTER_COLUMN_RULE_TOPTEN_TOP
+ )
+ ->setRuleType(
+ \PhpOffice\PhpSpreadsheet\Worksheet\AutoFilter\Column\Rule::AUTOFILTER_RULETYPE_TOPTENFILTER
+ );
+```
+
+This will filter the Top 5 percent of values in the column.
+
+To specify the lowest (bottom 2 values), we would specify a rule of:
+
+``` php
+$columnFilter->createRule()
+ ->setRule(
+ \PhpOffice\PhpSpreadsheet\Worksheet\AutoFilter\Column\Rule::AUTOFILTER_COLUMN_RULE_TOPTEN_BY_VALUE,
+ 5,
+ \PhpOffice\PhpSpreadsheet\Worksheet\AutoFilter\Column\Rule::AUTOFILTER_COLUMN_RULE_TOPTEN_BOTTOM
+ )
+ ->setRuleType(
+ \PhpOffice\PhpSpreadsheet\Worksheet\AutoFilter\Column\Rule::AUTOFILTER_RULETYPE_TOPTENFILTER
+ );
+```
+
+The option values for TopTen Filters top/bottom value/percent are all
+defined in the
+`\PhpOffice\PhpSpreadsheet\Worksheet\AutoFilter\Column\Rule` class, and
+comprise:
+
+Operator Constant | Value
+---------------------------------------|-------------
+AUTOFILTER_COLUMN_RULE_TOPTEN_BY_VALUE | 'byValue'
+AUTOFILTER_COLUMN_RULE_TOPTEN_PERCENT | 'byPercent'
+
+and
+
+Operator Constant | Value
+-------------------------------------|----------
+AUTOFILTER_COLUMN_RULE_TOPTEN_TOP | 'top'
+AUTOFILTER_COLUMN_RULE_TOPTEN_BOTTOM | 'bottom'
+
+## Executing an AutoFilter
+
+When an autofilter is applied in MS Excel, it sets the row
+hidden/visible flags for each row of the autofilter area based on the
+selected criteria, so that only those rows that match the filter
+criteria are displayed.
+
+PhpSpreadsheet will not execute the equivalent function automatically
+when you set or change a filter expression, but only when the file is
+saved.
+
+### Applying the Filter
+
+If you wish to execute your filter from within a script, you need to do
+this manually. You can do this using the autofilters `showHideRows()`
+method.
+
+``` php
+$autoFilter = $spreadsheet->getActiveSheet()->getAutoFilter();
+$autoFilter->showHideRows();
+```
+
+This will set all rows that match the filter criteria to visible, while
+hiding all other rows within the autofilter area.
+
+### Displaying Filtered Rows
+
+Simply looping through the rows in an autofilter area will still access
+ever row, whether it matches the filter criteria or not. To selectively
+access only the filtered rows, you need to test each row’s visibility
+settings.
+
+``` php
+foreach ($spreadsheet->getActiveSheet()->getRowIterator() as $row) {
+ if ($spreadsheet->getActiveSheet()
+ ->getRowDimension($row->getRowIndex())->getVisible()) {
+ echo ' Row number - ' , $row->getRowIndex() , ' ';
+ echo $spreadsheet->getActiveSheet()
+ ->getCell(
+ 'C'.$row->getRowIndex()
+ )
+ ->getValue(), ' ';
+ echo $spreadsheet->getActiveSheet()
+ ->getCell(
+ 'D'.$row->getRowIndex()
+ )->getFormattedValue(), ' ';
+ echo PHP_EOL;
+ }
+}
+```
+
+## AutoFilter Sorting
+
+In MS Excel, Autofiltering also allows the rows to be sorted. This
+feature is ***not*** supported by PhpSpreadsheet.
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/calculation-engine.md b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/calculation-engine.md
new file mode 100755
index 0000000..dc74872
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/calculation-engine.md
@@ -0,0 +1,2052 @@
+# Calculation Engine
+
+## Using the PhpSpreadsheet calculation engine
+
+### Performing formula calculations
+
+As PhpSpreadsheet represents an in-memory spreadsheet, it also offers
+formula calculation capabilities. A cell can be of a value type
+(containing a number or text), or a formula type (containing a formula
+which can be evaluated). For example, the formula `=SUM(A1:A10)`
+evaluates to the sum of values in A1, A2, ..., A10.
+
+To calculate a formula, you can call the cell containing the formula’s
+method `getCalculatedValue()`, for example:
+
+``` php
+$spreadsheet->getActiveSheet()->getCell('E11')->getCalculatedValue();
+```
+
+If you write the following line of code in the invoice demo included
+with PhpSpreadsheet, it evaluates to the value "64":
+
+![09-command-line-calculation.png](./images/09-command-line-calculation.png)
+
+Another nice feature of PhpSpreadsheet's formula parser, is that it can
+automatically adjust a formula when inserting/removing rows/columns.
+Here's an example:
+
+![09-formula-in-cell-1.png](./images/09-formula-in-cell-1.png)
+
+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:
+
+``` php
+$spreadsheet->getActiveSheet()->insertNewRowBefore(7, 2);
+```
+
+![09-formula-in-cell-2.png](./images/09-formula-in-cell-2.png)
+
+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.
+
+## Known limitations
+
+There are some known limitations to the PhpSpreadsheet 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 PHP's language characteristics.
+
+### Function that are not Supported in Xls
+
+Not all functions are supported, for a comprehensive list, read the
+[function list by name](../references/function-list-by-name.md).
+
+#### 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 PhpSpreadsheet.
+
+- [Reference for Excel](https://support.office.com/en-us/article/Calculation-operators-and-precedence-in-Excel-48be406d-4975-4d31-b2b8-7af9e0e2878a)
+- [Reference for PHP](http://php.net/manual/en/language.operators.php)
+
+#### Formulas involving numbers and text
+
+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://php.net/manual/en/language.types.string.php#language.types.string.conversion)
+
+#### Formulas don’t seem to be calculated in Excel2003 using compatibility pack?
+
+This is normal behaviour of the compatibility pack, Xlsx displays this
+correctly. Use `\PhpOffice\PhpSpreadsheet\Writer\Xls` if you really need
+calculated values, or force recalculation in Excel2003.
+
+## Handling Date and Time Values
+
+### Excel functions that return a Date and Time value
+
+Any of the Date and Time functions that return a date value in Excel can
+return either an Excel timestamp or a PHP timestamp or `DateTime` object.
+
+It is possible for scripts to change the data type used for returning
+date values by calling the
+`\PhpOffice\PhpSpreadsheet\Calculation\Functions::setReturnDateType()`
+method:
+
+``` php
+\PhpOffice\PhpSpreadsheet\Calculation\Functions::setReturnDateType($returnDateType);
+```
+
+where the following constants can be used for `$returnDateType`:
+
+- `\PhpOffice\PhpSpreadsheet\Calculation\Functions::RETURNDATE_PHP_NUMERIC`
+- `\PhpOffice\PhpSpreadsheet\Calculation\Functions::RETURNDATE_PHP_OBJECT`
+- `\PhpOffice\PhpSpreadsheet\Calculation\Functions::RETURNDATE_EXCEL`
+
+The method will return a Boolean True on success, False on failure (e.g.
+if an invalid value is passed in for the return date type).
+
+The `\PhpOffice\PhpSpreadsheet\Calculation\Functions::getReturnDateType()`
+method can be used to determine the current value of this setting:
+
+``` php
+$returnDateType = \PhpOffice\PhpSpreadsheet\Calculation\Functions::getReturnDateType();
+```
+
+The default is `RETURNDATE_PHP_NUMERIC`.
+
+#### PHP Timestamps
+
+If `RETURNDATE_PHP_NUMERIC` is set for the Return Date Type, then any
+date value returned to the calling script by any access to the Date and
+Time functions in Excel will be an integer value that represents the
+number of seconds from the PHP/Unix base date. The PHP/Unix base date
+(0) is 00:00 UST on 1st January 1970. This value can be positive or
+negative: so a value of -3600 would be 23:00 hrs on 31st December 1969;
+while a value of +3600 would be 01:00 hrs on 1st January 1970. This
+gives PHP a date range of between 14th December 1901 and 19th January
+2038.
+
+#### PHP `DateTime` Objects
+
+If the Return Date Type is set for `RETURNDATE_PHP_OBJECT`, then any
+date value returned to the calling script by any access to the Date and
+Time functions in Excel will be a PHP `DateTime` object.
+
+#### Excel Timestamps
+
+If `RETURNDATE_EXCEL` is set for the Return Date Type, then the returned
+date value by any access to the Date and Time functions in Excel will be
+a floating point value that represents a number of days from the Excel
+base date. The Excel base date is determined by which calendar Excel
+uses: the Windows 1900 or the Mac 1904 calendar. 1st January 1900 is the
+base date for the Windows 1900 calendar while 1st January 1904 is the
+base date for the Mac 1904 calendar.
+
+It is possible for scripts to change the calendar used for calculating
+Excel date values by calling the
+`\PhpOffice\PhpSpreadsheet\Shared\Date::setExcelCalendar()` method:
+
+``` php
+\PhpOffice\PhpSpreadsheet\Shared\Date::setExcelCalendar($baseDate);
+```
+
+where the following constants can be used for `$baseDate`:
+
+- `\PhpOffice\PhpSpreadsheet\Shared\Date::CALENDAR_WINDOWS_1900`
+- `\PhpOffice\PhpSpreadsheet\Shared\Date::CALENDAR_MAC_1904`
+
+The method will return a Boolean True on success, False on failure (e.g.
+if an invalid value is passed in).
+
+The `\PhpOffice\PhpSpreadsheet\Shared\Date::getExcelCalendar()` method can
+be used to determine the current value of this setting:
+
+``` php
+$baseDate = \PhpOffice\PhpSpreadsheet\Shared\Date::getExcelCalendar();
+```
+
+The default is `CALENDAR_WINDOWS_1900`.
+
+#### Functions that return a Date/Time Value
+
+- DATE
+- DATEVALUE
+- EDATE
+- EOMONTH
+- NOW
+- TIME
+- TIMEVALUE
+- TODAY
+
+### Excel functions that accept Date and Time values as parameters
+
+Date values passed in as parameters to a function can be an Excel
+timestamp or a PHP timestamp; or `DateTime` object; or a string containing a
+date value (e.g. '1-Jan-2009'). PhpSpreadsheet will attempt to identify
+their type based on the PHP datatype:
+
+An integer numeric value will be treated as a PHP/Unix timestamp. A real
+(floating point) numeric value will be treated as an Excel
+date/timestamp. Any PHP `DateTime` object will be treated as a `DateTime`
+object. Any string value (even one containing straight numeric data)
+will be converted to a `DateTime` object for validation as a date value
+based on the server locale settings, so passing through an ambiguous
+value of '07/08/2008' will be treated as 7th August 2008 if your server
+settings are UK, but as 8th July 2008 if your server settings are US.
+However, if you pass through a value such as '31/12/2008' that would be
+considered an error by a US-based server, but which is not ambiguous,
+then PhpSpreadsheet will attempt to correct this to 31st December 2008.
+If the content of the string doesn’t match any of the formats recognised
+by the php `DateTime` object implementation of `strtotime()` (which can
+handle a wider range of formats than the normal `strtotime()` function),
+then the function will return a `#VALUE` error. However, Excel
+recommends that you should always use date/timestamps for your date
+functions, and the recommendation for PhpSpreadsheet is the same: avoid
+strings because the result is not predictable.
+
+The same principle applies when data is being written to Excel. Cells
+containing date actual values (rather than Excel functions that return a
+date value) are always written as Excel dates, converting where
+necessary. If a cell formatted as a date contains an integer or
+`DateTime` object value, then it is converted to an Excel value for
+writing: if a cell formatted as a date contains a real value, then no
+conversion is required. Note that string values are written as strings
+rather than converted to Excel date timestamp values.
+
+#### Functions that expect a Date/Time Value
+
+- DATEDIF
+- DAY
+- DAYS360
+- EDATE
+- EOMONTH
+- HOUR
+- MINUTE
+- MONTH
+- NETWORKDAYS
+- SECOND
+- WEEKDAY
+- WEEKNUM
+- WORKDAY
+- YEAR
+- YEARFRAC
+
+### Helper Methods
+
+In addition to the `setExcelCalendar()` and `getExcelCalendar()` methods, a
+number of other methods are available in the
+`\PhpOffice\PhpSpreadsheet\Shared\Date` class that can help when working
+with dates:
+
+#### \PhpOffice\PhpSpreadsheet\Shared\Date::excelToTimestamp($excelDate)
+
+Converts a date/time from an Excel date timestamp to return a PHP
+serialized date/timestamp.
+
+Note that this method does not trap for Excel dates that fall outside of
+the valid range for a PHP date timestamp.
+
+#### \PhpOffice\PhpSpreadsheet\Shared\Date::excelToDateTimeObject($excelDate)
+
+Converts a date from an Excel date/timestamp to return a PHP `DateTime`
+object.
+
+#### \PhpOffice\PhpSpreadsheet\Shared\Date::PHPToExcel($PHPDate)
+
+Converts a PHP serialized date/timestamp or a PHP `DateTime` object to
+return an Excel date timestamp.
+
+#### \PhpOffice\PhpSpreadsheet\Shared\Date::formattedPHPToExcel($year, $month, $day, $hours=0, $minutes=0, $seconds=0)
+
+Takes year, month and day values (and optional hour, minute and second
+values) and returns an Excel date timestamp value.
+
+## Function Reference
+
+### Database Functions
+
+#### DAVERAGE
+
+The DAVERAGE function returns the average value of the cells in a column
+of a list or database that match conditions you specify.
+
+##### Syntax
+
+ DAVERAGE (database, field, criteria)
+
+##### Parameters
+
+**database** The range of cells that makes up the list or database.
+
+A database is a list of related data in which rows of related
+information are records, and columns of data are fields. The first row
+of the list contains labels for each column.
+
+**field** Indicates which column of the database is used in the
+function.
+
+Enter the column label as a string (enclosed between double quotation
+marks), such as "Age" or "Yield," or as a number (without quotation
+marks) that represents the position of the column within the list: 1 for
+the first column, 2 for the second column, and so on.
+
+**criteria** The range of cells that contains the conditions you
+specify.
+
+You can use any range for the criteria argument, as long as it includes
+at least one column label and at least one cell below the column label
+in which you specify a condition for the column.
+
+##### Return Value
+
+**float** The average value of the matching cells.
+
+This is the statistical mean.
+
+##### Examples
+
+``` php
+$database = array(
+ array( 'Tree', 'Height', 'Age', 'Yield', 'Profit' ),
+ array( 'Apple', 18, 20, 14, 105.00 ),
+ array( 'Pear', 12, 12, 10, 96.00 ),
+ array( 'Cherry', 13, 14, 9, 105.00 ),
+ array( 'Apple', 14, 15, 10, 75.00 ),
+ array( 'Pear', 9, 8, 8, 76.80 ),
+ array( 'Apple', 8, 9, 6, 45.00 ),
+);
+
+$criteria = array(
+ array( 'Tree', 'Height', 'Age', 'Yield', 'Profit', 'Height' ),
+ array( '="=Apple"', '>10', NULL, NULL, NULL, '<16' ),
+ array( '="=Pear"', NULL, NULL, NULL, NULL, NULL ),
+);
+
+$worksheet->fromArray( $criteria, NULL, 'A1' )
+ ->fromArray( $database, NULL, 'A4' );
+
+$worksheet->setCellValue('A12', '=DAVERAGE(A4:E10,"Yield",A1:B2)');
+
+$retVal = $worksheet->getCell('A12')->getCalculatedValue();
+// $retVal = 12
+```
+
+##### Notes
+
+There are no additional notes on this function
+
+#### DCOUNT
+
+The DCOUNT function returns the count of cells that contain a number in
+a column of a list or database matching conditions that you specify.
+
+##### Syntax
+
+ DCOUNT(database, [field], criteria)
+
+##### Parameters
+
+**database** The range of cells that makes up the list or database.
+
+A database is a list of related data in which rows of related
+information are records, and columns of data are fields. The first row
+of the list contains labels for each column.
+
+**field** Indicates which column of the database is used in the
+function.
+
+Enter the column label as a string (enclosed between double quotation
+marks), such as "Age" or "Yield," or as a number (without quotation
+marks) that represents the position of the column within the list: 1 for
+the first column, 2 for the second column, and so on.
+
+**criteria** The range of cells that contains the conditions you
+specify.
+
+You can use any range for the criteria argument, as long as it includes
+at least one column label and at least one cell below the column label
+in which you specify a condition for the column.
+
+##### Return Value
+
+**float** The count of the matching cells.
+
+##### Examples
+
+``` php
+$database = array(
+ array( 'Tree', 'Height', 'Age', 'Yield', 'Profit' ),
+ array( 'Apple', 18, 20, 14, 105.00 ),
+ array( 'Pear', 12, 12, 10, 96.00 ),
+ array( 'Cherry', 13, 14, 9, 105.00 ),
+ array( 'Apple', 14, 15, 10, 75.00 ),
+ array( 'Pear', 9, 8, 8, 76.80 ),
+ array( 'Apple', 8, 9, 6, 45.00 ),
+);
+
+$criteria = array(
+ array( 'Tree', 'Height', 'Age', 'Yield', 'Profit', 'Height' ),
+ array( '="=Apple"', '>10', NULL, NULL, NULL, '<16' ),
+ array( '="=Pear"', NULL, NULL, NULL, NULL, NULL ),
+);
+
+$worksheet->fromArray( $criteria, NULL, 'A1' )
+ ->fromArray( $database, NULL, 'A4' );
+
+$worksheet->setCellValue('A12', '=DCOUNT(A4:E10,"Height",A1:B3)');
+
+$retVal = $worksheet->getCell('A12')->getCalculatedValue();
+
+// $retVal = 3
+```
+
+##### Notes
+
+In MS Excel, The field argument is optional. If field is omitted, DCOUNT
+counts all records in the database that match the criteria. This logic
+has not yet been implemented in PhpSpreadsheet.
+
+#### DCOUNTA
+
+The DCOUNT function returns the count of cells that aren’t blank in a
+column of a list or database and that match conditions that you specify.
+
+##### Syntax
+
+ DCOUNTA(database, [field], criteria)
+
+##### Parameters
+
+**database** The range of cells that makes up the list or database.
+
+A database is a list of related data in which rows of related
+information are records, and columns of data are fields. The first row
+of the list contains labels for each column.
+
+**field** Indicates which column of the database is used in the
+function.
+
+Enter the column label as a string (enclosed between double quotation
+marks), such as "Age" or "Yield," or as a number (without quotation
+marks) that represents the position of the column within the list: 1 for
+the first column, 2 for the second column, and so on.
+
+**criteria** The range of cells that contains the conditions you
+specify.
+
+You can use any range for the criteria argument, as long as it includes
+at least one column label and at least one cell below the column label
+in which you specify a condition for the column.
+
+##### Return Value
+
+**float** The count of the matching cells.
+
+##### Examples
+
+``` php
+$database = array(
+ array( 'Tree', 'Height', 'Age', 'Yield', 'Profit' ),
+ array( 'Apple', 18, 20, 14, 105.00 ),
+ array( 'Pear', 12, 12, 10, 96.00 ),
+ array( 'Cherry', 13, 14, 9, 105.00 ),
+ array( 'Apple', 14, 15, 10, 75.00 ),
+ array( 'Pear', 9, 8, 8, 76.80 ),
+ array( 'Apple', 8, 9, 6, 45.00 ),
+);
+
+$criteria = array(
+ array( 'Tree', 'Height', 'Age', 'Yield', 'Profit', 'Height' ),
+ array( '="=Apple"', '>10', NULL, NULL, NULL, '<16' ),
+ array( '="=Pear"', NULL, NULL, NULL, NULL, NULL ),
+);
+
+$worksheet->fromArray( $criteria, NULL, 'A1' )
+ ->fromArray( $database, NULL, 'A4' );
+
+$worksheet->setCellValue('A12', '=DCOUNTA(A4:E10,"Yield",A1:A3)');
+
+$retVal = $worksheet->getCell('A12')->getCalculatedValue();
+
+// $retVal = 5
+```
+
+##### Notes
+
+In MS Excel, The field argument is optional. If field is omitted,
+DCOUNTA counts all records in the database that match the criteria. This
+logic has not yet been implemented in PhpSpreadsheet.
+
+#### DGET
+
+The DGET function extracts a single value from a column of a list or
+database that matches conditions that you specify.
+
+##### Syntax
+
+ DGET(database, field, criteria)
+
+##### Parameters
+
+**database** The range of cells that makes up the list or database.
+
+A database is a list of related data in which rows of related
+information are records, and columns of data are fields. The first row
+of the list contains labels for each column.
+
+**field** Indicates which column of the database is used in the
+function.
+
+Enter the column label as a string (enclosed between double quotation
+marks), such as "Age" or "Yield," or as a number (without quotation
+marks) that represents the position of the column within the list: 1 for
+the first column, 2 for the second column, and so on.
+
+**criteria** The range of cells that contains the conditions you
+specify.
+
+You can use any range for the criteria argument, as long as it includes
+at least one column label and at least one cell below the column label
+in which you specify a condition for the column.
+
+##### Return Value
+
+**mixed** The value from the selected column of the matching row.
+
+#### Examples
+
+``` php
+$database = array(
+ array( 'Tree', 'Height', 'Age', 'Yield', 'Profit' ),
+ array( 'Apple', 18, 20, 14, 105.00 ),
+ array( 'Pear', 12, 12, 10, 96.00 ),
+ array( 'Cherry', 13, 14, 9, 105.00 ),
+ array( 'Apple', 14, 15, 10, 75.00 ),
+ array( 'Pear', 9, 8, 8, 76.80 ),
+ array( 'Apple', 8, 9, 6, 45.00 ),
+);
+
+$criteria = array(
+ array( 'Tree', 'Height', 'Age', 'Yield', 'Profit', 'Height' ),
+ array( '="=Apple"', '>10', NULL, NULL, NULL, '<16' ),
+ array( '="=Pear"', NULL, NULL, NULL, NULL, NULL ),
+);
+
+$worksheet->fromArray( $criteria, NULL, 'A1' )
+ ->fromArray( $database, NULL, 'A4' );
+
+$worksheet->setCellValue('A12', '=GET(A4:E10,"Age",A1:F2)');
+
+$retVal = $worksheet->getCell('A12')->getCalculatedValue();
+// $retVal = 14
+```
+
+##### Notes
+
+There are no additional notes on this function
+
+#### DMAX
+
+The DMAX function returns the largest number in a column of a list or
+database that matches conditions you specify.
+
+##### Syntax
+
+ DMAX(database, field, criteria)
+
+##### Parameters
+
+**database** The range of cells that makes up the list or database.
+
+A database is a list of related data in which rows of related
+information are records, and columns of data are fields. The first row
+of the list contains labels for each column.
+
+**field** Indicates which column of the database is used in the
+function.
+
+Enter the column label as a string (enclosed between double quotation
+marks), such as "Age" or "Yield," or as a number (without quotation
+marks) that represents the position of the column within the list: 1 for
+the first column, 2 for the second column, and so on.
+
+**criteria** The range of cells that contains the conditions you
+specify.
+
+You can use any range for the criteria argument, as long as it includes
+at least one column label and at least one cell below the column label
+in which you specify a condition for the column.
+
+##### Return Value
+
+**float** The maximum value of the matching cells.
+
+##### Examples
+
+``` php
+$database = array(
+ array( 'Tree', 'Height', 'Age', 'Yield', 'Profit' ),
+ array( 'Apple', 18, 20, 14, 105.00 ),
+ array( 'Pear', 12, 12, 10, 96.00 ),
+ array( 'Cherry', 13, 14, 9, 105.00 ),
+ array( 'Apple', 14, 15, 10, 75.00 ),
+ array( 'Pear', 9, 8, 8, 76.80 ),
+ array( 'Apple', 8, 9, 6, 45.00 ),
+);
+
+$criteria = array(
+ array( 'Tree', 'Height', 'Age', 'Yield', 'Profit', 'Height' ),
+ array( '="=Apple"', '>10', NULL, NULL, NULL, '<16' ),
+ array( '="=Pear"', NULL, NULL, NULL, NULL, NULL ),
+);
+
+$worksheet->fromArray( $criteria, NULL, 'A1' )
+ ->fromArray( $database, NULL, 'A4' );
+
+$worksheet->setCellValue('A12', '=DMAX(A4:E10,"Profit",A1:B2)');
+
+$retVal = $worksheet->getCell('A12')->getCalculatedValue();
+// $retVal = 105
+```
+
+##### Notes
+
+There are no additional notes on this function
+
+#### DMIN
+
+The DMIN function returns the smallest number in a column of a list or
+database that matches conditions you specify.
+
+##### Syntax
+
+ DMIN(database, field, criteria)
+
+##### Parameters
+
+**database** The range of cells that makes up the list or database.
+
+A database is a list of related data in which rows of related
+information are records, and columns of data are fields. The first row
+of the list contains labels for each column.
+
+**field** Indicates which column of the database is used in the
+function.
+
+Enter the column label as a string (enclosed between double quotation
+marks), such as "Age" or "Yield," or as a number (without quotation
+marks) that represents the position of the column within the list: 1 for
+the first column, 2 for the second column, and so on.
+
+**criteria** The range of cells that contains the conditions you
+specify.
+
+You can use any range for the criteria argument, as long as it includes
+at least one column label and at least one cell below the column label
+in which you specify a condition for the column.
+
+##### Return Value
+
+**float** The minimum value of the matching cells.
+
+##### Examples
+
+``` php
+$database = array(
+ array( 'Tree', 'Height', 'Age', 'Yield', 'Profit' ),
+ array( 'Apple', 18, 20, 14, 105.00 ),
+ array( 'Pear', 12, 12, 10, 96.00 ),
+ array( 'Cherry', 13, 14, 9, 105.00 ),
+ array( 'Apple', 14, 15, 10, 75.00 ),
+ array( 'Pear', 9, 8, 8, 76.80 ),
+ array( 'Apple', 8, 9, 6, 45.00 ),
+);
+
+$criteria = array(
+ array( 'Tree', 'Height', 'Age', 'Yield', 'Profit', 'Height' ),
+ array( '="=Apple"', '>10', NULL, NULL, NULL, '<16' ),
+ array( '="=Pear"', NULL, NULL, NULL, NULL, NULL ),
+);
+
+$worksheet->fromArray( $criteria, NULL, 'A1' )
+ ->fromArray( $database, NULL, 'A4' );
+
+$worksheet->setCellValue('A12', '=DMIN(A4:E10,"Yield",A1:A3)');
+
+$retVal = $worksheet->getCell('A12')->getCalculatedValue();
+// $retVal = 6
+```
+
+##### Notes
+
+There are no additional notes on this function
+
+#### DPRODUCT
+
+The DPRODUCT function multiplies the values in a column of a list or
+database that match conditions that you specify.
+
+##### Syntax
+
+ DPRODUCT(database, field, criteria)
+
+##### Parameters
+
+**database** The range of cells that makes up the list or database.
+
+A database is a list of related data in which rows of related
+information are records, and columns of data are fields. The first row
+of the list contains labels for each column.
+
+**field** Indicates which column of the database is used in the
+function.
+
+Enter the column label as a string (enclosed between double quotation
+marks), such as "Age" or "Yield," or as a number (without quotation
+marks) that represents the position of the column within the list: 1 for
+the first column, 2 for the second column, and so on.
+
+**criteria** The range of cells that contains the conditions you
+specify.
+
+You can use any range for the criteria argument, as long as it includes
+at least one column label and at least one cell below the column label
+in which you specify a condition for the column.
+
+##### Return Value
+
+**float** The product of the matching cells.
+
+##### Examples
+
+``` php
+$database = array(
+ array( 'Tree', 'Height', 'Age', 'Yield', 'Profit' ),
+ array( 'Apple', 18, 20, 14, 105.00 ),
+ array( 'Pear', 12, 12, 10, 96.00 ),
+ array( 'Cherry', 13, 14, 9, 105.00 ),
+ array( 'Apple', 14, 15, 10, 75.00 ),
+ array( 'Pear', 9, 8, 8, 76.80 ),
+ array( 'Apple', 8, 9, 6, 45.00 ),
+);
+
+$criteria = array(
+ array( 'Tree', 'Height', 'Age', 'Yield', 'Profit', 'Height' ),
+ array( '="=Apple"', '>10', NULL, NULL, NULL, '<16' ),
+ array( '="=Pear"', NULL, NULL, NULL, NULL, NULL ),
+);
+
+$worksheet->fromArray( $criteria, NULL, 'A1' )
+ ->fromArray( $database, NULL, 'A4' );
+
+$worksheet->setCellValue('A12', '=DPRODUCT(A4:E10,"Yield",A1:B2)');
+
+$retVal = $worksheet->getCell('A12')->getCalculatedValue();
+// $retVal = 140
+```
+
+##### Notes
+
+There are no additional notes on this function
+
+#### DSTDEV
+
+The DSTDEV function estimates the standard deviation of a population
+based on a sample by using the numbers in a column of a list or database
+that match conditions that you specify.
+
+##### Syntax
+
+ DSTDEV(database, field, criteria)
+
+##### Parameters
+
+**database** The range of cells that makes up the list or database.
+
+A database is a list of related data in which rows of related
+information are records, and columns of data are fields. The first row
+of the list contains labels for each column.
+
+**field** Indicates which column of the database is used in the
+function.
+
+Enter the column label as a string (enclosed between double quotation
+marks), such as "Age" or "Yield," or as a number (without quotation
+marks) that represents the position of the column within the list: 1 for
+the first column, 2 for the second column, and so on.
+
+**criteria** The range of cells that contains the conditions you
+specify.
+
+You can use any range for the criteria argument, as long as it includes
+at least one column label and at least one cell below the column label
+in which you specify a condition for the column.
+
+##### Return Value
+
+**float** The estimated standard deviation of the matching cells.
+
+##### Examples
+
+``` php
+$database = array(
+ array( 'Tree', 'Height', 'Age', 'Yield', 'Profit' ),
+ array( 'Apple', 18, 20, 14, 105.00 ),
+ array( 'Pear', 12, 12, 10, 96.00 ),
+ array( 'Cherry', 13, 14, 9, 105.00 ),
+ array( 'Apple', 14, 15, 10, 75.00 ),
+ array( 'Pear', 9, 8, 8, 76.80 ),
+ array( 'Apple', 8, 9, 6, 45.00 ),
+);
+
+$criteria = array(
+ array( 'Tree', 'Height', 'Age', 'Yield', 'Profit', 'Height' ),
+ array( '="=Apple"', '>10', NULL, NULL, NULL, '<16' ),
+ array( '="=Pear"', NULL, NULL, NULL, NULL, NULL ),
+);
+
+$worksheet->fromArray( $criteria, NULL, 'A1' )
+ ->fromArray( $database, NULL, 'A4' );
+
+$worksheet->setCellValue('A12', '=DSTDEV(A4:E10,"Yield",A1:A3)');
+
+$retVal = $worksheet->getCell('A12')->getCalculatedValue();
+// $retVal = 2.97
+```
+
+##### Notes
+
+There are no additional notes on this function
+
+#### DSTDEVP
+
+The DSTDEVP function calculates the standard deviation of a population
+based on the entire population by using the numbers in a column of a
+list or database that match conditions that you specify.
+
+##### Syntax
+
+ DSTDEVP(database, field, criteria)
+
+##### Parameters
+
+**database** The range of cells that makes up the list or database.
+
+A database is a list of related data in which rows of related
+information are records, and columns of data are fields. The first row
+of the list contains labels for each column.
+
+**field** Indicates which column of the database is used in the
+function.
+
+Enter the column label as a string (enclosed between double quotation
+marks), such as "Age" or "Yield," or as a number (without quotation
+marks) that represents the position of the column within the list: 1 for
+the first column, 2 for the second column, and so on.
+
+**criteria** The range of cells that contains the conditions you
+specify.
+
+You can use any range for the criteria argument, as long as it includes
+at least one column label and at least one cell below the column label
+in which you specify a condition for the column.
+
+##### Return Value
+
+**float** The estimated standard deviation of the matching cells.
+
+##### Examples
+
+``` php
+$database = array(
+ array( 'Tree', 'Height', 'Age', 'Yield', 'Profit' ),
+ array( 'Apple', 18, 20, 14, 105.00 ),
+ array( 'Pear', 12, 12, 10, 96.00 ),
+ array( 'Cherry', 13, 14, 9, 105.00 ),
+ array( 'Apple', 14, 15, 10, 75.00 ),
+ array( 'Pear', 9, 8, 8, 76.80 ),
+ array( 'Apple', 8, 9, 6, 45.00 ),
+);
+
+$criteria = array(
+ array( 'Tree', 'Height', 'Age', 'Yield', 'Profit', 'Height' ),
+ array( '="=Apple"', '>10', NULL, NULL, NULL, '<16' ),
+ array( '="=Pear"', NULL, NULL, NULL, NULL, NULL ),
+);
+
+$worksheet->fromArray( $criteria, NULL, 'A1' )
+ ->fromArray( $database, NULL, 'A4' );
+
+$worksheet->setCellValue('A12', '=DSTDEVP(A4:E10,"Yield",A1:A3)');
+
+$retVal = $worksheet->getCell('A12')->getCalculatedValue();
+// $retVal = 2.65
+```
+
+##### Notes
+
+There are no additional notes on this function
+
+#### DSUM
+
+The DSUM function adds the numbers in a column of a list or database
+that matches conditions you specify.
+
+##### Syntax
+
+ DSUM(database, field, criteria)
+
+##### Parameters
+
+**database** The range of cells that makes up the list or database.
+
+A database is a list of related data in which rows of related
+information are records, and columns of data are fields. The first row
+of the list contains labels for each column.
+
+**field** Indicates which column of the database is used in the
+function.
+
+Enter the column label as a string (enclosed between double quotation
+marks), such as "Age" or "Yield," or as a number (without quotation
+marks) that represents the position of the column within the list: 1 for
+the first column, 2 for the second column, and so on.
+
+**criteria** The range of cells that contains the conditions you
+specify.
+
+You can use any range for the criteria argument, as long as it includes
+at least one column label and at least one cell below the column label
+in which you specify a condition for the column.
+
+##### Return Value
+
+**float** The total value of the matching cells.
+
+##### Examples
+
+``` php
+$database = array(
+ array( 'Tree', 'Height', 'Age', 'Yield', 'Profit' ),
+ array( 'Apple', 18, 20, 14, 105.00 ),
+ array( 'Pear', 12, 12, 10, 96.00 ),
+ array( 'Cherry', 13, 14, 9, 105.00 ),
+ array( 'Apple', 14, 15, 10, 75.00 ),
+ array( 'Pear', 9, 8, 8, 76.80 ),
+ array( 'Apple', 8, 9, 6, 45.00 ),
+);
+
+$criteria = array(
+ array( 'Tree', 'Height', 'Age', 'Yield', 'Profit', 'Height' ),
+ array( '="=Apple"', '>10', NULL, NULL, NULL, '<16' ),
+ array( '="=Pear"', NULL, NULL, NULL, NULL, NULL ),
+);
+
+$worksheet->fromArray( $criteria, NULL, 'A1' )
+ ->fromArray( $database, NULL, 'A4' );
+
+$worksheet->setCellValue('A12', '=DMIN(A4:E10,"Profit",A1:A2)');
+
+$retVal = $worksheet->getCell('A12')->getCalculatedValue();
+// $retVal = 225
+```
+
+##### Notes
+
+There are no additional notes on this function
+
+#### DVAR
+
+Not yet documented.
+
+#### DVARP
+
+Not yet documented.
+
+### Date and Time Functions
+
+Excel provides a number of functions for the manipulation of dates and
+times, and calculations based on date/time values. it is worth spending
+some time reading the section titled "Date and Time Values" on passing
+date parameters and returning date values to understand how
+PhpSpreadsheet reconciles the differences between dates and times in
+Excel and in PHP.
+
+#### DATE
+
+The DATE function returns an Excel timestamp or a PHP timestamp or `DateTime`
+object representing the date that is referenced by the parameters.
+
+##### Syntax
+
+ DATE(year, month, day)
+
+##### Parameters
+
+**year** The year number.
+
+If this value is between 0 (zero) and 1899 inclusive (for the Windows
+1900 calendar), or between 4 and 1903 inclusive (for the Mac 1904), then
+PhpSpreadsheet adds it to the Calendar base year, so a value of 108 will
+interpret the year as 2008 when using the Windows 1900 calendar, or 2012
+when using the Mac 1904 calendar.
+
+**month** The month number.
+
+If this value is greater than 12, the DATE function adds that number of
+months to the first month in the year specified. For example,
+DATE(2008,14,2) returns a value representing February 2, 2009.
+
+If the value of **month** is less than 1, then that value will be
+adjusted by -1, and that will then be subtracted from the first month of
+the year specified. For example, DATE(2008,0,2) returns a value
+representing December 2, 2007; while DATE(2008,-1,2) returns a value
+representing November 2, 2007.
+
+**day** The day number.
+
+If this value is greater than the number of days in the month (and year)
+specified, the DATE function adds that number of days to the first day
+in the month. For example, DATE(2008,1,35) returns a value representing
+February 4, 2008.
+
+If the value of **day** is less than 1, then that value will be adjusted
+by -1, and that will then be subtracted from the first month of the year
+specified. For example, DATE(2008,3,0) returns a value representing
+February 29, 2008; while DATE(2008,3,-2) returns a value representing
+February 27, 2008.
+
+##### Return Value
+
+**mixed** A date/time stamp that corresponds to the given date.
+
+This could be a PHP timestamp value (integer), a PHP `DateTime` object,
+or an Excel timestamp value (real), depending on the value of
+`\PhpOffice\PhpSpreadsheet\Calculation\Functions::getReturnDateType()`.
+
+##### Examples
+
+``` php
+$worksheet->setCellValue('A1', 'Year')
+ ->setCellValue('A2', 'Month')
+ ->setCellValue('A3', 'Day');
+
+$worksheet->setCellValue('B1', 2008)
+ ->setCellValue('B2', 12)
+ ->setCellValue('B3', 31);
+
+$worksheet->setCellValue('D1', '=DATE(B1,B2,B3)');
+
+$retVal = $worksheet->getCell('D1')->getCalculatedValue();
+// $retVal = 1230681600
+```
+
+``` php
+// We're going to be calling the same cell calculation multiple times,
+// and expecting different return values, so disable calculation cacheing
+\PhpOffice\PhpSpreadsheet\Calculation::getInstance()->setCalculationCacheEnabled(FALSE);
+
+$saveFormat = \PhpOffice\PhpSpreadsheet\Calculation\Functions::getReturnDateType();
+
+\PhpOffice\PhpSpreadsheet\Calculation\Functions::setReturnDateType(
+ \PhpOffice\PhpSpreadsheet\Calculation\Functions::RETURNDATE_EXCEL
+);
+
+$retVal = call_user_func_array(
+ array('\PhpOffice\PhpSpreadsheet\Calculation\Functions', 'DATE'),
+ array(2008, 12, 31)
+);
+// $retVal = 39813.0
+
+\PhpOffice\PhpSpreadsheet\Calculation\Functions::setReturnDateType(
+ \PhpOffice\PhpSpreadsheet\Calculation\Functions::RETURNDATE_PHP_NUMERIC
+);
+
+$retVal = call_user_func_array(
+ array('\PhpOffice\PhpSpreadsheet\Calculation\Functions', 'DATE'),
+ array(2008, 12, 31)
+);
+// $retVal = 1230681600
+
+\PhpOffice\PhpSpreadsheet\Calculation\Functions::setReturnDateType($saveFormat);
+```
+
+##### Notes
+
+There are no additional notes on this function
+
+#### DATEDIF
+
+The DATEDIF function computes the difference between two dates in a
+variety of different intervals, such number of years, months, or days.
+
+##### Syntax
+
+ DATEDIF(date1, date2 [, unit])
+
+##### Parameters
+
+**date1** First Date.
+
+An Excel date value, PHP date timestamp, PHP `DateTime` object, or a date
+represented as a string.
+
+**date2** Second Date.
+
+An Excel date value, PHP date timestamp, PHP `DateTime` object, or a date
+represented as a string.
+
+**unit** The interval type to use for the calculation
+
+This is a string, comprising one of the values listed below:
+
+Unit | Meaning | Description
+-----|---------------------------------|--------------------------------
+m | Months | Complete calendar months between the dates.
+d | Days | Number of days between the dates.
+y | Years | Complete calendar years between the dates.
+ym | Months Excluding Years | Complete calendar months between the dates as if they were of the same year.
+yd | Days Excluding Years | Complete calendar days between the dates as if they were of the same year.
+md | Days Excluding Years And Months | Complete calendar days between the dates as if they were of the same month and same year.
+
+The unit value is not case sensitive, and defaults to `d`.
+
+##### Return Value
+
+**integer** An integer value that reflects the difference between the
+two dates.
+
+This could be the number of full days, months or years between the two
+dates, depending on the interval unit value passed into the function as
+the third parameter.
+
+##### Examples
+
+``` php
+$worksheet->setCellValue('A1', 'Year')
+ ->setCellValue('A2', 'Month')
+ ->setCellValue('A3', 'Day');
+
+$worksheet->setCellValue('B1', 2001)
+ ->setCellValue('C1', 2009)
+ ->setCellValue('B2', 7)
+ ->setCellValue('C2', 12)
+ ->setCellValue('B3', 1)
+ ->setCellValue('C3', 31);
+
+$worksheet->setCellValue('D1', '=DATEDIF(DATE(B1,B2,B3),DATE(C1,C2,C3),"d")')
+ ->setCellValue('D2', '=DATEDIF(DATE(B1,B2,B3),DATE(C1,C2,C3),"m")')
+ ->setCellValue('D3', '=DATEDIF(DATE(B1,B2,B3),DATE(C1,C2,C3),"y")')
+ ->setCellValue('D4', '=DATEDIF(DATE(B1,B2,B3),DATE(C1,C2,C3),"ym")')
+ ->setCellValue('D5', '=DATEDIF(DATE(B1,B2,B3),DATE(C1,C2,C3),"yd")')
+ ->setCellValue('D6', '=DATEDIF(DATE(B1,B2,B3),DATE(C1,C2,C3),"md")');
+
+$retVal = $worksheet->getCell('D1')->getCalculatedValue();
+// $retVal = 3105
+
+$retVal = $worksheet->getCell('D2')->getCalculatedValue();
+// $retVal = 101
+
+$retVal = $worksheet->getCell('D3')->getCalculatedValue();
+// $retVal = 8
+
+$retVal = $worksheet->getCell('D4')->getCalculatedValue();
+// $retVal = 5
+
+$retVal = $worksheet->getCell('D5')->getCalculatedValue();
+// $retVal = 183
+
+$retVal = $worksheet->getCell('D6')->getCalculatedValue();
+// $retVal = 30
+```
+
+``` php
+$date1 = 1193317015; // PHP timestamp for 25-Oct-2007
+$date2 = 1449579415; // PHP timestamp for 8-Dec-2015
+
+$retVal = call_user_func_array(
+ array('\PhpOffice\PhpSpreadsheet\Calculation\Functions', 'DATEDIF'),
+ array($date1, $date2, 'd')
+);
+// $retVal = 2966
+
+$retVal = call_user_func_array(
+ array('\PhpOffice\PhpSpreadsheet\Calculation\Functions', 'DATEDIF'),
+ array($date1, $date2, 'm')
+);
+// $retVal = 97
+
+$retVal = call_user_func_array(
+ array('\PhpOffice\PhpSpreadsheet\Calculation\Functions', 'DATEDIF'),
+ array($date1, $date2, 'y')
+);
+// $retVal = 8
+
+$retVal = call_user_func_array(
+ array('\PhpOffice\PhpSpreadsheet\Calculation\Functions', 'DATEDIF'),
+ array($date1, $date2, 'ym')
+);
+// $retVal = 1
+
+$retVal = call_user_func_array(
+ array('\PhpOffice\PhpSpreadsheet\Calculation\Functions', 'DATEDIF'),
+ array($date1, $date2, 'yd')
+);
+// $retVal = 44
+
+$retVal = call_user_func_array(
+ array('\PhpOffice\PhpSpreadsheet\Calculation\Functions', 'DATEDIF'),
+ array($date1, $date2, 'md')
+);
+// $retVal = 13
+```
+
+##### Notes
+
+If Date1 is later than Date2, DATEDIF will return a \#NUM! error.
+
+#### DATEVALUE
+
+The DATEVALUE function returns the date represented by a date formatted
+as a text string. Use DATEVALUE to convert a date represented by text to
+a serial number.
+
+##### Syntax
+
+ DATEVALUE(dateString)
+
+##### Parameters
+
+**date** Date String.
+
+A string, representing a date value.
+
+##### Return Value
+
+**mixed** A date/time stamp that corresponds to the given date.
+
+This could be a PHP timestamp value (integer), a PHP `DateTime` object,
+or an Excel timestamp value (real), depending on the value of
+`\PhpOffice\PhpSpreadsheet\Calculation\Functions::getReturnDateType()`.
+
+##### Examples
+
+``` php
+$worksheet->setCellValue('A1', 'Date String');
+ ->setCellValue('A2', '31-Dec-2008')
+ ->setCellValue('A3', '31/12/2008')
+ ->setCellValue('A4', '12-31-2008');
+
+$worksheet->setCellValue('B2', '=DATEVALUE(A2)')
+ ->setCellValue('B3', '=DATEVALUE(A3)')
+ ->setCellValue('B4', '=DATEVALUE(A4)');
+
+\PhpOffice\PhpSpreadsheet\Calculation\Functions::setReturnDateType(
+ \PhpOffice\PhpSpreadsheet\Calculation\Functions::RETURNDATE_EXCEL
+);
+
+$retVal = $worksheet->getCell('B2')->getCalculatedValue();
+
+$retVal = $worksheet->getCell('B3')->getCalculatedValue();
+
+$retVal = $worksheet->getCell('B4')->getCalculatedValue();
+// $retVal = 39813.0 for all cases
+```
+
+``` php
+// We're going to be calling the same cell calculation multiple times,
+// and expecting different return values, so disable calculation cacheing
+\PhpOffice\PhpSpreadsheet\Calculation::getInstance()->setCalculationCacheEnabled(FALSE);
+
+$saveFormat = \PhpOffice\PhpSpreadsheet\Calculation\Functions::getReturnDateType();
+
+\PhpOffice\PhpSpreadsheet\Calculation\Functions::setReturnDateType(
+ \PhpOffice\PhpSpreadsheet\Calculation\Functions::RETURNDATE_EXCEL
+);
+
+$retVal = call_user_func_array(
+ array('\PhpOffice\PhpSpreadsheet\Calculation\Functions', 'DATEVALUE'),
+ array('31-Dec-2008')
+);
+// $retVal = 39813.0
+
+\PhpOffice\PhpSpreadsheet\Calculation\Functions::setReturnDateType(
+ \PhpOffice\PhpSpreadsheet\Calculation\Functions::RETURNDATE_PHP_NUMERIC
+);
+
+$retVal = call_user_func_array(
+ array('\PhpOffice\PhpSpreadsheet\Calculation\Functions', 'DATEVALUE'),
+ array('31-Dec-2008')
+);
+// $retVal = 1230681600
+
+\PhpOffice\PhpSpreadsheet\Calculation\Functions::setReturnDateType($saveFormat);
+```
+
+##### Notes
+
+DATEVALUE uses the php `DateTime` object implementation of `strtotime()`
+(which can handle a wider range of formats than the normal `strtotime()`
+function), and it is also called for any date parameter passed to other
+date functions (such as DATEDIF) when the parameter value is a string.
+
+**WARNING:-** PhpSpreadsheet accepts a wider range of date formats than
+MS Excel, so it is entirely possible that Excel will return a \#VALUE!
+error when passed a date string that it can’t interpret, while
+PhpSpreadsheet is able to translate that same string into a correct date
+value.
+
+Care should be taken in workbooks that use string formatted dates in
+calculations when writing to Xls or Xlsx.
+
+#### DAY
+
+The DAY function returns the day of a date. The day is given as an
+integer ranging from 1 to 31.
+
+##### Syntax
+
+ DAY(datetime)
+
+##### Parameters
+
+**datetime** Date.
+
+An Excel date value, PHP date timestamp, PHP `DateTime` object, or a date
+represented as a string.
+
+##### Return Value
+
+**integer** An integer value that reflects the day of the month.
+
+This is an integer ranging from 1 to 31.
+
+##### Examples
+
+``` php
+$worksheet->setCellValue('A1', 'Date String')
+ ->setCellValue('A2', '31-Dec-2008')
+ ->setCellValue('A3', '14-Feb-2008');
+
+$worksheet->setCellValue('B2', '=DAY(A2)')
+ ->setCellValue('B3', '=DAY(A3)');
+
+$retVal = $worksheet->getCell('B2')->getCalculatedValue();
+// $retVal = 31
+
+$retVal = $worksheet->getCell('B3')->getCalculatedValue();
+// $retVal = 14
+```
+
+``` php
+$retVal = call_user_func_array(
+ array('\PhpOffice\PhpSpreadsheet\Calculation\Functions', 'DAYOFMONTH'),
+ array('25-Dec-2008')
+);
+// $retVal = 25
+```
+
+##### Notes
+
+Note that the PhpSpreadsheet function is
+`\PhpOffice\PhpSpreadsheet\Calculation\Functions::DAYOFMONTH()` when the
+method is called statically.
+
+#### DAYS360
+
+The DAYS360 function computes the difference between two dates based on
+a 360 day year (12 equal periods of 30 days each) used by some
+accounting systems.
+
+##### Syntax
+
+ DAYS360(date1, date2 [, method])
+
+#### Parameters
+
+**date1** First Date.
+
+An Excel date value, PHP date timestamp, PHP `DateTime` object, or a date
+represented as a string.
+
+**date2** Second Date.
+
+An Excel date value, PHP date timestamp, PHP `DateTime` object, or a date
+represented as a string.
+
+**method** A boolean flag (TRUE or FALSE)
+
+This is a flag that determines which method to use in the calculation,
+based on the values listed below:
+
+method | Description
+-------|------------
+FALSE | U.S. (NASD) method. If the starting date is the last day of a month, it becomes equal to the 30th of the same month. If the ending date is the last day of a month and the starting date is earlier than the 30th of a month, the ending date becomes equal to the 1st of the next month; otherwise the ending date becomes equal to the 30th of the same month.
+TRUE | European method. Starting dates and ending dates that occur on the 31st of a month become equal to the 30th of the same month.
+
+The method value defaults to FALSE.
+
+##### Return Value
+
+**integer** An integer value that reflects the difference between the
+two dates.
+
+This is the number of full days between the two dates, based on a 360
+day year.
+
+##### Examples
+
+``` php
+$worksheet->setCellValue('B1', 'Start Date')
+ ->setCellValue('C1', 'End Date')
+ ->setCellValue('A2', 'Year')
+ ->setCellValue('A3', 'Month')
+ ->setCellValue('A4', 'Day');
+
+$worksheet->setCellValue('B2', 2003)
+ ->setCellValue('B3', 2)
+ ->setCellValue('B4', 3);
+
+$worksheet->setCellValue('C2', 2007)
+ ->setCellValue('C3', 5)
+ ->setCellValue('C4', 31);
+
+$worksheet->setCellValue('E2', '=DAYS360(DATE(B2,B3,B4),DATE(C2,C3,C4))')
+ ->setCellValue('E4', '=DAYS360(DATE(B2,B3,B4),DATE(C2,C3,C4),FALSE)');
+
+$retVal = $worksheet->getCell('E2')->getCalculatedValue();
+// $retVal = 1558
+
+$retVal = $worksheet->getCell('E4')->getCalculatedValue();
+// $retVal = 1557
+```
+
+``` php
+$date1 = 37655.0; // Excel timestamp for 25-Oct-2007
+$date2 = 39233.0; // Excel timestamp for 8-Dec-2015
+
+$retVal = call_user_func_array(
+ array('\PhpOffice\PhpSpreadsheet\Calculation\Functions', 'DAYS360'),
+ array($date1, $date2)
+);
+// $retVal = 1558
+
+$retVal = call_user_func_array(
+ array('\PhpOffice\PhpSpreadsheet\Calculation\Functions', 'DAYS360'),
+ array($date1, $date2, TRUE)
+);
+// $retVal = 1557
+```
+
+##### Notes
+
+**WARNING:-** This function does not currently work with the Xls Writer
+when a PHP Boolean is used for the third (optional) parameter (as shown
+in the example above), and the writer will generate and error. It will
+work if a numeric 0 or 1 is used for the method parameter; or if the
+Excel `TRUE()` and `FALSE()` functions are used instead.
+
+#### EDATE
+
+The EDATE function returns an Excel timestamp or a PHP timestamp or `DateTime`
+object representing the date that is the indicated number of months
+before or after a specified date (the start\_date). Use EDATE to
+calculate maturity dates or due dates that fall on the same day of the
+month as the date of issue.
+
+##### Syntax
+
+ EDATE(baseDate, months)
+
+##### Parameters
+
+**baseDate** Start Date.
+
+An Excel date value, PHP date timestamp, PHP `DateTime` object, or a date
+represented as a string.
+
+**months** Number of months to add.
+
+An integer value indicating the number of months before or after
+baseDate. A positive value for months yields a future date; a negative
+value yields a past date.
+
+##### Return Value
+
+**mixed** A date/time stamp that corresponds to the basedate + months.
+
+This could be a PHP timestamp value (integer), a PHP `DateTime` object,
+or an Excel timestamp value (real), depending on the value of
+`\PhpOffice\PhpSpreadsheet\Calculation\Functions::getReturnDateType()`.
+
+##### Examples
+
+``` php
+$worksheet->setCellValue('A1', 'Date String')
+ ->setCellValue('A2', '1-Jan-2008')
+ ->setCellValue('A3', '29-Feb-2008');
+
+$worksheet->setCellValue('B2', '=EDATE(A2,5)')
+ ->setCellValue('B3', '=EDATE(A3,-12)');
+
+\PhpOffice\PhpSpreadsheet\Calculation\Functions::setReturnDateType(
+ \PhpOffice\PhpSpreadsheet\Calculation\Functions::RETURNDATE_EXCEL
+);
+
+$retVal = $worksheet->getCell('B2')->getCalculatedValue();
+// $retVal = 39600.0 (1-Jun-2008)
+
+$retVal = $worksheet->getCell('B3')->getCalculatedValue();
+// $retVal = 39141.0 (28-Feb-2007)
+```
+
+``` php
+\PhpOffice\PhpSpreadsheet\Calculation\Functions::setReturnDateType(
+ \PhpOffice\PhpSpreadsheet\Calculation\Functions::RETURNDATE_EXCEL
+);
+
+$retVal = call_user_func_array(
+ array('\PhpOffice\PhpSpreadsheet\Calculation\Functions', 'EDATE'),
+ array('31-Oct-2008',25)
+);
+// $retVal = 40512.0 (30-Nov-2010)
+```
+
+###### Notes
+
+**WARNING:-** This function is currently not supported by the Xls Writer
+because it is not a standard function within Excel 5, but an add-in from
+the Analysis ToolPak.
+
+#### EOMONTH
+
+The EOMONTH function returns an Excel timestamp or a PHP timestamp or
+`DateTime` object representing the date of the last day of the month that is
+the indicated number of months before or after a specified date (the
+start\_date). Use EOMONTH to calculate maturity dates or due dates that
+fall on the last day of the month.
+
+##### Syntax
+
+ EOMONTH(baseDate, months)
+
+##### Parameters
+
+**baseDate** Start Date.
+
+An Excel date value, PHP date timestamp, PHP `DateTime` object, or a date
+represented as a string.
+
+**months** Number of months to add.
+
+An integer value indicating the number of months before or after
+baseDate. A positive value for months yields a future date; a negative
+value yields a past date.
+
+##### Return Value
+
+**mixed** A date/time stamp that corresponds to the last day of basedate
++ months.
+
+This could be a PHP timestamp value (integer), a PHP `DateTime` object,
+or an Excel timestamp value (real), depending on the value of
+`\PhpOffice\PhpSpreadsheet\Calculation\Functions::getReturnDateType()`.
+
+##### Examples
+
+``` php
+$worksheet->setCellValue('A1', 'Date String')
+ ->setCellValue('A2', '1-Jan-2000')
+ ->setCellValue('A3', '14-Feb-2009');
+
+$worksheet->setCellValue('B2', '=EOMONTH(A2,5)')
+ ->setCellValue('B3', '=EOMONTH(A3,-12)');
+
+\PhpOffice\PhpSpreadsheet\Calculation\Functions::setReturnDateType(\PhpOffice\PhpSpreadsheet\Calculation\Functions::RETURNDATE_EXCEL);
+
+$retVal = $worksheet->getCell('B2')->getCalculatedValue();
+// $retVal = 39629.0 (30-Jun-2008)
+
+$retVal = $worksheet->getCell('B3')->getCalculatedValue();
+// $retVal = 39507.0 (29-Feb-2008)
+```
+
+``` php
+\PhpOffice\PhpSpreadsheet\Calculation\Functions::setReturnDateType(
+ \PhpOffice\PhpSpreadsheet\Calculation\Functions::RETURNDATE_EXCEL
+);
+
+$retVal = call_user_func_array(
+ array('\PhpOffice\PhpSpreadsheet\Calculation\Functions', 'EOMONTH'),
+ array('31-Oct-2008',13)
+);
+// $retVal = 40147.0 (30-Nov-2010)
+```
+
+##### Notes
+
+**WARNING:-** This function is currently not supported by the Xls Writer
+because it is not a standard function within Excel 5, but an add-in from
+the Analysis ToolPak.
+
+#### HOUR
+
+The HOUR function returns the hour of a time value. The hour is given as
+an integer, ranging from 0 (12:00 A.M.) to 23 (11:00 P.M.).
+
+##### Syntax
+
+ HOUR(datetime)
+
+##### Parameters
+
+**datetime** Time.
+
+An Excel date/time value, PHP date timestamp, PHP `DateTime` object, or a
+date/time represented as a string.
+
+##### Return Value
+
+**integer** An integer value that reflects the hour of the day.
+
+This is an integer ranging from 0 to 23.
+
+##### Examples
+
+``` php
+$worksheet->setCellValue('A1', 'Time String')
+ ->setCellValue('A2', '31-Dec-2008 17:30')
+ ->setCellValue('A3', '14-Feb-2008 4:20 AM')
+ ->setCellValue('A4', '14-Feb-2008 4:20 PM');
+
+$worksheet->setCellValue('B2', '=HOUR(A2)')
+ ->setCellValue('B3', '=HOUR(A3)')
+ ->setCellValue('B4', '=HOUR(A4)');
+
+$retVal = $worksheet->getCell('B2')->getCalculatedValue();
+// $retVal = 17
+
+$retVal = $worksheet->getCell('B3')->getCalculatedValue();
+// $retVal = 4
+
+$retVal = $worksheet->getCell('B4')->getCalculatedValue();
+// $retVal = 16
+```
+
+``` php
+$retVal = call_user_func_array(
+ array('\PhpOffice\PhpSpreadsheet\Calculation\Functions', 'HOUROFDAY'),
+ array('09:30')
+);
+// $retVal = 9
+```
+
+##### Notes
+
+Note that the PhpSpreadsheet function is
+`\PhpOffice\PhpSpreadsheet\Calculation\Functions::HOUROFDAY()` when the
+method is called statically.
+
+#### MINUTE
+
+The MINUTE function returns the minutes of a time value. The minute is
+given as an integer, ranging from 0 to 59.
+
+##### Syntax
+
+ MINUTE(datetime)
+
+##### Parameters
+
+**datetime** Time.
+
+An Excel date/time value, PHP date timestamp, PHP `DateTime` object, or a
+date/time represented as a string.
+
+##### Return Value
+
+**integer** An integer value that reflects the minutes within the hour.
+
+This is an integer ranging from 0 to 59.
+
+##### Examples
+
+``` php
+$worksheet->setCellValue('A1', 'Time String')
+ ->setCellValue('A2', '31-Dec-2008 17:30')
+ ->setCellValue('A3', '14-Feb-2008 4:20 AM')
+ ->setCellValue('A4', '14-Feb-2008 4:45 PM');
+
+$worksheet->setCellValue('B2', '=MINUTE(A2)')
+ ->setCellValue('B3', '=MINUTE(A3)')
+ ->setCellValue('B4', '=MINUTE(A4)');
+
+$retVal = $worksheet->getCell('B2')->getCalculatedValue();
+// $retVal = 30
+
+$retVal = $worksheet->getCell('B3')->getCalculatedValue();
+// $retVal = 20
+
+$retVal = $worksheet->getCell('B4')->getCalculatedValue();
+// $retVal = 45
+```
+
+``` php
+$retVal = call_user_func_array(
+ array('\PhpOffice\PhpSpreadsheet\Calculation\Functions', 'MINUTE'),
+ array('09:30')
+);
+// $retVal = 30
+```
+
+##### Notes
+
+Note that the PhpSpreadsheet function is
+`\PhpOffice\PhpSpreadsheet\Calculation\Functions::MINUTE()` when the
+method is called statically.
+
+#### MONTH
+
+The MONTH function returns the month of a date. The month is given as an
+integer ranging from 1 to 12.
+
+##### Syntax
+
+ MONTH(datetime)
+
+##### Parameters
+
+**datetime** Date.
+
+An Excel date value, PHP date timestamp, PHP `DateTime` object, or a date
+represented as a string.
+
+##### Return Value
+
+**integer** An integer value that reflects the month of the year.
+
+This is an integer ranging from 1 to 12.
+
+##### Examples
+
+``` php
+$worksheet->setCellValue('A1', 'Date String');
+$worksheet->setCellValue('A2', '31-Dec-2008');
+$worksheet->setCellValue('A3', '14-Feb-2008');
+
+$worksheet->setCellValue('B2', '=MONTH(A2)');
+$worksheet->setCellValue('B3', '=MONTH(A3)');
+
+$retVal = $worksheet->getCell('B2')->getCalculatedValue();
+// $retVal = 12
+
+$retVal = $worksheet->getCell('B3')->getCalculatedValue();
+// $retVal = 2
+```
+
+``` php
+$retVal = call_user_func_array(
+ array('\PhpOffice\PhpSpreadsheet\Calculation\Functions', 'MONTHOFYEAR'),
+ array('14-July-2008')
+);
+// $retVal = 7
+```
+
+#### Notes
+
+Note that the PhpSpreadsheet function is
+`\PhpOffice\PhpSpreadsheet\Calculation\Functions::MONTHOFYEAR()` when the
+method is called statically.
+
+#### NETWORKDAYS
+
+The NETWORKDAYS function returns the number of whole working days
+between a *start date* and an *end date*. Working days exclude weekends
+and any dates identified in *holidays*. Use NETWORKDAYS to calculate
+employee benefits that accrue based on the number of days worked during
+a specific term.
+
+##### Syntax
+
+ NETWORKDAYS(startDate, endDate [, holidays])
+
+##### Parameters
+
+**startDate** Start Date of the period.
+
+An Excel date value, PHP date timestamp, PHP `DateTime` object, or a date
+represented as a string.
+
+**endDate** End Date of the period.
+
+An Excel date value, PHP date timestamp, PHP `DateTime` object, or a date
+represented as a string.
+
+**holidays** Optional array of Holiday dates.
+
+An optional range of one or more dates to exclude from the working
+calendar, such as state and federal holidays and floating holidays.
+
+The list can be either a range of cells that contains the dates or an
+array constant of Excel date values, PHP date timestamps, PHP date
+objects, or dates represented as strings.
+
+##### Return Value
+
+**integer** Number of working days.
+
+The number of working days between startDate and endDate.
+
+##### Examples
+
+``` php
+```
+
+``` php
+```
+
+##### Notes
+
+There are no additional notes on this function
+
+#### NOW
+
+The NOW function returns the current date and time.
+
+##### Syntax
+
+ NOW()
+
+##### Parameters
+
+There are no parameters for the `NOW()` function.
+
+##### Return Value
+
+**mixed** A date/time stamp that corresponds to the current date and
+time.
+
+This could be a PHP timestamp value (integer), a PHP `DateTime` object,
+or an Excel timestamp value (real), depending on the value of
+`\PhpOffice\PhpSpreadsheet\Calculation\Functions::getReturnDateType()`.
+
+##### Examples
+
+``` php
+```
+
+``` php
+```
+
+##### Notes
+
+Note that the PhpSpreadsheet function is
+`\PhpOffice\PhpSpreadsheet\Calculation\Functions::DATETIMENOW()` when the
+method is called statically.
+
+#### SECOND
+
+The SECOND function returns the seconds of a time value. The second is
+given as an integer, ranging from 0 to 59.
+
+##### Syntax
+
+ SECOND(datetime)
+
+##### Parameters
+
+**datetime** Time.
+
+An Excel date/time value, PHP date timestamp, PHP `DateTime` object, or a
+date/time represented as a string.
+
+##### Return Value
+
+**integer** An integer value that reflects the seconds within the
+minute.
+
+This is an integer ranging from 0 to 59.
+
+##### Examples
+
+``` php
+$worksheet->setCellValue('A1', 'Time String')
+ ->setCellValue('A2', '31-Dec-2008 17:30:20')
+ ->setCellValue('A3', '14-Feb-2008 4:20 AM')
+ ->setCellValue('A4', '14-Feb-2008 4:45:59 PM');
+
+$worksheet->setCellValue('B2', '=SECOND(A2)')
+ ->setCellValue('B3', '=SECOND(A3)');
+ ->setCellValue('B4', '=SECOND(A4)');
+
+$retVal = $worksheet->getCell('B2')->getCalculatedValue();
+// $retVal = 20
+
+$retVal = $worksheet->getCell('B3')->getCalculatedValue();
+// $retVal = 0
+
+$retVal = $worksheet->getCell('B4')->getCalculatedValue();
+// $retVal = 59
+```
+
+``` php
+$retVal = call_user_func_array(
+ array('\PhpOffice\PhpSpreadsheet\Calculation\Functions', 'SECOND'),
+ array('09:30:17')
+);
+// $retVal = 17
+```
+
+##### Notes
+
+Note that the PhpSpreadsheet function is
+`\PhpOffice\PhpSpreadsheet\Calculation\Functions::SECOND()` when the
+method is called statically.
+
+#### TIME
+
+Not yet documented.
+
+#### TIMEVALUE
+
+Not yet documented.
+
+#### TODAY
+
+Not yet documented.
+
+#### WEEKDAY
+
+The WEEKDAY function returns the day of the week for a given date. The
+day is given as an integer ranging from 1 to 7, although this can be
+modified to return a value between 0 and 6.
+
+##### Syntax
+
+ WEEKDAY(datetime [, method])
+
+##### Parameters
+
+**datetime** Date.
+
+An Excel date value, PHP date timestamp, PHP `DateTime` object, or a date
+represented as a string.
+
+**method** An integer flag (values 0, 1 or 2)
+
+This is a flag that determines which method to use in the calculation,
+based on the values listed below:
+
+ method | Description
+ :-----:|------------------------------------------
+ 0 | Returns 1 (Sunday) through 7 (Saturday).
+ 1 | Returns 1 (Monday) through 7 (Sunday).
+ 2 | Returns 0 (Monday) through 6 (Sunday).
+
+The method value defaults to 1.
+
+##### Return Value
+
+**integer** An integer value that reflects the day of the week.
+
+This is an integer ranging from 1 to 7, or 0 to 6, depending on the
+value of method.
+
+##### Examples
+
+``` php
+$worksheet->setCellValue('A1', 'Date String')
+ ->setCellValue('A2', '31-Dec-2008')
+ ->setCellValue('A3', '14-Feb-2008');
+
+$worksheet->setCellValue('B2', '=WEEKDAY(A2)')
+ ->setCellValue('B3', '=WEEKDAY(A3,0)')
+ ->setCellValue('B4', '=WEEKDAY(A3,2)');
+
+$retVal = $worksheet->getCell('B2')->getCalculatedValue();
+// $retVal = 12
+
+$retVal = $worksheet->getCell('B3')->getCalculatedValue();
+// $retVal = 2
+
+$retVal = $worksheet->getCell('B4')->getCalculatedValue();
+// $retVal = 2
+```
+
+``` php
+$retVal = call_user_func_array(
+ array('\PhpOffice\PhpSpreadsheet\Calculation\Functions', 'WEEKDAY'),
+ array('14-July-2008')
+);
+// $retVal = 7
+```
+
+##### Notes
+
+Note that the PhpSpreadsheet function is
+`\PhpOffice\PhpSpreadsheet\Calculation\Functions::WEEKDAY()` when the
+method is called statically.
+
+#### WEEKNUM
+
+Not yet documented.
+
+#### WORKDAY
+
+Not yet documented.
+
+#### YEAR
+
+The YEAR function returns the year of a date.
+
+##### Syntax
+
+ YEAR(datetime)
+
+##### Parameters
+
+**datetime** Date.
+
+An Excel date value, PHP date timestamp, PHP `DateTime` object, or a date
+represented as a string.
+
+##### Return Value
+
+**integer** An integer value that reflects the month of the year.
+
+This is an integer year value.
+
+##### Examples
+
+``` php
+$worksheet->setCellValue('A1', 'Date String')
+ ->setCellValue('A2', '17-Jul-1982')
+ ->setCellValue('A3', '16-Apr-2009');
+
+$worksheet->setCellValue('B2', '=YEAR(A2)')
+ ->setCellValue('B3', '=YEAR(A3)');
+
+$retVal = $worksheet->getCell('B2')->getCalculatedValue();
+// $retVal = 1982
+
+$retVal = $worksheet->getCell('B3')->getCalculatedValue();
+// $retVal = 2009
+```
+
+``` php
+$retVal = call_user_func_array(
+ array('\PhpOffice\PhpSpreadsheet\Calculation\Functions', 'YEAR'),
+ array('14-July-2001')
+);
+// $retVal = 2001
+```
+
+##### Notes
+
+There are no additional notes on this function
+
+### YEARFRAC
+
+Not yet documented.
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/creating-spreadsheet.md b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/creating-spreadsheet.md
new file mode 100755
index 0000000..dceafe4
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/creating-spreadsheet.md
@@ -0,0 +1,59 @@
+# Creating a spreadsheet
+
+## The `Spreadsheet` class
+
+The `Spreadsheet` class is the core of PhpSpreadsheet. It contains
+references to the contained worksheets, document security settings and
+document meta data.
+
+To simplify the PhpSpreadsheet concept: the `Spreadsheet` class
+represents your workbook.
+
+Typically, you will create a workbook in one of two ways, either by
+loading it from a spreadsheet file, or creating it manually. A third
+option, though less commonly used, is cloning an existing workbook that
+has been created using one of the previous two methods.
+
+### Loading a Workbook from a file
+
+Details of the different spreadsheet formats supported, and the options
+available to read them into a Spreadsheet object are described fully in
+the [Reading Files](./reading-files.md) document.
+
+``` php
+$inputFileName = './sampleData/example1.xls';
+
+/** Load $inputFileName to a Spreadsheet object **/
+$spreadsheet = \PhpOffice\PhpSpreadsheet\IOFactory::load($inputFileName);
+```
+
+### Creating a new workbook
+
+If you want to create a new workbook, rather than load one from file,
+then you simply need to instantiate it as a new Spreadsheet object.
+
+``` php
+/** Create a new Spreadsheet Object **/
+$spreadsheet = new \PhpOffice\PhpSpreadsheet\Spreadsheet();
+```
+
+A new workbook will always be created with a single worksheet.
+
+## Clearing a Workbook from memory
+
+The PhpSpreadsheet object contains cyclic references (e.g. the workbook
+is linked to the worksheets, and the worksheets are linked to their
+parent workbook) which cause problems when PHP tries to clear the
+objects from memory when they are `unset()`, or at the end of a function
+when they are in local scope. The result of this is "memory leaks",
+which can easily use a large amount of PHP's limited memory.
+
+This can only be resolved manually: if you need to unset a workbook,
+then you also need to "break" these cyclic references before doing so.
+PhpSpreadsheet provides the `disconnectWorksheets()` method for this
+purpose.
+
+``` php
+$spreadsheet->disconnectWorksheets();
+unset($spreadsheet);
+```
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/file-formats.md b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/file-formats.md
new file mode 100755
index 0000000..d447a2f
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/file-formats.md
@@ -0,0 +1,121 @@
+# File Formats
+
+PhpSpreadsheet can read a number of different spreadsheet and file
+formats, although not all features are supported by all of the readers.
+Check the [features cross
+reference](../references/features-cross-reference.md) for a list that
+identifies which features are supported by which readers.
+
+Currently, PhpSpreadsheet supports the following File Types for Reading:
+
+### Xls
+
+The Microsoft Excel™ Binary file format (BIFF5 and BIFF8) is a binary
+file format that was used by Microsoft Excel™ between versions 95 and 2003.
+The format is supported (to various extents) by most spreadsheet
+programs. BIFF files normally have an extension of .xls. Documentation
+describing the format can be [read online](https://msdn.microsoft.com/en-us/library/cc313154(v=office.12).aspx)
+or [downloaded as PDF](http://download.microsoft.com/download/2/4/8/24862317-78F0-4C4B-B355-C7B2C1D997DB/%5BMS-XLS%5D.pdf).
+
+### Xml
+
+Microsoft Excel™ 2003 included options for a file format called
+SpreadsheetML. This file is a zipped XML document. It is not very
+common, but its core features are supported. Documentation for the
+format can be [read online](https://msdn.microsoft.com/en-us/library/aa140066(office.10).aspx)
+though it’s sadly rather sparse in its detail.
+
+### Xlsx
+
+Microsoft Excel™ 2007 shipped with a new file format, namely Microsoft
+Office Open XML SpreadsheetML, and Excel 2010 extended this still
+further with its new features such as sparklines. These files typically
+have an extension of .xlsx. This format is based around a zipped
+collection of eXtensible Markup Language (XML) files. Microsoft Office
+Open XML SpreadsheetML is mostly standardized in [ECMA 376](http://www.ecma-international.org/news/TC45_current_work/TC45_available_docs.htm)
+and ISO 29500.
+
+### Ods
+
+aka Open Document Format (ODF) or OASIS, this is the OpenOffice.org XML
+file format for spreadsheets. It comprises a zip archive including
+several components all of which are text files, most of these with
+markup in the eXtensible Markup Language (XML). It is the standard file
+format for OpenOffice.org Calc and StarCalc, and files typically have an
+extension of .ods. The published specification for the file format is
+available from [the OASIS Open Office XML Format Technical Committee web
+page](https://www.oasis-open.org/committees/tc_home.php?wg_abbrev=office).
+Other information is available from [the OpenOffice.org XML File Format
+web page](http://www.openoffice.org/xml/), part of the
+OpenOffice.org project.
+
+### Slk
+
+This is the Microsoft Multiplan Symbolic Link Interchange (SYLK) file
+format. Multiplan was a predecessor to Microsoft Excel™. Files normally
+have an extension of .slk. While not common, there are still a few
+applications that generate SYLK files as a cross-platform option,
+because (despite being limited to a single worksheet) it is a simple
+format to implement, and supports some basic data and cell formatting
+options (unlike CSV files).
+
+### Gnumeric
+
+The [Gnumeric file format](https://help.gnome.org/users/gnumeric/stable/sect-file-formats.html.en#file-format-gnumeric)
+is used by the Gnome Gnumeric spreadsheet
+application, and typically files have an extension of `.gnumeric`. The
+file contents are stored using eXtensible Markup Language (XML) markup,
+and the file is then compressed using the GNU project's gzip compression
+library.
+
+### Csv
+
+Comma Separated Value (CSV) file format is a common structuring strategy
+for text format files. In CSV flies, each line in the file represents a
+row of data and (within each line of the file) the different data fields
+(or columns) are separated from one another using a comma (`,`). If a
+data field contains a comma, then it should be enclosed (typically in
+quotation marks (`"`). Sometimes tabs `\t`, or the pipe symbol (`|`), or a
+semi-colon (`;`) are used as separators instead of a comma, although
+other symbols can be used. Because CSV is a text-only format, it doesn't
+support any data formatting options.
+
+"CSV" is not a single, well-defined format (although see RFC 4180 for
+one definition that is commonly used). Rather, in practice the term
+"CSV" refers to any file that:
+
+- is plain text using a character set such as ASCII, Unicode, EBCDIC,
+ or Shift JIS,
+- consists of records (typically one record per line),
+- with the records divided into fields separated by delimiters
+ (typically a single reserved character such as comma, semicolon, or
+ tab,
+- where every record has the same sequence of fields.
+
+Within these general constraints, many variations are in use. Therefore
+"CSV" files are not entirely portable. Nevertheless, the variations are
+fairly small, and many implementations allow users to glance at the file
+(which is feasible because it is plain text), and then specify the
+delimiter character(s), quoting rules, etc.
+
+**Warning:** Microsoft Excel™ will open .csv files, but depending on the
+system's regional settings, it may expect a semicolon as a separator
+instead of a comma, since in some languages the comma is used as the
+decimal separator. Also, many regional versions of Excel will not be
+able to deal with Unicode characters in a CSV file.
+
+### Html
+
+HyperText Markup Language (HTML) is the main markup language for
+creating web pages and other information that can be displayed in a web
+browser. Files typically have an extension of .html or .htm. HTML markup
+provides a means to create structured documents by denoting structural
+semantics for text such as headings, paragraphs, lists, links, quotes
+and other items. Since 1996, the HTML specifications have been
+maintained, with input from commercial software vendors, by the World
+Wide Web Consortium (W3C). However, in 2000, HTML also became an
+international standard (ISO/IEC 15445:2000). HTML 4.01 was published in
+late 1999, with further errata published through 2001. In 2004
+development began on HTML5 in the Web Hypertext Application Technology
+Working Group (WHATWG), which became a joint deliverable with the W3C in
+2008.
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/01-01-autofilter.png b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/01-01-autofilter.png
new file mode 100755
index 0000000..8b5c4fa
Binary files /dev/null and b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/01-01-autofilter.png differ
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/01-02-autofilter.png b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/01-02-autofilter.png
new file mode 100755
index 0000000..a2d6c9b
Binary files /dev/null and b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/01-02-autofilter.png differ
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/01-03-filter-icon-1.png b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/01-03-filter-icon-1.png
new file mode 100755
index 0000000..e5a7e7d
Binary files /dev/null and b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/01-03-filter-icon-1.png differ
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/01-03-filter-icon-2.png b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/01-03-filter-icon-2.png
new file mode 100755
index 0000000..1567245
Binary files /dev/null and b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/01-03-filter-icon-2.png differ
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/01-04-autofilter.png b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/01-04-autofilter.png
new file mode 100755
index 0000000..b88f4c4
Binary files /dev/null and b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/01-04-autofilter.png differ
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/01-schematic.png b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/01-schematic.png
new file mode 100755
index 0000000..8b67792
Binary files /dev/null and b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/01-schematic.png differ
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/02-readers-writers.png b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/02-readers-writers.png
new file mode 100755
index 0000000..0600788
Binary files /dev/null and b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/02-readers-writers.png differ
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/04-01-simple-autofilter.png b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/04-01-simple-autofilter.png
new file mode 100755
index 0000000..5dcc6a4
Binary files /dev/null and b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/04-01-simple-autofilter.png differ
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/04-02-dategroup-autofilter.png b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/04-02-dategroup-autofilter.png
new file mode 100755
index 0000000..da1f089
Binary files /dev/null and b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/04-02-dategroup-autofilter.png differ
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/04-03-custom-autofilter-1.png b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/04-03-custom-autofilter-1.png
new file mode 100755
index 0000000..0098d98
Binary files /dev/null and b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/04-03-custom-autofilter-1.png differ
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/04-03-custom-autofilter-2.png b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/04-03-custom-autofilter-2.png
new file mode 100755
index 0000000..96ff2cf
Binary files /dev/null and b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/04-03-custom-autofilter-2.png differ
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/04-04-dynamic-autofilter.png b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/04-04-dynamic-autofilter.png
new file mode 100755
index 0000000..6cb905d
Binary files /dev/null and b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/04-04-dynamic-autofilter.png differ
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/04-05-topten-autofilter-1.png b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/04-05-topten-autofilter-1.png
new file mode 100755
index 0000000..207e645
Binary files /dev/null and b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/04-05-topten-autofilter-1.png differ
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/04-05-topten-autofilter-2.png b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/04-05-topten-autofilter-2.png
new file mode 100755
index 0000000..4db5125
Binary files /dev/null and b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/04-05-topten-autofilter-2.png differ
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/07-simple-example-1.png b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/07-simple-example-1.png
new file mode 100755
index 0000000..30d1936
Binary files /dev/null and b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/07-simple-example-1.png differ
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/07-simple-example-2.png b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/07-simple-example-2.png
new file mode 100755
index 0000000..e2b6850
Binary files /dev/null and b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/07-simple-example-2.png differ
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/07-simple-example-3.png b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/07-simple-example-3.png
new file mode 100755
index 0000000..459261f
Binary files /dev/null and b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/07-simple-example-3.png differ
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/07-simple-example-4.png b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/07-simple-example-4.png
new file mode 100755
index 0000000..7072545
Binary files /dev/null and b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/07-simple-example-4.png differ
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/08-cell-comment.png b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/08-cell-comment.png
new file mode 100755
index 0000000..bd8f8e6
Binary files /dev/null and b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/08-cell-comment.png differ
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/08-column-width.png b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/08-column-width.png
new file mode 100755
index 0000000..1419943
Binary files /dev/null and b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/08-column-width.png differ
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/08-page-setup-margins.png b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/08-page-setup-margins.png
new file mode 100755
index 0000000..36e07a9
Binary files /dev/null and b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/08-page-setup-margins.png differ
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/08-page-setup-scaling-options.png b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/08-page-setup-scaling-options.png
new file mode 100755
index 0000000..80fb5f0
Binary files /dev/null and b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/08-page-setup-scaling-options.png differ
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/08-styling-border-options.png b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/08-styling-border-options.png
new file mode 100755
index 0000000..4ef5970
Binary files /dev/null and b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/08-styling-border-options.png differ
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/09-command-line-calculation.png b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/09-command-line-calculation.png
new file mode 100755
index 0000000..ceb2b30
Binary files /dev/null and b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/09-command-line-calculation.png differ
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/09-formula-in-cell-1.png b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/09-formula-in-cell-1.png
new file mode 100755
index 0000000..e50c6cc
Binary files /dev/null and b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/09-formula-in-cell-1.png differ
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/09-formula-in-cell-2.png b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/09-formula-in-cell-2.png
new file mode 100755
index 0000000..46daf09
Binary files /dev/null and b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/images/09-formula-in-cell-2.png differ
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/memory_saving.md b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/memory_saving.md
new file mode 100755
index 0000000..e6b744f
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/memory_saving.md
@@ -0,0 +1,107 @@
+# Memory saving
+
+PhpSpreadsheet uses an average of about 1k per cell in your worksheets, so
+large workbooks can quickly use up available memory. Cell caching
+provides a mechanism that allows PhpSpreadsheet to maintain the cell
+objects in a smaller size of memory, or off-memory (eg: on disk, in APCu,
+memcache or redis). This allows you to reduce the memory usage for large
+workbooks, although at a cost of speed to access cell data.
+
+By default, PhpSpreadsheet holds all cell objects in memory, but
+you can specify alternatives by providing your own
+[PSR-16](http://www.php-fig.org/psr/psr-16/) implementation. PhpSpreadsheet keys
+are automatically namespaced, and cleaned up after use, so a single cache
+instance may be shared across several usage of PhpSpreadsheet or even with other
+cache usages.
+
+To enable cell caching, you must provide your own implementation of cache like so:
+
+``` php
+$cache = new MyCustomPsr16Implementation();
+
+\PhpOffice\PhpSpreadsheet\Settings::setCache($cache);
+```
+
+A separate cache is maintained for each individual worksheet, and is
+automatically created when the worksheet is instantiated based on the
+settings that you have configured. You cannot change
+the configuration settings once you have started to read a workbook, or
+have created your first worksheet.
+
+## Beware of TTL
+
+As opposed to common cache concept, PhpSpreadsheet data cannot be re-generated
+from scratch. If some data is stored and later is not retrievable,
+PhpSpreadsheet will throw an exception.
+
+That means that the data stored in cache **must not be deleted** by a
+third-party or via TTL mechanism.
+
+So be sure that TTL is either de-activated or long enough to cover the entire
+usage of PhpSpreadsheet.
+
+## Common use cases
+
+PhpSpreadsheet does not ship with alternative cache implementation. It is up to
+you to select the most appropriate implementation for your environnement. You
+can either implement [PSR-16](http://www.php-fig.org/psr/psr-16/) from scratch,
+or use [pre-existing libraries](https://packagist.org/search/?q=psr-16).
+
+One such library is [PHP Cache](https://www.php-cache.com/) which
+provides a wide range of alternatives. Refers to their documentation for
+details, but here are a few suggestions that should get you started.
+
+### APCu
+
+Require the packages into your project:
+
+```sh
+composer require cache/simple-cache-bridge cache/apcu-adapter
+```
+
+Configure PhpSpreadsheet with something like:
+
+```php
+$pool = new \Cache\Adapter\Apcu\ApcuCachePool();
+$simpleCache = new \Cache\Bridge\SimpleCache\SimpleCacheBridge($pool);
+
+\PhpOffice\PhpSpreadsheet\Settings::setCache($simpleCache);
+```
+
+### Redis
+
+Require the packages into your project:
+
+```sh
+composer require cache/simple-cache-bridge cache/redis-adapter
+```
+
+Configure PhpSpreadsheet with something like:
+
+```php
+$client = new \Redis();
+$client->connect('127.0.0.1', 6379);
+$pool = new \Cache\Adapter\Redis\RedisCachePool($client);
+$simpleCache = new \Cache\Bridge\SimpleCache\SimpleCacheBridge($pool);
+
+\PhpOffice\PhpSpreadsheet\Settings::setCache($simpleCache);
+```
+
+### Memcache
+
+Require the packages into your project:
+
+```sh
+composer require cache/simple-cache-bridge cache/memcache-adapter
+```
+
+Configure PhpSpreadsheet with something like:
+
+```php
+$client = new \Memcache();
+$client->connect('localhost', 11211);
+$pool = new \Cache\Adapter\Memcache\MemcacheCachePool($client);
+$simpleCache = new \Cache\Bridge\SimpleCache\SimpleCacheBridge($pool);
+
+\PhpOffice\PhpSpreadsheet\Settings::setCache($simpleCache);
+```
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/migration-from-PHPExcel.md b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/migration-from-PHPExcel.md
new file mode 100755
index 0000000..a65acca
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/migration-from-PHPExcel.md
@@ -0,0 +1,427 @@
+# Migration from PHPExcel
+
+PhpSpreadsheet introduced many breaking changes by introducing
+namespaces and renaming some classes. To help you migrate existing
+project, a tool was written to replace all references to PHPExcel
+classes to their new names. But they are also manual changes that
+need to be done.
+
+## Automated tool
+
+The tool is included in PhpSpreadsheet. It scans recursively all files
+and directories, starting from the current directory. Assuming it was
+installed with composer, it can be run like so:
+
+``` sh
+cd /project/to/migrate/src
+/project/to/migrate/vendor/phpoffice/phpspreadsheet/bin/migrate-from-phpexcel
+```
+
+**Important** The tool will irreversibly modify your sources, be sure to
+backup everything, and double check the result before committing.
+
+## Manual changes
+
+In addition to automated changes, a few things need to be migrated manually.
+
+### Renamed readers and writers
+
+When using `IOFactory::createReader()`, `IOFactory::createWriter()` and
+`IOFactory::identify()`, the reader/writer short names are used. Those were
+changed, along as their corresponding class, to remove ambiguity:
+
+Before | After
+-----------------|---------
+`'CSV'` | `'Csv'`
+`'Excel2003XML'` | `'Xml'`
+`'Excel2007'` | `'Xlsx'`
+`'Excel5'` | `'Xls'`
+`'Gnumeric'` | `'Gnumeric'`
+`'HTML'` | `'Html'`
+`'OOCalc'` | `'Ods'`
+`'OpenDocument'` | `'Ods'`
+`'PDF'` | `'Pdf'`
+`'SYLK'` | `'Slk'`
+
+### Simplified IOFactory
+
+The following methods :
+
+- `PHPExcel_IOFactory::getSearchLocations()`
+- `PHPExcel_IOFactory::setSearchLocations()`
+- `PHPExcel_IOFactory::addSearchLocation()`
+
+were replaced by `IOFactory::registerReader()` and `IOFactory::registerWriter()`. That means
+IOFactory now relies on classes autoloading.
+
+Before:
+
+```php
+\PHPExcel_IOFactory::addSearchLocation($type, $location, $classname);
+```
+
+After:
+
+```php
+\PhpOffice\PhpSpreadsheet\IOFactory::registerReader($type, $classname);
+```
+
+### Removed deprecated things
+
+#### Worksheet::duplicateStyleArray()
+
+``` php
+// Before
+$worksheet->duplicateStyleArray($styles, $range, $advanced);
+
+// After
+$worksheet->getStyle($range)->applyFromArray($styles, $advanced);
+```
+
+#### DataType::dataTypeForValue()
+
+``` php
+// Before
+DataType::dataTypeForValue($value);
+
+// After
+DefaultValueBinder::dataTypeForValue($value);
+```
+
+#### Conditional::getCondition()
+
+``` php
+// Before
+$conditional->getCondition();
+
+// After
+$conditional->getConditions()[0];
+```
+
+#### Conditional::setCondition()
+
+``` php
+// Before
+$conditional->setCondition($value);
+
+// After
+$conditional->setConditions($value);
+```
+
+#### Worksheet::getDefaultStyle()
+
+``` php
+// Before
+$worksheet->getDefaultStyle();
+
+// After
+$worksheet->getParent()->getDefaultStyle();
+```
+
+#### Worksheet::setDefaultStyle()
+
+``` php
+// Before
+$worksheet->setDefaultStyle($value);
+
+// After
+$worksheet->getParent()->getDefaultStyle()->applyFromArray([
+ 'font' => [
+ 'name' => $pValue->getFont()->getName(),
+ 'size' => $pValue->getFont()->getSize(),
+ ],
+]);
+
+```
+
+#### Worksheet::setSharedStyle()
+
+``` php
+// Before
+$worksheet->setSharedStyle($sharedStyle, $range);
+
+// After
+$worksheet->duplicateStyle($sharedStyle, $range);
+```
+
+#### Worksheet::getSelectedCell()
+
+``` php
+// Before
+$worksheet->getSelectedCell();
+
+// After
+$worksheet->getSelectedCells();
+```
+
+#### Writer\Xls::setTempDir()
+
+``` php
+// Before
+$writer->setTempDir();
+
+// After, there is no way to set temporary storage directory anymore
+```
+
+### Autoloader
+
+The class `PHPExcel_Autoloader` was removed entirely and is replaced by composer
+autoloading mechanism.
+
+### Writing PDF
+
+PDF libraries must be installed via composer. And the following methods were removed
+and are replaced by `IOFactory::registerWriter()` instead:
+
+- `PHPExcel_Settings::getPdfRenderer()`
+- `PHPExcel_Settings::setPdfRenderer()`
+- `PHPExcel_Settings::getPdfRendererName()`
+- `PHPExcel_Settings::setPdfRendererName()`
+
+Before:
+
+```php
+\PHPExcel_Settings::setPdfRendererName(PHPExcel_Settings::PDF_RENDERER_MPDF);
+\PHPExcel_Settings::setPdfRenderer($somePath);
+$writer = \PHPExcel_IOFactory::createWriter($spreadsheet, 'PDF');
+```
+
+After:
+
+```php
+$writer = \PhpOffice\PhpSpreadsheet\IOFactory::createWriter($spreadsheet, 'Mpdf');
+
+// Or alternatively
+\PhpOffice\PhpSpreadsheet\IOFactory::registerWriter('Pdf', \PhpOffice\PhpSpreadsheet\Writer\Pdf\Mpdf::class);
+$writer = \PhpOffice\PhpSpreadsheet\IOFactory::createWriter($spreadsheet, 'Pdf');
+
+// Or alternatively
+$writer = new \PhpOffice\PhpSpreadsheet\Writer\Pdf\Mpdf($spreadsheet);
+```
+
+### Rendering charts
+
+When rendering charts for HTML or PDF outputs, the process was also simplified. And while
+JpGraph support is still available, it is unfortunately not up to date for latest PHP versions
+and it will generate various warnings.
+
+If you rely on this feature, please consider
+contributing either patches to JpGraph or another `IRenderer` implementation (a good
+candidate might be [CpChart](https://github.com/szymach/c-pchart)).
+
+Before:
+
+```php
+$rendererName = \PHPExcel_Settings::CHART_RENDERER_JPGRAPH;
+$rendererLibrary = 'jpgraph3.5.0b1/src/';
+$rendererLibraryPath = '/php/libraries/Charts/' . $rendererLibrary;
+
+\PHPExcel_Settings::setChartRenderer($rendererName, $rendererLibraryPath);
+```
+
+After:
+
+Require the dependency via composer:
+
+```sh
+composer require jpgraph/jpgraph
+```
+
+And then:
+
+```php
+Settings::setChartRenderer(\PhpOffice\PhpSpreadsheet\Chart\Renderer\JpGraph::class);
+```
+
+### PclZip and ZipArchive
+
+Support for PclZip were dropped in favor of the more complete and modern
+[PHP extension ZipArchive](http://php.net/manual/en/book.zip.php).
+So the following were removed:
+
+- `PclZip`
+- `PHPExcel_Settings::setZipClass()`
+- `PHPExcel_Settings::getZipClass()`
+- `PHPExcel_Shared_ZipArchive`
+- `PHPExcel_Shared_ZipStreamWrapper`
+
+### Cell caching
+
+Cell caching was heavily refactored to leverage
+[PSR-16](http://www.php-fig.org/psr/psr-16/). That means most classes
+related to that feature were removed:
+
+- `PHPExcel_CachedObjectStorage_APC`
+- `PHPExcel_CachedObjectStorage_DiscISAM`
+- `PHPExcel_CachedObjectStorage_ICache`
+- `PHPExcel_CachedObjectStorage_Igbinary`
+- `PHPExcel_CachedObjectStorage_Memcache`
+- `PHPExcel_CachedObjectStorage_Memory`
+- `PHPExcel_CachedObjectStorage_MemoryGZip`
+- `PHPExcel_CachedObjectStorage_MemorySerialized`
+- `PHPExcel_CachedObjectStorage_PHPTemp`
+- `PHPExcel_CachedObjectStorage_SQLite`
+- `PHPExcel_CachedObjectStorage_SQLite3`
+- `PHPExcel_CachedObjectStorage_Wincache`
+
+In addition to that, `\PhpOffice\PhpSpreadsheet::getCellCollection()` was renamed
+to `\PhpOffice\PhpSpreadsheet::getCoordinates()` and
+`\PhpOffice\PhpSpreadsheet::getCellCacheController()` to
+`\PhpOffice\PhpSpreadsheet::getCellCollection()` for clarity.
+
+Refer to [the new documentation](./memory_saving.md) to see how to migrate.
+
+### Dropped conditionally returned cell
+
+For all the following methods, it is no more possible to change the type of
+returned value. It always return the Worksheet and never the Cell or Rule:
+
+- Worksheet::setCellValue()
+- Worksheet::setCellValueByColumnAndRow()
+- Worksheet::setCellValueExplicit()
+- Worksheet::setCellValueExplicitByColumnAndRow()
+- Worksheet::addRule()
+
+Migration would be similar to:
+
+``` php
+// Before
+$cell = $worksheet->setCellValue('A1', 'value', true);
+
+// After
+$cell = $worksheet->getCell('A1')->setValue('value');
+```
+
+### Standardized keys for styling
+
+Array keys used for styling have been standardized for a more coherent experience.
+It now uses the same wording and casing as the getter and setter:
+
+```php
+// Before
+$style = [
+ 'numberformat' => [
+ 'code' => NumberFormat::FORMAT_CURRENCY_EUR_SIMPLE,
+ ],
+ 'font' => [
+ 'strike' => true,
+ 'superScript' => true,
+ 'subScript' => true,
+ ],
+ 'alignment' => [
+ 'rotation' => 90,
+ 'readorder' => Alignment::READORDER_RTL,
+ 'wrap' => true,
+ ],
+ 'borders' => [
+ 'diagonaldirection' => Borders::DIAGONAL_BOTH,
+ 'allborders' => [
+ 'style' => Border::BORDER_THIN,
+ ],
+ ],
+ 'fill' => [
+ 'type' => Fill::FILL_GRADIENT_LINEAR,
+ 'startcolor' => [
+ 'argb' => 'FFA0A0A0',
+ ],
+ 'endcolor' => [
+ 'argb' => 'FFFFFFFF',
+ ],
+ ],
+];
+
+// After
+$style = [
+ 'numberFormat' => [
+ 'formatCode' => NumberFormat::FORMAT_CURRENCY_EUR_SIMPLE,
+ ],
+ 'font' => [
+ 'strikethrough' => true,
+ 'superscript' => true,
+ 'subscript' => true,
+ ],
+ 'alignment' => [
+ 'textRotation' => 90,
+ 'readOrder' => Alignment::READORDER_RTL,
+ 'wrapText' => true,
+ ],
+ 'borders' => [
+ 'diagonalDirection' => Borders::DIAGONAL_BOTH,
+ 'allBorders' => [
+ 'borderStyle' => Border::BORDER_THIN,
+ ],
+ ],
+ 'fill' => [
+ 'fillType' => Fill::FILL_GRADIENT_LINEAR,
+ 'startColor' => [
+ 'argb' => 'FFA0A0A0',
+ ],
+ 'endColor' => [
+ 'argb' => 'FFFFFFFF',
+ ],
+ ],
+];
+```
+
+### Dedicated class to manipulate coordinates
+
+Methods to manipulate coordinates that used to exists in `PHPExcel_Cell` were extracted
+to a dedicated new class `\PhpOffice\PhpSpreadsheet\Cell\Coordinate`. The methods are:
+
+- `absoluteCoordinate()`
+- `absoluteReference()`
+- `buildRange()`
+- `columnIndexFromString()`
+- `coordinateFromString()`
+- `extractAllCellReferencesInRange()`
+- `getRangeBoundaries()`
+- `mergeRangesInCollection()`
+- `rangeBoundaries()`
+- `rangeDimension()`
+- `splitRange()`
+- `stringFromColumnIndex()`
+
+### Column index based on 1
+
+Column indexes are now based on 1. So column `A` is the index `1`. This is consistent
+with rows starting at 1 and Excel function `COLUMN()` that returns `1` for column `A`.
+So the code must be adapted with something like:
+
+```php
+// Before
+$cell = $worksheet->getCellByColumnAndRow($column, $row);
+
+for ($column = 0; $column < $max; $column++) {
+ $worksheet->setCellValueByColumnAndRow($column, $row, 'value ' . $column);
+}
+
+// After
+$cell = $worksheet->getCellByColumnAndRow($column + 1, $row);
+
+for ($column = 1; $column <= $max; $column++) {
+ $worksheet->setCellValueByColumnAndRow($column, $row, 'value ' . $column);
+}
+```
+
+All the following methods are affected:
+
+- `PHPExcel_Worksheet::cellExistsByColumnAndRow()`
+- `PHPExcel_Worksheet::freezePaneByColumnAndRow()`
+- `PHPExcel_Worksheet::getCellByColumnAndRow()`
+- `PHPExcel_Worksheet::getColumnDimensionByColumn()`
+- `PHPExcel_Worksheet::getCommentByColumnAndRow()`
+- `PHPExcel_Worksheet::getStyleByColumnAndRow()`
+- `PHPExcel_Worksheet::insertNewColumnBeforeByIndex()`
+- `PHPExcel_Worksheet::mergeCellsByColumnAndRow()`
+- `PHPExcel_Worksheet::protectCellsByColumnAndRow()`
+- `PHPExcel_Worksheet::removeColumnByIndex()`
+- `PHPExcel_Worksheet::setAutoFilterByColumnAndRow()`
+- `PHPExcel_Worksheet::setBreakByColumnAndRow()`
+- `PHPExcel_Worksheet::setCellValueByColumnAndRow()`
+- `PHPExcel_Worksheet::setCellValueExplicitByColumnAndRow()`
+- `PHPExcel_Worksheet::setSelectedCellByColumnAndRow()`
+- `PHPExcel_Worksheet::stringFromColumnIndex()`
+- `PHPExcel_Worksheet::unmergeCellsByColumnAndRow()`
+- `PHPExcel_Worksheet::unprotectCellsByColumnAndRow()`
+- `PHPExcel_Worksheet_PageSetup::addPrintAreaByColumnAndRow()`
+- `PHPExcel_Worksheet_PageSetup::setPrintAreaByColumnAndRow()`
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/reading-and-writing-to-file.md b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/reading-and-writing-to-file.md
new file mode 100755
index 0000000..a837bc8
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/reading-and-writing-to-file.md
@@ -0,0 +1,877 @@
+# Reading and writing to file
+
+As you already know from the [architecture](./architecture.md#readers-and-writers),
+reading and writing to a
+persisted storage is not possible using the base PhpSpreadsheet classes.
+For this purpose, PhpSpreadsheet provides readers and writers, which are
+implementations of `\PhpOffice\PhpSpreadsheet\Reader\IReader` and
+`\PhpOffice\PhpSpreadsheet\Writer\IWriter`.
+
+## \PhpOffice\PhpSpreadsheet\IOFactory
+
+The PhpSpreadsheet API offers multiple methods to create a
+`\PhpOffice\PhpSpreadsheet\Reader\IReader` or
+`\PhpOffice\PhpSpreadsheet\Writer\IWriter` instance:
+
+Direct creation via `\PhpOffice\PhpSpreadsheet\IOFactory`. All examples
+underneath demonstrate the direct creation method. Note that you can
+also use the `\PhpOffice\PhpSpreadsheet\IOFactory` class to do this.
+
+### Creating `\PhpOffice\PhpSpreadsheet\Reader\IReader` using `\PhpOffice\PhpSpreadsheet\IOFactory`
+
+There are 2 methods for reading in a file into PhpSpreadsheet: using
+automatic file type resolving or explicitly.
+
+Automatic file type resolving checks the different
+`\PhpOffice\PhpSpreadsheet\Reader\IReader` distributed with
+PhpSpreadsheet. If one of them can load the specified file name, the
+file is loaded using that `\PhpOffice\PhpSpreadsheet\Reader\IReader`.
+Explicit mode requires you to specify which
+`\PhpOffice\PhpSpreadsheet\Reader\IReader` should be used.
+
+You can create a `\PhpOffice\PhpSpreadsheet\Reader\IReader` instance using
+`\PhpOffice\PhpSpreadsheet\IOFactory` in automatic file type resolving
+mode using the following code sample:
+
+``` php
+$spreadsheet = \PhpOffice\PhpSpreadsheet\IOFactory::load("05featuredemo.xlsx");
+```
+
+A typical use of this feature is when you need to read files uploaded by
+your users, and you don’t 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:
+
+``` php
+$reader = \PhpOffice\PhpSpreadsheet\IOFactory::createReaderForFile("05featuredemo.xlsx");
+$reader->setReadDataOnly(true);
+$reader->load("05featuredemo.xlsx");
+```
+
+You can create a `\PhpOffice\PhpSpreadsheet\Reader\IReader` instance using
+`\PhpOffice\PhpSpreadsheet\IOFactory` in explicit mode using the following
+code sample:
+
+``` php
+$reader = \PhpOffice\PhpSpreadsheet\IOFactory::createReader("Xlsx");
+$spreadsheet = $reader->load("05featuredemo.xlsx");
+```
+
+Note that automatic type resolving mode is slightly slower than explicit
+mode.
+
+### Creating `\PhpOffice\PhpSpreadsheet\Writer\IWriter` using `\PhpOffice\PhpSpreadsheet\IOFactory`
+
+You can create a `\PhpOffice\PhpSpreadsheet\Writer\IWriter` instance using
+`\PhpOffice\PhpSpreadsheet\IOFactory`:
+
+``` php
+$writer = \PhpOffice\PhpSpreadsheet\IOFactory::createWriter($spreadsheet, "Xlsx");
+$writer->save("05featuredemo.xlsx");
+```
+
+## Excel 2007 (SpreadsheetML) file format
+
+Xlsx file format is the main file format of PhpSpreadsheet. It allows
+outputting the in-memory spreadsheet to a .xlsx file.
+
+### \PhpOffice\PhpSpreadsheet\Reader\Xlsx
+
+#### Reading a spreadsheet
+
+You can read an .xlsx file using the following code:
+
+``` php
+$reader = new \PhpOffice\PhpSpreadsheet\Reader\Xlsx();
+$spreadsheet = $reader->load("05featuredemo.xlsx");
+```
+
+#### Read data only
+
+You can set the option setReadDataOnly on the reader, to instruct the
+reader to ignore styling, data validation, … and just read cell data:
+
+``` php
+$reader = new \PhpOffice\PhpSpreadsheet\Reader\Xlsx();
+$reader->setReadDataOnly(true);
+$spreadsheet = $reader->load("05featuredemo.xlsx");
+```
+
+#### Read specific sheets only
+
+You can set the option setLoadSheetsOnly on the reader, to instruct the
+reader to only load the sheets with a given name:
+
+``` php
+$reader = new \PhpOffice\PhpSpreadsheet\Reader\Xlsx();
+$reader->setLoadSheetsOnly( array("Sheet 1", "My special sheet") );
+$spreadsheet = $reader->load("05featuredemo.xlsx");
+```
+
+#### Read specific cells only
+
+You can set the option setReadFilter on the reader, to instruct the
+reader to only load the cells which match a given rule. A read filter
+can be any class which implements
+`\PhpOffice\PhpSpreadsheet\Reader\IReadFilter`. By default, all cells are
+read using the `\PhpOffice\PhpSpreadsheet\Reader\DefaultReadFilter`.
+
+The following code will only read row 1 and rows 20 – 30 of any sheet in
+the Excel file:
+
+``` php
+class MyReadFilter implements \PhpOffice\PhpSpreadsheet\Reader\IReadFilter {
+
+ public function readCell($column, $row, $worksheetName = '') {
+ // Read title row and rows 20 - 30
+ if ($row == 1 || ($row >= 20 && $row <= 30)) {
+ return true;
+ }
+ return false;
+ }
+}
+
+$reader = new \PhpOffice\PhpSpreadsheet\Reader\Xlsx();
+$reader->setReadFilter( new MyReadFilter() );
+$spreadsheet = $reader->load("06largescale.xlsx");
+```
+
+### \PhpOffice\PhpSpreadsheet\Writer\Xlsx
+
+#### Writing a spreadsheet
+
+You can write an .xlsx file using the following code:
+
+``` php
+$writer = new \PhpOffice\PhpSpreadsheet\Writer\Xlsx($spreadsheet);
+$writer->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:
+
+``` php
+$writer = new \PhpOffice\PhpSpreadsheet\Writer\Xlsx($spreadsheet);
+$writer->setPreCalculateFormulas(false);
+$writer->save("05featuredemo.xlsx");
+```
+
+#### Office 2003 compatibility pack
+
+Because of a bug in the Office2003 compatibility pack, there can be some
+small issues when opening Xlsx spreadsheets (mostly related to formula
+calculation). You can enable Office2003 compatibility with the following
+code:
+
+ $writer = new \PhpOffice\PhpSpreadsheet\Writer\Xlsx($spreadsheet);
+ $writer->setOffice2003Compatibility(true);
+ $writer->save("05featuredemo.xlsx");
+
+**Office2003 compatibility should only be used when needed** Office2003
+compatibility option should only be used when needed. This option
+disables several Office2007 file format options, resulting in a
+lower-featured Office2007 spreadsheet when this option is used.
+
+## Excel 5 (BIFF) file format
+
+Xls file format is the old Excel file format, implemented in
+PhpSpreadsheet to provide a uniform manner to create both .xlsx and .xls
+files. It is basically a modified version of [PEAR
+Spreadsheet\_Excel\_Writer](http://pear.php.net/package/Spreadsheet_Excel_Writer),
+although it has been extended and has fewer limitations and more
+features than the old PEAR library. This can read all BIFF versions that
+use OLE2: BIFF5 (introduced with office 95) through BIFF8, but cannot
+read earlier versions.
+
+Xls file format will not be developed any further, it just provides an
+additional file format for PhpSpreadsheet.
+
+**Excel5 (BIFF) limitations** Please note that BIFF file format has some
+limits regarding to styling cells and handling large spreadsheets via
+PHP.
+
+### \PhpOffice\PhpSpreadsheet\Reader\Xls
+
+#### Reading a spreadsheet
+
+You can read an .xls file using the following code:
+
+``` php
+$reader = new \PhpOffice\PhpSpreadsheet\Reader\Xls();
+$spreadsheet = $reader->load("05featuredemo.xls");
+```
+
+#### Read data only
+
+You can set the option setReadDataOnly on the reader, to instruct the
+reader to ignore styling, data validation, … and just read cell data:
+
+``` php
+$reader = new \PhpOffice\PhpSpreadsheet\Reader\Xls();
+$reader->setReadDataOnly(true);
+$spreadsheet = $reader->load("05featuredemo.xls");
+```
+
+#### Read specific sheets only
+
+You can set the option setLoadSheetsOnly on the reader, to instruct the
+reader to only load the sheets with a given name:
+
+``` php
+$reader = new \PhpOffice\PhpSpreadsheet\Reader\Xls();
+$reader->setLoadSheetsOnly( array("Sheet 1", "My special sheet") );
+$spreadsheet = $reader->load("05featuredemo.xls");
+```
+
+#### Read specific cells only
+
+You can set the option setReadFilter on the reader, to instruct the
+reader to only load the cells which match a given rule. A read filter
+can be any class which implements
+`\PhpOffice\PhpSpreadsheet\Reader\IReadFilter`. By default, all cells are
+read using the `\PhpOffice\PhpSpreadsheet\Reader\DefaultReadFilter`.
+
+The following code will only read row 1 and rows 20 to 30 of any sheet
+in the Excel file:
+
+``` php
+class MyReadFilter implements \PhpOffice\PhpSpreadsheet\Reader\IReadFilter {
+
+ public function readCell($column, $row, $worksheetName = '') {
+ // Read title row and rows 20 - 30
+ if ($row == 1 || ($row >= 20 && $row <= 30)) {
+ return true;
+ }
+ return false;
+ }
+}
+
+$reader = new \PhpOffice\PhpSpreadsheet\Reader\Xls();
+$reader->setReadFilter( new MyReadFilter() );
+$spreadsheet = $reader->load("06largescale.xls");
+```
+
+### \PhpOffice\PhpSpreadsheet\Writer\Xls
+
+#### Writing a spreadsheet
+
+You can write an .xls file using the following code:
+
+``` php
+$writer = new \PhpOffice\PhpSpreadsheet\Writer\Xls($spreadsheet);
+$writer->save("05featuredemo.xls");
+```
+
+## Excel 2003 XML file format
+
+Excel 2003 XML file format is a file format which can be used in older
+versions of Microsoft Excel.
+
+**Excel 2003 XML limitations** Please note that Excel 2003 XML format
+has some limits regarding to styling cells and handling large
+spreadsheets via PHP.
+
+### \PhpOffice\PhpSpreadsheet\Reader\Xml
+
+#### Reading a spreadsheet
+
+You can read an Excel 2003 .xml file using the following code:
+
+``` php
+$reader = new \PhpOffice\PhpSpreadsheet\Reader\Xml();
+$spreadsheet = $reader->load("05featuredemo.xml");
+```
+
+#### Read specific cells only
+
+You can set the option setReadFilter on the reader, to instruct the
+reader to only load the cells which match a given rule. A read filter
+can be any class which implements
+`\PhpOffice\PhpSpreadsheet\Reader\IReadFilter`. By default, all cells are
+read using the `\PhpOffice\PhpSpreadsheet\Reader\DefaultReadFilter`.
+
+The following code will only read row 1 and rows 20 to 30 of any sheet
+in the Excel file:
+
+``` php
+class MyReadFilter implements \PhpOffice\PhpSpreadsheet\Reader\IReadFilter {
+
+ public function readCell($column, $row, $worksheetName = '') {
+ // Read title row and rows 20 - 30
+ if ($row == 1 || ($row >= 20 && $row <= 30)) {
+ return true;
+ }
+ return false;
+ }
+
+}
+
+$reader = new \PhpOffice\PhpSpreadsheet\Reader\Xml();
+$reader->setReadFilter( new MyReadFilter() );
+$spreadsheet = $reader->load("06largescale.xml");
+```
+
+## Symbolic LinK (SYLK)
+
+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.
+
+### \PhpOffice\PhpSpreadsheet\Reader\Slk
+
+#### Reading a spreadsheet
+
+You can read an .slk file using the following code:
+
+``` php
+$reader = new \PhpOffice\PhpSpreadsheet\Reader\Slk();
+$spreadsheet = $reader->load("05featuredemo.slk");
+```
+
+#### Read specific cells only
+
+You can set the option setReadFilter on the reader, to instruct the
+reader to only load the cells which match a given rule. A read filter
+can be any class which implements
+`\PhpOffice\PhpSpreadsheet\Reader\IReadFilter`. By default, all cells are
+read using the `\PhpOffice\PhpSpreadsheet\Reader\DefaultReadFilter`.
+
+The following code will only read row 1 and rows 20 to 30 of any sheet
+in the SYLK file:
+
+``` php
+class MyReadFilter implements \PhpOffice\PhpSpreadsheet\Reader\IReadFilter {
+
+ public function readCell($column, $row, $worksheetName = '') {
+ // Read title row and rows 20 - 30
+ if ($row == 1 || ($row >= 20 && $row <= 30)) {
+ return true;
+ }
+ return false;
+ }
+
+}
+
+$reader = new \PhpOffice\PhpSpreadsheet\Reader\Slk();
+$reader->setReadFilter( new MyReadFilter() );
+$spreadsheet = $reader->load("06largescale.slk");
+```
+
+## Open/Libre Office (.ods)
+
+Open Office or Libre Office .ods files are the standard file format for
+Open Office or Libre Office Calc files.
+
+### \PhpOffice\PhpSpreadsheet\Reader\Ods
+
+#### Reading a spreadsheet
+
+You can read an .ods file using the following code:
+
+``` php
+$reader = new \PhpOffice\PhpSpreadsheet\Reader\Ods();
+$spreadsheet = $reader->load("05featuredemo.ods");
+```
+
+#### Read specific cells only
+
+You can set the option setReadFilter on the reader, to instruct the
+reader to only load the cells which match a given rule. A read filter
+can be any class which implements
+`\PhpOffice\PhpSpreadsheet\Reader\IReadFilter`. By default, all cells are
+read using the `\PhpOffice\PhpSpreadsheet\Reader\DefaultReadFilter`.
+
+The following code will only read row 1 and rows 20 to 30 of any sheet
+in the Calc file:
+
+``` php
+class MyReadFilter implements \PhpOffice\PhpSpreadsheet\Reader\IReadFilter {
+
+ public function readCell($column, $row, $worksheetName = '') {
+ // Read title row and rows 20 - 30
+ if ($row == 1 || ($row >= 20 && $row <= 30)) {
+ return true;
+ }
+ return false;
+ }
+
+}
+
+$reader = new PhpOffice\PhpSpreadsheet\Reader\Ods();
+$reader->setReadFilter( new MyReadFilter() );
+$spreadsheet = $reader->load("06largescale.ods");
+```
+
+## CSV (Comma Separated Values)
+
+CSV (Comma Separated Values) are often used as an import/export file
+format with other systems. PhpSpreadsheet allows reading and writing to
+CSV files.
+
+**CSV limitations** Please note that CSV file format has some limits
+regarding to styling cells, number formatting, ...
+
+### \PhpOffice\PhpSpreadsheet\Reader\Csv
+
+#### Reading a CSV file
+
+You can read a .csv file using the following code:
+
+``` php
+$reader = new \PhpOffice\PhpSpreadsheet\Reader\Csv();
+$spreadsheet = $reader->load("sample.csv");
+```
+
+#### Setting CSV options
+
+Often, CSV files are not really "comma separated", or use semicolon (`;`)
+as a separator. You can instruct
+`\PhpOffice\PhpSpreadsheet\Reader\Csv` some options before reading a CSV
+file.
+
+The separator will be auto-detected, so in most cases it should not be necessary
+to specify it. But in cases where auto-detection does not fit the use-case, then
+it can be set manually.
+
+Note that `\PhpOffice\PhpSpreadsheet\Reader\Csv` by default assumes that
+the loaded CSV file is UTF-8 encoded. If you are reading CSV files that
+were created in Microsoft Office Excel the correct input encoding may
+rather be Windows-1252 (CP1252). Always make sure that the input
+encoding is set appropriately.
+
+``` php
+$reader = new \PhpOffice\PhpSpreadsheet\Reader\Csv();
+$reader->setInputEncoding('CP1252');
+$reader->setDelimiter(';');
+$reader->setEnclosure('');
+$reader->setSheetIndex(0);
+
+$spreadsheet = $reader->load("sample.csv");
+```
+
+#### Read a specific worksheet
+
+CSV files can only contain one worksheet. Therefore, you can specify
+which sheet to read from CSV:
+
+``` php
+$reader->setSheetIndex(0);
+```
+
+#### Read into existing spreadsheet
+
+When working with CSV files, it might occur that you want to import CSV
+data into an existing `Spreadsheet` object. The following code loads a
+CSV file into an existing `$spreadsheet` containing some sheets, and
+imports onto the 6th sheet:
+
+``` php
+$reader = new \PhpOffice\PhpSpreadsheet\Reader\Csv();
+$reader->setDelimiter(';');
+$reader->setEnclosure('');
+$reader->setSheetIndex(5);
+
+$reader->loadIntoExisting("05featuredemo.csv", $spreadsheet);
+```
+
+### \PhpOffice\PhpSpreadsheet\Writer\Csv
+
+#### Writing a CSV file
+
+You can write a .csv file using the following code:
+
+``` php
+$writer = new \PhpOffice\PhpSpreadsheet\Writer\Csv($spreadsheet);
+$writer->save("05featuredemo.csv");
+```
+
+#### Setting CSV options
+
+Often, CSV files are not really "comma separated", or use semicolon (`;`)
+as a separator. You can instruct
+`\PhpOffice\PhpSpreadsheet\Writer\Csv` some options before writing a CSV
+file:
+
+``` php
+$writer = new \PhpOffice\PhpSpreadsheet\Writer\Csv($spreadsheet);
+$writer->setDelimiter(';');
+$writer->setEnclosure('');
+$writer->setLineEnding("\r\n");
+$writer->setSheetIndex(0);
+
+$writer->save("05featuredemo.csv");
+```
+
+#### Write a specific worksheet
+
+CSV files can only contain one worksheet. Therefore, you can specify
+which sheet to write to CSV:
+
+``` php
+$writer->setSheetIndex(0);
+```
+
+#### 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:
+
+``` php
+$writer = new \PhpOffice\PhpSpreadsheet\Writer\Csv($spreadsheet);
+$writer->setPreCalculateFormulas(false);
+$writer->save("05featuredemo.csv");
+```
+
+#### Writing UTF-8 CSV files
+
+A CSV file can be marked as UTF-8 by writing a BOM file header. This can
+be enabled by using the following code:
+
+``` php
+$writer = new \PhpOffice\PhpSpreadsheet\Writer\Csv($spreadsheet);
+$writer->setUseBOM(true);
+$writer->save("05featuredemo.csv");
+```
+
+#### Decimal and thousands separators
+
+If the worksheet you are exporting contains numbers with decimal or
+thousands separators then you should think about what characters you
+want to use for those before doing the export.
+
+By default PhpSpreadsheet looks up in the server's locale settings to
+decide what characters to use. But to avoid problems it is recommended
+to set the characters explicitly as shown below.
+
+English users will want to use this before doing the export:
+
+``` php
+\PhpOffice\PhpSpreadsheet\Shared\StringHelper::setDecimalSeparator('.');
+\PhpOffice\PhpSpreadsheet\Shared\StringHelper::setThousandsSeparator(',');
+```
+
+German users will want to use the opposite values.
+
+``` php
+\PhpOffice\PhpSpreadsheet\Shared\StringHelper::setDecimalSeparator(',');
+\PhpOffice\PhpSpreadsheet\Shared\StringHelper::setThousandsSeparator('.');
+```
+
+Note that the above code sets decimal and thousand separators as global
+options. This also affects how HTML and PDF is exported.
+
+## HTML
+
+PhpSpreadsheet allows you to read or write a spreadsheet as HTML format,
+for quick representation of the data in it to anyone who does not have a
+spreadsheet application on their PC, or loading files saved by other
+scripts that simply create HTML markup and give it a .xls file
+extension.
+
+**HTML limitations** Please note that HTML file format has some limits
+regarding to styling cells, number formatting, ...
+
+### \PhpOffice\PhpSpreadsheet\Reader\Html
+
+#### Reading a spreadsheet
+
+You can read an .html or .htm file using the following code:
+
+``` php
+$reader = new \PhpOffice\PhpSpreadsheet\Reader\Html();
+
+$spreadsheet = $reader->load("05featuredemo.html");
+```
+
+**HTML limitations** Please note that HTML reader is still experimental
+and does not yet support merged cells or nested tables cleanly
+
+### \PhpOffice\PhpSpreadsheet\Writer\Html
+
+Please note that `\PhpOffice\PhpSpreadsheet\Writer\Html` only outputs the
+first worksheet by default.
+
+#### Writing a spreadsheet
+
+You can write a .htm file using the following code:
+
+``` php
+$writer = new \PhpOffice\PhpSpreadsheet\Writer\Html($spreadsheet);
+
+$writer->save("05featuredemo.htm");
+```
+
+#### Write all worksheets
+
+HTML files can contain one or more worksheets. If you want to write all
+sheets into a single HTML file, use the following code:
+
+``` php
+$writer->writeAllSheets();
+```
+
+#### Write a specific worksheet
+
+HTML files can contain one or more worksheets. Therefore, you can
+specify which sheet to write to HTML:
+
+``` php
+$writer->setSheetIndex(0);
+```
+
+#### Setting the images root of the HTML file
+
+There might be situations where you want to explicitly set the included
+images root. For example, one might want to see
+
+``` html
+
+```
+
+instead of
+
+``` html
+.
+```
+
+You can use the following code to achieve this result:
+
+``` php
+$writer->setImagesRoot('http://www.example.com');
+```
+
+#### 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:
+
+``` php
+$writer = new \PhpOffice\PhpSpreadsheet\Writer\Html($spreadsheet);
+$writer->setPreCalculateFormulas(false);
+
+$writer->save("05featuredemo.htm");
+```
+
+#### Embedding generated HTML in a web page
+
+There might be a situation where you want to embed the generated HTML in
+an existing website. \PhpOffice\PhpSpreadsheet\Writer\Html provides
+support to generate only specific parts of the HTML code, which allows
+you to use these parts in your website.
+
+Supported methods:
+
+- `generateHTMLHeader()`
+- `generateStyles()`
+- `generateSheetData()`
+- `generateHTMLFooter()`
+
+Here's an example which retrieves all parts independently and merges
+them into a resulting HTML page:
+
+``` php
+generateHTMLHeader();
+?>
+
+
+?>
+
+-->
+
+
+generateSheetData();
+echo $writer->generateHTMLFooter();
+?>
+```
+
+#### Writing UTF-8 HTML files
+
+A HTML file can be marked as UTF-8 by writing a BOM file header. This
+can be enabled by using the following code:
+
+``` php
+$writer = new \PhpOffice\PhpSpreadsheet\Writer\Html($spreadsheet);
+$writer->setUseBOM(true);
+
+$writer->save("05featuredemo.htm");
+```
+
+#### Decimal and thousands separators
+
+See section `\PhpOffice\PhpSpreadsheet\Writer\Csv` how to control the
+appearance of these.
+
+## PDF
+
+PhpSpreadsheet 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, ...
+
+### \PhpOffice\PhpSpreadsheet\Writer\Pdf
+
+PhpSpreadsheet’s PDF Writer is a wrapper for a 3rd-Party PDF Rendering
+library such as TCPDF, mPDF or Dompdf. You must now install a PDF
+rendering library yourself; but PhpSpreadsheet will work with a number
+of different libraries.
+
+Currently, the following libraries are supported:
+
+Library | Downloadable from | PhpSpreadsheet writer
+--------|-------------------------------------|----------------------
+TCPDF | https://github.com/tecnickcom/tcpdf | Tcpdf
+mPDF | https://github.com/mpdf/mpdf | Mpdf
+Dompdf | https://github.com/dompdf/dompdf | Dompdf
+
+The different libraries have different strengths and weaknesses. Some
+generate better formatted output than others, some are faster or use
+less memory than others, while some generate smaller .pdf files. It is
+the developers choice which one they wish to use, appropriate to their
+own circumstances.
+
+You can instantiate a writer with its specific name, like so:
+
+``` php
+$writer = \PhpOffice\PhpSpreadsheet\IOFactory::createWriter($spreadsheet, 'Mpdf');
+```
+
+Or you can register which writer you are using with a more generic name,
+so you don't need to remember which library you chose, only that you want
+to write PDF files:
+
+``` php
+$class = \PhpOffice\PhpSpreadsheet\Writer\Pdf\Mpdf::class;
+\PhpOffice\PhpSpreadsheet\IOFactory::registerWriter('Pdf', $class);
+$writer = \PhpOffice\PhpSpreadsheet\IOFactory::createWriter($spreadsheet, 'Pdf');
+```
+
+Or you can instantiate directly the writer of your choice like so:
+
+``` php
+$writer = \PhpOffice\PhpSpreadsheet\Writer\Pdf\Mpdf($spreadsheet);
+```
+
+#### Custom implementation or configuration
+
+If you need a custom implementation, or custom configuration, of a supported
+PDF library. You can extends the PDF library, and the PDF writer like so:
+
+``` php
+class My_Custom_TCPDF extends TCPDF
+{
+ // ...
+}
+
+class My_Custom_TCPDF_Writer extends \PhpOffice\PhpSpreadsheet\Writer\Pdf\Tcpdf
+{
+ protected function createExternalWriterInstance($orientation, $unit, $paperSize)
+ {
+ $instance = new My_Custom_TCPDF($orientation, $unit, $paperSize);
+
+ // more configuration of $instance
+
+ return $instance;
+ }
+}
+
+\PhpOffice\PhpSpreadsheet\IOFactory::registerWriter('Pdf', MY_TCPDF_WRITER::class);
+```
+
+#### Writing a spreadsheet
+
+Once you have identified the Renderer that you wish to use for PDF
+generation, you can write a .pdf file using the following code:
+
+``` php
+$writer = new \PhpOffice\PhpSpreadsheet\Writer\Pdf\Mpdf($spreadsheet);
+$writer->save("05featuredemo.pdf");
+```
+
+Please note that `\PhpOffice\PhpSpreadsheet\Writer\Pdf` only outputs the
+first worksheet by default.
+
+#### Write all worksheets
+
+PDF files can contain one or more worksheets. If you want to write all
+sheets into a single PDF file, use the following code:
+
+``` php
+$writer->writeAllSheets();
+```
+
+#### Write a specific worksheet
+
+PDF files can contain one or more worksheets. Therefore, you can specify
+which sheet to write to PDF:
+
+``` php
+$writer->setSheetIndex(0);
+```
+
+#### 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:
+
+``` php
+$writer = new \PhpOffice\PhpSpreadsheet\Writer\Pdf\Mpdf($spreadsheet);
+$writer->setPreCalculateFormulas(false);
+
+$writer->save("05featuredemo.pdf");
+```
+
+#### Decimal and thousands separators
+
+See section `\PhpOffice\PhpSpreadsheet\Writer\Csv` how to control the
+appearance of these.
+
+## Generating Excel files from templates (read, modify, write)
+
+Readers and writers are the tools that allow you to generate Excel files
+from templates. This requires less coding effort than generating the
+Excel file from scratch, especially if your template has many styles,
+page setup properties, headers etc.
+
+Here is an example how to open a template file, fill in a couple of
+fields and save it again:
+
+``` php
+$spreadsheet = \PhpOffice\PhpSpreadsheet\IOFactory::load('template.xlsx');
+
+$worksheet = $spreadsheet->getActiveSheet();
+
+$worksheet->getCell('A1')->setValue('John');
+$worksheet->getCell('A2')->setValue('Smith');
+
+$writer = \PhpOffice\PhpSpreadsheet\IOFactory::createWriter($spreadsheet, 'Xls');
+$writer->save('write.xls');
+```
+
+Notice that it is ok to load an xlsx file and generate an xls file.
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/reading-files.md b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/reading-files.md
new file mode 100755
index 0000000..2026eec
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/reading-files.md
@@ -0,0 +1,688 @@
+# Reading Files
+
+## Security
+
+XML-based formats such as OfficeOpen XML, Excel2003 XML, OASIS and
+Gnumeric are susceptible to XML External Entity Processing (XXE)
+injection attacks when reading spreadsheet files. This can lead to:
+
+- Disclosure whether a file is existent
+- Server Side Request Forgery
+- Command Execution (depending on the installed PHP wrappers)
+
+To prevent this, by default every XML-based Reader looks for XML
+entities declared inside the DOCTYPE and if any is found an exception
+is raised.
+
+Read more [about of XXE injection](https://websec.io/2012/08/27/Preventing-XXE-in-PHP.html).
+
+## Loading a Spreadsheet File
+
+The simplest way to load a workbook file is to let PhpSpreadsheet's IO
+Factory identify the file type and load it, calling the static `load()`
+method of the `\PhpOffice\PhpSpreadsheet\IOFactory` class.
+
+``` php
+$inputFileName = './sampleData/example1.xls';
+
+/** Load $inputFileName to a Spreadsheet Object **/
+$spreadsheet = \PhpOffice\PhpSpreadsheet\IOFactory::load($inputFileName);
+```
+
+See `samples/Reader/01_Simple_file_reader_using_IOFactory.php` for a working
+example of this code.
+
+The `load()` method will attempt to identify the file type, and
+instantiate a loader for that file type; using it to load the file and
+store the data and any formatting in a `Spreadsheet` object.
+
+The method makes an initial guess at the loader to instantiate based on
+the file extension; but will test the file before actually executing the
+load: so if (for example) the file is actually a CSV file or contains
+HTML markup, but that has been given a .xls extension (quite a common
+practise), it will reject the Xls loader that it would normally use for
+a .xls file; and test the file using the other loaders until it finds
+the appropriate loader, and then use that to read the file.
+
+While easy to implement in your code, and you don't need to worry about
+the file type; this isn't the most efficient method to load a file; and
+it lacks the flexibility to configure the loader in any way before
+actually reading the file into a `Spreadsheet` object.
+
+## Creating a Reader and Loading a Spreadsheet File
+
+If you know the file type of the spreadsheet file that you need to load,
+you can instantiate a new reader object for that file type, then use the
+reader's `load()` method to read the file to a `Spreadsheet` object. It is
+possible to instantiate the reader objects for each of the different
+supported filetype by name. However, you may get unpredictable results
+if the file isn't of the right type (e.g. it is a CSV with an extension
+of .xls), although this type of exception should normally be trapped.
+
+``` php
+$inputFileName = './sampleData/example1.xls';
+
+/** Create a new Xls Reader **/
+$reader = new \PhpOffice\PhpSpreadsheet\Reader\Xls();
+// $reader = new \PhpOffice\PhpSpreadsheet\Reader\Xlsx();
+// $reader = new \PhpOffice\PhpSpreadsheet\Reader\Xml();
+// $reader = new \PhpOffice\PhpSpreadsheet\Reader\Ods();
+// $reader = new \PhpOffice\PhpSpreadsheet\Reader\Slk();
+// $reader = new \PhpOffice\PhpSpreadsheet\Reader\Gnumeric();
+// $reader = new \PhpOffice\PhpSpreadsheet\Reader\Csv();
+/** Load $inputFileName to a Spreadsheet Object **/
+$spreadsheet = $reader->load($inputFileName);
+```
+
+See `samples/Reader/02_Simple_file_reader_using_a_specified_reader.php`
+for a working example of this code.
+
+Alternatively, you can use the IO Factory's `createReader()` method to
+instantiate the reader object for you, simply telling it the file type
+of the reader that you want instantiating.
+
+``` php
+$inputFileType = 'Xls';
+// $inputFileType = 'Xlsx';
+// $inputFileType = 'Xml';
+// $inputFileType = 'Ods';
+// $inputFileType = 'Slk';
+// $inputFileType = 'Gnumeric';
+// $inputFileType = 'Csv';
+$inputFileName = './sampleData/example1.xls';
+
+/** Create a new Reader of the type defined in $inputFileType **/
+$reader = \PhpOffice\PhpSpreadsheet\IOFactory::createReader($inputFileType);
+/** Load $inputFileName to a Spreadsheet Object **/
+$spreadsheet = $reader->load($inputFileName);
+```
+
+See `samples/Reader/03_Simple_file_reader_using_the_IOFactory_to_return_a_reader.php`
+for a working example of this code.
+
+If you're uncertain of the filetype, you can use the `IOFactory::identify()`
+method to identify the reader that you need, before using the
+`createReader()` method to instantiate the reader object.
+
+``` php
+$inputFileName = './sampleData/example1.xls';
+
+/** Identify the type of $inputFileName **/
+$inputFileType = \PhpOffice\PhpSpreadsheet\IOFactory::identify($inputFileName);
+/** Create a new Reader of the type that has been identified **/
+$reader = \PhpOffice\PhpSpreadsheet\IOFactory::createReader($inputFileType);
+/** Load $inputFileName to a Spreadsheet Object **/
+$spreadsheet = $reader->load($inputFileName);
+```
+
+See `samples/Reader/04_Simple_file_reader_using_the_IOFactory_to_identify_a_reader_to_use.php`
+for a working example of this code.
+
+## Spreadsheet Reader Options
+
+Once you have created a reader object for the workbook that you want to
+load, you have the opportunity to set additional options before
+executing the `load()` method.
+
+### Reading Only Data from a Spreadsheet File
+
+If you're only interested in the cell values in a workbook, but don't
+need any of the cell formatting information, then you can set the reader
+to read only the data values and any formulae from each cell using the
+`setReadDataOnly()` method.
+
+``` php
+$inputFileType = 'Xls';
+$inputFileName = './sampleData/example1.xls';
+
+/** Create a new Reader of the type defined in $inputFileType **/
+$reader = \PhpOffice\PhpSpreadsheet\IOFactory::createReader($inputFileType);
+/** Advise the Reader that we only want to load cell data **/
+$reader->setReadDataOnly(true);
+/** Load $inputFileName to a Spreadsheet Object **/
+$spreadsheet = $reader->load($inputFileName);
+```
+
+See `samples/Reader/05_Simple_file_reader_using_the_read_data_only_option.php`
+for a working example of this code.
+
+It is important to note that Workbooks (and PhpSpreadsheet) store dates
+and times as simple numeric values: they can only be distinguished from
+other numeric values by the format mask that is applied to that cell.
+When setting read data only to true, PhpSpreadsheet doesn't read the
+cell format masks, so it is not possible to differentiate between
+dates/times and numbers.
+
+The Gnumeric loader has been written to read the format masks for date
+values even when read data only has been set to true, so it can
+differentiate between dates/times and numbers; but this change hasn't
+yet been implemented for the other readers.
+
+Reading Only Data from a Spreadsheet File applies to Readers:
+
+Reader | Y/N |Reader | Y/N |Reader | Y/N |
+----------|:---:|--------|:---:|--------------|:---:|
+Xlsx | YES | Xls | YES | Xml | YES |
+Ods | YES | SYLK | NO | Gnumeric | YES |
+CSV | NO | HTML | NO
+
+### Reading Only Named WorkSheets from a File
+
+If your workbook contains a number of worksheets, but you are only
+interested in reading some of those, then you can use the
+`setLoadSheetsOnly()` method to identify those sheets you are interested
+in reading.
+
+To read a single sheet, you can pass that sheet name as a parameter to
+the `setLoadSheetsOnly()` method.
+
+``` php
+$inputFileType = 'Xls';
+$inputFileName = './sampleData/example1.xls';
+$sheetname = 'Data Sheet #2';
+
+/** Create a new Reader of the type defined in $inputFileType **/
+$reader = \PhpOffice\PhpSpreadsheet\IOFactory::createReader($inputFileType);
+/** Advise the Reader of which WorkSheets we want to load **/
+$reader->setLoadSheetsOnly($sheetname);
+/** Load $inputFileName to a Spreadsheet Object **/
+$spreadsheet = $reader->load($inputFileName);
+```
+
+See `samples/Reader/07_Simple_file_reader_loading_a_single_named_worksheet.php`
+for a working example of this code.
+
+If you want to read more than just a single sheet, you can pass a list
+of sheet names as an array parameter to the `setLoadSheetsOnly()` method.
+
+``` php
+$inputFileType = 'Xls';
+$inputFileName = './sampleData/example1.xls';
+$sheetnames = array('Data Sheet #1','Data Sheet #3');
+
+/** Create a new Reader of the type defined in $inputFileType **/
+$reader = \PhpOffice\PhpSpreadsheet\IOFactory::createReader($inputFileType);
+/** Advise the Reader of which WorkSheets we want to load **/
+$reader->setLoadSheetsOnly($sheetnames);
+/** Load $inputFileName to a Spreadsheet Object **/
+$spreadsheet = $reader->load($inputFileName);
+```
+
+See `samples/Reader/08_Simple_file_reader_loading_several_named_worksheets.php`
+for a working example of this code.
+
+To reset this option to the default, you can call the `setLoadAllSheets()`
+method.
+
+``` php
+$inputFileType = 'Xls';
+$inputFileName = './sampleData/example1.xls';
+
+/** Create a new Reader of the type defined in $inputFileType **/
+$reader = \PhpOffice\PhpSpreadsheet\IOFactory::createReader($inputFileType);
+/** Advise the Reader to load all Worksheets **/
+$reader->setLoadAllSheets();
+/** Load $inputFileName to a Spreadsheet Object **/
+$spreadsheet = $reader->load($inputFileName);
+```
+
+See `samples/Reader/06_Simple_file_reader_loading_all_worksheets.php` for a
+working example of this code.
+
+Reading Only Named WorkSheets from a File applies to Readers:
+
+Reader | Y/N |Reader | Y/N |Reader | Y/N |
+----------|:---:|--------|:---:|--------------|:---:|
+Xlsx | YES | Xls | YES | Xml | YES |
+Ods | YES | SYLK | NO | Gnumeric | YES |
+CSV | NO | HTML | NO
+
+### Reading Only Specific Columns and Rows from a File (Read Filters)
+
+If you are only interested in reading part of a worksheet, then you can
+write a filter class that identifies whether or not individual cells
+should be read by the loader. A read filter must implement the
+`\PhpOffice\PhpSpreadsheet\Reader\IReadFilter` interface, and contain a
+`readCell()` method that accepts arguments of `$column`, `$row` and
+`$worksheetName`, and return a boolean true or false that indicates
+whether a workbook cell identified by those arguments should be read or
+not.
+
+``` php
+$inputFileType = 'Xls';
+$inputFileName = './sampleData/example1.xls';
+$sheetname = 'Data Sheet #3';
+
+/** Define a Read Filter class implementing \PhpOffice\PhpSpreadsheet\Reader\IReadFilter */
+class MyReadFilter implements \PhpOffice\PhpSpreadsheet\Reader\IReadFilter
+{
+ public function readCell($column, $row, $worksheetName = '') {
+ // Read rows 1 to 7 and columns A to E only
+ if ($row >= 1 && $row <= 7) {
+ if (in_array($column,range('A','E'))) {
+ return true;
+ }
+ }
+ return false;
+ }
+}
+
+/** Create an Instance of our Read Filter **/
+$filterSubset = new MyReadFilter();
+
+/** Create a new Reader of the type defined in $inputFileType **/
+$reader = \PhpOffice\PhpSpreadsheet\IOFactory::createReader($inputFileType);
+/** Tell the Reader that we want to use the Read Filter **/
+$reader->setReadFilter($filterSubset);
+/** Load only the rows and columns that match our filter to Spreadsheet **/
+$spreadsheet = $reader->load($inputFileName);
+```
+
+See `samples/Reader/09_Simple_file_reader_using_a_read_filter.php` for a
+working example of this code.
+
+This example is not particularly useful, because it can only be used in
+a very specific circumstance (when you only want cells in the range
+A1:E7 from your worksheet. A generic Read Filter would probably be more
+useful:
+
+``` php
+/** Define a Read Filter class implementing \PhpOffice\PhpSpreadsheet\Reader\IReadFilter */
+class MyReadFilter implements \PhpOffice\PhpSpreadsheet\Reader\IReadFilter
+{
+ private $startRow = 0;
+ private $endRow = 0;
+ private $columns = array();
+
+ /** Get the list of rows and columns to read */
+ public function __construct($startRow, $endRow, $columns) {
+ $this->startRow = $startRow;
+ $this->endRow = $endRow;
+ $this->columns = $columns;
+ }
+
+ public function readCell($column, $row, $worksheetName = '') {
+ // Only read the rows and columns that were configured
+ if ($row >= $this->startRow && $row <= $this->endRow) {
+ if (in_array($column,$this->columns)) {
+ return true;
+ }
+ }
+ return false;
+ }
+}
+
+/** Create an Instance of our Read Filter, passing in the cell range **/
+$filterSubset = new MyReadFilter(9,15,range('G','K'));
+```
+
+See `samples/Reader/10_Simple_file_reader_using_a_configurable_read_filter.php`
+for a working example of this code.
+
+This can be particularly useful for conserving memory, by allowing you
+to read and process a large workbook in "chunks": an example of this
+usage might be when transferring data from an Excel worksheet to a
+database.
+
+``` php
+$inputFileType = 'Xls';
+$inputFileName = './sampleData/example2.xls';
+
+/** Define a Read Filter class implementing \PhpOffice\PhpSpreadsheet\Reader\IReadFilter */
+class ChunkReadFilter implements \PhpOffice\PhpSpreadsheet\Reader\IReadFilter
+{
+ private $startRow = 0;
+ private $endRow = 0;
+
+ /** Set the list of rows that we want to read */
+ public function setRows($startRow, $chunkSize) {
+ $this->startRow = $startRow;
+ $this->endRow = $startRow + $chunkSize;
+ }
+
+ public function readCell($column, $row, $worksheetName = '') {
+ // Only read the heading row, and the configured rows
+ if (($row == 1) || ($row >= $this->startRow && $row < $this->endRow)) {
+ return true;
+ }
+ return false;
+ }
+}
+
+/** Create a new Reader of the type defined in $inputFileType **/
+$reader = \PhpOffice\PhpSpreadsheet\IOFactory::createReader($inputFileType);
+
+/** Define how many rows we want to read for each "chunk" **/
+$chunkSize = 2048;
+/** Create a new Instance of our Read Filter **/
+$chunkFilter = new ChunkReadFilter();
+
+/** Tell the Reader that we want to use the Read Filter **/
+$reader->setReadFilter($chunkFilter);
+
+/** Loop to read our worksheet in "chunk size" blocks **/
+for ($startRow = 2; $startRow <= 65536; $startRow += $chunkSize) {
+ /** Tell the Read Filter which rows we want this iteration **/
+ $chunkFilter->setRows($startRow,$chunkSize);
+ /** Load only the rows that match our filter **/
+ $spreadsheet = $reader->load($inputFileName);
+ // Do some processing here
+}
+```
+
+See `samples/Reader/12_Reading_a_workbook_in_chunks_using_a_configurable_read_filter_`
+for a working example of this code.
+
+Using Read Filters applies to:
+
+Reader | Y/N |Reader | Y/N |Reader | Y/N |
+----------|:---:|--------|:---:|--------------|:---:|
+Xlsx | YES | Xls | YES | Xml | YES |
+Ods | YES | SYLK | NO | Gnumeric | YES |
+CSV | YES | HTML | NO | | |
+
+### Combining Multiple Files into a Single Spreadsheet Object
+
+While you can limit the number of worksheets that are read from a
+workbook file using the `setLoadSheetsOnly()` method, certain readers also
+allow you to combine several individual "sheets" from different files
+into a single `Spreadsheet` object, where each individual file is a
+single worksheet within that workbook. For each file that you read, you
+need to indicate which worksheet index it should be loaded into using
+the `setSheetIndex()` method of the `$reader`, then use the
+`loadIntoExisting()` method rather than the `load()` method to actually read
+the file into that worksheet.
+
+``` php
+$inputFileType = 'Csv';
+$inputFileNames = array('./sampleData/example1.csv',
+ './sampleData/example2.csv'
+ './sampleData/example3.csv'
+);
+
+/** Create a new Reader of the type defined in $inputFileType **/
+$reader = \PhpOffice\PhpSpreadsheet\IOFactory::createReader($inputFileType);
+
+/** Extract the first named file from the array list **/
+$inputFileName = array_shift($inputFileNames);
+/** Load the initial file to the first worksheet in a `Spreadsheet` Object **/
+$spreadsheet = $reader->load($inputFileName);
+/** Set the worksheet title (to the filename that we've loaded) **/
+$spreadsheet->getActiveSheet()
+ ->setTitle(pathinfo($inputFileName,PATHINFO_BASENAME));
+
+/** Loop through all the remaining files in the list **/
+foreach($inputFileNames as $sheet => $inputFileName) {
+ /** Increment the worksheet index pointer for the Reader **/
+ $reader->setSheetIndex($sheet+1);
+ /** Load the current file into a new worksheet in Spreadsheet **/
+ $reader->loadIntoExisting($inputFileName,$spreadsheet);
+ /** Set the worksheet title (to the filename that we've loaded) **/
+ $spreadsheet->getActiveSheet()
+ ->setTitle(pathinfo($inputFileName,PATHINFO_BASENAME));
+}
+```
+
+See `samples/Reader/13_Simple_file_reader_for_multiple_CSV_files.php` for a
+working example of this code.
+
+Note that using the same sheet index for multiple sheets won't append
+files into the same sheet, but overwrite the results of the previous
+load. You cannot load multiple CSV files into the same worksheet.
+
+Combining Multiple Files into a Single Spreadsheet Object applies to:
+
+Reader | Y/N |Reader | Y/N |Reader | Y/N |
+----------|:---:|--------|:---:|--------------|:---:|
+Xlsx | NO | Xls | NO | Xml | NO |
+Ods | NO | SYLK | YES | Gnumeric | NO |
+CSV | YES | HTML | NO
+
+### Combining Read Filters with the `setSheetIndex()` method to split a large CSV file across multiple Worksheets
+
+An Xls BIFF .xls file is limited to 65536 rows in a worksheet, while the
+Xlsx Microsoft Office Open XML SpreadsheetML .xlsx file is limited to
+1,048,576 rows in a worksheet; but a CSV file is not limited other than
+by available disk space. This means that we wouldn’t ordinarily be able
+to read all the rows from a very large CSV file that exceeded those
+limits, and save it as an Xls or Xlsx file. However, by using Read
+Filters to read the CSV file in "chunks" (using the ChunkReadFilter
+Class that we defined in [the above section](#reading-only-specific-columns-and-rows-from-a-file-read-filters),
+and the `setSheetIndex()` method of the `$reader`, we can split the CSV
+file across several individual worksheets.
+
+``` php
+$inputFileType = 'Csv';
+$inputFileName = './sampleData/example2.csv';
+
+echo 'Loading file ',pathinfo($inputFileName,PATHINFO_BASENAME),' using IOFactory with a defined reader type of ',$inputFileType,' ';
+/** Create a new Reader of the type defined in $inputFileType **/
+$reader = \PhpOffice\PhpSpreadsheet\IOFactory::createReader($inputFileType);
+
+/** Define how many rows we want to read for each "chunk" **/
+$chunkSize = 65530;
+/** Create a new Instance of our Read Filter **/
+$chunkFilter = new ChunkReadFilter();
+
+/** Tell the Reader that we want to use the Read Filter **/
+/** and that we want to store it in contiguous rows/columns **/
+
+$reader->setReadFilter($chunkFilter)
+ ->setContiguous(true);
+
+/** Instantiate a new Spreadsheet object manually **/
+$spreadsheet = new \PhpOffice\PhpSpreadsheet\Spreadsheet();
+
+/** Set a sheet index **/
+$sheet = 0;
+/** Loop to read our worksheet in "chunk size" blocks **/
+/** $startRow is set to 2 initially because we always read the headings in row #1 **/
+for ($startRow = 2; $startRow <= 1000000; $startRow += $chunkSize) {
+ /** Tell the Read Filter which rows we want to read this loop **/
+ $chunkFilter->setRows($startRow,$chunkSize);
+
+ /** Increment the worksheet index pointer for the Reader **/
+ $reader->setSheetIndex($sheet);
+ /** Load only the rows that match our filter into a new worksheet **/
+ $reader->loadIntoExisting($inputFileName,$spreadsheet);
+ /** Set the worksheet title for the sheet that we've justloaded) **/
+ /** and increment the sheet index as well **/
+ $spreadsheet->getActiveSheet()->setTitle('Country Data #'.(++$sheet));
+}
+```
+
+See `samples/Reader/14_Reading_a_large_CSV_file_in_chunks_to_split_across_multiple_worksheets.php`
+for a working example of this code.
+
+This code will read 65,530 rows at a time from the CSV file that we’re
+loading, and store each "chunk" in a new worksheet.
+
+The `setContiguous()` method for the Reader is important here. It is
+applicable only when working with a Read Filter, and identifies whether
+or not the cells should be stored by their position within the CSV file,
+or their position relative to the filter.
+
+For example, if the filter returned true for cells in the range B2:C3,
+then with setContiguous set to false (the default) these would be loaded
+as B2:C3 in the `Spreadsheet` object; but with setContiguous set to
+true, they would be loaded as A1:B2.
+
+Splitting a single loaded file across multiple worksheets applies to:
+
+Reader | Y/N |Reader | Y/N |Reader | Y/N |
+----------|:---:|--------|:---:|--------------|:---:|
+Xlsx | NO | Xls | NO | Xml | NO |
+Ods | NO | SYLK | NO | Gnumeric | NO |
+CSV | YES | HTML | NO
+
+### Pipe or Tab Separated Value Files
+
+The CSV loader will attempt to auto-detect the separator used in the file. If it
+cannot auto-detect, it will default to the comma. If this does not fit your
+use-case, you can manually specify a separator by using the `setDelimiter()`
+method.
+
+``` php
+$inputFileType = 'Csv';
+$inputFileName = './sampleData/example1.tsv';
+
+/** Create a new Reader of the type defined in $inputFileType **/
+$reader = \PhpOffice\PhpSpreadsheet\IOFactory::createReader($inputFileType);
+/** Set the delimiter to a TAB character **/
+$reader->setDelimiter("\t");
+// $reader->setDelimiter('|');
+
+/** Load the file to a Spreadsheet Object **/
+$spreadsheet = $reader->load($inputFileName);
+```
+
+See `samples/Reader/15_Simple_file_reader_for_tab_separated_value_file_using_the_Advanced_Value_Binder.php`
+for a working example of this code.
+
+In addition to the delimiter, you can also use the following methods to
+set other attributes for the data load:
+
+Method | Default
+-------------------|----------
+setEnclosure() | `"`
+setInputEncoding() | `UTF-8`
+
+Setting CSV delimiter applies to:
+
+Reader | Y/N |Reader | Y/N |Reader | Y/N |
+----------|:---:|--------|:---:|--------------|:---:|
+Xlsx | NO | Xls | NO | Xml | NO |
+Ods | NO | SYLK | NO | Gnumeric | NO |
+CSV | YES | HTML | NO
+
+### A Brief Word about the Advanced Value Binder
+
+When loading data from a file that contains no formatting information,
+such as a CSV file, then data is read either as strings or numbers
+(float or integer). This means that PhpSpreadsheet does not
+automatically recognise dates/times (such as `16-Apr-2009` or `13:30`),
+booleans (`true` or `false`), percentages (`75%`), hyperlinks
+(`https://www.example.com`), etc as anything other than simple strings.
+However, you can apply additional processing that is executed against
+these values during the load process within a Value Binder.
+
+A Value Binder is a class that implement the
+`\PhpOffice\PhpSpreadsheet\Cell\IValueBinder` interface. It must contain a
+`bindValue()` method that accepts a `\PhpOffice\PhpSpreadsheet\Cell\Cell` and a
+value as arguments, and return a boolean `true` or `false` that indicates
+whether the workbook cell has been populated with the value or not. The
+Advanced Value Binder implements such a class: amongst other tests, it
+identifies a string comprising "TRUE" or "FALSE" (based on locale
+settings) and sets it to a boolean; or a number in scientific format
+(e.g. "1.234e-5") and converts it to a float; or dates and times,
+converting them to their Excel timestamp value – before storing the
+value in the cell object. It also sets formatting for strings that are
+identified as dates, times or percentages. It could easily be extended
+to provide additional handling (including text or cell formatting) when
+it encountered a hyperlink, or HTML markup within a CSV file.
+
+So using a Value Binder allows a great deal more flexibility in the
+loader logic when reading unformatted text files.
+
+``` php
+/** Tell PhpSpreadsheet that we want to use the Advanced Value Binder **/
+\PhpOffice\PhpSpreadsheet\Cell\Cell::setValueBinder( new \PhpOffice\PhpSpreadsheet\Cell\AdvancedValueBinder() );
+
+$inputFileType = 'Csv';
+$inputFileName = './sampleData/example1.tsv';
+
+$reader = \PhpOffice\PhpSpreadsheet\IOFactory::createReader($inputFileType);
+$reader->setDelimiter("\t");
+$spreadsheet = $reader->load($inputFileName);
+```
+
+See `samples/Reader/15_Simple_file_reader_for_tab_separated_value_file_using_the_Advanced_Value_Binder.php`
+for a working example of this code.
+
+Loading using a Value Binder applies to:
+
+Reader | Y/N |Reader | Y/N |Reader | Y/N
+----------|:---:|--------|:---:|--------------|:---:
+Xlsx | NO | Xls | NO | Xml | NO
+Ods | NO | SYLK | NO | Gnumeric | NO
+CSV | YES | HTML | YES
+
+## Error Handling
+
+Of course, you should always apply some error handling to your scripts
+as well. PhpSpreadsheet throws exceptions, so you can wrap all your code
+that accesses the library methods within Try/Catch blocks to trap for
+any problems that are encountered, and deal with them in an appropriate
+manner.
+
+The PhpSpreadsheet Readers throw a
+`\PhpOffice\PhpSpreadsheet\Reader\Exception`.
+
+``` php
+$inputFileName = './sampleData/example-1.xls';
+
+try {
+ /** Load $inputFileName to a Spreadsheet Object **/
+ $spreadsheet = \PhpOffice\PhpSpreadsheet\IOFactory::load($inputFileName);
+} catch(\PhpOffice\PhpSpreadsheet\Reader\Exception $e) {
+ die('Error loading file: '.$e->getMessage());
+}
+```
+
+See `samples/Reader/16_Handling_loader_exceptions_using_TryCatch.php` for a
+working example of this code.
+
+## Helper Methods
+
+You can retrieve a list of worksheet names contained in a file without
+loading the whole file by using the Reader’s `listWorksheetNames()`
+method; similarly, a `listWorksheetInfo()` method will retrieve the
+dimensions of worksheet in a file without needing to load and parse the
+whole file.
+
+### listWorksheetNames
+
+The `listWorksheetNames()` method returns a simple array listing each
+worksheet name within the workbook:
+
+``` php
+$reader = \PhpOffice\PhpSpreadsheet\IOFactory::createReader($inputFileType);
+
+$worksheetNames = $reader->listWorksheetNames($inputFileName);
+
+echo '
';
+}
+echo '';
+```
+
+See `samples/Reader/18_Reading_list_of_worksheets_without_loading_entire_file.php`
+for a working example of this code.
+
+### listWorksheetInfo
+
+The `listWorksheetInfo()` method returns a nested array, with each entry
+listing the name and dimensions for a worksheet:
+
+``` php
+$reader = \PhpOffice\PhpSpreadsheet\IOFactory::createReader($inputFileType);
+
+$worksheetData = $reader->listWorksheetInfo($inputFileName);
+
+echo '
';
+}
+echo '';
+```
+
+See `samples/Reader/19_Reading_worksheet_information_without_loading_entire_file.php`
+for a working example of this code.
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/recipes.md b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/recipes.md
new file mode 100755
index 0000000..6e15690
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/recipes.md
@@ -0,0 +1,1506 @@
+# Recipes
+
+The following pages offer you some widely-used PhpSpreadsheet recipes.
+Please note that these do NOT offer complete documentation on specific
+PhpSpreadsheet API functions, but just a bump to get you started. If you
+need specific API functions, please refer to the API documentation.
+
+For example, [setting a worksheet's page orientation and size
+](#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 PhpSpreadsheet API documentation.
+
+## Setting a spreadsheet's metadata
+
+PhpSpreadsheet allows an easy way to set a spreadsheet's 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:
+
+``` php
+$spreadsheet->getProperties()
+ ->setCreator("Maarten Balliauw")
+ ->setLastModifiedBy("Maarten Balliauw")
+ ->setTitle("Office 2007 XLSX Test Document")
+ ->setSubject("Office 2007 XLSX Test Document")
+ ->setDescription(
+ "Test document for Office 2007 XLSX, generated using PHP classes."
+ )
+ ->setKeywords("office 2007 openxml php")
+ ->setCategory("Test result file");
+```
+
+## Setting a spreadsheet's active sheet
+
+The following line of code sets the active sheet index to the first
+sheet:
+
+``` php
+$spreadsheet->setActiveSheetIndex(0);
+```
+
+You can also set the active sheet by its name/title
+
+``` php
+$spreadsheet->setActiveSheetIndexByName('DataSheet')
+```
+
+will change the currently active sheet to the worksheet called
+"DataSheet".
+
+## Write a date or time into a cell
+
+In Excel, dates and Times 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.
+Likewise, '3:15 AM' is represented as 0.135417.
+
+PhpSpreadsheet works with UST (Universal Standard Time) date and Time
+values, but does no internal conversions; so it is up to the developer
+to ensure that values passed to the date/time conversion functions are
+UST.
+
+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:
+
+``` php
+
+// MySQL-like timestamp '2008-12-31' or date string
+\PhpOffice\PhpSpreadsheet\Cell\Cell::setValueBinder( new \PhpOffice\PhpSpreadsheet\Cell\AdvancedValueBinder() );
+
+$spreadsheet->getActiveSheet()
+ ->setCellValue('D1', '2008-12-31');
+
+$spreadsheet->getActiveSheet()->getStyle('D1')
+ ->getNumberFormat()
+ ->setFormatCode(\PhpOffice\PhpSpreadsheet\Style\NumberFormat::FORMAT_DATE_YYYYMMDDSLASH);
+
+// PHP-time (Unix time)
+$time = gmmktime(0,0,0,12,31,2008); // int(1230681600)
+$spreadsheet->getActiveSheet()
+ ->setCellValue('D1', \PhpOffice\PhpSpreadsheet\Shared\Date::PHPToExcel($time));
+$spreadsheet->getActiveSheet()->getStyle('D1')
+ ->getNumberFormat()
+ ->setFormatCode(\PhpOffice\PhpSpreadsheet\Style\NumberFormat::FORMAT_DATE_YYYYMMDDSLASH);
+
+// Excel-date/time
+$spreadsheet->getActiveSheet()->setCellValue('D1', 39813)
+$spreadsheet->getActiveSheet()->getStyle('D1')
+ ->getNumberFormat()
+ ->setFormatCode(\PhpOffice\PhpSpreadsheet\Style\NumberFormat::FORMAT_DATE_YYYYMMDDSLASH);
+```
+
+The above methods for entering a date all yield the same result.
+`\PhpOffice\PhpSpreadsheet\Style\NumberFormat` provides a lot of
+pre-defined date formats.
+
+The `\PhpOffice\PhpSpreadsheet\Shared\Date::PHPToExcel()` method will also
+work with a PHP DateTime object.
+
+Similarly, times (or date and time values) can be entered in the same
+fashion: just remember to use an appropriate format code.
+
+**Note:**
+
+See section "Using value binders to facilitate data entry" to learn more
+about the AdvancedValueBinder used in the first example. 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 PhpSpreadsheet.
+
+## Write a formula into a cell
+
+Inside the Excel file, formulas are always stored as they would appear
+in an English version of Microsoft Office Excel, and PhpSpreadsheet
+handles all formulae internally in this format. This means that the
+following rules hold:
+
+- Decimal separator is `.` (period)
+- Function argument separator is `,` (comma)
+- Matrix row separator is `;` (semicolon)
+- English function names must be used
+
+This is regardless of which language version of Microsoft Office Excel
+may have been used to create the Excel file.
+
+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 PhpSpreadsheet recognise this as a
+formula.
+
+``` php
+$spreadsheet->getActiveSheet()->setCellValue('B8','=IF(C4>500,"profit","loss")');
+```
+
+If you want to write a string beginning with an `=` character to a
+cell, then you should use the `setCellValueExplicit()` method.
+
+``` php
+$spreadsheet->getActiveSheet()
+ ->setCellValueExplicit(
+ 'B8',
+ '=IF(C4>500,"profit","loss")',
+ \PhpOffice\PhpSpreadsheet\Cell\DataType::TYPE_STRING
+ );
+```
+
+A cell's formula can be read again using the following line of code:
+
+``` php
+$formula = $spreadsheet->getActiveSheet()->getCell('B8')->getValue();
+```
+
+If you need the calculated value of a cell, use the following code. This
+is further explained in [the calculation engine](./calculation-engine.md).
+
+``` php
+$value = $spreadsheet->getActiveSheet()->getCell('B8')->getCalculatedValue();
+```
+
+## Locale Settings for Formulae
+
+Some localisation elements have been included in PhpSpreadsheet. You can
+set a locale by changing the settings. To set the locale to Russian you
+would use:
+
+``` php
+$locale = 'ru';
+$validLocale = \PhpOffice\PhpSpreadsheet\Settings::setLocale($locale);
+if (!$validLocale) {
+ echo 'Unable to set locale to '.$locale." - reverting to en_us \n";
+}
+```
+
+If Russian language files aren't available, the `setLocale()` method
+will return an error, and English settings will be used throughout.
+
+Once you have set a locale, you can translate a formula from its
+internal English coding.
+
+``` php
+$formula = $spreadsheet->getActiveSheet()->getCell('B8')->getValue();
+$translatedFormula = \PhpOffice\PhpSpreadsheet\Calculation::getInstance()->_translateFormulaToLocale($formula);
+```
+
+You can also create a formula using the function names and argument
+separators appropriate to the defined locale; then translate it to
+English before setting the cell value:
+
+``` php
+$formula = '=ДНЕЙ360(ДАТА(2010;2;5);ДАТА(2010;12;31);ИСТИНА)';
+$internalFormula = \PhpOffice\PhpSpreadsheet\Calculation::getInstance()->translateFormulaToEnglish($formula);
+$spreadsheet->getActiveSheet()->setCellValue('B8',$internalFormula);
+```
+
+Currently, formula translation only translates the function names, the
+constants TRUE and FALSE, and the function argument separators.
+
+At present, the following locale settings are supported:
+
+Language | | Locale Code
+---------------------|----------------------|-------------
+Czech | Ceština | cs
+Danish | Dansk | da
+German | Deutsch | de
+Spanish | Español | es
+Finnish | Suomi | fi
+French | Français | fr
+Hungarian | Magyar | hu
+Italian | Italiano | it
+Dutch | Nederlands | nl
+Norwegian | Norsk | no
+Polish | Jezyk polski | pl
+Portuguese | Português | pt
+Brazilian Portuguese | Português Brasileiro | pt_br
+Russian | русский язык | ru
+Swedish | Svenska | sv
+Turkish | Türkçe | tr
+
+## Write a newline character "\n" in a cell (ALT+"Enter")
+
+In Microsoft Office Excel you get a line break in a cell by hitting
+ALT+"Enter". When you do that, it automatically turns on "wrap text" for
+the cell.
+
+Here is how to achieve this in PhpSpreadsheet:
+
+``` php
+$spreadsheet->getActiveSheet()->getCell('A1')->setValue("hello\nworld");
+$spreadsheet->getActiveSheet()->getStyle('A1')->getAlignment()->setWrapText(true);
+```
+
+**Tip**
+
+Read more about formatting cells using `getStyle()` elsewhere.
+
+**Tip**
+
+AdvancedValuebinder.php automatically turns on "wrap text" for the cell
+when it sees a newline character in a string that you are inserting in a
+cell. Just like Microsoft Office Excel. Try this:
+
+``` php
+\PhpOffice\PhpSpreadsheet\Cell\Cell::setValueBinder( new \PhpOffice\PhpSpreadsheet\Cell\AdvancedValueBinder() );
+
+$spreadsheet->getActiveSheet()->getCell('A1')->setValue("hello\nworld");
+```
+
+Read more about AdvancedValueBinder.php elsewhere.
+
+## Explicitly set a cell's datatype
+
+You can set a cell's datatype explicitly by using the cell's
+setValueExplicit method, or the setCellValueExplicit method of a
+worksheet. Here's an example:
+
+``` php
+$spreadsheet->getActiveSheet()->getCell('A1')
+ ->setValueExplicit(
+ '25',
+ \PhpOffice\PhpSpreadsheet\Cell\DataType::TYPE_NUMERIC
+ );
+```
+
+## Change a cell into a clickable URL
+
+You can make a cell a clickable URL by setting its hyperlink property:
+
+``` php
+$spreadsheet->getActiveSheet()->setCellValue('E26', 'www.phpexcel.net');
+$spreadsheet->getActiveSheet()->getCell('E26')->getHyperlink()->setUrl('https://www.example.com');
+```
+
+If you want to make a hyperlink to another worksheet/cell, use the
+following code:
+
+``` php
+$spreadsheet->getActiveSheet()->setCellValue('E26', 'www.phpexcel.net');
+$spreadsheet->getActiveSheet()->getCell('E26')->getHyperlink()->setUrl("sheet://'Sheetname'!A1");
+```
+
+## Setting Printer Options for Excel files
+
+### Setting a worksheet's page orientation and size
+
+Setting a worksheet's page orientation and size can be done using the
+following lines of code:
+
+``` php
+$spreadsheet->getActiveSheet()->getPageSetup()
+ ->setOrientation(\PhpOffice\PhpSpreadsheet\Worksheet\PageSetup::ORIENTATION_LANDSCAPE);
+$spreadsheet->getActiveSheet()->getPageSetup()
+ ->setPaperSize(\PhpOffice\PhpSpreadsheet\Worksheet\PageSetup::PAPERSIZE_A4);
+```
+
+Note that there are additional page settings available. Please refer to
+the API documentation for all possible options.
+
+### Page Setup: Scaling options
+
+The page setup scaling options in PhpSpreadsheet relate directly to the
+scaling options in the "Page Setup" dialog as shown in the illustration.
+
+Default values in PhpSpreadsheet correspond to default values in MS
+Office Excel as shown in illustration
+
+![08-page-setup-scaling-options.png](./images/08-page-setup-scaling-options.png)
+
+method | initial value | calling method will trigger | Note
+--------------------|:-------------:|-----------------------------|------
+setFitToPage(...) | FALSE | - |
+setScale(...) | 100 | setFitToPage(FALSE) |
+setFitToWidth(...) | 1 | setFitToPage(TRUE) | value 0 means do-not-fit-to-width
+setFitToHeight(...) | 1 | setFitToPage(TRUE) | value 0 means do-not-fit-to-height
+
+#### Example
+
+Here is how to fit to 1 page wide by infinite pages tall:
+
+``` php
+$spreadsheet->getActiveSheet()->getPageSetup()->setFitToWidth(1);
+$spreadsheet->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.
+
+### Page margins
+
+To set page margins for a worksheet, use this code:
+
+``` php
+$spreadsheet->getActiveSheet()->getPageMargins()->setTop(1);
+$spreadsheet->getActiveSheet()->getPageMargins()->setRight(0.75);
+$spreadsheet->getActiveSheet()->getPageMargins()->setLeft(0.75);
+$spreadsheet->getActiveSheet()->getPageMargins()->setBottom(1);
+```
+
+Note that the margin values are specified in inches.
+
+![08-page-setup-margins.png](./images/08-page-setup-margins.png)
+
+### Center a page horizontally/vertically
+
+To center a page horizontally/vertically, you can use the following
+code:
+
+``` php
+$spreadsheet->getActiveSheet()->getPageSetup()->setHorizontalCentered(true);
+$spreadsheet->getActiveSheet()->getPageSetup()->setVerticalCentered(false);
+```
+
+### Setting the print header and footer of a worksheet
+
+Setting a worksheet's print header and footer can be done using the
+following lines of code:
+
+``` php
+$spreadsheet->getActiveSheet()->getHeaderFooter()
+ ->setOddHeader('&C&HPlease treat this document as confidential!');
+$spreadsheet->getActiveSheet()->getHeaderFooter()
+ ->setOddFooter('&L&B' . $spreadsheet->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 Xlsx:
+
+Code | Meaning
+-------------------------|-----------
+`&L` | 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" - RGB Color is specified as RRGGBB Theme Color is specifed as TTSNN where TT is the theme color Id, S is either "+" or "-" of the tint/shade value, NN is the tint/shade value.
+`&S` | Code for "text strikethrough" on / off
+`&X` | Code for "text super script" on / off
+`&Y` | Code for "text subscript" on / off
+`&C` | Code for "center section". 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 center section.
+`&D` | Code for "date"
+`&T` | Code for "time"
+`&G` | Code for "picture as background" - Please make sure to add the image to the header/footer (see Tip for picture)
+`&U` | Code for "text single underline"
+`&E` | Code for "double underline"
+`&R` | Code for "right section". 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 right section.
+`&Z` | Code for "this workbook's file path"
+`&F` | Code for "this workbook's file name"
+`&A` | Code for "sheet tab name"
+`&+` | Code for add to page #
+`&-` | Code for subtract from page #
+`&"font name,font type"` | Code for "text font name" and "text font type", where font name and font type are strings specifying the name and type of the font, separated by a comma. When a hyphen appears in font name, it means "none specified". Both of font name and font type can be localized values.
+`&"-,Bold"` | Code for "bold font style"
+`&B` | Code for "bold font style"
+`&"-,Regular"` | Code for "regular font style"
+`&"-,Italic"` | Code for "italic font style"
+`&I` | Code for "italic font style"
+`&"-,Bold Italic"` | Code for "bold italic font style"
+`&O` | Code for "outline style"
+`&H` | Code for "shadow style"
+
+**Tip**
+
+The above table of codes may seem overwhelming first time you are trying to
+figure out how to write some header or footer. Luckily, there is an easier way.
+Let Microsoft Office Excel do the work for you.For example, create in Microsoft
+ Office Excel an xlsx file where you insert the header and footer as desired
+using the programs own interface. Save file as test.xlsx. Now, take that file
+and read off the values using PhpSpreadsheet as follows:
+
+```php
+$spreadsheet = \PhpOffice\PhpSpreadsheet\IOFactory::load('test.xlsx');
+$worksheet = $spreadsheet->getActiveSheet();
+
+var_dump($worksheet->getHeaderFooter()->getOddFooter());
+var_dump($worksheet->getHeaderFooter()->getEvenFooter());
+var_dump($worksheet->getHeaderFooter()->getOddHeader());
+var_dump($worksheet->getHeaderFooter()->getEvenHeader());
+```
+
+That reveals the codes for the even/odd header and footer. Experienced
+users may find it easier to rename test.xlsx to test.zip, unzip it, and
+inspect directly the contents of the relevant xl/worksheets/sheetX.xml
+to find the codes for header/footer.
+
+**Tip for picture**
+
+```php
+$drawing = new \PhpOffice\PhpSpreadsheet\Worksheet\HeaderFooterDrawing();
+$drawing->setName('PhpSpreadsheet logo');
+$drawing->setPath('./images/PhpSpreadsheet_logo.png');
+$drawing->setHeight(36);
+$spreadsheet->getActiveSheet()->getHeaderFooter()->addImage($drawing, \PhpOffice\PhpSpreadsheet\Worksheet\HeaderFooter::IMAGE_HEADER_LEFT);
+```
+
+### Setting printing breaks on a row or column
+
+To set a print break, use the following code, which sets a row break on
+row 10.
+
+``` php
+$spreadsheet->getActiveSheet()->setBreak( 'A10' , \PhpOffice\PhpSpreadsheet\Worksheet::BREAK_ROW );
+```
+
+The following line of code sets a print break on column D:
+
+``` php
+$spreadsheet->getActiveSheet()->setBreak( 'D10' , \PhpOffice\PhpSpreadsheet\Worksheet::BREAK_COLUMN );
+```
+
+### Show/hide gridlines when printing
+
+To show/hide gridlines when printing, use the following code:
+
+```php
+$spreadsheet->getActiveSheet()->setShowGridlines(true);
+```
+
+### Setting rows/columns to repeat at top/left
+
+PhpSpreadsheet 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:
+
+``` php
+$spreadsheet->getActiveSheet()->getPageSetup()->setRowsToRepeatAtTopByStartAndEnd(1, 5);
+```
+
+### Specify printing area
+
+To specify a worksheet's printing area, use the following code:
+
+``` php
+$spreadsheet->getActiveSheet()->getPageSetup()->setPrintArea('A1:E5');
+```
+
+There can also be multiple printing areas in a single worksheet:
+
+``` php
+$spreadsheet->getActiveSheet()->getPageSetup()->setPrintArea('A1:E5,G4:M20');
+```
+
+## Styles
+
+### 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. Let's do
+that on cell B2:
+
+``` php
+$spreadsheet->getActiveSheet()->getStyle('B2')
+ ->getFont()->getColor()->setARGB(\PhpOffice\PhpSpreadsheet\Style\Color::COLOR_RED);
+$spreadsheet->getActiveSheet()->getStyle('B2')
+ ->getAlignment()->setHorizontal(\PhpOffice\PhpSpreadsheet\Style\Alignment::HORIZONTAL_RIGHT);
+$spreadsheet->getActiveSheet()->getStyle('B2')
+ ->getBorders()->getTop()->setBorderStyle(\PhpOffice\PhpSpreadsheet\Style\Border::BORDER_THICK);
+$spreadsheet->getActiveSheet()->getStyle('B2')
+ ->getBorders()->getBottom()->setBorderStyle(\PhpOffice\PhpSpreadsheet\Style\Border::BORDER_THICK);
+$spreadsheet->getActiveSheet()->getStyle('B2')
+ ->getBorders()->getLeft()->setBorderStyle(\PhpOffice\PhpSpreadsheet\Style\Border::BORDER_THICK);
+$spreadsheet->getActiveSheet()->getStyle('B2')
+ ->getBorders()->getRight()->setBorderStyle(\PhpOffice\PhpSpreadsheet\Style\Border::BORDER_THICK);
+$spreadsheet->getActiveSheet()->getStyle('B2')
+ ->getFill()->setFillType(\PhpOffice\PhpSpreadsheet\Style\Fill::FILL_SOLID);
+$spreadsheet->getActiveSheet()->getStyle('B2')
+ ->getFill()->getStartColor()->setARGB('FFFF0000');
+```
+
+`getStyle()` also accepts a cell range as a parameter. For example, you
+can set a red background color on a range of cells:
+
+``` php
+$spreadsheet->getActiveSheet()->getStyle('B3:B7')->getFill()
+ ->setFillType(\PhpOffice\PhpSpreadsheet\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 cell's style to font bold, alignment right, top border thin and a
+gradient fill:
+
+``` php
+$styleArray = array(
+ 'font' => array(
+ 'bold' => true,
+ ),
+ 'alignment' => array(
+ 'horizontal' => \PhpOffice\PhpSpreadsheet\Style\Alignment::HORIZONTAL_RIGHT,
+ ),
+ 'borders' => array(
+ 'top' => array(
+ 'borderStyle' => \PhpOffice\PhpSpreadsheet\Style\Border::BORDER_THIN,
+ ),
+ ),
+ 'fill' => array(
+ 'fillType' => \PhpOffice\PhpSpreadsheet\Style\Fill::FILL_GRADIENT_LINEAR,
+ 'rotation' => 90,
+ 'startColor' => array(
+ 'argb' => 'FFA0A0A0',
+ ),
+ 'endColor' => array(
+ 'argb' => 'FFFFFFFF',
+ ),
+ ),
+);
+
+$spreadsheet->getActiveSheet()->getStyle('A3')->applyFromArray($styleArray);
+```
+
+Or with a range of cells:
+
+``` php
+$spreadsheet->getActiveSheet()->getStyle('B3:B7')->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.
+
+### 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 PhpSpreadsheet, you can also apply various predefined number formats.
+Example:
+
+``` php
+$spreadsheet->getActiveSheet()->getStyle('A1')->getNumberFormat()
+ ->setFormatCode(\PhpOffice\PhpSpreadsheet\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:
+
+``` php
+$spreadsheet->getActiveSheet()->getStyle('A1')->getNumberFormat()
+ ->setFormatCode('#,##0.00');
+```
+
+In Microsoft Office Excel, as well as in PhpSpreadsheet, you will have
+to interact with raw number format codes whenever you need some special
+custom number format. Example:
+
+``` php
+$spreadsheet->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:
+
+``` php
+$spreadsheet->getActiveSheet()->getCell('A1')->setValue(19);
+$spreadsheet->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 PhpSpreadsheet come to the rescue. Load your
+template workbook using e.g. Xlsx reader to reveal the number format
+code. Example how read a number format code for cell A1:
+
+``` php
+$reader = \PhpOffice\PhpSpreadsheet\IOFactory::createReader('Xlsx');
+$spreadsheet = $reader->load('template.xlsx');
+var_dump($spreadsheet->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*.
+
+### Alignment and wrap text
+
+Let's set vertical alignment to the top for cells A1:D4
+
+``` php
+$spreadsheet->getActiveSheet()->getStyle('A1:D4')
+ ->getAlignment()->setVertical(\PhpOffice\PhpSpreadsheet\Style\Alignment::VERTICAL_TOP);
+```
+
+Here is how to achieve wrap text:
+
+``` php
+$spreadsheet->getActiveSheet()->getStyle('A1:D4')
+ ->getAlignment()->setWrapText(true);
+```
+
+### Setting the default style of a workbook
+
+It is possible to set the default style of a workbook. Let's set the
+default font to Arial size 8:
+
+``` php
+$spreadsheet->getDefaultStyle()->getFont()->setName('Arial');
+$spreadsheet->getDefaultStyle()->getFont()->setSize(8);
+```
+
+### Styling cell borders
+
+In PhpSpreadsheet 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.
+
+``` php
+$styleArray = array(
+ 'borders' => array(
+ 'outline' => array(
+ 'borderStyle' => \PhpOffice\PhpSpreadsheet\Style\Border::BORDER_THICK,
+ 'color' => array('argb' => 'FFFF0000'),
+ ),
+ ),
+);
+
+$worksheet->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:
+
+- left
+- right
+- top
+- bottom
+- diagonal
+
+Additional shortcut borders come in handy like in the example above.
+These are the shortcut borders available:
+
+- allBorders
+- outline
+- inside
+- vertical
+- horizontal
+
+An overview of all border shortcuts can be seen in the following image:
+
+![08-styling-border-options.png](./images/08-styling-border-options.png)
+
+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 PhpSpreadsheet, 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.
+
+### Valid array keys for style `applyFromArray()`
+
+The following table lists the valid array keys for
+`\PhpOffice\PhpSpreadsheet\Style\Style::applyFromArray()` classes. If the "Maps
+to property" column maps a key to a setter, the value provided for that
+key will be applied directly. If the "Maps to property" column maps a
+key to a getter, the value provided for that key will be applied as
+another style array.
+
+**\PhpOffice\PhpSpreadsheet\Style\Style**
+
+Array key | Maps to property
+-------------|-------------------
+fill | getFill()
+font | getFont()
+borders | getBorders()
+alignment | getAlignment()
+numberFormat | getNumberFormat()
+protection | getProtection()
+
+**\PhpOffice\PhpSpreadsheet\Style\Fill**
+
+Array key | Maps to property
+-----------|-------------------
+fillType | setFillType()
+rotation | setRotation()
+startColor | getStartColor()
+endColor | getEndColor()
+color | getStartColor()
+
+**\PhpOffice\PhpSpreadsheet\Style\Font**
+
+Array key | Maps to property
+------------|-------------------
+name | setName()
+bold | setBold()
+italic | setItalic()
+underline | setUnderline()
+strikethrough | setStrikethrough()
+color | getColor()
+size | setSize()
+superscript | setSuperscript()
+subscript | setSubscript()
+
+**\PhpOffice\PhpSpreadsheet\Style\Borders**
+
+Array key | Maps to property
+------------------|-------------------
+allBorders | getLeft(); getRight(); getTop(); getBottom()
+left | getLeft()
+right | getRight()
+top | getTop()
+bottom | getBottom()
+diagonal | getDiagonal()
+vertical | getVertical()
+horizontal | getHorizontal()
+diagonalDirection | setDiagonalDirection()
+outline | setOutline()
+
+**\PhpOffice\PhpSpreadsheet\Style\Border**
+
+Array key | Maps to property
+------------|-------------------
+borderStyle | setBorderStyle()
+color | getColor()
+
+**\PhpOffice\PhpSpreadsheet\Style\Alignment**
+
+Array key | Maps to property
+------------|-------------------
+horizontal | setHorizontal()
+vertical | setVertical()
+textRotation| setTextRotation()
+wrapText | setWrapText()
+shrinkToFit | setShrinkToFit()
+indent | setIndent()
+
+**\PhpOffice\PhpSpreadsheet\Style\NumberFormat**
+
+Array key | Maps to property
+----------|-------------------
+formatCode | setFormatCode()
+
+**\PhpOffice\PhpSpreadsheet\Style\Protection**
+
+Array key | Maps to property
+----------|-------------------
+locked | setLocked()
+hidden | setHidden()
+
+## Conditional formatting a cell
+
+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:
+
+``` php
+$conditional1 = new \PhpOffice\PhpSpreadsheet\Style\Conditional();
+$conditional1->setConditionType(\PhpOffice\PhpSpreadsheet\Style\Conditional::CONDITION_CELLIS);
+$conditional1->setOperatorType(\PhpOffice\PhpSpreadsheet\Style\Conditional::OPERATOR_LESSTHAN);
+$conditional1->addCondition('0');
+$conditional1->getStyle()->getFont()->getColor()->setARGB(\PhpOffice\PhpSpreadsheet\Style\Color::COLOR_RED);
+$conditional1->getStyle()->getFont()->setBold(true);
+
+$conditional2 = new \PhpOffice\PhpSpreadsheet\Style\Conditional();
+$conditional2->setConditionType(\PhpOffice\PhpSpreadsheet\Style\Conditional::CONDITION_CELLIS);
+$conditional2->setOperatorType(\PhpOffice\PhpSpreadsheet\Style\Conditional::OPERATOR_GREATERTHANOREQUAL);
+$conditional2->addCondition('0');
+$conditional2->getStyle()->getFont()->getColor()->setARGB(\PhpOffice\PhpSpreadsheet\Style\Color::COLOR_GREEN);
+$conditional2->getStyle()->getFont()->setBold(true);
+
+$conditionalStyles = $spreadsheet->getActiveSheet()->getStyle('B2')->getConditionalStyles();
+$conditionalStyles[] = $conditional1;
+$conditionalStyles[] = $conditional2;
+
+$spreadsheet->getActiveSheet()->getStyle('B2')->setConditionalStyles($conditionalStyles);
+```
+
+If you want to copy the ruleset to other cells, you can duplicate the
+style object:
+
+``` php
+$spreadsheet->getActiveSheet()
+ ->duplicateStyle(
+ $spreadsheet->getActiveSheet()->getStyle('B2'),
+ 'B3:B7'
+ );
+```
+
+## Add a comment to a cell
+
+To add a comment to a cell, use the following code. The example below
+adds a comment to cell E11:
+
+``` php
+$spreadsheet->getActiveSheet()
+ ->getComment('E11')
+ ->setAuthor('Mark Baker');
+$commentRichText = $spreadsheet->getActiveSheet()
+ ->getComment('E11')
+ ->getText()->createTextRun('PhpSpreadsheet:');
+$commentRichText->getFont()->setBold(true);
+$spreadsheet->getActiveSheet()
+ ->getComment('E11')
+ ->getText()->createTextRun("\r\n");
+$spreadsheet->getActiveSheet()
+ ->getComment('E11')
+ ->getText()->createTextRun('Total amount on the current invoice, excluding VAT.');
+```
+
+![08-cell-comment.png](./images/08-cell-comment.png)
+
+## Apply autofilter to a range of cells
+
+To apply an autofilter to a range of cells, use the following code:
+
+``` php
+$spreadsheet->getActiveSheet()->setAutoFilter('A1:C9');
+```
+
+**Make sure that you always include the complete filter range!** Excel
+does support setting only the captionrow, but that's **not** a best
+practice...
+
+## Setting security on a spreadsheet
+
+Excel offers 3 levels of "protection":
+
+- Document: allows you to set a password on a complete
+spreadsheet, allowing changes to be made only when that password is
+entered.
+- Worksheet: offers other security options: you can
+disallow inserting rows on a specific sheet, disallow sorting, ...
+- Cell: offers the option to lock/unlock a cell as well as show/hide
+the internal formula.
+
+An example on setting document security:
+
+``` php
+$spreadsheet->getSecurity()->setLockWindows(true);
+$spreadsheet->getSecurity()->setLockStructure(true);
+$spreadsheet->getSecurity()->setWorkbookPassword("PhpSpreadsheet");
+```
+
+An example on setting worksheet security:
+
+``` php
+$spreadsheet->getActiveSheet()
+ ->getProtection()->setPassword('PhpSpreadsheet');
+$spreadsheet->getActiveSheet()
+ ->getProtection()->setSheet(true);
+$spreadsheet->getActiveSheet()
+ ->getProtection()->setSort(true);
+$spreadsheet->getActiveSheet()
+ ->getProtection()->setInsertRows(true);
+$spreadsheet->getActiveSheet()
+ ->getProtection()->setFormatCells(true);
+```
+
+An example on setting cell security:
+
+``` php
+$spreadsheet->getActiveSheet()->getStyle('B1')
+ ->getProtection()
+ ->setLocked(\PhpOffice\PhpSpreadsheet\Style\Protection::PROTECTION_UNPROTECTED);
+```
+
+**Make sure you enable worksheet protection if you need any of the
+worksheet protection features!** This can be done using the following
+code:
+
+``` php
+$spreadsheet->getActiveSheet()->getProtection()->setSheet(true);
+```
+
+## Setting data validation on a cell
+
+Data validation is a powerful feature of Xlsx. 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:
+
+``` php
+$validation = $spreadsheet->getActiveSheet()->getCell('B3')
+ ->getDataValidation();
+$validation->setType( \PhpOffice\PhpSpreadsheet\Cell\DataValidation::TYPE_WHOLE );
+$validation->setErrorStyle( \PhpOffice\PhpSpreadsheet\Cell\DataValidation::STYLE_STOP );
+$validation->setAllowBlank(true);
+$validation->setShowInputMessage(true);
+$validation->setShowErrorMessage(true);
+$validation->setErrorTitle('Input error');
+$validation->setError('Number is not allowed!');
+$validation->setPromptTitle('Allowed input');
+$validation->setPrompt('Only numbers between 10 and 20 are allowed.');
+$validation->setFormula1(10);
+$validation->setFormula2(20);
+```
+
+The following piece of code only allows an item picked from a list of
+data to be entered in cell B3:
+
+``` php
+$validation = $spreadsheet->getActiveSheet()->getCell('B5')
+ ->getDataValidation();
+$validation->setType( \PhpOffice\PhpSpreadsheet\Cell\DataValidation::TYPE_LIST );
+$validation->setErrorStyle( \PhpOffice\PhpSpreadsheet\Cell\DataValidation::STYLE_INFORMATION );
+$validation->setAllowBlank(false);
+$validation->setShowInputMessage(true);
+$validation->setShowErrorMessage(true);
+$validation->setShowDropDown(true);
+$validation->setErrorTitle('Input error');
+$validation->setError('Value is not in list.');
+$validation->setPromptTitle('Pick from list');
+$validation->setPrompt('Please pick a value from the drop-down list.');
+$validation->setFormula1('"Item A,Item B,Item C"');
+```
+
+When using a data validation list like above, make sure you put the list
+between `"` and `"` and that you split the items with a comma (`,`).
+
+It is important to remember that any string participating in an Excel
+formula is allowed to be maximum 255 characters (not bytes). This sets a
+limit on how many items you can have in the string "Item A,Item B,Item
+C". Therefore it is normally a better idea to type the item values
+directly in some cell range, say A1:A3, and instead use, say,
+`$validation->setFormula1('Sheet!$A$1:$A$3')`. Another benefit is that
+the item values themselves can contain the comma `,` character itself.
+
+If you need data validation on multiple cells, one can clone the
+ruleset:
+
+``` php
+$spreadsheet->getActiveSheet()->getCell('B8')->setDataValidation(clone $validation);
+```
+
+## Setting a column's width
+
+A column's width can be set using the following code:
+
+``` php
+$spreadsheet->getActiveSheet()->getColumnDimension('D')->setWidth(12);
+```
+
+If you want PhpSpreadsheet to perform an automatic width calculation,
+use the following code. PhpSpreadsheet will approximate the column with
+to the width of the widest column value.
+
+``` php
+$spreadsheet->getActiveSheet()->getColumnDimension('B')->setAutoSize(true);
+```
+
+![08-column-width.png](./images/08-column-width.png)
+
+The measure for column width in PhpSpreadsheet does **not** correspond
+exactly to the measure you may be used to in Microsoft Office Excel.
+Column widths are difficult to deal with in Excel, and there are several
+measures for the column width.
+
+1. Inner width in character units
+(e.g. 8.43 this is probably what you are familiar with in Excel)
+2. Full width in pixels (e.g. 64 pixels)
+3. Full width in character units (e.g. 9.140625, value -1 indicates unset width)
+
+**PhpSpreadsheet always
+operates with "3. Full width in character units"** which is in fact the
+only value that is stored in any Excel file, hence the most reliable
+measure. Unfortunately, **Microsoft Office Excel does not present you
+with this measure**. Instead measures 1 and 2 are computed by the
+application when the file is opened and these values are presented in
+various dialogues and tool tips.
+
+The character width unit is the width of
+a `0` (zero) glyph in the workbooks default font. Therefore column
+widths measured in character units in two different workbooks can only
+be compared if they have the same default workbook font.If you have some
+Excel file and need to know the column widths in measure 3, you can
+read the Excel file with PhpSpreadsheet and echo the retrieved values.
+
+## Show/hide a column
+
+To set a worksheet's column visibility, you can use the following code.
+The first line explicitly shows the column C, the second line hides
+column D.
+
+``` php
+$spreadsheet->getActiveSheet()->getColumnDimension('C')->setVisible(true);
+$spreadsheet->getActiveSheet()->getColumnDimension('D')->setVisible(false);
+```
+
+## Group/outline a column
+
+To group/outline a column, you can use the following code:
+
+``` php
+$spreadsheet->getActiveSheet()->getColumnDimension('E')->setOutlineLevel(1);
+```
+
+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.
+
+``` php
+$spreadsheet->getActiveSheet()->getColumnDimension('E')->setCollapsed(true);
+$spreadsheet->getActiveSheet()->getColumnDimension('E')->setVisible(false);
+```
+
+Please refer to the section "group/outline a row" for a complete example
+on collapsing.
+
+You can instruct PhpSpreadsheet to add a summary to the right (default),
+or to the left. The following code adds the summary to the left:
+
+``` php
+$spreadsheet->getActiveSheet()->setShowSummaryRight(false);
+```
+
+## Setting a row's height
+
+A row's height can be set using the following code:
+
+``` php
+$spreadsheet->getActiveSheet()->getRowDimension('10')->setRowHeight(100);
+```
+
+Excel measures row height in points, where 1 pt is 1/72 of an inch (or
+about 0.35mm). The default value is 12.75 pts; and the permitted range
+of values is between 0 and 409 pts, where 0 pts is a hidden row.
+
+## Show/hide a row
+
+To set a worksheet''s row visibility, you can use the following code.
+The following example hides row number 10.
+
+``` php
+$spreadsheet->getActiveSheet()->getRowDimension('10')->setVisible(false);
+```
+
+Note that if you apply active filters using an AutoFilter, then this
+will override any rows that you hide or unhide manually within that
+AutoFilter range if you save the file.
+
+## Group/outline a row
+
+To group/outline a row, you can use the following code:
+
+``` php
+$spreadsheet->getActiveSheet()->getRowDimension('5')->setOutlineLevel(1);
+```
+
+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.
+
+``` php
+$spreadsheet->getActiveSheet()->getRowDimension('5')->setCollapsed(true);
+$spreadsheet->getActiveSheet()->getRowDimension('5')->setVisible(false);
+```
+
+Here's an example which collapses rows 50 to 80:
+
+``` php
+for ($i = 51; $i <= 80; $i++) {
+ $spreadsheet->getActiveSheet()->setCellValue('A' . $i, "FName $i");
+ $spreadsheet->getActiveSheet()->setCellValue('B' . $i, "LName $i");
+ $spreadsheet->getActiveSheet()->setCellValue('C' . $i, "PhoneNo $i");
+ $spreadsheet->getActiveSheet()->setCellValue('D' . $i, "FaxNo $i");
+ $spreadsheet->getActiveSheet()->setCellValue('E' . $i, true);
+ $spreadsheet->getActiveSheet()->getRowDimension($i)->setOutlineLevel(1);
+ $spreadsheet->getActiveSheet()->getRowDimension($i)->setVisible(false);
+}
+
+$spreadsheet->getActiveSheet()->getRowDimension(81)->setCollapsed(true);
+```
+
+You can instruct PhpSpreadsheet to add a summary below the collapsible
+rows (default), or above. The following code adds the summary above:
+
+``` php
+$spreadsheet->getActiveSheet()->setShowSummaryBelow(false);
+```
+
+## 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:
+
+``` php
+$spreadsheet->getActiveSheet()->mergeCells('A18:E22');
+```
+
+Removing a merge can be done using the unmergeCells method:
+
+``` php
+$spreadsheet->getActiveSheet()->unmergeCells('A18:E22');
+```
+
+## Inserting rows/columns
+
+You can insert/remove rows/columns at a specific position. The following
+code inserts 2 new rows, right before row 7:
+
+``` php
+$spreadsheet->getActiveSheet()->insertNewRowBefore(7, 2);
+```
+
+## Add a drawing to a worksheet
+
+A drawing is always represented as a separate object, which can be added
+to a worksheet. Therefore, you must first instantiate a new
+`\PhpOffice\PhpSpreadsheet\Worksheet\Drawing`, and assign its properties a
+meaningful value:
+
+``` php
+$drawing = new \PhpOffice\PhpSpreadsheet\Worksheet\Drawing();
+$drawing->setName('Logo');
+$drawing->setDescription('Logo');
+$drawing->setPath('./images/officelogo.jpg');
+$drawing->setHeight(36);
+```
+
+To add the above drawing to the worksheet, use the following snippet of
+code. PhpSpreadsheet creates the link between the drawing and the
+worksheet:
+
+``` php
+$drawing->setWorksheet($spreadsheet->getActiveSheet());
+```
+
+You can set numerous properties on a drawing, here are some examples:
+
+``` php
+$drawing->setName('Paid');
+$drawing->setDescription('Paid');
+$drawing->setPath('./images/paid.png');
+$drawing->setCoordinates('B15');
+$drawing->setOffsetX(110);
+$drawing->setRotation(25);
+$drawing->getShadow()->setVisible(true);
+$drawing->getShadow()->setDirection(45);
+```
+
+You can also add images created using GD functions without needing to
+save them to disk first as In-Memory drawings.
+
+``` php
+// Use GD to create an in-memory 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 PhpSpreadsheet', $textColor);
+
+// Add the In-Memory image to a worksheet
+$drawing = new \PhpOffice\PhpSpreadsheet\Worksheet\MemoryDrawing();
+$drawing->setName('In-Memory image 1');
+$drawing->setDescription('In-Memory image 1');
+$drawing->setCoordinates('A1');
+$drawing->setImageResource($gdImage);
+$drawing->setRenderingFunction(
+ \PhpOffice\PhpSpreadsheet\Worksheet\MemoryDrawing::RENDERING_JPEG
+);
+$drawing->setMimeType(\PhpOffice\PhpSpreadsheet\Worksheet\MemoryDrawing::MIMETYPE_DEFAULT);
+$drawing->setHeight(36);
+$drawing->setWorksheet($spreadsheet->getActiveSheet());
+```
+
+## Reading Images from a worksheet
+
+A commonly asked question is how to retrieve the images from a workbook
+that has been loaded, and save them as individual image files to disk.
+
+The following code extracts images from the current active worksheet,
+and writes each as a separate file.
+
+``` php
+$i = 0;
+foreach ($spreadsheet->getActiveSheet()->getDrawingCollection() as $drawing) {
+ if ($drawing instanceof \PhpOffice\PhpSpreadsheet\Worksheet\MemoryDrawing) {
+ ob_start();
+ call_user_func(
+ $drawing->getRenderingFunction(),
+ $drawing->getImageResource()
+ );
+ $imageContents = ob_get_contents();
+ ob_end_clean();
+ switch ($drawing->getMimeType()) {
+ case \PhpOffice\PhpSpreadsheet\Worksheet\MemoryDrawing::MIMETYPE_PNG :
+ $extension = 'png';
+ break;
+ case \PhpOffice\PhpSpreadsheet\Worksheet\MemoryDrawing::MIMETYPE_GIF:
+ $extension = 'gif';
+ break;
+ case \PhpOffice\PhpSpreadsheet\Worksheet\MemoryDrawing::MIMETYPE_JPEG :
+ $extension = 'jpg';
+ break;
+ }
+ } else {
+ $zipReader = fopen($drawing->getPath(),'r');
+ $imageContents = '';
+ while (!feof($zipReader)) {
+ $imageContents .= fread($zipReader,1024);
+ }
+ fclose($zipReader);
+ $extension = $drawing->getExtension();
+ }
+ $myFileName = '00_Image_'.++$i.'.'.$extension;
+ file_put_contents($myFileName,$imageContents);
+}
+```
+
+## Add rich text to a cell
+
+Adding rich text to a cell can be done using
+`\PhpOffice\PhpSpreadsheet\RichText` instances. Here''s 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.
+
+``` php
+$richText = new \PhpOffice\PhpSpreadsheet\RichText();
+$richText->createText('This invoice is ');
+$payable = $richText->createTextRun('payable within thirty days after the end of the month');
+$payable->getFont()->setBold(true);
+$payable->getFont()->setItalic(true);
+$payable->getFont()->setColor( new \PhpOffice\PhpSpreadsheet\Style\Color( \PhpOffice\PhpSpreadsheet\Style\Color::COLOR_DARKGREEN ) );
+$richText->createText(', unless specified otherwise on the invoice.');
+$spreadsheet->getActiveSheet()->getCell('A18')->setValue($richText);
+```
+
+## Define a named range
+
+PhpSpreadsheet supports the definition of named ranges. These can be
+defined using the following code:
+
+``` php
+// Add some data
+$spreadsheet->setActiveSheetIndex(0);
+$spreadsheet->getActiveSheet()->setCellValue('A1', 'Firstname:');
+$spreadsheet->getActiveSheet()->setCellValue('A2', 'Lastname:');
+$spreadsheet->getActiveSheet()->setCellValue('B1', 'Maarten');
+$spreadsheet->getActiveSheet()->setCellValue('B2', 'Balliauw');
+
+// Define named ranges
+$spreadsheet->addNamedRange( new \PhpOffice\PhpSpreadsheet\NamedRange('PersonFN', $spreadsheet->getActiveSheet(), 'B1') );
+$spreadsheet->addNamedRange( new \PhpOffice\PhpSpreadsheet\NamedRange('PersonLN', $spreadsheet->getActiveSheet(), 'B2') );
+```
+
+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.
+
+## Redirect output to a client's web browser
+
+Sometimes, one really wants to output a file to a client''s browser,
+especially when creating spreadsheets on-the-fly. There are some easy
+steps that can be followed to do this:
+
+1. Create your PhpSpreadsheet spreadsheet
+2. Output HTTP headers for the type of document you wish to output
+3. Use the `\PhpOffice\PhpSpreadsheet\Writer\*` of your choice, and save
+ to `'php://output'`
+
+`\PhpOffice\PhpSpreadsheet\Writer\Xlsx` uses temporary storage when
+writing to `php://output`. By default, temporary files are stored in the
+script's working directory. When there is no access, it falls back to
+the operating system's temporary files location.
+
+**This may not be safe for unauthorized viewing!** Depending on the
+configuration of your operating system, temporary storage can be read by
+anyone using the same temporary storage folder. When confidentiality of
+your document is needed, it is recommended not to use `php://output`.
+
+### 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 $spreadsheet */
+
+// redirect output to client browser
+header('Content-Type: application/vnd.openxmlformats-officedocument.spreadsheetml.sheet');
+header('Content-Disposition: attachment;filename="myfile.xlsx"');
+header('Cache-Control: max-age=0');
+
+$writer = \PhpOffice\PhpSpreadsheet\IOFactory::createWriter($spreadsheet, 'Xlsx');
+$writer->save('php://output');
+```
+
+Example of a script redirecting an Xls file to the client's browser:
+
+``` php
+/* Here there will be some code where you create $spreadsheet */
+
+// redirect output to client browser
+header('Content-Type: application/vnd.ms-excel');
+header('Content-Disposition: attachment;filename="myfile.xls"');
+header('Cache-Control: max-age=0');
+
+$writer = \PhpOffice\PhpSpreadsheet\IOFactory::createWriter($spreadsheet, 'Xls');
+$writer->save('php://output');
+```
+
+**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 ``
+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. The 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).
+
+## Setting the default column width
+
+Default column width can be set using the following code:
+
+``` php
+$spreadsheet->getActiveSheet()->getDefaultColumnDimension()->setWidth(12);
+```
+
+## Setting the default row height
+
+Default row height can be set using the following code:
+
+``` php
+$spreadsheet->getActiveSheet()->getDefaultRowDimension()->setRowHeight(15);
+```
+
+## Add a GD drawing to a worksheet
+
+There might be a situation where you want to generate an in-memory image
+using GD and add it to a `Spreadsheet` without first having to save this
+file to a temporary location.
+
+Here''s an example which generates an image in memory and adds it to the
+active worksheet:
+
+``` php
+// 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 PhpSpreadsheet', $textColor);
+
+// Add a drawing to the worksheet
+$drawing = new \PhpOffice\PhpSpreadsheet\Worksheet\MemoryDrawing();
+$drawing->setName('Sample image');
+$drawing->setDescription('Sample image');
+$drawing->setImageResource($gdImage);
+$drawing->setRenderingFunction(\PhpOffice\PhpSpreadsheet\Worksheet\MemoryDrawing::RENDERING_JPEG);
+$drawing->setMimeType(\PhpOffice\PhpSpreadsheet\Worksheet\MemoryDrawing::MIMETYPE_DEFAULT);
+$drawing->setHeight(36);
+$drawing->setWorksheet($spreadsheet->getActiveSheet());
+```
+
+## Setting worksheet zoom level
+
+To set a worksheet's zoom level, the following code can be used:
+
+``` php
+$spreadsheet->getActiveSheet()->getSheetView()->setZoomScale(75);
+```
+
+Note that zoom level should be in range 10 - 400.
+
+## Sheet tab color
+
+Sometimes you want to set a color for sheet tab. For example you can
+have a red sheet tab:
+
+``` php
+$worksheet->getTabColor()->setRGB('FF0000');
+```
+
+## Creating worksheets in a workbook
+
+If you need to create more worksheets in the workbook, here is how:
+
+``` php
+$worksheet1 = $spreadsheet->createSheet();
+$worksheet1->setTitle('Another sheet');
+```
+
+Think of `createSheet()` as the "Insert sheet" button in Excel. When you
+hit that button a new sheet is appended to the existing collection of
+worksheets in the workbook.
+
+## Hidden worksheets (Sheet states)
+
+Set a worksheet to be **hidden** using this code:
+
+``` php
+$spreadsheet->getActiveSheet()
+ ->setSheetState(\PhpOffice\PhpSpreadsheet\Worksheet::SHEETSTATE_HIDDEN);
+```
+
+Sometimes you may even want the worksheet to be **"very hidden"**. The
+available sheet states are :
+
+- `\PhpOffice\PhpSpreadsheet\Worksheet::SHEETSTATE_VISIBLE`
+- `\PhpOffice\PhpSpreadsheet\Worksheet::SHEETSTATE_HIDDEN`
+- `\PhpOffice\PhpSpreadsheet\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.
+
+## 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.
+
+``` php
+// right-to-left worksheet
+$spreadsheet->getActiveSheet()->setRightToLeft(true);
+```
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/settings.md b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/settings.md
new file mode 100755
index 0000000..a9aae9f
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/settings.md
@@ -0,0 +1,45 @@
+# Configuration Settings
+
+Once you have included the PhpSpreadsheet files in your script, but
+before instantiating a `Spreadsheet` object or loading a workbook file,
+there are a number of configuration options that can be set which will
+affect the subsequent behaviour of the script.
+
+## Cell collection caching
+
+By default, PhpSpreadsheet holds all cell objects in memory, but
+you can specify alternatives to reduce memory consumption at the cost of speed.
+Read more about [memory saving](./memory_saving.md).
+
+To enable cell caching, you must provide your own implementation of cache like so:
+
+``` php
+$cache = new MyCustomPsr16Implementation();
+
+\PhpOffice\PhpSpreadsheet\Settings::setCache($cache);
+```
+
+## Language/Locale
+
+Some localisation elements have been included in PhpSpreadsheet. You can
+set a locale by changing the settings. To set the locale to Brazilian
+Portuguese you would use:
+
+``` php
+$locale = 'pt_br';
+$validLocale = \PhpOffice\PhpSpreadsheet\Settings::setLocale($locale);
+if (!$validLocale) {
+ echo 'Unable to set locale to ' . $locale . " - reverting to en_us" . PHP_EOL;
+}
+```
+
+- If Brazilian Portuguese language files aren't available, then Portuguese
+will be enabled instead
+- If Portuguese language files aren't available,
+then the `setLocale()` method will return an error, and American English
+(en\_us) settings will be used throughout.
+
+More details of the features available once a locale has been set,
+including a list of the languages and locales currently supported, can
+be found in [Locale Settings for
+Formulae](./recipes.md#locale-settings-for-formulae).
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/worksheets.md b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/worksheets.md
new file mode 100755
index 0000000..f732e6e
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/docs/topics/worksheets.md
@@ -0,0 +1,130 @@
+# Worksheets
+
+A worksheet is a collection of cells, formulae, images, graphs, etc. It
+holds all data necessary to represent a spreadsheet worksheet.
+
+When you load a workbook from a spreadsheet file, it will be loaded with
+all its existing worksheets (unless you specified that only certain
+sheets should be loaded). When you load from non-spreadsheet files (such
+as a CSV or HTML file) or from spreadsheet formats that don't identify
+worksheets by name (such as SYLK), then a single worksheet called
+"WorkSheet1" will be created containing the data from that file.
+
+When you instantiate a new workbook, PhpSpreadsheet will create it with
+a single worksheet called "WorkSheet1".
+
+The `getSheetCount()` method will tell you the number of worksheets in
+the workbook; while the `getSheetNames()` method will return a list of
+all worksheets in the workbook, indexed by the order in which their
+"tabs" would appear when opened in MS Excel (or other appropriate
+Spreadsheet program).
+
+Individual worksheets can be accessed by name, or by their index
+position in the workbook. The index position represents the order that
+each worksheet "tab" is shown when the workbook is opened in MS Excel
+(or other appropriate Spreadsheet program). To access a sheet by its
+index, use the `getSheet()` method.
+
+``` php
+// Get the second sheet in the workbook
+// Note that sheets are indexed from 0
+$spreadsheet->getSheet(1);
+```
+
+If you don't specify a sheet index, then the first worksheet will be
+returned.
+
+Methods also exist allowing you to reorder the worksheets in the
+workbook.
+
+To access a sheet by name, use the `getSheetByName()` method, specifying
+the name of the worksheet that you want to access.
+
+``` php
+// Retrieve the worksheet called 'Worksheet 1'
+$spreadsheet->getSheetByName('Worksheet 1');
+```
+
+Alternatively, one worksheet is always the currently active worksheet,
+and you can access that directly. The currently active worksheet is the
+one that will be active when the workbook is opened in MS Excel (or
+other appropriate Spreadsheet program).
+
+``` php
+// Retrieve the current active worksheet
+$spreadsheet->getActiveSheet();
+```
+
+You can change the currently active sheet by index or by name using the
+`setActiveSheetIndex()` and `setActiveSheetIndexByName()` methods.
+
+## Adding a new Worksheet
+
+You can add a new worksheet to the workbook using the `createSheet()`
+method of the `Spreadsheet` object. By default, this will be created as
+a new "last" sheet; but you can also specify an index position as an
+argument, and the worksheet will be inserted at that position, shuffling
+all subsequent worksheets in the collection down a place.
+
+``` php
+$spreadsheet->createSheet();
+```
+
+A new worksheet created using this method will be called
+"Worksheet<n>" where "<n>" is the lowest number possible to
+guarantee that the title is unique.
+
+Alternatively, you can instantiate a new worksheet (setting the title to
+whatever you choose) and then insert it into your workbook using the
+`addSheet()` method.
+
+``` php
+// Create a new worksheet called "My Data"
+$myWorkSheet = new \PhpOffice\PhpSpreadsheet\Worksheet($spreadsheet, 'My Data');
+
+// Attach the "My Data" worksheet as the first worksheet in the Spreadsheet object
+$spreadsheet->addSheet($myWorkSheet, 0);
+```
+
+If you don't specify an index position as the second argument, then the
+new worksheet will be added after the last existing worksheet.
+
+## Copying Worksheets
+
+Sheets within the same workbook can be copied by creating a clone of the
+worksheet you wish to copy, and then using the `addSheet()` method to
+insert the clone into the workbook.
+
+``` php
+$clonedWorksheet = clone $spreadsheet->getSheetByName('Worksheet 1');
+$clonedWorksheet->setTitle('Copy of Worksheet 1');
+$spreadsheet->addSheet($clonedWorksheet);
+```
+
+You can also copy worksheets from one workbook to another, though this
+is more complex as PhpSpreadsheet also has to replicate the styling
+between the two workbooks. The `addExternalSheet()` method is provided for
+this purpose.
+
+ $clonedWorksheet = clone $spreadsheet1->getSheetByName('Worksheet 1');
+ $spreadsheet->addExternalSheet($clonedWorksheet);
+
+In both cases, it is the developer's responsibility to ensure that
+worksheet names are not duplicated. PhpSpreadsheet will throw an
+exception if you attempt to copy worksheets that will result in a
+duplicate name.
+
+## Removing a Worksheet
+
+You can delete a worksheet from a workbook, identified by its index
+position, using the `removeSheetByIndex()` method
+
+``` php
+$sheetIndex = $spreadsheet->getIndex(
+ $spreadsheet->getSheetByName('Worksheet 1')
+);
+$spreadsheet->removeSheetByIndex($sheetIndex);
+```
+
+If the currently active worksheet is deleted, then the sheet at the
+previous index position will become the currently active sheet.
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/mkdocs.yml b/formulier/assets/vendor/phpoffice/phpspreadsheet/mkdocs.yml
new file mode 100755
index 0000000..0062000
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/mkdocs.yml
@@ -0,0 +1,11 @@
+site_name: PhpSpreadsheet Documentation
+repo_url: https://github.com/PHPOffice/phpspreadsheet
+edit_uri: edit/develop/docs/
+
+theme: readthedocs
+extra_css:
+ - extra/extra.css
+
+extra_javascript:
+ - extra/extra.js
+
\ No newline at end of file
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/phpunit.xml.dist b/formulier/assets/vendor/phpoffice/phpspreadsheet/phpunit.xml.dist
new file mode 100755
index 0000000..6880d23
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/phpunit.xml.dist
@@ -0,0 +1,22 @@
+
+
+
+
+
+
+ ./tests/PhpSpreadsheetTests
+
+
+
+ ./src
+
+ ./src/PhpSpreadsheet/Shared/JAMA
+ ./src/PhpSpreadsheet/Writer/PDF
+
+
+
+
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Autofilter/10_Autofilter.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Autofilter/10_Autofilter.php
new file mode 100755
index 0000000..db9de54
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Autofilter/10_Autofilter.php
@@ -0,0 +1,101 @@
+log('Create new Spreadsheet object');
+$spreadsheet = new Spreadsheet();
+
+// Set document properties
+$helper->log('Set document properties');
+$spreadsheet->getProperties()->setCreator('Maarten Balliauw')
+ ->setLastModifiedBy('Maarten Balliauw')
+ ->setTitle('PhpSpreadsheet Test Document')
+ ->setSubject('PhpSpreadsheet Test Document')
+ ->setDescription('Test document for PhpSpreadsheet, generated using PHP classes.')
+ ->setKeywords('office PhpSpreadsheet php')
+ ->setCategory('Test result file');
+
+// Create the worksheet
+$helper->log('Add data');
+$spreadsheet->setActiveSheetIndex(0);
+$spreadsheet->getActiveSheet()->setCellValue('A1', 'Year')
+ ->setCellValue('B1', 'Quarter')
+ ->setCellValue('C1', 'Country')
+ ->setCellValue('D1', 'Sales');
+
+$dataArray = [
+ ['2010', 'Q1', 'United States', 790],
+ ['2010', 'Q2', 'United States', 730],
+ ['2010', 'Q3', 'United States', 860],
+ ['2010', 'Q4', 'United States', 850],
+ ['2011', 'Q1', 'United States', 800],
+ ['2011', 'Q2', 'United States', 700],
+ ['2011', 'Q3', 'United States', 900],
+ ['2011', 'Q4', 'United States', 950],
+ ['2010', 'Q1', 'Belgium', 380],
+ ['2010', 'Q2', 'Belgium', 390],
+ ['2010', 'Q3', 'Belgium', 420],
+ ['2010', 'Q4', 'Belgium', 460],
+ ['2011', 'Q1', 'Belgium', 400],
+ ['2011', 'Q2', 'Belgium', 350],
+ ['2011', 'Q3', 'Belgium', 450],
+ ['2011', 'Q4', 'Belgium', 500],
+ ['2010', 'Q1', 'UK', 690],
+ ['2010', 'Q2', 'UK', 610],
+ ['2010', 'Q3', 'UK', 620],
+ ['2010', 'Q4', 'UK', 600],
+ ['2011', 'Q1', 'UK', 720],
+ ['2011', 'Q2', 'UK', 650],
+ ['2011', 'Q3', 'UK', 580],
+ ['2011', 'Q4', 'UK', 510],
+ ['2010', 'Q1', 'France', 510],
+ ['2010', 'Q2', 'France', 490],
+ ['2010', 'Q3', 'France', 460],
+ ['2010', 'Q4', 'France', 590],
+ ['2011', 'Q1', 'France', 620],
+ ['2011', 'Q2', 'France', 650],
+ ['2011', 'Q3', 'France', 415],
+ ['2011', 'Q4', 'France', 570],
+ ['2010', 'Q1', 'Germany', 720],
+ ['2010', 'Q2', 'Germany', 680],
+ ['2010', 'Q3', 'Germany', 640],
+ ['2010', 'Q4', 'Germany', 660],
+ ['2011', 'Q1', 'Germany', 680],
+ ['2011', 'Q2', 'Germany', 620],
+ ['2011', 'Q3', 'Germany', 710],
+ ['2011', 'Q4', 'Germany', 690],
+ ['2010', 'Q1', 'Spain', 510],
+ ['2010', 'Q2', 'Spain', 490],
+ ['2010', 'Q3', 'Spain', 470],
+ ['2010', 'Q4', 'Spain', 420],
+ ['2011', 'Q1', 'Spain', 460],
+ ['2011', 'Q2', 'Spain', 390],
+ ['2011', 'Q3', 'Spain', 430],
+ ['2011', 'Q4', 'Spain', 415],
+ ['2010', 'Q1', 'Italy', 440],
+ ['2010', 'Q2', 'Italy', 410],
+ ['2010', 'Q3', 'Italy', 420],
+ ['2010', 'Q4', 'Italy', 450],
+ ['2011', 'Q1', 'Italy', 430],
+ ['2011', 'Q2', 'Italy', 370],
+ ['2011', 'Q3', 'Italy', 350],
+ ['2011', 'Q4', 'Italy', 335],
+];
+$spreadsheet->getActiveSheet()->fromArray($dataArray, null, 'A2');
+
+// Set title row bold
+$helper->log('Set title row bold');
+$spreadsheet->getActiveSheet()->getStyle('A1:D1')->getFont()->setBold(true);
+
+// Set autofilter
+$helper->log('Set autofilter');
+// Always include the complete filter range!
+// Excel does support setting only the caption
+// row, but that's not a best practise...
+$spreadsheet->getActiveSheet()->setAutoFilter($spreadsheet->getActiveSheet()->calculateWorksheetDimension());
+
+// Save
+$helper->write($spreadsheet, __FILE__);
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Autofilter/10_Autofilter_selection_1.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Autofilter/10_Autofilter_selection_1.php
new file mode 100755
index 0000000..4f1fc48
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Autofilter/10_Autofilter_selection_1.php
@@ -0,0 +1,156 @@
+log('Create new Spreadsheet object');
+$spreadsheet = new Spreadsheet();
+
+// Set document properties
+$helper->log('Set document properties');
+$spreadsheet->getProperties()->setCreator('Maarten Balliauw')
+ ->setLastModifiedBy('Maarten Balliauw')
+ ->setTitle('PhpSpreadsheet Test Document')
+ ->setSubject('PhpSpreadsheet Test Document')
+ ->setDescription('Test document for PhpSpreadsheet, generated using PHP classes.')
+ ->setKeywords('office PhpSpreadsheet php')
+ ->setCategory('Test result file');
+
+// Create the worksheet
+$helper->log('Add data');
+$spreadsheet->setActiveSheetIndex(0);
+$spreadsheet->getActiveSheet()->setCellValue('A1', 'Financial Year')
+ ->setCellValue('B1', 'Financial Period')
+ ->setCellValue('C1', 'Country')
+ ->setCellValue('D1', 'Date')
+ ->setCellValue('E1', 'Sales Value')
+ ->setCellValue('F1', 'Expenditure');
+$startYear = $endYear = $currentYear = date('Y');
+--$startYear;
+++$endYear;
+
+$years = range($startYear, $endYear);
+$periods = range(1, 12);
+$countries = [
+ 'United States',
+ 'UK',
+ 'France',
+ 'Germany',
+ 'Italy',
+ 'Spain',
+ 'Portugal',
+ 'Japan',
+];
+
+$row = 2;
+foreach ($years as $year) {
+ foreach ($periods as $period) {
+ foreach ($countries as $country) {
+ $endDays = date('t', mktime(0, 0, 0, $period, 1, $year));
+ for ($i = 1; $i <= $endDays; ++$i) {
+ $eDate = Date::formattedPHPToExcel(
+ $year,
+ $period,
+ $i
+ );
+ $value = rand(500, 1000) * (1 + rand(-0.25, +0.25));
+ $salesValue = $invoiceValue = null;
+ $incomeOrExpenditure = rand(-1, 1);
+ if ($incomeOrExpenditure == -1) {
+ $expenditure = rand(-500, -1000) * (1 + rand(-0.25, +0.25));
+ $income = null;
+ } elseif ($incomeOrExpenditure == 1) {
+ $expenditure = rand(-500, -1000) * (1 + rand(-0.25, +0.25));
+ $income = rand(500, 1000) * (1 + rand(-0.25, +0.25));
+ } else {
+ $expenditure = null;
+ $income = rand(500, 1000) * (1 + rand(-0.25, +0.25));
+ }
+ $dataArray = [$year,
+ $period,
+ $country,
+ $eDate,
+ $income,
+ $expenditure,
+ ];
+ $spreadsheet->getActiveSheet()->fromArray($dataArray, null, 'A' . $row++);
+ }
+ }
+ }
+}
+--$row;
+
+// Set styling
+$helper->log('Set styling');
+$spreadsheet->getActiveSheet()->getStyle('A1:F1')->getFont()->setBold(true);
+$spreadsheet->getActiveSheet()->getStyle('A1:F1')->getAlignment()->setWrapText(true);
+$spreadsheet->getActiveSheet()->getColumnDimension('C')->setWidth(12.5);
+$spreadsheet->getActiveSheet()->getColumnDimension('D')->setWidth(10.5);
+$spreadsheet->getActiveSheet()->getStyle('D2:D' . $row)->getNumberFormat()->setFormatCode(NumberFormat::FORMAT_DATE_YYYYMMDD2);
+$spreadsheet->getActiveSheet()->getStyle('E2:F' . $row)->getNumberFormat()->setFormatCode(NumberFormat::FORMAT_CURRENCY_USD_SIMPLE);
+$spreadsheet->getActiveSheet()->getColumnDimension('F')->setWidth(14);
+$spreadsheet->getActiveSheet()->freezePane('A2');
+
+// Set autofilter range
+$helper->log('Set autofilter range');
+// Always include the complete filter range!
+// Excel does support setting only the caption
+// row, but that's not a best practise...
+$spreadsheet->getActiveSheet()->setAutoFilter($spreadsheet->getActiveSheet()->calculateWorksheetDimension());
+
+// Set active filters
+$autoFilter = $spreadsheet->getActiveSheet()->getAutoFilter();
+$helper->log('Set active filters');
+// Filter the Country column on a filter value of countries beginning with the letter U (or Japan)
+// We use * as a wildcard, so specify as U* and using a wildcard requires customFilter
+$autoFilter->getColumn('C')
+ ->setFilterType(Column::AUTOFILTER_FILTERTYPE_CUSTOMFILTER)
+ ->createRule()
+ ->setRule(
+ Rule::AUTOFILTER_COLUMN_RULE_EQUAL,
+ 'u*'
+ )
+ ->setRuleType(Rule::AUTOFILTER_RULETYPE_CUSTOMFILTER);
+$autoFilter->getColumn('C')
+ ->createRule()
+ ->setRule(
+ Rule::AUTOFILTER_COLUMN_RULE_EQUAL,
+ 'japan'
+ )
+ ->setRuleType(Rule::AUTOFILTER_RULETYPE_CUSTOMFILTER);
+// Filter the Date column on a filter value of the first day of every period of the current year
+// We us a dateGroup ruletype for this, although it is still a standard filter
+foreach ($periods as $period) {
+ $endDate = date('t', mktime(0, 0, 0, $period, 1, $currentYear));
+
+ $autoFilter->getColumn('D')
+ ->setFilterType(Column::AUTOFILTER_FILTERTYPE_FILTER)
+ ->createRule()
+ ->setRule(
+ Rule::AUTOFILTER_COLUMN_RULE_EQUAL,
+ [
+ 'year' => $currentYear,
+ 'month' => $period,
+ 'day' => $endDate,
+ ]
+ )
+ ->setRuleType(Rule::AUTOFILTER_RULETYPE_DATEGROUP);
+}
+// Display only sales values that are blank
+// Standard filter, operator equals, and value of NULL
+$autoFilter->getColumn('E')
+ ->setFilterType(Column::AUTOFILTER_FILTERTYPE_FILTER)
+ ->createRule()
+ ->setRule(
+ Rule::AUTOFILTER_COLUMN_RULE_EQUAL,
+ ''
+ );
+
+// Save
+$helper->write($spreadsheet, __FILE__);
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Autofilter/10_Autofilter_selection_2.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Autofilter/10_Autofilter_selection_2.php
new file mode 100755
index 0000000..63f11a2
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Autofilter/10_Autofilter_selection_2.php
@@ -0,0 +1,148 @@
+log('Create new Spreadsheet object');
+$spreadsheet = new Spreadsheet();
+
+// Set document properties
+$helper->log('Set document properties');
+$spreadsheet->getProperties()->setCreator('Maarten Balliauw')
+ ->setLastModifiedBy('Maarten Balliauw')
+ ->setTitle('PhpSpreadsheet Test Document')
+ ->setSubject('PhpSpreadsheet Test Document')
+ ->setDescription('Test document for PhpSpreadsheet, generated using PHP classes.')
+ ->setKeywords('office PhpSpreadsheet php')
+ ->setCategory('Test result file');
+
+// Create the worksheet
+$helper->log('Add data');
+$spreadsheet->setActiveSheetIndex(0);
+$spreadsheet->getActiveSheet()->setCellValue('A1', 'Financial Year')
+ ->setCellValue('B1', 'Financial Period')
+ ->setCellValue('C1', 'Country')
+ ->setCellValue('D1', 'Date')
+ ->setCellValue('E1', 'Sales Value')
+ ->setCellValue('F1', 'Expenditure');
+$startYear = $endYear = $currentYear = date('Y');
+--$startYear;
+++$endYear;
+
+$years = range($startYear, $endYear);
+$periods = range(1, 12);
+$countries = [
+ 'United States',
+ 'UK',
+ 'France',
+ 'Germany',
+ 'Italy',
+ 'Spain',
+ 'Portugal',
+ 'Japan',
+];
+
+$row = 2;
+foreach ($years as $year) {
+ foreach ($periods as $period) {
+ foreach ($countries as $country) {
+ $endDays = date('t', mktime(0, 0, 0, $period, 1, $year));
+ for ($i = 1; $i <= $endDays; ++$i) {
+ $eDate = Date::formattedPHPToExcel(
+ $year,
+ $period,
+ $i
+ );
+ $value = rand(500, 1000) * (1 + rand(-0.25, +0.25));
+ $salesValue = $invoiceValue = null;
+ $incomeOrExpenditure = rand(-1, 1);
+ if ($incomeOrExpenditure == -1) {
+ $expenditure = rand(-500, -1000) * (1 + rand(-0.25, +0.25));
+ $income = null;
+ } elseif ($incomeOrExpenditure == 1) {
+ $expenditure = rand(-500, -1000) * (1 + rand(-0.25, +0.25));
+ $income = rand(500, 1000) * (1 + rand(-0.25, +0.25));
+ } else {
+ $expenditure = null;
+ $income = rand(500, 1000) * (1 + rand(-0.25, +0.25));
+ }
+ $dataArray = [$year,
+ $period,
+ $country,
+ $eDate,
+ $income,
+ $expenditure,
+ ];
+ $spreadsheet->getActiveSheet()->fromArray($dataArray, null, 'A' . $row++);
+ }
+ }
+ }
+}
+--$row;
+
+// Set styling
+$helper->log('Set styling');
+$spreadsheet->getActiveSheet()->getStyle('A1:F1')->getFont()->setBold(true);
+$spreadsheet->getActiveSheet()->getStyle('A1:F1')->getAlignment()->setWrapText(true);
+$spreadsheet->getActiveSheet()->getColumnDimension('C')->setWidth(12.5);
+$spreadsheet->getActiveSheet()->getColumnDimension('D')->setWidth(10.5);
+$spreadsheet->getActiveSheet()->getStyle('D2:D' . $row)->getNumberFormat()->setFormatCode(NumberFormat::FORMAT_DATE_YYYYMMDD2);
+$spreadsheet->getActiveSheet()->getStyle('E2:F' . $row)->getNumberFormat()->setFormatCode(NumberFormat::FORMAT_CURRENCY_USD_SIMPLE);
+$spreadsheet->getActiveSheet()->getColumnDimension('F')->setWidth(14);
+$spreadsheet->getActiveSheet()->freezePane('A2');
+
+// Set autofilter range
+$helper->log('Set autofilter range');
+// Always include the complete filter range!
+// Excel does support setting only the caption
+// row, but that's not a best practise...
+$spreadsheet->getActiveSheet()->setAutoFilter($spreadsheet->getActiveSheet()->calculateWorksheetDimension());
+
+// Set active filters
+$autoFilter = $spreadsheet->getActiveSheet()->getAutoFilter();
+$helper->log('Set active filters');
+// Filter the Country column on a filter value of Germany
+// As it's just a simple value filter, we can use FILTERTYPE_FILTER
+$autoFilter->getColumn('C')
+ ->setFilterType(Column::AUTOFILTER_FILTERTYPE_FILTER)
+ ->createRule()
+ ->setRule(
+ Rule::AUTOFILTER_COLUMN_RULE_EQUAL,
+ 'Germany'
+ );
+// Filter the Date column on a filter value of the year to date
+$autoFilter->getColumn('D')
+ ->setFilterType(Column::AUTOFILTER_FILTERTYPE_DYNAMICFILTER)
+ ->createRule()
+ ->setRule(
+ Rule::AUTOFILTER_COLUMN_RULE_EQUAL,
+ null,
+ Rule::AUTOFILTER_RULETYPE_DYNAMIC_YEARTODATE
+ )
+ ->setRuleType(Rule::AUTOFILTER_RULETYPE_DYNAMICFILTER);
+// Display only sales values that are between 400 and 600
+$autoFilter->getColumn('E')
+ ->setFilterType(Column::AUTOFILTER_FILTERTYPE_CUSTOMFILTER)
+ ->createRule()
+ ->setRule(
+ Rule::AUTOFILTER_COLUMN_RULE_GREATERTHANOREQUAL,
+ 400
+ )
+ ->setRuleType(Rule::AUTOFILTER_RULETYPE_CUSTOMFILTER);
+$autoFilter->getColumn('E')
+ ->setJoin(Column::AUTOFILTER_COLUMN_JOIN_AND)
+ ->createRule()
+ ->setRule(
+ Rule::AUTOFILTER_COLUMN_RULE_LESSTHANOREQUAL,
+ 600
+ )
+ ->setRuleType(Rule::AUTOFILTER_RULETYPE_CUSTOMFILTER);
+
+// Save
+$helper->write($spreadsheet, __FILE__);
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Autofilter/10_Autofilter_selection_display.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Autofilter/10_Autofilter_selection_display.php
new file mode 100755
index 0000000..b2b77b7
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Autofilter/10_Autofilter_selection_display.php
@@ -0,0 +1,170 @@
+log('Create new Spreadsheet object');
+$spreadsheet = new Spreadsheet();
+
+// Set document properties
+$helper->log('Set document properties');
+$spreadsheet->getProperties()->setCreator('Maarten Balliauw')
+ ->setLastModifiedBy('Maarten Balliauw')
+ ->setTitle('PhpSpreadsheet Test Document')
+ ->setSubject('PhpSpreadsheet Test Document')
+ ->setDescription('Test document for PhpSpreadsheet, generated using PHP classes.')
+ ->setKeywords('office PhpSpreadsheet php')
+ ->setCategory('Test result file');
+
+// Create the worksheet
+$helper->log('Add data');
+$spreadsheet->setActiveSheetIndex(0);
+$spreadsheet->getActiveSheet()->setCellValue('A1', 'Financial Year')
+ ->setCellValue('B1', 'Financial Period')
+ ->setCellValue('C1', 'Country')
+ ->setCellValue('D1', 'Date')
+ ->setCellValue('E1', 'Sales Value')
+ ->setCellValue('F1', 'Expenditure');
+$startYear = $endYear = $currentYear = date('Y');
+--$startYear;
+++$endYear;
+
+$years = range($startYear, $endYear);
+$periods = range(1, 12);
+$countries = [
+ 'United States',
+ 'UK',
+ 'France',
+ 'Germany',
+ 'Italy',
+ 'Spain',
+ 'Portugal',
+ 'Japan',
+];
+
+$row = 2;
+foreach ($years as $year) {
+ foreach ($periods as $period) {
+ foreach ($countries as $country) {
+ $endDays = date('t', mktime(0, 0, 0, $period, 1, $year));
+ for ($i = 1; $i <= $endDays; ++$i) {
+ $eDate = Date::formattedPHPToExcel(
+ $year,
+ $period,
+ $i
+ );
+ $value = rand(500, 1000) * (1 + rand(-0.25, +0.25));
+ $salesValue = $invoiceValue = null;
+ $incomeOrExpenditure = rand(-1, 1);
+ if ($incomeOrExpenditure == -1) {
+ $expenditure = rand(-500, -1000) * (1 + rand(-0.25, +0.25));
+ $income = null;
+ } elseif ($incomeOrExpenditure == 1) {
+ $expenditure = rand(-500, -1000) * (1 + rand(-0.25, +0.25));
+ $income = rand(500, 1000) * (1 + rand(-0.25, +0.25));
+ } else {
+ $expenditure = null;
+ $income = rand(500, 1000) * (1 + rand(-0.25, +0.25));
+ }
+ $dataArray = [$year,
+ $period,
+ $country,
+ $eDate,
+ $income,
+ $expenditure,
+ ];
+ $spreadsheet->getActiveSheet()->fromArray($dataArray, null, 'A' . $row++);
+ }
+ }
+ }
+}
+--$row;
+
+// Set styling
+$helper->log('Set styling');
+$spreadsheet->getActiveSheet()->getStyle('A1:F1')->getFont()->setBold(true);
+$spreadsheet->getActiveSheet()->getStyle('A1:F1')->getAlignment()->setWrapText(true);
+$spreadsheet->getActiveSheet()->getColumnDimension('C')->setWidth(12.5);
+$spreadsheet->getActiveSheet()->getColumnDimension('D')->setWidth(10.5);
+$spreadsheet->getActiveSheet()->getStyle('D2:D' . $row)->getNumberFormat()->setFormatCode(NumberFormat::FORMAT_DATE_YYYYMMDD2);
+$spreadsheet->getActiveSheet()->getStyle('E2:F' . $row)->getNumberFormat()->setFormatCode(NumberFormat::FORMAT_CURRENCY_USD_SIMPLE);
+$spreadsheet->getActiveSheet()->getColumnDimension('F')->setWidth(14);
+$spreadsheet->getActiveSheet()->freezePane('A2');
+
+// Set autofilter range
+$helper->log('Set autofilter range');
+// Always include the complete filter range!
+// Excel does support setting only the caption
+// row, but that's not a best practise...
+$spreadsheet->getActiveSheet()->setAutoFilter($spreadsheet->getActiveSheet()->calculateWorksheetDimension());
+
+// Set active filters
+$autoFilter = $spreadsheet->getActiveSheet()->getAutoFilter();
+$helper->log('Set active filters');
+// Filter the Country column on a filter value of countries beginning with the letter U (or Japan)
+// We use * as a wildcard, so specify as U* and using a wildcard requires customFilter
+$autoFilter->getColumn('C')
+ ->setFilterType(Column::AUTOFILTER_FILTERTYPE_CUSTOMFILTER)
+ ->createRule()
+ ->setRule(
+ Rule::AUTOFILTER_COLUMN_RULE_EQUAL,
+ 'u*'
+ )
+ ->setRuleType(Rule::AUTOFILTER_RULETYPE_CUSTOMFILTER);
+$autoFilter->getColumn('C')
+ ->createRule()
+ ->setRule(
+ Rule::AUTOFILTER_COLUMN_RULE_EQUAL,
+ 'japan'
+ )
+ ->setRuleType(Rule::AUTOFILTER_RULETYPE_CUSTOMFILTER);
+// Filter the Date column on a filter value of the first day of every period of the current year
+// We us a dateGroup ruletype for this, although it is still a standard filter
+foreach ($periods as $period) {
+ $endDate = date('t', mktime(0, 0, 0, $period, 1, $currentYear));
+
+ $autoFilter->getColumn('D')
+ ->setFilterType(Column::AUTOFILTER_FILTERTYPE_FILTER)
+ ->createRule()
+ ->setRule(
+ Rule::AUTOFILTER_COLUMN_RULE_EQUAL,
+ [
+ 'year' => $currentYear,
+ 'month' => $period,
+ 'day' => $endDate,
+ ]
+ )
+ ->setRuleType(Rule::AUTOFILTER_RULETYPE_DATEGROUP);
+}
+// Display only sales values that are blank
+// Standard filter, operator equals, and value of NULL
+$autoFilter->getColumn('E')
+ ->setFilterType(Column::AUTOFILTER_FILTERTYPE_FILTER)
+ ->createRule()
+ ->setRule(
+ Rule::AUTOFILTER_COLUMN_RULE_EQUAL,
+ ''
+ );
+
+// Execute filtering
+$helper->log('Execute filtering');
+$autoFilter->showHideRows();
+
+// Set active sheet index to the first sheet, so Excel opens this as the first sheet
+$spreadsheet->setActiveSheetIndex(0);
+
+// Display Results of filtering
+$helper->log('Display filtered rows');
+foreach ($spreadsheet->getActiveSheet()->getRowIterator() as $row) {
+ if ($spreadsheet->getActiveSheet()->getRowDimension($row->getRowIndex())->getVisible()) {
+ $helper->log(' Row number - ' . $row->getRowIndex());
+ $helper->log($spreadsheet->getActiveSheet()->getCell('C' . $row->getRowIndex())->getValue());
+ $helper->log($spreadsheet->getActiveSheet()->getCell('D' . $row->getRowIndex())->getFormattedValue());
+ }
+}
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/01_Simple.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/01_Simple.php
new file mode 100755
index 0000000..89aca6d
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/01_Simple.php
@@ -0,0 +1,65 @@
+log('Create new Spreadsheet object');
+$spreadsheet = new Spreadsheet();
+
+// Set document properties
+$helper->log('Set document properties');
+$spreadsheet->getProperties()
+ ->setCreator('Maarten Balliauw')
+ ->setLastModifiedBy('Maarten Balliauw')
+ ->setTitle('PhpSpreadsheet Test Document')
+ ->setSubject('PhpSpreadsheet Test Document')
+ ->setDescription('Test document for PhpSpreadsheet, generated using PHP classes.')
+ ->setKeywords('office PhpSpreadsheet php')
+ ->setCategory('Test result file');
+
+// Add some data
+$helper->log('Add some data');
+$spreadsheet->setActiveSheetIndex(0)
+ ->setCellValue('A1', 'Hello')
+ ->setCellValue('B2', 'world!')
+ ->setCellValue('C1', 'Hello')
+ ->setCellValue('D2', 'world!');
+
+// Miscellaneous glyphs, UTF-8
+$spreadsheet->setActiveSheetIndex(0)
+ ->setCellValue('A4', 'Miscellaneous glyphs')
+ ->setCellValue('A5', 'éàèùâêîôûëïüÿäöüç');
+
+$spreadsheet->getActiveSheet()
+ ->setCellValue('A8', "Hello\nWorld");
+$spreadsheet->getActiveSheet()
+ ->getRowDimension(8)
+ ->setRowHeight(-1);
+$spreadsheet->getActiveSheet()
+ ->getStyle('A8')
+ ->getAlignment()
+ ->setWrapText(true);
+
+$value = "-ValueA\n-Value B\n-Value C";
+$spreadsheet->getActiveSheet()
+ ->setCellValue('A10', $value);
+$spreadsheet->getActiveSheet()
+ ->getRowDimension(10)
+ ->setRowHeight(-1);
+$spreadsheet->getActiveSheet()
+ ->getStyle('A10')
+ ->getAlignment()
+ ->setWrapText(true);
+$spreadsheet->getActiveSheet()
+ ->getStyle('A10')
+ ->setQuotePrefix(true);
+
+// Rename worksheet
+$helper->log('Rename worksheet');
+$spreadsheet->getActiveSheet()
+ ->setTitle('Simple');
+
+// Save
+$helper->write($spreadsheet, __FILE__);
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/01_Simple_download_ods.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/01_Simple_download_ods.php
new file mode 100755
index 0000000..0c38a00
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/01_Simple_download_ods.php
@@ -0,0 +1,61 @@
+isCli()) {
+ $helper->log('This example should only be run from a Web Browser' . PHP_EOL);
+
+ return;
+}
+
+// Create new Spreadsheet object
+$spreadsheet = new Spreadsheet();
+
+// Set document properties
+$spreadsheet->getProperties()->setCreator('Maarten Balliauw')
+ ->setLastModifiedBy('Maarten Balliauw')
+ ->setTitle('Office 2007 XLSX Test Document')
+ ->setSubject('Office 2007 XLSX Test Document')
+ ->setDescription('Test document for Office 2007 XLSX, generated using PHP classes.')
+ ->setKeywords('office 2007 openxml php')
+ ->setCategory('Test result file');
+
+// Add some data
+$spreadsheet->setActiveSheetIndex(0)
+ ->setCellValue('A1', 'Hello')
+ ->setCellValue('B2', 'world!')
+ ->setCellValue('C1', 'Hello')
+ ->setCellValue('D2', 'world!');
+
+// Miscellaneous glyphs, UTF-8
+$spreadsheet->setActiveSheetIndex(0)
+ ->setCellValue('A4', 'Miscellaneous glyphs')
+ ->setCellValue('A5', 'éàèùâêîôûëïüÿäöüç');
+
+// Rename worksheet
+$spreadsheet->getActiveSheet()->setTitle('Simple');
+
+// Set active sheet index to the first sheet, so Excel opens this as the first sheet
+$spreadsheet->setActiveSheetIndex(0);
+
+// Redirect output to a client’s web browser (Ods)
+header('Content-Type: application/vnd.oasis.opendocument.spreadsheet');
+header('Content-Disposition: attachment;filename="01simple.ods"');
+header('Cache-Control: max-age=0');
+// If you're serving to IE 9, then the following may be needed
+header('Cache-Control: max-age=1');
+
+// If you're serving to IE over SSL, then the following may be needed
+header('Expires: Mon, 26 Jul 1997 05:00:00 GMT'); // Date in the past
+header('Last-Modified: ' . gmdate('D, d M Y H:i:s') . ' GMT'); // always modified
+header('Cache-Control: cache, must-revalidate'); // HTTP/1.1
+header('Pragma: public'); // HTTP/1.0
+
+$writer = IOFactory::createWriter($spreadsheet, 'Ods');
+$writer->save('php://output');
+exit;
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/01_Simple_download_pdf.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/01_Simple_download_pdf.php
new file mode 100755
index 0000000..5f3e71d
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/01_Simple_download_pdf.php
@@ -0,0 +1,56 @@
+isCli()) {
+ $helper->log('This example should only be run from a Web Browser' . PHP_EOL);
+
+ return;
+}
+
+// Create new Spreadsheet object
+$spreadsheet = new Spreadsheet();
+
+// Set document properties
+$spreadsheet->getProperties()->setCreator('Maarten Balliauw')
+ ->setLastModifiedBy('Maarten Balliauw')
+ ->setTitle('PDF Test Document')
+ ->setSubject('PDF Test Document')
+ ->setDescription('Test document for PDF, generated using PHP classes.')
+ ->setKeywords('pdf php')
+ ->setCategory('Test result file');
+
+// Add some data
+$spreadsheet->setActiveSheetIndex(0)
+ ->setCellValue('A1', 'Hello')
+ ->setCellValue('B2', 'world!')
+ ->setCellValue('C1', 'Hello')
+ ->setCellValue('D2', 'world!');
+
+// Miscellaneous glyphs, UTF-8
+$spreadsheet->setActiveSheetIndex(0)
+ ->setCellValue('A4', 'Miscellaneous glyphs')
+ ->setCellValue('A5', 'éàèùâêîôûëïüÿäöüç');
+
+// Rename worksheet
+$spreadsheet->getActiveSheet()->setTitle('Simple');
+$spreadsheet->getActiveSheet()->setShowGridLines(false);
+
+// Set active sheet index to the first sheet, so Excel opens this as the first sheet
+$spreadsheet->setActiveSheetIndex(0);
+
+IOFactory::registerWriter('Pdf', \PhpOffice\PhpSpreadsheet\Writer\Pdf\Mpdf::class);
+
+// Redirect output to a client’s web browser (PDF)
+header('Content-Type: application/pdf');
+header('Content-Disposition: attachment;filename="01simple.pdf"');
+header('Cache-Control: max-age=0');
+
+$writer = IOFactory::createWriter($spreadsheet, 'Pdf');
+$writer->save('php://output');
+exit;
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/01_Simple_download_xls.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/01_Simple_download_xls.php
new file mode 100755
index 0000000..46d1202
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/01_Simple_download_xls.php
@@ -0,0 +1,61 @@
+isCli()) {
+ $helper->log('This example should only be run from a Web Browser' . PHP_EOL);
+
+ return;
+}
+
+// Create new Spreadsheet object
+$spreadsheet = new Spreadsheet();
+
+// Set document properties
+$spreadsheet->getProperties()->setCreator('Maarten Balliauw')
+ ->setLastModifiedBy('Maarten Balliauw')
+ ->setTitle('Office 2007 XLSX Test Document')
+ ->setSubject('Office 2007 XLSX Test Document')
+ ->setDescription('Test document for Office 2007 XLSX, generated using PHP classes.')
+ ->setKeywords('office 2007 openxml php')
+ ->setCategory('Test result file');
+
+// Add some data
+$spreadsheet->setActiveSheetIndex(0)
+ ->setCellValue('A1', 'Hello')
+ ->setCellValue('B2', 'world!')
+ ->setCellValue('C1', 'Hello')
+ ->setCellValue('D2', 'world!');
+
+// Miscellaneous glyphs, UTF-8
+$spreadsheet->setActiveSheetIndex(0)
+ ->setCellValue('A4', 'Miscellaneous glyphs')
+ ->setCellValue('A5', 'éàèùâêîôûëïüÿäöüç');
+
+// Rename worksheet
+$spreadsheet->getActiveSheet()->setTitle('Simple');
+
+// Set active sheet index to the first sheet, so Excel opens this as the first sheet
+$spreadsheet->setActiveSheetIndex(0);
+
+// Redirect output to a client’s web browser (Xls)
+header('Content-Type: application/vnd.ms-excel');
+header('Content-Disposition: attachment;filename="01simple.xls"');
+header('Cache-Control: max-age=0');
+// If you're serving to IE 9, then the following may be needed
+header('Cache-Control: max-age=1');
+
+// If you're serving to IE over SSL, then the following may be needed
+header('Expires: Mon, 26 Jul 1997 05:00:00 GMT'); // Date in the past
+header('Last-Modified: ' . gmdate('D, d M Y H:i:s') . ' GMT'); // always modified
+header('Cache-Control: cache, must-revalidate'); // HTTP/1.1
+header('Pragma: public'); // HTTP/1.0
+
+$writer = IOFactory::createWriter($spreadsheet, 'Xls');
+$writer->save('php://output');
+exit;
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/01_Simple_download_xlsx.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/01_Simple_download_xlsx.php
new file mode 100755
index 0000000..93efe73
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/01_Simple_download_xlsx.php
@@ -0,0 +1,60 @@
+isCli()) {
+ $helper->log('This example should only be run from a Web Browser' . PHP_EOL);
+
+ return;
+}
+// Create new Spreadsheet object
+$spreadsheet = new Spreadsheet();
+
+// Set document properties
+$spreadsheet->getProperties()->setCreator('Maarten Balliauw')
+ ->setLastModifiedBy('Maarten Balliauw')
+ ->setTitle('Office 2007 XLSX Test Document')
+ ->setSubject('Office 2007 XLSX Test Document')
+ ->setDescription('Test document for Office 2007 XLSX, generated using PHP classes.')
+ ->setKeywords('office 2007 openxml php')
+ ->setCategory('Test result file');
+
+// Add some data
+$spreadsheet->setActiveSheetIndex(0)
+ ->setCellValue('A1', 'Hello')
+ ->setCellValue('B2', 'world!')
+ ->setCellValue('C1', 'Hello')
+ ->setCellValue('D2', 'world!');
+
+// Miscellaneous glyphs, UTF-8
+$spreadsheet->setActiveSheetIndex(0)
+ ->setCellValue('A4', 'Miscellaneous glyphs')
+ ->setCellValue('A5', 'éàèùâêîôûëïüÿäöüç');
+
+// Rename worksheet
+$spreadsheet->getActiveSheet()->setTitle('Simple');
+
+// Set active sheet index to the first sheet, so Excel opens this as the first sheet
+$spreadsheet->setActiveSheetIndex(0);
+
+// Redirect output to a client’s web browser (Xlsx)
+header('Content-Type: application/vnd.openxmlformats-officedocument.spreadsheetml.sheet');
+header('Content-Disposition: attachment;filename="01simple.xlsx"');
+header('Cache-Control: max-age=0');
+// If you're serving to IE 9, then the following may be needed
+header('Cache-Control: max-age=1');
+
+// If you're serving to IE over SSL, then the following may be needed
+header('Expires: Mon, 26 Jul 1997 05:00:00 GMT'); // Date in the past
+header('Last-Modified: ' . gmdate('D, d M Y H:i:s') . ' GMT'); // always modified
+header('Cache-Control: cache, must-revalidate'); // HTTP/1.1
+header('Pragma: public'); // HTTP/1.0
+
+$writer = IOFactory::createWriter($spreadsheet, 'Xlsx');
+$writer->save('php://output');
+exit;
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/02_Types.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/02_Types.php
new file mode 100755
index 0000000..79f109f
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/02_Types.php
@@ -0,0 +1,162 @@
+log('Create new Spreadsheet object');
+$spreadsheet = new Spreadsheet();
+
+// Set document properties
+$helper->log('Set document properties');
+$spreadsheet->getProperties()
+ ->setCreator('Maarten Balliauw')
+ ->setLastModifiedBy('Maarten Balliauw')
+ ->setTitle('Office 2007 XLSX Test Document')
+ ->setSubject('Office 2007 XLSX Test Document')
+ ->setDescription('Test document for Office 2007 XLSX, generated using PHP classes.')
+ ->setKeywords('office 2007 openxml php')
+ ->setCategory('Test result file');
+
+// Set default font
+$helper->log('Set default font');
+$spreadsheet->getDefaultStyle()
+ ->getFont()
+ ->setName('Arial')
+ ->setSize(10);
+
+// Add some data, resembling some different data types
+$helper->log('Add some data');
+$spreadsheet->getActiveSheet()
+ ->setCellValue('A1', 'String')
+ ->setCellValue('B1', 'Simple')
+ ->setCellValue('C1', 'PhpSpreadsheet');
+
+$spreadsheet->getActiveSheet()
+ ->setCellValue('A2', 'String')
+ ->setCellValue('B2', 'Symbols')
+ ->setCellValue('C2', '!+&=()~§±æþ');
+
+$spreadsheet->getActiveSheet()
+ ->setCellValue('A3', 'String')
+ ->setCellValue('B3', 'UTF-8')
+ ->setCellValue('C3', 'Создать MS Excel Книги из PHP скриптов');
+
+$spreadsheet->getActiveSheet()
+ ->setCellValue('A4', 'Number')
+ ->setCellValue('B4', 'Integer')
+ ->setCellValue('C4', 12);
+
+$spreadsheet->getActiveSheet()
+ ->setCellValue('A5', 'Number')
+ ->setCellValue('B5', 'Float')
+ ->setCellValue('C5', 34.56);
+
+$spreadsheet->getActiveSheet()
+ ->setCellValue('A6', 'Number')
+ ->setCellValue('B6', 'Negative')
+ ->setCellValue('C6', -7.89);
+
+$spreadsheet->getActiveSheet()
+ ->setCellValue('A7', 'Boolean')
+ ->setCellValue('B7', 'True')
+ ->setCellValue('C7', true);
+
+$spreadsheet->getActiveSheet()
+ ->setCellValue('A8', 'Boolean')
+ ->setCellValue('B8', 'False')
+ ->setCellValue('C8', false);
+
+$dateTimeNow = time();
+$spreadsheet->getActiveSheet()
+ ->setCellValue('A9', 'Date/Time')
+ ->setCellValue('B9', 'Date')
+ ->setCellValue('C9', Date::PHPToExcel($dateTimeNow));
+$spreadsheet->getActiveSheet()
+ ->getStyle('C9')
+ ->getNumberFormat()
+ ->setFormatCode(NumberFormat::FORMAT_DATE_YYYYMMDD2);
+
+$spreadsheet->getActiveSheet()
+ ->setCellValue('A10', 'Date/Time')
+ ->setCellValue('B10', 'Time')
+ ->setCellValue('C10', Date::PHPToExcel($dateTimeNow));
+$spreadsheet->getActiveSheet()
+ ->getStyle('C10')
+ ->getNumberFormat()
+ ->setFormatCode(NumberFormat::FORMAT_DATE_TIME4);
+
+$spreadsheet->getActiveSheet()
+ ->setCellValue('A11', 'Date/Time')
+ ->setCellValue('B11', 'Date and Time')
+ ->setCellValue('C11', Date::PHPToExcel($dateTimeNow));
+$spreadsheet->getActiveSheet()
+ ->getStyle('C11')
+ ->getNumberFormat()
+ ->setFormatCode(NumberFormat::FORMAT_DATE_DATETIME);
+
+$spreadsheet->getActiveSheet()
+ ->setCellValue('A12', 'NULL')
+ ->setCellValue('C12', null);
+
+$richText = new RichText();
+$richText->createText('你好 ');
+
+$payable = $richText->createTextRun('你 好 吗?');
+$payable->getFont()->setBold(true);
+$payable->getFont()->setItalic(true);
+$payable->getFont()->setColor(new Color(Color::COLOR_DARKGREEN));
+
+$richText->createText(', unless specified otherwise on the invoice.');
+
+$spreadsheet->getActiveSheet()
+ ->setCellValue('A13', 'Rich Text')
+ ->setCellValue('C13', $richText);
+
+$richText2 = new RichText();
+$richText2->createText("black text\n");
+
+$red = $richText2->createTextRun('red text');
+$red->getFont()->setColor(new Color(Color::COLOR_RED));
+
+$spreadsheet->getActiveSheet()
+ ->getCell('C14')
+ ->setValue($richText2);
+$spreadsheet->getActiveSheet()
+ ->getStyle('C14')
+ ->getAlignment()->setWrapText(true);
+
+$spreadsheet->getActiveSheet()->setCellValue('A17', 'Hyperlink');
+
+$spreadsheet->getActiveSheet()
+ ->setCellValue('C17', 'PhpSpreadsheet Web Site');
+$spreadsheet->getActiveSheet()
+ ->getCell('C17')
+ ->getHyperlink()
+ ->setUrl('https://github.com/PHPOffice/PhpSpreadsheet')
+ ->setTooltip('Navigate to PhpSpreadsheet website');
+
+$spreadsheet->getActiveSheet()
+ ->setCellValue('C18', '=HYPERLINK("mailto:abc@def.com","abc@def.com")');
+
+$spreadsheet->getActiveSheet()
+ ->getColumnDimension('B')
+ ->setAutoSize(true);
+$spreadsheet->getActiveSheet()
+ ->getColumnDimension('C')
+ ->setAutoSize(true);
+
+// Rename worksheet
+$helper->log('Rename worksheet');
+$spreadsheet->getActiveSheet()->setTitle('Datatypes');
+
+// Set active sheet index to the first sheet, so Excel opens this as the first sheet
+$spreadsheet->setActiveSheetIndex(0);
+
+// Save
+$helper->write($spreadsheet, __FILE__);
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/03_Formulas.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/03_Formulas.php
new file mode 100755
index 0000000..e453823
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/03_Formulas.php
@@ -0,0 +1,81 @@
+log('Create new Spreadsheet object');
+$spreadsheet = new Spreadsheet();
+
+// Set document properties
+$helper->log('Set document properties');
+$spreadsheet->getProperties()->setCreator('Maarten Balliauw')
+ ->setLastModifiedBy('Maarten Balliauw')
+ ->setTitle('Office 2007 XLSX Test Document')
+ ->setSubject('Office 2007 XLSX Test Document')
+ ->setDescription('Test document for Office 2007 XLSX, generated using PHP classes.')
+ ->setKeywords('office 2007 openxml php')
+ ->setCategory('Test result file');
+
+// Add some data, we will use some formulas here
+$helper->log('Add some data');
+$spreadsheet->getActiveSheet()
+ ->setCellValue('A5', 'Sum:');
+
+$spreadsheet->getActiveSheet()->setCellValue('B1', 'Range #1')
+ ->setCellValue('B2', 3)
+ ->setCellValue('B3', 7)
+ ->setCellValue('B4', 13)
+ ->setCellValue('B5', '=SUM(B2:B4)');
+$helper->log('Sum of Range #1 is ' . $spreadsheet->getActiveSheet()->getCell('B5')->getCalculatedValue());
+
+$spreadsheet->getActiveSheet()->setCellValue('C1', 'Range #2')
+ ->setCellValue('C2', 5)
+ ->setCellValue('C3', 11)
+ ->setCellValue('C4', 17)
+ ->setCellValue('C5', '=SUM(C2:C4)');
+$helper->log('Sum of Range #2 is ' . $spreadsheet->getActiveSheet()->getCell('C5')->getCalculatedValue());
+
+$spreadsheet->getActiveSheet()
+ ->setCellValue('A7', 'Total of both ranges:');
+$spreadsheet->getActiveSheet()
+ ->setCellValue('B7', '=SUM(B5:C5)');
+$helper->log('Sum of both Ranges is ' . $spreadsheet->getActiveSheet()->getCell('B7')->getCalculatedValue());
+
+$spreadsheet->getActiveSheet()
+ ->setCellValue('A8', 'Minimum of both ranges:');
+$spreadsheet->getActiveSheet()
+ ->setCellValue('B8', '=MIN(B2:C4)');
+$helper->log('Minimum value in either Range is ' . $spreadsheet->getActiveSheet()->getCell('B8')->getCalculatedValue());
+
+$spreadsheet->getActiveSheet()
+ ->setCellValue('A9', 'Maximum of both ranges:');
+$spreadsheet->getActiveSheet()
+ ->setCellValue('B9', '=MAX(B2:C4)');
+$helper->log('Maximum value in either Range is ' . $spreadsheet->getActiveSheet()->getCell('B9')->getCalculatedValue());
+
+$spreadsheet->getActiveSheet()
+ ->setCellValue('A10', 'Average of both ranges:');
+$spreadsheet->getActiveSheet()
+ ->setCellValue('B10', '=AVERAGE(B2:C4)');
+$helper->log('Average value of both Ranges is ' . $spreadsheet->getActiveSheet()->getCell('B10')->getCalculatedValue());
+$spreadsheet->getActiveSheet()
+ ->getColumnDimension('A')
+ ->setAutoSize(true);
+
+// Rename worksheet
+$helper->log('Rename worksheet');
+$spreadsheet->getActiveSheet()
+ ->setTitle('Formulas');
+
+//
+// If we set Pre Calculated Formulas to true then PhpSpreadsheet will calculate all formulae in the
+// workbook before saving. This adds time and memory overhead, and can cause some problems with formulae
+// using functions or features (such as array formulae) that aren't yet supported by the calculation engine
+// If the value is false (the default) for the Xlsx Writer, then MS Excel (or the application used to
+// open the file) will need to recalculate values itself to guarantee that the correct results are available.
+//
+//$writer->setPreCalculateFormulas(true);
+// Save
+$helper->write($spreadsheet, __FILE__);
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/04_Printing.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/04_Printing.php
new file mode 100755
index 0000000..5e90fc9
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/04_Printing.php
@@ -0,0 +1,64 @@
+log('Create new Spreadsheet object');
+$spreadsheet = new Spreadsheet();
+
+// Set document properties
+$helper->log('Set document properties');
+$spreadsheet->getProperties()->setCreator('Maarten Balliauw')
+ ->setLastModifiedBy('Maarten Balliauw')
+ ->setTitle('Office 2007 XLSX Test Document')
+ ->setSubject('Office 2007 XLSX Test Document')
+ ->setDescription('Test document for Office 2007 XLSX, generated using PHP classes.')
+ ->setKeywords('office 2007 openxml php')
+ ->setCategory('Test result file');
+
+// Add some data, we will use printing features
+$helper->log('Add some data');
+for ($i = 1; $i < 200; ++$i) {
+ $spreadsheet->getActiveSheet()->setCellValue('A' . $i, $i);
+ $spreadsheet->getActiveSheet()->setCellValue('B' . $i, 'Test value');
+}
+
+// Set header and footer. When no different headers for odd/even are used, odd header is assumed.
+$helper->log('Set header/footer');
+$spreadsheet->getActiveSheet()
+ ->getHeaderFooter()
+ ->setOddHeader('&L&G&C&HPlease treat this document as confidential!');
+$spreadsheet->getActiveSheet()
+ ->getHeaderFooter()
+ ->setOddFooter('&L&B' . $spreadsheet->getProperties()->getTitle() . '&RPage &P of &N');
+
+// Add a drawing to the header
+$helper->log('Add a drawing to the header');
+$drawing = new HeaderFooterDrawing();
+$drawing->setName('PhpSpreadsheet logo');
+$drawing->setPath(__DIR__ . '/../images/PhpSpreadsheet_logo.png');
+$drawing->setHeight(36);
+$spreadsheet->getActiveSheet()
+ ->getHeaderFooter()
+ ->addImage($drawing, HeaderFooter::IMAGE_HEADER_LEFT);
+
+// Set page orientation and size
+$helper->log('Set page orientation and size');
+$spreadsheet->getActiveSheet()
+ ->getPageSetup()
+ ->setOrientation(PageSetup::ORIENTATION_LANDSCAPE);
+$spreadsheet->getActiveSheet()
+ ->getPageSetup()
+ ->setPaperSize(PageSetup::PAPERSIZE_A4);
+
+// Rename worksheet
+$helper->log('Rename worksheet');
+$spreadsheet->getActiveSheet()->setTitle('Printing');
+
+// Save
+$helper->write($spreadsheet, __FILE__);
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/05_Feature_demo.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/05_Feature_demo.php
new file mode 100755
index 0000000..a85ebbc
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/05_Feature_demo.php
@@ -0,0 +1,7 @@
+write($spreadsheet, __FILE__);
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/06_Largescale.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/06_Largescale.php
new file mode 100755
index 0000000..2e8a3e6
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/06_Largescale.php
@@ -0,0 +1,8 @@
+write($spreadsheet, __FILE__);
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/07_Reader.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/07_Reader.php
new file mode 100755
index 0000000..4d9bd79
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/07_Reader.php
@@ -0,0 +1,19 @@
+getTemporaryFilename();
+$writer = new Xlsx($sampleSpreadsheet);
+$writer->save($filename);
+
+$callStartTime = microtime(true);
+$spreadsheet = IOFactory::load($filename);
+$helper->logRead('Xlsx', $filename, $callStartTime);
+
+// Save
+$helper->write($spreadsheet, __FILE__);
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/08_Conditional_formatting.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/08_Conditional_formatting.php
new file mode 100755
index 0000000..0ad45c3
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/08_Conditional_formatting.php
@@ -0,0 +1,115 @@
+log('Create new Spreadsheet object');
+$spreadsheet = new Spreadsheet();
+
+// Set document properties
+$helper->log('Set document properties');
+$spreadsheet->getProperties()->setCreator('Maarten Balliauw')
+ ->setLastModifiedBy('Maarten Balliauw')
+ ->setTitle('Office 2007 XLSX Test Document')
+ ->setSubject('Office 2007 XLSX Test Document')
+ ->setDescription('Test document for Office 2007 XLSX, generated using PHP classes.')
+ ->setKeywords('office 2007 openxml php')
+ ->setCategory('Test result file');
+
+// Create a first sheet, representing sales data
+$helper->log('Add some data');
+$spreadsheet->setActiveSheetIndex(0);
+$spreadsheet->getActiveSheet()->setCellValue('A1', 'Description')
+ ->setCellValue('B1', 'Amount');
+
+$spreadsheet->getActiveSheet()->setCellValue('A2', 'Paycheck received')
+ ->setCellValue('B2', 100);
+
+$spreadsheet->getActiveSheet()->setCellValue('A3', 'Cup of coffee bought')
+ ->setCellValue('B3', -1.5);
+
+$spreadsheet->getActiveSheet()->setCellValue('A4', 'Cup of coffee bought')
+ ->setCellValue('B4', -1.5);
+
+$spreadsheet->getActiveSheet()->setCellValue('A5', 'Cup of tea bought')
+ ->setCellValue('B5', -1.2);
+
+$spreadsheet->getActiveSheet()->setCellValue('A6', 'Found some money')
+ ->setCellValue('B6', 8);
+
+$spreadsheet->getActiveSheet()->setCellValue('A7', 'Total:')
+ ->setCellValue('B7', '=SUM(B2:B6)');
+
+// Set column widths
+$helper->log('Set column widths');
+$spreadsheet->getActiveSheet()->getColumnDimension('A')->setWidth(30);
+$spreadsheet->getActiveSheet()->getColumnDimension('B')->setWidth(12);
+
+// Add conditional formatting
+$helper->log('Add conditional formatting');
+$conditional1 = new Conditional();
+$conditional1->setConditionType(Conditional::CONDITION_CELLIS)
+ ->setOperatorType(Conditional::OPERATOR_BETWEEN)
+ ->addCondition('200')
+ ->addCondition('400');
+$conditional1->getStyle()->getFont()->getColor()->setARGB(Color::COLOR_YELLOW);
+$conditional1->getStyle()->getFont()->setBold(true);
+$conditional1->getStyle()->getNumberFormat()->setFormatCode(NumberFormat::FORMAT_CURRENCY_EUR_SIMPLE);
+
+$conditional2 = new Conditional();
+$conditional2->setConditionType(Conditional::CONDITION_CELLIS)
+ ->setOperatorType(Conditional::OPERATOR_LESSTHAN)
+ ->addCondition('0');
+$conditional2->getStyle()->getFont()->getColor()->setARGB(Color::COLOR_RED);
+$conditional2->getStyle()->getFont()->setItalic(true);
+$conditional2->getStyle()->getNumberFormat()->setFormatCode(NumberFormat::FORMAT_CURRENCY_EUR_SIMPLE);
+
+$conditional3 = new Conditional();
+$conditional3->setConditionType(Conditional::CONDITION_CELLIS)
+ ->setOperatorType(Conditional::OPERATOR_GREATERTHANOREQUAL)
+ ->addCondition('0');
+$conditional3->getStyle()->getFont()->getColor()->setARGB(Color::COLOR_GREEN);
+$conditional3->getStyle()->getFont()->setItalic(true);
+$conditional3->getStyle()->getNumberFormat()->setFormatCode(NumberFormat::FORMAT_CURRENCY_EUR_SIMPLE);
+
+$conditionalStyles = $spreadsheet->getActiveSheet()->getStyle('B2')->getConditionalStyles();
+$conditionalStyles[] = $conditional1;
+$conditionalStyles[] = $conditional2;
+$conditionalStyles[] = $conditional3;
+$spreadsheet->getActiveSheet()->getStyle('B2')->setConditionalStyles($conditionalStyles);
+
+// duplicate the conditional styles across a range of cells
+$helper->log('Duplicate the conditional formatting across a range of cells');
+$spreadsheet->getActiveSheet()->duplicateConditionalStyle(
+ $spreadsheet->getActiveSheet()->getStyle('B2')->getConditionalStyles(),
+ 'B3:B7'
+);
+
+// Set fonts
+$helper->log('Set fonts');
+$spreadsheet->getActiveSheet()->getStyle('A1:B1')->getFont()->setBold(true);
+//$spreadsheet->getActiveSheet()->getStyle('B1')->getFont()->setBold(true);
+$spreadsheet->getActiveSheet()->getStyle('A7:B7')->getFont()->setBold(true);
+//$spreadsheet->getActiveSheet()->getStyle('B7')->getFont()->setBold(true);
+// Set header and footer. When no different headers for odd/even are used, odd header is assumed.
+$helper->log('Set header/footer');
+$spreadsheet->getActiveSheet()->getHeaderFooter()->setOddHeader('&L&BPersonal cash register&RPrinted on &D');
+$spreadsheet->getActiveSheet()->getHeaderFooter()->setOddFooter('&L&B' . $spreadsheet->getProperties()->getTitle() . '&RPage &P of &N');
+
+// Set page orientation and size
+$helper->log('Set page orientation and size');
+$spreadsheet->getActiveSheet()->getPageSetup()->setOrientation(PageSetup::ORIENTATION_PORTRAIT);
+$spreadsheet->getActiveSheet()->getPageSetup()->setPaperSize(PageSetup::PAPERSIZE_A4);
+
+// Rename worksheet
+$helper->log('Rename worksheet');
+$spreadsheet->getActiveSheet()->setTitle('Invoice');
+
+// Save
+$helper->write($spreadsheet, __FILE__);
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/08_Conditional_formatting_2.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/08_Conditional_formatting_2.php
new file mode 100755
index 0000000..607578c
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/08_Conditional_formatting_2.php
@@ -0,0 +1,70 @@
+log('Create new Spreadsheet object');
+$spreadsheet = new Spreadsheet();
+
+// Set document properties
+$helper->log('Set document properties');
+$spreadsheet->getProperties()->setCreator('Maarten Balliauw')
+ ->setLastModifiedBy('Maarten Balliauw')
+ ->setTitle('Office 2007 XLSX Test Document')
+ ->setSubject('Office 2007 XLSX Test Document')
+ ->setDescription('Test document for Office 2007 XLSX, generated using PHP classes.')
+ ->setKeywords('office 2007 openxml php')
+ ->setCategory('Test result file');
+
+// Create a first sheet, representing sales data
+$helper->log('Add some data');
+$spreadsheet->setActiveSheetIndex(0);
+$spreadsheet->getActiveSheet()
+ ->setCellValue('A1', '-0.5')
+ ->setCellValue('A2', '-0.25')
+ ->setCellValue('A3', '0.0')
+ ->setCellValue('A4', '0.25')
+ ->setCellValue('A5', '0.5')
+ ->setCellValue('A6', '0.75')
+ ->setCellValue('A7', '1.0')
+ ->setCellValue('A8', '1.25');
+
+$spreadsheet->getActiveSheet()->getStyle('A1:A8')
+ ->getNumberFormat()
+ ->setFormatCode(
+ NumberFormat::FORMAT_PERCENTAGE_00
+ );
+
+// Add conditional formatting
+$helper->log('Add conditional formatting');
+$conditional1 = new Conditional();
+$conditional1->setConditionType(Conditional::CONDITION_CELLIS)
+ ->setOperatorType(Conditional::OPERATOR_LESSTHAN)
+ ->addCondition('0');
+$conditional1->getStyle()->getFont()->getColor()->setARGB(Color::COLOR_RED);
+
+$conditional3 = new Conditional();
+$conditional3->setConditionType(Conditional::CONDITION_CELLIS)
+ ->setOperatorType(Conditional::OPERATOR_GREATERTHANOREQUAL)
+ ->addCondition('1');
+$conditional3->getStyle()->getFont()->getColor()->setARGB(Color::COLOR_GREEN);
+
+$conditionalStyles = $spreadsheet->getActiveSheet()->getStyle('A1')->getConditionalStyles();
+$conditionalStyles[] = $conditional1;
+$conditionalStyles[] = $conditional3;
+$spreadsheet->getActiveSheet()->getStyle('A1')->setConditionalStyles($conditionalStyles);
+
+// duplicate the conditional styles across a range of cells
+$helper->log('Duplicate the conditional formatting across a range of cells');
+$spreadsheet->getActiveSheet()->duplicateConditionalStyle(
+ $spreadsheet->getActiveSheet()->getStyle('A1')->getConditionalStyles(),
+ 'A2:A8'
+);
+
+// Save
+$helper->write($spreadsheet, __FILE__);
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/09_Pagebreaks.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/09_Pagebreaks.php
new file mode 100755
index 0000000..ab99a07
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/09_Pagebreaks.php
@@ -0,0 +1,63 @@
+log('Create new Spreadsheet object');
+$spreadsheet = new Spreadsheet();
+
+// Set document properties
+$helper->log('Set document properties');
+$spreadsheet->getProperties()->setCreator('Maarten Balliauw')
+ ->setLastModifiedBy('Maarten Balliauw')
+ ->setTitle('Office 2007 XLSX Test Document')
+ ->setSubject('Office 2007 XLSX Test Document')
+ ->setDescription('Test document for Office 2007 XLSX, generated using PHP classes.')
+ ->setKeywords('office 2007 openxml php')
+ ->setCategory('Test result file');
+
+// Create a first sheet
+$helper->log('Add data and page breaks');
+$spreadsheet->setActiveSheetIndex(0);
+$spreadsheet->getActiveSheet()->setCellValue('A1', 'Firstname')
+ ->setCellValue('B1', 'Lastname')
+ ->setCellValue('C1', 'Phone')
+ ->setCellValue('D1', 'Fax')
+ ->setCellValue('E1', 'Is Client ?');
+
+// Add data
+for ($i = 2; $i <= 50; ++$i) {
+ $spreadsheet->getActiveSheet()->setCellValue('A' . $i, "FName $i");
+ $spreadsheet->getActiveSheet()->setCellValue('B' . $i, "LName $i");
+ $spreadsheet->getActiveSheet()->setCellValue('C' . $i, "PhoneNo $i");
+ $spreadsheet->getActiveSheet()->setCellValue('D' . $i, "FaxNo $i");
+ $spreadsheet->getActiveSheet()->setCellValue('E' . $i, true);
+
+ // Add page breaks every 10 rows
+ if ($i % 10 == 0) {
+ // Add a page break
+ $spreadsheet->getActiveSheet()->setBreak('A' . $i, Worksheet::BREAK_ROW);
+ }
+}
+
+// Set active sheet index to the first sheet, so Excel opens this as the first sheet
+$spreadsheet->setActiveSheetIndex(0);
+$spreadsheet->getActiveSheet()->setTitle('Printing Options');
+
+// Set print headers
+$spreadsheet->getActiveSheet()
+ ->getHeaderFooter()->setOddHeader('&C&24&K0000FF&B&U&A');
+$spreadsheet->getActiveSheet()
+ ->getHeaderFooter()->setEvenHeader('&C&24&K0000FF&B&U&A');
+
+// Set print footers
+$spreadsheet->getActiveSheet()
+ ->getHeaderFooter()->setOddFooter('&R&D &T&C&F&LPage &P / &N');
+$spreadsheet->getActiveSheet()
+ ->getHeaderFooter()->setEvenFooter('&L&D &T&C&F&RPage &P / &N');
+
+// Save
+$helper->write($spreadsheet, __FILE__);
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/11_Documentsecurity.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/11_Documentsecurity.php
new file mode 100755
index 0000000..ec537ab
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/11_Documentsecurity.php
@@ -0,0 +1,48 @@
+log('Create new Spreadsheet object');
+$spreadsheet = new Spreadsheet();
+
+// Set document properties
+$helper->log('Set document properties');
+$spreadsheet->getProperties()->setCreator('Maarten Balliauw')
+ ->setLastModifiedBy('Maarten Balliauw')
+ ->setTitle('Office 2007 XLSX Test Document')
+ ->setSubject('Office 2007 XLSX Test Document')
+ ->setDescription('Test document for Office 2007 XLSX, generated using PHP classes.')
+ ->setKeywords('office 2007 openxml php')
+ ->setCategory('Test result file');
+
+// Add some data
+$helper->log('Add some data');
+$spreadsheet->setActiveSheetIndex(0);
+$spreadsheet->getActiveSheet()->setCellValue('A1', 'Hello');
+$spreadsheet->getActiveSheet()->setCellValue('B2', 'world!');
+$spreadsheet->getActiveSheet()->setCellValue('C1', 'Hello');
+$spreadsheet->getActiveSheet()->setCellValue('D2', 'world!');
+
+// Rename worksheet
+$helper->log('Rename worksheet');
+$spreadsheet->getActiveSheet()->setTitle('Simple');
+
+// Set document security
+$helper->log('Set document security');
+$spreadsheet->getSecurity()->setLockWindows(true);
+$spreadsheet->getSecurity()->setLockStructure(true);
+$spreadsheet->getSecurity()->setWorkbookPassword('PhpSpreadsheet');
+
+// Set sheet security
+$helper->log('Set sheet security');
+$spreadsheet->getActiveSheet()->getProtection()->setPassword('PhpSpreadsheet');
+$spreadsheet->getActiveSheet()->getProtection()->setSheet(true); // This should be enabled in order to enable any of the following!
+$spreadsheet->getActiveSheet()->getProtection()->setSort(true);
+$spreadsheet->getActiveSheet()->getProtection()->setInsertRows(true);
+$spreadsheet->getActiveSheet()->getProtection()->setFormatCells(true);
+
+// Save
+$helper->write($spreadsheet, __FILE__);
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/12_CellProtection.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/12_CellProtection.php
new file mode 100755
index 0000000..8a1b2a0
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/12_CellProtection.php
@@ -0,0 +1,47 @@
+log('Create new Spreadsheet object');
+$spreadsheet = new Spreadsheet();
+
+// Set document properties
+$helper->log('Set document properties');
+$spreadsheet->getProperties()->setCreator('Mark Baker')
+ ->setLastModifiedBy('Mark Baker')
+ ->setTitle('Office 2007 XLSX Test Document')
+ ->setSubject('Office 2007 XLSX Test Document')
+ ->setDescription('Test document for Office 2007 XLSX, generated using PHP classes.')
+ ->setKeywords('office 2007 openxml php')
+ ->setCategory('Test result file');
+
+// Add some data
+$helper->log('Add some data');
+$spreadsheet->setActiveSheetIndex(0);
+$spreadsheet->getActiveSheet()->setCellValue('A1', 'Crouching');
+$spreadsheet->getActiveSheet()->setCellValue('B1', 'Tiger');
+$spreadsheet->getActiveSheet()->setCellValue('A2', 'Hidden');
+$spreadsheet->getActiveSheet()->setCellValue('B2', 'Dragon');
+
+// Rename worksheet
+$helper->log('Rename worksheet');
+$spreadsheet->getActiveSheet()->setTitle('Simple');
+
+// Set document security
+$helper->log('Set cell protection');
+
+// Set sheet security
+$helper->log('Set sheet security');
+$spreadsheet->getActiveSheet()->getProtection()->setSheet(true);
+$spreadsheet->getActiveSheet()
+ ->getStyle('A2:B2')
+ ->getProtection()->setLocked(
+ Protection::PROTECTION_UNPROTECTED
+ );
+
+// Save
+$helper->write($spreadsheet, __FILE__);
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/13_Calculation.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/13_Calculation.php
new file mode 100755
index 0000000..087b443
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/13_Calculation.php
@@ -0,0 +1,176 @@
+log('List implemented functions');
+$calc = Calculation::getInstance();
+print_r($calc->getImplementedFunctionNames());
+
+// Create new Spreadsheet object
+$helper->log('Create new Spreadsheet object');
+$spreadsheet = new Spreadsheet();
+
+// Add some data, we will use some formulas here
+$helper->log('Add some data and formulas');
+$spreadsheet->getActiveSheet()->setCellValue('A14', 'Count:')
+ ->setCellValue('A15', 'Sum:')
+ ->setCellValue('A16', 'Max:')
+ ->setCellValue('A17', 'Min:')
+ ->setCellValue('A18', 'Average:')
+ ->setCellValue('A19', 'Median:')
+ ->setCellValue('A20', 'Mode:');
+
+$spreadsheet->getActiveSheet()->setCellValue('A22', 'CountA:')
+ ->setCellValue('A23', 'MaxA:')
+ ->setCellValue('A24', 'MinA:');
+
+$spreadsheet->getActiveSheet()->setCellValue('A26', 'StDev:')
+ ->setCellValue('A27', 'StDevA:')
+ ->setCellValue('A28', 'StDevP:')
+ ->setCellValue('A29', 'StDevPA:');
+
+$spreadsheet->getActiveSheet()->setCellValue('A31', 'DevSq:')
+ ->setCellValue('A32', 'Var:')
+ ->setCellValue('A33', 'VarA:')
+ ->setCellValue('A34', 'VarP:')
+ ->setCellValue('A35', 'VarPA:');
+
+$spreadsheet->getActiveSheet()->setCellValue('A37', 'Date:');
+
+$spreadsheet->getActiveSheet()->setCellValue('B1', 'Range 1')
+ ->setCellValue('B2', 2)
+ ->setCellValue('B3', 8)
+ ->setCellValue('B4', 10)
+ ->setCellValue('B5', true)
+ ->setCellValue('B6', false)
+ ->setCellValue('B7', 'Text String')
+ ->setCellValue('B9', '22')
+ ->setCellValue('B10', 4)
+ ->setCellValue('B11', 6)
+ ->setCellValue('B12', 12);
+
+$spreadsheet->getActiveSheet()->setCellValue('B14', '=COUNT(B2:B12)')
+ ->setCellValue('B15', '=SUM(B2:B12)')
+ ->setCellValue('B16', '=MAX(B2:B12)')
+ ->setCellValue('B17', '=MIN(B2:B12)')
+ ->setCellValue('B18', '=AVERAGE(B2:B12)')
+ ->setCellValue('B19', '=MEDIAN(B2:B12)')
+ ->setCellValue('B20', '=MODE(B2:B12)');
+
+$spreadsheet->getActiveSheet()->setCellValue('B22', '=COUNTA(B2:B12)')
+ ->setCellValue('B23', '=MAXA(B2:B12)')
+ ->setCellValue('B24', '=MINA(B2:B12)');
+
+$spreadsheet->getActiveSheet()->setCellValue('B26', '=STDEV(B2:B12)')
+ ->setCellValue('B27', '=STDEVA(B2:B12)')
+ ->setCellValue('B28', '=STDEVP(B2:B12)')
+ ->setCellValue('B29', '=STDEVPA(B2:B12)');
+
+$spreadsheet->getActiveSheet()->setCellValue('B31', '=DEVSQ(B2:B12)')
+ ->setCellValue('B32', '=VAR(B2:B12)')
+ ->setCellValue('B33', '=VARA(B2:B12)')
+ ->setCellValue('B34', '=VARP(B2:B12)')
+ ->setCellValue('B35', '=VARPA(B2:B12)');
+
+$spreadsheet->getActiveSheet()->setCellValue('B37', '=DATE(2007, 12, 21)')
+ ->setCellValue('B38', '=DATEDIF( DATE(2007, 12, 21), DATE(2007, 12, 22), "D" )')
+ ->setCellValue('B39', '=DATEVALUE("01-Feb-2006 10:06 AM")')
+ ->setCellValue('B40', '=DAY( DATE(2006, 1, 2) )')
+ ->setCellValue('B41', '=DAYS360( DATE(2002, 2, 3), DATE(2005, 5, 31) )');
+
+$spreadsheet->getActiveSheet()->setCellValue('C1', 'Range 2')
+ ->setCellValue('C2', 1)
+ ->setCellValue('C3', 2)
+ ->setCellValue('C4', 2)
+ ->setCellValue('C5', 3)
+ ->setCellValue('C6', 3)
+ ->setCellValue('C7', 3)
+ ->setCellValue('C8', '0')
+ ->setCellValue('C9', 4)
+ ->setCellValue('C10', 4)
+ ->setCellValue('C11', 4)
+ ->setCellValue('C12', 4);
+
+$spreadsheet->getActiveSheet()->setCellValue('C14', '=COUNT(C2:C12)')
+ ->setCellValue('C15', '=SUM(C2:C12)')
+ ->setCellValue('C16', '=MAX(C2:C12)')
+ ->setCellValue('C17', '=MIN(C2:C12)')
+ ->setCellValue('C18', '=AVERAGE(C2:C12)')
+ ->setCellValue('C19', '=MEDIAN(C2:C12)')
+ ->setCellValue('C20', '=MODE(C2:C12)');
+
+$spreadsheet->getActiveSheet()->setCellValue('C22', '=COUNTA(C2:C12)')
+ ->setCellValue('C23', '=MAXA(C2:C12)')
+ ->setCellValue('C24', '=MINA(C2:C12)');
+
+$spreadsheet->getActiveSheet()->setCellValue('C26', '=STDEV(C2:C12)')
+ ->setCellValue('C27', '=STDEVA(C2:C12)')
+ ->setCellValue('C28', '=STDEVP(C2:C12)')
+ ->setCellValue('C29', '=STDEVPA(C2:C12)');
+
+$spreadsheet->getActiveSheet()->setCellValue('C31', '=DEVSQ(C2:C12)')
+ ->setCellValue('C32', '=VAR(C2:C12)')
+ ->setCellValue('C33', '=VARA(C2:C12)')
+ ->setCellValue('C34', '=VARP(C2:C12)')
+ ->setCellValue('C35', '=VARPA(C2:C12)');
+
+$spreadsheet->getActiveSheet()->setCellValue('D1', 'Range 3')
+ ->setCellValue('D2', 2)
+ ->setCellValue('D3', 3)
+ ->setCellValue('D4', 4);
+
+$spreadsheet->getActiveSheet()->setCellValue('D14', '=((D2 * D3) + D4) & " should be 10"');
+
+$spreadsheet->getActiveSheet()->setCellValue('E12', 'Other functions')
+ ->setCellValue('E14', '=PI()')
+ ->setCellValue('E15', '=RAND()')
+ ->setCellValue('E16', '=RANDBETWEEN(5, 10)');
+
+$spreadsheet->getActiveSheet()->setCellValue('E17', 'Count of both ranges:')
+ ->setCellValue('F17', '=COUNT(B2:C12)');
+
+$spreadsheet->getActiveSheet()->setCellValue('E18', 'Total of both ranges:')
+ ->setCellValue('F18', '=SUM(B2:C12)');
+
+$spreadsheet->getActiveSheet()->setCellValue('E19', 'Maximum of both ranges:')
+ ->setCellValue('F19', '=MAX(B2:C12)');
+
+$spreadsheet->getActiveSheet()->setCellValue('E20', 'Minimum of both ranges:')
+ ->setCellValue('F20', '=MIN(B2:C12)');
+
+$spreadsheet->getActiveSheet()->setCellValue('E21', 'Average of both ranges:')
+ ->setCellValue('F21', '=AVERAGE(B2:C12)');
+
+$spreadsheet->getActiveSheet()->setCellValue('E22', 'Median of both ranges:')
+ ->setCellValue('F22', '=MEDIAN(B2:C12)');
+
+$spreadsheet->getActiveSheet()->setCellValue('E23', 'Mode of both ranges:')
+ ->setCellValue('F23', '=MODE(B2:C12)');
+
+// Calculated data
+$helper->log('Calculated data');
+for ($col = 'B'; $col != 'G'; ++$col) {
+ for ($row = 14; $row <= 41; ++$row) {
+ if ((($formula = $spreadsheet->getActiveSheet()->getCell($col . $row)->getValue()) !== null) &&
+ ($formula[0] == '=')) {
+ $helper->log('Value of ' . $col . $row . ' [' . $formula . ']: ' . $spreadsheet->getActiveSheet()->getCell($col . $row)->getCalculatedValue());
+ }
+ }
+}
+
+//
+// If we set Pre Calculated Formulas to true then PhpSpreadsheet will calculate all formulae in the
+// workbook before saving. This adds time and memory overhead, and can cause some problems with formulae
+// using functions or features (such as array formulae) that aren't yet supported by the calculation engine
+// If the value is false (the default) for the Xlsx Writer, then MS Excel (or the application used to
+// open the file) will need to recalculate values itself to guarantee that the correct results are available.
+//
+//$writer->setPreCalculateFormulas(true);
+// Save
+$helper->write($spreadsheet, __FILE__);
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/13_CalculationCyclicFormulae.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/13_CalculationCyclicFormulae.php
new file mode 100755
index 0000000..26e9784
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/13_CalculationCyclicFormulae.php
@@ -0,0 +1,33 @@
+log('Create new Spreadsheet object');
+$spreadsheet = new Spreadsheet();
+
+// Add some data, we will use some formulas here
+$helper->log('Add some data and formulas');
+$spreadsheet->getActiveSheet()->setCellValue('A1', '=B1')
+ ->setCellValue('A2', '=B2+1')
+ ->setCellValue('B1', '=A1+1')
+ ->setCellValue('B2', '=A2');
+
+Calculation::getInstance($spreadsheet)->cyclicFormulaCount = 100;
+
+// Calculated data
+$helper->log('Calculated data');
+for ($row = 1; $row <= 2; ++$row) {
+ for ($col = 'A'; $col != 'C'; ++$col) {
+ if ((($formula = $spreadsheet->getActiveSheet()->getCell($col . $row)->getValue()) !== null) &&
+ ($formula[0] == '=')) {
+ $helper->log('Value of ' . $col . $row . ' [' . $formula . ']: ' . $spreadsheet->getActiveSheet()->getCell($col . $row)->getCalculatedValue());
+ }
+ }
+}
+
+// Save
+$helper->write($spreadsheet, __FILE__);
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/14_Xls.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/14_Xls.php
new file mode 100755
index 0000000..ce27eb8
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/14_Xls.php
@@ -0,0 +1,13 @@
+getFilename(__FILE__, 'xls');
+$writer = IOFactory::createWriter($spreadsheet, 'Xls');
+
+$callStartTime = microtime(true);
+$writer->save($filename);
+$helper->logWrite($writer, $filename, $callStartTime);
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/15_Datavalidation.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/15_Datavalidation.php
new file mode 100755
index 0000000..fb76b4d
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/15_Datavalidation.php
@@ -0,0 +1,80 @@
+log('Create new Spreadsheet object');
+$spreadsheet = new Spreadsheet();
+
+// Set document properties
+$helper->log('Set document properties');
+$spreadsheet->getProperties()->setCreator('Maarten Balliauw')
+ ->setLastModifiedBy('Maarten Balliauw')
+ ->setTitle('Office 2007 XLSX Test Document')
+ ->setSubject('Office 2007 XLSX Test Document')
+ ->setDescription('Test document for Office 2007 XLSX, generated using PHP classes.')
+ ->setKeywords('office 2007 openxml php')
+ ->setCategory('Test result file');
+
+// Create a first sheet
+$helper->log('Add data');
+$spreadsheet->setActiveSheetIndex(0);
+$spreadsheet->getActiveSheet()->setCellValue('A1', 'Cell B3 and B5 contain data validation...')
+ ->setCellValue('A3', 'Number:')
+ ->setCellValue('B3', '10')
+ ->setCellValue('A5', 'List:')
+ ->setCellValue('B5', 'Item A')
+ ->setCellValue('A7', 'List #2:')
+ ->setCellValue('B7', 'Item #2')
+ ->setCellValue('D2', 'Item #1')
+ ->setCellValue('D3', 'Item #2')
+ ->setCellValue('D4', 'Item #3')
+ ->setCellValue('D5', 'Item #4')
+ ->setCellValue('D6', 'Item #5');
+
+// Set data validation
+$helper->log('Set data validation');
+$validation = $spreadsheet->getActiveSheet()->getCell('B3')->getDataValidation();
+$validation->setType(DataValidation::TYPE_WHOLE);
+$validation->setErrorStyle(DataValidation::STYLE_STOP);
+$validation->setAllowBlank(true);
+$validation->setShowInputMessage(true);
+$validation->setShowErrorMessage(true);
+$validation->setErrorTitle('Input error');
+$validation->setError('Only numbers between 10 and 20 are allowed!');
+$validation->setPromptTitle('Allowed input');
+$validation->setPrompt('Only numbers between 10 and 20 are allowed.');
+$validation->setFormula1(10);
+$validation->setFormula2(20);
+
+$validation = $spreadsheet->getActiveSheet()->getCell('B5')->getDataValidation();
+$validation->setType(DataValidation::TYPE_LIST);
+$validation->setErrorStyle(DataValidation::STYLE_INFORMATION);
+$validation->setAllowBlank(false);
+$validation->setShowInputMessage(true);
+$validation->setShowErrorMessage(true);
+$validation->setShowDropDown(true);
+$validation->setErrorTitle('Input error');
+$validation->setError('Value is not in list.');
+$validation->setPromptTitle('Pick from list');
+$validation->setPrompt('Please pick a value from the drop-down list.');
+$validation->setFormula1('"Item A,Item B,Item C"'); // Make sure to put the list items between " and " if your list is simply a comma-separated list of values !!!
+
+$validation = $spreadsheet->getActiveSheet()->getCell('B7')->getDataValidation();
+$validation->setType(DataValidation::TYPE_LIST);
+$validation->setErrorStyle(DataValidation::STYLE_INFORMATION);
+$validation->setAllowBlank(false);
+$validation->setShowInputMessage(true);
+$validation->setShowErrorMessage(true);
+$validation->setShowDropDown(true);
+$validation->setErrorTitle('Input error');
+$validation->setError('Value is not in list.');
+$validation->setPromptTitle('Pick from list');
+$validation->setPrompt('Please pick a value from the drop-down list.');
+$validation->setFormula1('$D$2:$D$6'); // Make sure NOT to put a range of cells or a formula between " and "
+
+// Save
+$helper->write($spreadsheet, __FILE__);
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/16_Csv.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/16_Csv.php
new file mode 100755
index 0000000..ceb8b2f
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/16_Csv.php
@@ -0,0 +1,38 @@
+log('Write to CSV format');
+$writer = IOFactory::createWriter($spreadsheet, 'Csv')->setDelimiter(',')
+ ->setEnclosure('"')
+ ->setSheetIndex(0);
+
+$callStartTime = microtime(true);
+$filename = $helper->getTemporaryFilename('csv');
+$writer->save($filename);
+$helper->logWrite($writer, $filename, $callStartTime);
+
+$helper->log('Read from CSV format');
+
+$reader = IOFactory::createReader('Csv')->setDelimiter(',')
+ ->setEnclosure('"')
+ ->setSheetIndex(0);
+
+$callStartTime = microtime(true);
+$spreadsheetFromCSV = $reader->load($filename);
+$helper->logRead('Csv', $filename, $callStartTime);
+
+// Write Xlsx
+$helper->write($spreadsheetFromCSV, __FILE__, ['Xlsx']);
+
+// Write CSV
+$filenameCSV = $helper->getFilename(__FILE__, 'csv');
+$writerCSV = IOFactory::createWriter($spreadsheetFromCSV, 'Csv');
+$writerCSV->setExcelCompatibility(true);
+
+$callStartTime = microtime(true);
+$writerCSV->save($filenameCSV);
+$helper->logWrite($writerCSV, $filenameCSV, $callStartTime);
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/17_Html.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/17_Html.php
new file mode 100755
index 0000000..b90b721
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/17_Html.php
@@ -0,0 +1,13 @@
+getFilename(__FILE__, 'html');
+$writer = IOFactory::createWriter($spreadsheet, 'Html');
+
+$callStartTime = microtime(true);
+$writer->save($filename);
+$helper->logWrite($writer, $filename, $callStartTime);
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/18_Extendedcalculation.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/18_Extendedcalculation.php
new file mode 100755
index 0000000..c1ec2c0
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/18_Extendedcalculation.php
@@ -0,0 +1,69 @@
+log('List implemented functions');
+$calc = Calculation::getInstance();
+print_r($calc->getImplementedFunctionNames());
+
+// Create new Spreadsheet object
+$helper->log('Create new Spreadsheet object');
+$spreadsheet = new Spreadsheet();
+
+// Add some data, we will use some formulas here
+$helper->log('Add some data');
+$spreadsheet->getActiveSheet()->setCellValue('A14', 'Count:');
+
+$spreadsheet->getActiveSheet()->setCellValue('B1', 'Range 1');
+$spreadsheet->getActiveSheet()->setCellValue('B2', 2);
+$spreadsheet->getActiveSheet()->setCellValue('B3', 8);
+$spreadsheet->getActiveSheet()->setCellValue('B4', 10);
+$spreadsheet->getActiveSheet()->setCellValue('B5', true);
+$spreadsheet->getActiveSheet()->setCellValue('B6', false);
+$spreadsheet->getActiveSheet()->setCellValue('B7', 'Text String');
+$spreadsheet->getActiveSheet()->setCellValue('B9', '22');
+$spreadsheet->getActiveSheet()->setCellValue('B10', 4);
+$spreadsheet->getActiveSheet()->setCellValue('B11', 6);
+$spreadsheet->getActiveSheet()->setCellValue('B12', 12);
+
+$spreadsheet->getActiveSheet()->setCellValue('B14', '=COUNT(B2:B12)');
+
+$spreadsheet->getActiveSheet()->setCellValue('C1', 'Range 2');
+$spreadsheet->getActiveSheet()->setCellValue('C2', 1);
+$spreadsheet->getActiveSheet()->setCellValue('C3', 2);
+$spreadsheet->getActiveSheet()->setCellValue('C4', 2);
+$spreadsheet->getActiveSheet()->setCellValue('C5', 3);
+$spreadsheet->getActiveSheet()->setCellValue('C6', 3);
+$spreadsheet->getActiveSheet()->setCellValue('C7', 3);
+$spreadsheet->getActiveSheet()->setCellValue('C8', '0');
+$spreadsheet->getActiveSheet()->setCellValue('C9', 4);
+$spreadsheet->getActiveSheet()->setCellValue('C10', 4);
+$spreadsheet->getActiveSheet()->setCellValue('C11', 4);
+$spreadsheet->getActiveSheet()->setCellValue('C12', 4);
+
+$spreadsheet->getActiveSheet()->setCellValue('C14', '=COUNT(C2:C12)');
+
+$spreadsheet->getActiveSheet()->setCellValue('D1', 'Range 3');
+$spreadsheet->getActiveSheet()->setCellValue('D2', 2);
+$spreadsheet->getActiveSheet()->setCellValue('D3', 3);
+$spreadsheet->getActiveSheet()->setCellValue('D4', 4);
+
+$spreadsheet->getActiveSheet()->setCellValue('D5', '=((D2 * D3) + D4) & " should be 10"');
+
+$spreadsheet->getActiveSheet()->setCellValue('E1', 'Other functions');
+$spreadsheet->getActiveSheet()->setCellValue('E2', '=PI()');
+$spreadsheet->getActiveSheet()->setCellValue('E3', '=RAND()');
+$spreadsheet->getActiveSheet()->setCellValue('E4', '=RANDBETWEEN(5, 10)');
+
+$spreadsheet->getActiveSheet()->setCellValue('E14', 'Count of both ranges:');
+$spreadsheet->getActiveSheet()->setCellValue('F14', '=COUNT(B2:C12)');
+
+// Calculated data
+$helper->log('Calculated data');
+$helper->log('Value of B14 [=COUNT(B2:B12)]: ' . $spreadsheet->getActiveSheet()->getCell('B14')->getCalculatedValue());
+
+$helper->logEndingNotes();
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/19_Namedrange.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/19_Namedrange.php
new file mode 100755
index 0000000..d89e1b0
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/19_Namedrange.php
@@ -0,0 +1,70 @@
+log('Create new Spreadsheet object');
+$spreadsheet = new Spreadsheet();
+
+// Set document properties
+$helper->log('Set document properties');
+$spreadsheet->getProperties()->setCreator('Maarten Balliauw')
+ ->setLastModifiedBy('Maarten Balliauw')
+ ->setTitle('Office 2007 XLSX Test Document')
+ ->setSubject('Office 2007 XLSX Test Document')
+ ->setDescription('Test document for Office 2007 XLSX, generated using PHP classes.')
+ ->setKeywords('office 2007 openxml php')
+ ->setCategory('Test result file');
+
+// Add some data
+$helper->log('Add some data');
+$spreadsheet->setActiveSheetIndex(0);
+$spreadsheet->getActiveSheet()->setCellValue('A1', 'Firstname:')
+ ->setCellValue('A2', 'Lastname:')
+ ->setCellValue('A3', 'Fullname:')
+ ->setCellValue('B1', 'Maarten')
+ ->setCellValue('B2', 'Balliauw')
+ ->setCellValue('B3', '=B1 & " " & B2');
+
+// Define named ranges
+$helper->log('Define named ranges');
+$spreadsheet->addNamedRange(new NamedRange('PersonName', $spreadsheet->getActiveSheet(), 'B1'));
+$spreadsheet->addNamedRange(new NamedRange('PersonLN', $spreadsheet->getActiveSheet(), 'B2'));
+
+// Rename named ranges
+$helper->log('Rename named ranges');
+$spreadsheet->getNamedRange('PersonName')->setName('PersonFN');
+
+// Rename worksheet
+$helper->log('Rename worksheet');
+$spreadsheet->getActiveSheet()->setTitle('Person');
+
+// Create a new worksheet, after the default sheet
+$helper->log('Create new Worksheet object');
+$spreadsheet->createSheet();
+
+// Add some data to the second sheet, resembling some different data types
+$helper->log('Add some data');
+$spreadsheet->setActiveSheetIndex(1);
+$spreadsheet->getActiveSheet()->setCellValue('A1', 'Firstname:')
+ ->setCellValue('A2', 'Lastname:')
+ ->setCellValue('A3', 'Fullname:')
+ ->setCellValue('B1', '=PersonFN')
+ ->setCellValue('B2', '=PersonLN')
+ ->setCellValue('B3', '=PersonFN & " " & PersonLN');
+
+// Resolve range
+$helper->log('Resolve range');
+$helper->log('Cell B1 {=PersonFN}: ' . $spreadsheet->getActiveSheet()->getCell('B1')->getCalculatedValue());
+$helper->log('Cell B3 {=PersonFN & " " & PersonLN}: ' . $spreadsheet->getActiveSheet()->getCell('B3')->getCalculatedValue());
+$helper->log('Cell Person!B1: ' . $spreadsheet->getActiveSheet()->getCell('Person!B1')->getCalculatedValue());
+
+// Rename worksheet
+$helper->log('Rename worksheet');
+$spreadsheet->getActiveSheet()->setTitle('Person (cloned)');
+
+// Save
+$helper->write($spreadsheet, __FILE__);
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/20_Read_Excel2003XML.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/20_Read_Excel2003XML.php
new file mode 100755
index 0000000..44425e2
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/20_Read_Excel2003XML.php
@@ -0,0 +1,13 @@
+logRead('Xml', $filename, $callStartTime);
+
+// Save
+$helper->write($spreadsheet, __FILE__);
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/20_Read_Gnumeric.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/20_Read_Gnumeric.php
new file mode 100755
index 0000000..2d6ce22
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/20_Read_Gnumeric.php
@@ -0,0 +1,13 @@
+logRead('Gnumeric', $filename, $callStartTime);
+
+// Save
+$helper->write($spreadsheet, __FILE__);
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/20_Read_Ods.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/20_Read_Ods.php
new file mode 100755
index 0000000..64f5482
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/20_Read_Ods.php
@@ -0,0 +1,13 @@
+logRead('Ods', $filename, $callStartTime);
+
+// Save
+$helper->write($spreadsheet, __FILE__);
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/20_Read_Sylk.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/20_Read_Sylk.php
new file mode 100755
index 0000000..1a06459
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/20_Read_Sylk.php
@@ -0,0 +1,13 @@
+logRead('Slk', $filename, $callStartTime);
+
+// Save
+$helper->write($spreadsheet, __FILE__);
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/20_Read_Xls.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/20_Read_Xls.php
new file mode 100755
index 0000000..9e5fa01
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/20_Read_Xls.php
@@ -0,0 +1,22 @@
+getTemporaryFilename('xls');
+$writer = IOFactory::createWriter($spreadsheet, 'Xls');
+$callStartTime = microtime(true);
+$writer->save($filename);
+$helper->logWrite($writer, $filename, $callStartTime);
+
+// Read Xls file
+$callStartTime = microtime(true);
+$spreadsheet = IOFactory::load($filename);
+$helper->logRead('Xls', $filename, $callStartTime);
+
+// Save
+$helper->write($spreadsheet, __FILE__);
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/22_Heavily_formatted.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/22_Heavily_formatted.php
new file mode 100755
index 0000000..d7ba861
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/22_Heavily_formatted.php
@@ -0,0 +1,48 @@
+log('Create new Spreadsheet object');
+$spreadsheet = new Spreadsheet();
+
+// Set document properties
+$helper->log('Set document properties');
+$spreadsheet->getProperties()->setCreator('Maarten Balliauw')
+ ->setLastModifiedBy('Maarten Balliauw')
+ ->setTitle('Office 2007 XLSX Test Document')
+ ->setSubject('Office 2007 XLSX Test Document')
+ ->setDescription('Test document for Office 2007 XLSX, generated using PHP classes.')
+ ->setKeywords('office 2007 openxml php')
+ ->setCategory('Test result file');
+
+// Add some data
+$helper->log('Add some data');
+$spreadsheet->setActiveSheetIndex(0);
+
+$spreadsheet->getActiveSheet()->getStyle('A1:T100')->applyFromArray(
+ ['fill' => [
+ 'fillType' => Fill::FILL_SOLID,
+ 'color' => ['argb' => 'FFCCFFCC'],
+ ],
+ 'borders' => [
+ 'bottom' => ['borderStyle' => Border::BORDER_THIN],
+ 'right' => ['borderStyle' => Border::BORDER_MEDIUM],
+ ],
+ ]
+);
+
+$spreadsheet->getActiveSheet()->getStyle('C5:R95')->applyFromArray(
+ ['fill' => [
+ 'fillType' => Fill::FILL_SOLID,
+ 'color' => ['argb' => 'FFFFFF00'],
+ ],
+ ]
+);
+
+// Save
+$helper->write($spreadsheet, __FILE__);
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/23_Sharedstyles.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/23_Sharedstyles.php
new file mode 100755
index 0000000..b539888
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/23_Sharedstyles.php
@@ -0,0 +1,59 @@
+log('Create new Spreadsheet object');
+$spreadsheet = new Spreadsheet();
+
+// Set document properties
+$helper->log('Set document properties');
+$spreadsheet->getProperties()->setCreator('Maarten Balliauw')
+ ->setLastModifiedBy('Maarten Balliauw')
+ ->setTitle('Office 2007 XLSX Test Document')
+ ->setSubject('Office 2007 XLSX Test Document')
+ ->setDescription('Test document for Office 2007 XLSX, generated using PHP classes.')
+ ->setKeywords('office 2007 openxml php')
+ ->setCategory('Test result file');
+
+// Add some data
+$helper->log('Add some data');
+$spreadsheet->setActiveSheetIndex(0);
+
+$sharedStyle1 = new Style();
+$sharedStyle2 = new Style();
+
+$sharedStyle1->applyFromArray(
+ ['fill' => [
+ 'fillType' => Fill::FILL_SOLID,
+ 'color' => ['argb' => 'FFCCFFCC'],
+ ],
+ 'borders' => [
+ 'bottom' => ['borderStyle' => Border::BORDER_THIN],
+ 'right' => ['borderStyle' => Border::BORDER_MEDIUM],
+ ],
+ ]
+);
+
+$sharedStyle2->applyFromArray(
+ ['fill' => [
+ 'fillType' => Fill::FILL_SOLID,
+ 'color' => ['argb' => 'FFFFFF00'],
+ ],
+ 'borders' => [
+ 'bottom' => ['borderStyle' => Border::BORDER_THIN],
+ 'right' => ['borderStyle' => Border::BORDER_MEDIUM],
+ ],
+ ]
+);
+
+$spreadsheet->getActiveSheet()->duplicateStyle($sharedStyle1, 'A1:T100');
+$spreadsheet->getActiveSheet()->duplicateStyle($sharedStyle2, 'C5:R95');
+
+// Save
+$helper->write($spreadsheet, __FILE__);
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/24_Readfilter.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/24_Readfilter.php
new file mode 100755
index 0000000..844996f
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/24_Readfilter.php
@@ -0,0 +1,41 @@
+getTemporaryFilename();
+$callStartTime = microtime(true);
+$writer->save($filename);
+$helper->logWrite($writer, $filename, $callStartTime);
+
+class MyReadFilter implements IReadFilter
+{
+ public function readCell($column, $row, $worksheetName = '')
+ {
+ // Read title row and rows 20 - 30
+ if ($row == 1 || ($row >= 20 && $row <= 30)) {
+ return true;
+ }
+
+ return false;
+ }
+}
+
+$helper->log('Load from Xlsx file');
+$reader = IOFactory::createReader('Xlsx');
+$reader->setReadFilter(new MyReadFilter());
+$callStartTime = microtime(true);
+$spreadsheet = $reader->load($filename);
+$helper->logRead('Xlsx', $filename, $callStartTime);
+$helper->log('Remove unnecessary rows');
+$spreadsheet->getActiveSheet()->removeRow(2, 18);
+
+// Save
+$helper->write($spreadsheet, __FILE__);
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/25_In_memory_image.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/25_In_memory_image.php
new file mode 100755
index 0000000..a897486
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/25_In_memory_image.php
@@ -0,0 +1,40 @@
+log('Create new Spreadsheet object');
+$spreadsheet = new Spreadsheet();
+
+// Set document properties
+$helper->log('Set document properties');
+$spreadsheet->getProperties()->setCreator('Maarten Balliauw')
+ ->setLastModifiedBy('Maarten Balliauw')
+ ->setTitle('Office 2007 XLSX Test Document')
+ ->setSubject('Office 2007 XLSX Test Document')
+ ->setDescription('Test document for Office 2007 XLSX, generated using PHP classes.')
+ ->setKeywords('office 2007 openxml php')
+ ->setCategory('Test result file');
+
+// Generate an image
+$helper->log('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 PhpSpreadsheet', $textColor);
+
+// Add a drawing to the worksheet
+$helper->log('Add a drawing to the worksheet');
+$drawing = new MemoryDrawing();
+$drawing->setName('Sample image');
+$drawing->setDescription('Sample image');
+$drawing->setImageResource($gdImage);
+$drawing->setRenderingFunction(MemoryDrawing::RENDERING_JPEG);
+$drawing->setMimeType(MemoryDrawing::MIMETYPE_DEFAULT);
+$drawing->setHeight(36);
+$drawing->setWorksheet($spreadsheet->getActiveSheet());
+
+// Save
+$helper->write($spreadsheet, __FILE__, ['Xlsx', 'Html']);
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/26_Utf8.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/26_Utf8.php
new file mode 100755
index 0000000..af04824
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/26_Utf8.php
@@ -0,0 +1,39 @@
+log('Load Xlsx template file');
+$reader = IOFactory::createReader('Xlsx');
+$spreadsheet = $reader->load(__DIR__ . '/../templates/26template.xlsx');
+
+// at this point, we could do some manipulations with the template, but we skip this step
+$helper->write($spreadsheet, __FILE__, ['Xlsx', 'Xls', 'Html']);
+
+// Export to PDF (.pdf)
+$helper->log('Write to PDF format');
+IOFactory::registerWriter('Pdf', \PhpOffice\PhpSpreadsheet\Writer\Pdf\Dompdf::class);
+$helper->write($spreadsheet, __FILE__, ['Pdf']);
+
+// Remove first two rows with field headers before exporting to CSV
+$helper->log('Removing first two heading rows for CSV export');
+$worksheet = $spreadsheet->getActiveSheet();
+$worksheet->removeRow(1, 2);
+
+// Export to CSV (.csv)
+$helper->log('Write to CSV format');
+$writer = IOFactory::createWriter($spreadsheet, 'Csv');
+$filename = $helper->getFilename(__FILE__, 'csv');
+$callStartTime = microtime(true);
+$writer->save($filename);
+$helper->logWrite($writer, $filename, $callStartTime);
+
+// Export to CSV with BOM (.csv)
+$filename = str_replace('.csv', '-bom.csv', $filename);
+$helper->log('Write to CSV format (with BOM)');
+$writer->setUseBOM(true);
+$callStartTime = microtime(true);
+$writer->save($filename);
+$helper->logWrite($writer, $filename, $callStartTime);
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/27_Images_Xls.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/27_Images_Xls.php
new file mode 100755
index 0000000..4c20a9a
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/27_Images_Xls.php
@@ -0,0 +1,13 @@
+log('Load Xlsx template file');
+$reader = IOFactory::createReader('Xls');
+$spreadsheet = $reader->load(__DIR__ . '/../templates/27template.xls');
+
+// Save
+$helper->write($spreadsheet, __FILE__);
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/28_Iterator.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/28_Iterator.php
new file mode 100755
index 0000000..4aec7a9
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/28_Iterator.php
@@ -0,0 +1,34 @@
+getTemporaryFilename();
+$writer = new Xlsx($sampleSpreadsheet);
+$callStartTime = microtime(true);
+$writer->save($filename);
+$helper->logWrite($writer, $filename, $callStartTime);
+
+$callStartTime = microtime(true);
+$reader = IOFactory::createReader('Xlsx');
+$spreadsheet = $reader->load($filename);
+$helper->logRead('Xlsx', $filename, $callStartTime);
+$helper->log('Iterate worksheets');
+foreach ($spreadsheet->getWorksheetIterator() as $worksheet) {
+ $helper->log('Worksheet - ' . $worksheet->getTitle());
+
+ foreach ($worksheet->getRowIterator() as $row) {
+ $helper->log(' Row number - ' . $row->getRowIndex());
+
+ $cellIterator = $row->getCellIterator();
+ $cellIterator->setIterateOnlyExistingCells(false); // Loop all cells, even if it is not set
+ foreach ($cellIterator as $cell) {
+ if ($cell !== null) {
+ $helper->log(' Cell - ' . $cell->getCoordinate() . ' - ' . $cell->getCalculatedValue());
+ }
+ }
+ }
+}
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/29_Advanced_value_binder.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/29_Advanced_value_binder.php
new file mode 100755
index 0000000..74c16c2
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/29_Advanced_value_binder.php
@@ -0,0 +1,132 @@
+log('Set timezone');
+date_default_timezone_set('UTC');
+
+// Set value binder
+$helper->log('Set value binder');
+Cell::setValueBinder(new AdvancedValueBinder());
+
+// Create new Spreadsheet object
+$helper->log('Create new Spreadsheet object');
+$spreadsheet = new Spreadsheet();
+
+// Set document properties
+$helper->log('Set document properties');
+$spreadsheet->getProperties()->setCreator('Maarten Balliauw')
+ ->setLastModifiedBy('Maarten Balliauw')
+ ->setTitle('Office 2007 XLSX Test Document')
+ ->setSubject('Office 2007 XLSX Test Document')
+ ->setDescription('Test document for Office 2007 XLSX, generated using PHP classes.')
+ ->setKeywords('office 2007 openxml php')
+ ->setCategory('Test result file');
+
+// Set default font
+$helper->log('Set default font');
+$spreadsheet->getDefaultStyle()->getFont()->setName('Arial');
+$spreadsheet->getDefaultStyle()->getFont()->setSize(10);
+
+// Set column widths
+$helper->log('Set column widths');
+$spreadsheet->getActiveSheet()->getColumnDimension('A')->setAutoSize(true);
+$spreadsheet->getActiveSheet()->getColumnDimension('B')->setWidth(14);
+
+// Add some data, resembling some different data types
+$helper->log('Add some data');
+$spreadsheet->getActiveSheet()->setCellValue('A1', 'String value:')
+ ->setCellValue('B1', 'Mark Baker');
+
+$spreadsheet->getActiveSheet()->setCellValue('A2', 'Numeric value #1:')
+ ->setCellValue('B2', 12345);
+
+$spreadsheet->getActiveSheet()->setCellValue('A3', 'Numeric value #2:')
+ ->setCellValue('B3', -12.345);
+
+$spreadsheet->getActiveSheet()->setCellValue('A4', 'Numeric value #3:')
+ ->setCellValue('B4', .12345);
+
+$spreadsheet->getActiveSheet()->setCellValue('A5', 'Numeric value #4:')
+ ->setCellValue('B5', '12345');
+
+$spreadsheet->getActiveSheet()->setCellValue('A6', 'Numeric value #5:')
+ ->setCellValue('B6', '1.2345');
+
+$spreadsheet->getActiveSheet()->setCellValue('A7', 'Numeric value #6:')
+ ->setCellValue('B7', '.12345');
+
+$spreadsheet->getActiveSheet()->setCellValue('A8', 'Numeric value #7:')
+ ->setCellValue('B8', '1.234e-5');
+
+$spreadsheet->getActiveSheet()->setCellValue('A9', 'Numeric value #8:')
+ ->setCellValue('B9', '-1.234e+5');
+
+$spreadsheet->getActiveSheet()->setCellValue('A10', 'Boolean value:')
+ ->setCellValue('B10', 'TRUE');
+
+$spreadsheet->getActiveSheet()->setCellValue('A11', 'Percentage value #1:')
+ ->setCellValue('B11', '10%');
+
+$spreadsheet->getActiveSheet()->setCellValue('A12', 'Percentage value #2:')
+ ->setCellValue('B12', '12.5%');
+
+$spreadsheet->getActiveSheet()->setCellValue('A13', 'Fraction value #1:')
+ ->setCellValue('B13', '-1/2');
+
+$spreadsheet->getActiveSheet()->setCellValue('A14', 'Fraction value #2:')
+ ->setCellValue('B14', '3 1/2');
+
+$spreadsheet->getActiveSheet()->setCellValue('A15', 'Fraction value #3:')
+ ->setCellValue('B15', '-12 3/4');
+
+$spreadsheet->getActiveSheet()->setCellValue('A16', 'Fraction value #4:')
+ ->setCellValue('B16', '13/4');
+
+$spreadsheet->getActiveSheet()->setCellValue('A17', 'Currency value #1:')
+ ->setCellValue('B17', '$12345');
+
+$spreadsheet->getActiveSheet()->setCellValue('A18', 'Currency value #2:')
+ ->setCellValue('B18', '$12345.67');
+
+$spreadsheet->getActiveSheet()->setCellValue('A19', 'Currency value #3:')
+ ->setCellValue('B19', '$12,345.67');
+
+$spreadsheet->getActiveSheet()->setCellValue('A20', 'Date value #1:')
+ ->setCellValue('B20', '21 December 1983');
+
+$spreadsheet->getActiveSheet()->setCellValue('A21', 'Date value #2:')
+ ->setCellValue('B21', '19-Dec-1960');
+
+$spreadsheet->getActiveSheet()->setCellValue('A22', 'Date value #3:')
+ ->setCellValue('B22', '07/12/1982');
+
+$spreadsheet->getActiveSheet()->setCellValue('A23', 'Date value #4:')
+ ->setCellValue('B23', '24-11-1950');
+
+$spreadsheet->getActiveSheet()->setCellValue('A24', 'Date value #5:')
+ ->setCellValue('B24', '17-Mar');
+
+$spreadsheet->getActiveSheet()->setCellValue('A25', 'Time value #1:')
+ ->setCellValue('B25', '01:30');
+
+$spreadsheet->getActiveSheet()->setCellValue('A26', 'Time value #2:')
+ ->setCellValue('B26', '01:30:15');
+
+$spreadsheet->getActiveSheet()->setCellValue('A27', 'Date/Time value:')
+ ->setCellValue('B27', '19-Dec-1960 01:30');
+
+$spreadsheet->getActiveSheet()->setCellValue('A28', 'Formula:')
+ ->setCellValue('B28', '=SUM(B2:B9)');
+
+// Rename worksheet
+$helper->log('Rename worksheet');
+$spreadsheet->getActiveSheet()->setTitle('Advanced value binder');
+
+// Save
+$helper->write($spreadsheet, __FILE__);
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/30_Template.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/30_Template.php
new file mode 100755
index 0000000..b70c18b
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/30_Template.php
@@ -0,0 +1,43 @@
+log('Load from Xls template');
+$reader = IOFactory::createReader('Xls');
+$spreadsheet = $reader->load(__DIR__ . '/../templates/30template.xls');
+
+$helper->log('Add new data to the template');
+$data = [['title' => 'Excel for dummies',
+ 'price' => 17.99,
+ 'quantity' => 2,
+ ],
+ ['title' => 'PHP for dummies',
+ 'price' => 15.99,
+ 'quantity' => 1,
+ ],
+ ['title' => 'Inside OOP',
+ 'price' => 12.95,
+ 'quantity' => 1,
+ ],
+];
+
+$spreadsheet->getActiveSheet()->setCellValue('D1', Date::PHPToExcel(time()));
+
+$baseRow = 5;
+foreach ($data as $r => $dataRow) {
+ $row = $baseRow + $r;
+ $spreadsheet->getActiveSheet()->insertNewRowBefore($row, 1);
+
+ $spreadsheet->getActiveSheet()->setCellValue('A' . $row, $r + 1)
+ ->setCellValue('B' . $row, $dataRow['title'])
+ ->setCellValue('C' . $row, $dataRow['price'])
+ ->setCellValue('D' . $row, $dataRow['quantity'])
+ ->setCellValue('E' . $row, '=C' . $row . '*D' . $row);
+}
+$spreadsheet->getActiveSheet()->removeRow($baseRow - 1, 1);
+
+// Save
+$helper->write($spreadsheet, __FILE__);
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/31_Document_properties_write.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/31_Document_properties_write.php
new file mode 100755
index 0000000..dec3cc3
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/31_Document_properties_write.php
@@ -0,0 +1,68 @@
+load($inputFileName);
+$helper->logRead($inputFileType, $inputFileName, $callStartTime);
+
+$helper->log('Adjust properties');
+$spreadsheet->getProperties()->setTitle('Office 2007 XLSX Test Document')
+ ->setSubject('Office 2007 XLSX Test Document')
+ ->setDescription('Test XLSX document, generated using PhpSpreadsheet')
+ ->setKeywords('office 2007 openxml php');
+
+// Save Excel 2007 file
+$filename = $helper->getFilename(__FILE__);
+$writer = IOFactory::createWriter($spreadsheet, 'Xlsx');
+$callStartTime = microtime(true);
+$writer->save($filename);
+$helper->logWrite($writer, $filename, $callStartTime);
+
+$helper->logEndingNotes();
+
+// Reread File
+$helper->log('Reread Xlsx file');
+$spreadsheetRead = IOFactory::load($filename);
+
+// Set properties
+$helper->log('Get properties');
+
+$helper->log('Core Properties:');
+$helper->log(' Created by - ' . $spreadsheet->getProperties()->getCreator());
+$helper->log(' Created on - ' . date('d-M-Y' . $spreadsheet->getProperties()->getCreated()) . ' at ' . date('H:i:s' . $spreadsheet->getProperties()->getCreated()));
+$helper->log(' Last Modified by - ' . $spreadsheet->getProperties()->getLastModifiedBy());
+$helper->log(' Last Modified on - ' . date('d-M-Y' . $spreadsheet->getProperties()->getModified()) . ' at ' . date('H:i:s' . $spreadsheet->getProperties()->getModified()));
+$helper->log(' Title - ' . $spreadsheet->getProperties()->getTitle());
+$helper->log(' Subject - ' . $spreadsheet->getProperties()->getSubject());
+$helper->log(' Description - ' . $spreadsheet->getProperties()->getDescription());
+$helper->log(' Keywords: - ' . $spreadsheet->getProperties()->getKeywords());
+
+$helper->log('Extended (Application) Properties:');
+$helper->log(' Category - ' . $spreadsheet->getProperties()->getCategory());
+$helper->log(' Company - ' . $spreadsheet->getProperties()->getCompany());
+$helper->log(' Manager - ' . $spreadsheet->getProperties()->getManager());
+
+$helper->log('Custom Properties:');
+$customProperties = $spreadsheet->getProperties()->getCustomProperties();
+foreach ($customProperties as $customProperty) {
+ $propertyValue = $spreadsheet->getProperties()->getCustomPropertyValue($customProperty);
+ $propertyType = $spreadsheet->getProperties()->getCustomPropertyType($customProperty);
+ if ($propertyType == Properties::PROPERTY_TYPE_DATE) {
+ $formattedValue = date('d-M-Y H:i:s', $propertyValue);
+ } elseif ($propertyType == Properties::PROPERTY_TYPE_BOOLEAN) {
+ $formattedValue = $propertyValue ? 'TRUE' : 'FALSE';
+ } else {
+ $formattedValue = $propertyValue;
+ }
+ $helper->log(' ' . $customProperty . ' - (' . $propertyType . ') - ' . $formattedValue);
+}
+
+$helper->logEndingNotes();
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/31_Document_properties_write_xls.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/31_Document_properties_write_xls.php
new file mode 100755
index 0000000..d58c318
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/31_Document_properties_write_xls.php
@@ -0,0 +1,68 @@
+load($inputFileName);
+$helper->logRead($inputFileType, $inputFileName, $callStartTime);
+
+$helper->log('Adjust properties');
+$spreadsheet->getProperties()->setTitle('Office 95 XLS Test Document')
+ ->setSubject('Office 95 XLS Test Document')
+ ->setDescription('Test XLS document, generated using PhpSpreadsheet')
+ ->setKeywords('office 95 biff php');
+
+// Save Excel 95 file
+$filename = $helper->getFilename(__FILE__, 'xls');
+$writer = IOFactory::createWriter($spreadsheet, 'Xls');
+$callStartTime = microtime(true);
+$writer->save($filename);
+$helper->logWrite($writer, $filename, $callStartTime);
+
+$helper->logEndingNotes();
+
+// Reread File
+$helper->log('Reread Xls file');
+$spreadsheetRead = IOFactory::load($filename);
+
+// Set properties
+$helper->log('Get properties');
+
+$helper->log('Core Properties:');
+$helper->log(' Created by - ' . $spreadsheet->getProperties()->getCreator());
+$helper->log(' Created on - ' . date('d-M-Y' . $spreadsheet->getProperties()->getCreated()) . ' at ' . date('H:i:s' . $spreadsheet->getProperties()->getCreated()));
+$helper->log(' Last Modified by - ' . $spreadsheet->getProperties()->getLastModifiedBy());
+$helper->log(' Last Modified on - ' . date('d-M-Y' . $spreadsheet->getProperties()->getModified()) . ' at ' . date('H:i:s' . $spreadsheet->getProperties()->getModified()));
+$helper->log(' Title - ' . $spreadsheet->getProperties()->getTitle());
+$helper->log(' Subject - ' . $spreadsheet->getProperties()->getSubject());
+$helper->log(' Description - ' . $spreadsheet->getProperties()->getDescription());
+$helper->log(' Keywords: - ' . $spreadsheet->getProperties()->getKeywords());
+
+$helper->log('Extended (Application) Properties:');
+$helper->log(' Category - ' . $spreadsheet->getProperties()->getCategory());
+$helper->log(' Company - ' . $spreadsheet->getProperties()->getCompany());
+$helper->log(' Manager - ' . $spreadsheet->getProperties()->getManager());
+
+$helper->log('Custom Properties:');
+$customProperties = $spreadsheet->getProperties()->getCustomProperties();
+foreach ($customProperties as $customProperty) {
+ $propertyValue = $spreadsheet->getProperties()->getCustomPropertyValue($customProperty);
+ $propertyType = $spreadsheet->getProperties()->getCustomPropertyType($customProperty);
+ if ($propertyType == Properties::PROPERTY_TYPE_DATE) {
+ $formattedValue = date('d-M-Y H:i:s', $propertyValue);
+ } elseif ($propertyType == Properties::PROPERTY_TYPE_BOOLEAN) {
+ $formattedValue = $propertyValue ? 'TRUE' : 'FALSE';
+ } else {
+ $formattedValue = $propertyValue;
+ }
+ $helper->log(' ' . $customProperty . ' - (' . $propertyType . ') - ' . $formattedValue);
+}
+
+$helper->logEndingNotes();
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/37_Page_layout_view.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/37_Page_layout_view.php
new file mode 100755
index 0000000..d9bac80
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/37_Page_layout_view.php
@@ -0,0 +1,32 @@
+log('Create new Spreadsheet object');
+$spreadsheet = new Spreadsheet();
+
+// Set document properties
+$helper->log('Set document properties');
+$spreadsheet->getProperties()->setCreator('PHPOffice')
+ ->setLastModifiedBy('PHPOffice')
+ ->setTitle('PhpSpreadsheet Test Document')
+ ->setSubject('PhpSpreadsheet Test Document')
+ ->setDescription('Test document for PhpSpreadsheet, generated using PHP classes.')
+ ->setKeywords('Office PhpSpreadsheet php')
+ ->setCategory('Test result file');
+
+// Add some data
+$helper->log('Add some data');
+$spreadsheet->setActiveSheetIndex(0)
+ ->setCellValue('A1', 'Hello')
+ ->setCellValue('B2', 'world!');
+
+// Set the page layout view as page layout
+$spreadsheet->getActiveSheet()->getSheetView()->setView(SheetView::SHEETVIEW_PAGE_LAYOUT);
+
+// Save
+$helper->write($spreadsheet, __FILE__);
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/38_Clone_worksheet.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/38_Clone_worksheet.php
new file mode 100755
index 0000000..83f2d9c
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/38_Clone_worksheet.php
@@ -0,0 +1,57 @@
+log('Create new Spreadsheet object');
+$spreadsheet = new Spreadsheet();
+
+// Set document properties
+$helper->log('Set document properties');
+$spreadsheet->getProperties()->setCreator('Maarten Balliauw')
+ ->setLastModifiedBy('Maarten Balliauw')
+ ->setTitle('PhpSpreadsheet Test Document')
+ ->setSubject('PhpSpreadsheet Test Document')
+ ->setDescription('Test document for PhpSpreadsheet, generated using PHP classes.')
+ ->setKeywords('office PhpSpreadsheet php')
+ ->setCategory('Test result file');
+
+// Add some data
+$helper->log('Add some data');
+$spreadsheet->setActiveSheetIndex(0)
+ ->setCellValue('A1', 'Hello')
+ ->setCellValue('B2', 'world!')
+ ->setCellValue('C1', 'Hello')
+ ->setCellValue('D2', 'world!');
+
+// Miscellaneous glyphs, UTF-8
+$spreadsheet->setActiveSheetIndex(0)
+ ->setCellValue('A4', 'Miscellaneous glyphs')
+ ->setCellValue('A5', 'éàèùâêîôûëïüÿäöüç');
+
+$spreadsheet->getActiveSheet()->setCellValue('A8', "Hello\nWorld");
+$spreadsheet->getActiveSheet()->getRowDimension(8)->setRowHeight(-1);
+$spreadsheet->getActiveSheet()->getStyle('A8')->getAlignment()->setWrapText(true);
+
+// Rename worksheet
+$helper->log('Rename worksheet');
+$spreadsheet->getActiveSheet()->setTitle('Simple');
+
+// Clone worksheet
+$helper->log('Clone worksheet');
+$clonedSheet = clone $spreadsheet->getActiveSheet();
+$clonedSheet
+ ->setCellValue('A1', 'Goodbye')
+ ->setCellValue('A2', 'cruel')
+ ->setCellValue('C1', 'Goodbye')
+ ->setCellValue('C2', 'cruel');
+
+// Rename cloned worksheet
+$helper->log('Rename cloned worksheet');
+$clonedSheet->setTitle('Simple Clone');
+$spreadsheet->addSheet($clonedSheet);
+
+// Save
+$helper->write($spreadsheet, __FILE__);
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/39_Dropdown.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/39_Dropdown.php
new file mode 100755
index 0000000..e34d73e
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/39_Dropdown.php
@@ -0,0 +1,129 @@
+log('Create new Spreadsheet object');
+$spreadsheet = new Spreadsheet();
+
+// Set document properties
+$helper->log('Set document properties');
+$spreadsheet->getProperties()
+ ->setCreator('PHPOffice')
+ ->setLastModifiedBy('PHPOffice')
+ ->setTitle('PhpSpreadsheet Test Document')
+ ->setSubject('PhpSpreadsheet Test Document')
+ ->setDescription('Test document for PhpSpreadsheet, generated using PHP classes.')
+ ->setKeywords('Office PhpSpreadsheet php')
+ ->setCategory('Test result file');
+function transpose($value)
+{
+ return [$value];
+}
+
+// Add some data
+$continentColumn = 'D';
+$column = 'F';
+
+// Set data for dropdowns
+$continents = glob(__DIR__ . '/data/continents/*');
+foreach ($continents as $key => $filename) {
+ $continent = pathinfo($filename, PATHINFO_FILENAME);
+ $helper->log("Loading $continent");
+ $continent = str_replace(' ', '_', $continent);
+ $countries = file($filename, FILE_IGNORE_NEW_LINES | FILE_SKIP_EMPTY_LINES);
+ $countryCount = count($countries);
+
+ // Transpose $countries from a row to a column array
+ $countries = array_map('transpose', $countries);
+ $spreadsheet->getActiveSheet()
+ ->fromArray($countries, null, $column . '1');
+ $spreadsheet->addNamedRange(
+ new NamedRange(
+ $continent,
+ $spreadsheet->getActiveSheet(),
+ $column . '1:' . $column . $countryCount
+ )
+ );
+ $spreadsheet->getActiveSheet()
+ ->getColumnDimension($column)
+ ->setVisible(false);
+
+ $spreadsheet->getActiveSheet()
+ ->setCellValue($continentColumn . ($key + 1), $continent);
+
+ ++$column;
+}
+
+// Hide the dropdown data
+$spreadsheet->getActiveSheet()
+ ->getColumnDimension($continentColumn)
+ ->setVisible(false);
+
+$spreadsheet->addNamedRange(
+ new NamedRange(
+ 'Continents',
+ $spreadsheet->getActiveSheet(),
+ $continentColumn . '1:' . $continentColumn . count($continents)
+ )
+);
+
+// Set selection cells
+$spreadsheet->getActiveSheet()
+ ->setCellValue('A1', 'Continent:');
+$spreadsheet->getActiveSheet()
+ ->setCellValue('B1', 'Select continent');
+$spreadsheet->getActiveSheet()
+ ->setCellValue('B3', '=' . $column . 1);
+$spreadsheet->getActiveSheet()
+ ->setCellValue('B3', 'Select country');
+$spreadsheet->getActiveSheet()
+ ->getStyle('A1:A3')
+ ->getFont()->setBold(true);
+
+// Set linked validators
+$validation = $spreadsheet->getActiveSheet()
+ ->getCell('B1')
+ ->getDataValidation();
+$validation->setType(DataValidation::TYPE_LIST)
+ ->setErrorStyle(DataValidation::STYLE_INFORMATION)
+ ->setAllowBlank(false)
+ ->setShowInputMessage(true)
+ ->setShowErrorMessage(true)
+ ->setShowDropDown(true)
+ ->setErrorTitle('Input error')
+ ->setError('Continent is not in the list.')
+ ->setPromptTitle('Pick from the list')
+ ->setPrompt('Please pick a continent from the drop-down list.')
+ ->setFormula1('=Continents');
+
+$spreadsheet->getActiveSheet()
+ ->setCellValue('A3', 'Country:');
+$spreadsheet->getActiveSheet()
+ ->getStyle('A3')
+ ->getFont()->setBold(true);
+
+$validation = $spreadsheet->getActiveSheet()
+ ->getCell('B3')
+ ->getDataValidation();
+$validation->setType(DataValidation::TYPE_LIST)
+ ->setErrorStyle(DataValidation::STYLE_INFORMATION)
+ ->setAllowBlank(false)
+ ->setShowInputMessage(true)
+ ->setShowErrorMessage(true)
+ ->setShowDropDown(true)
+ ->setErrorTitle('Input error')
+ ->setError('Country is not in the list.')
+ ->setPromptTitle('Pick from the list')
+ ->setPrompt('Please pick a country from the drop-down list.')
+ ->setFormula1('=INDIRECT($B$1)');
+
+$spreadsheet->getActiveSheet()->getColumnDimension('A')->setWidth(12);
+$spreadsheet->getActiveSheet()->getColumnDimension('B')->setWidth(30);
+
+// Save
+$helper->write($spreadsheet, __FILE__);
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/40_Duplicate_style.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/40_Duplicate_style.php
new file mode 100755
index 0000000..a2dc5f5
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/40_Duplicate_style.php
@@ -0,0 +1,36 @@
+log('Create new Spreadsheet object');
+$spreadsheet = new Spreadsheet();
+$worksheet = $spreadsheet->getActiveSheet();
+
+$helper->log('Create styles array');
+$styles = [];
+for ($i = 0; $i < 10; ++$i) {
+ $style = new Style();
+ $style->getFont()->setSize($i + 4);
+ $styles[] = $style;
+}
+
+$helper->log('Add data (begin)');
+$t = microtime(true);
+for ($col = 1; $col <= 50; ++$col) {
+ for ($row = 0; $row < 100; ++$row) {
+ $str = ($row + $col);
+ $style = $styles[$row % 10];
+ $coord = Coordinate::stringFromColumnIndex($col) . ($row + 1);
+ $worksheet->setCellValue($coord, $str);
+ $worksheet->duplicateStyle($style, $coord);
+ }
+}
+$d = microtime(true) - $t;
+$helper->log('Add data (end) . time: ' . round($d . 2) . ' s');
+
+// Save
+$helper->write($spreadsheet, __FILE__);
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/41_Password.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/41_Password.php
new file mode 100755
index 0000000..9aa8e6d
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/41_Password.php
@@ -0,0 +1,12 @@
+getSecurity()->setLockWindows(true);
+$spreadsheet->getSecurity()->setLockStructure(true);
+$spreadsheet->getSecurity()->setWorkbookPassword('secret');
+
+// Save
+$helper->write($spreadsheet, __FILE__);
diff --git a/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/42_RichText.php b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/42_RichText.php
new file mode 100755
index 0000000..43b35a6
--- /dev/null
+++ b/formulier/assets/vendor/phpoffice/phpspreadsheet/samples/Basic/42_RichText.php
@@ -0,0 +1,98 @@
+log('Create new Spreadsheet object');
+$spreadsheet = new Spreadsheet();
+
+// Set document properties
+$helper->log('Set document properties');
+$spreadsheet->getProperties()->setCreator('Maarten Balliauw')
+ ->setLastModifiedBy('Maarten Balliauw')
+ ->setTitle('PhpSpreadsheet Test Document')
+ ->setSubject('PhpSpreadsheet Test Document')
+ ->setDescription('Test document for PhpSpreadsheet, generated using PHP classes.')
+ ->setKeywords('office PhpSpreadsheet php')
+ ->setCategory('Test result file');
+
+// Add some data
+$helper->log('Add some data');
+
+$html1 = '
+
My very first example of rich text generated from html markup
+
+
+This block contains an italicized word;
+while this block uses an underline.
+
+