2 /***************************************************************
5 * (c) 1999-2011 Kasper Skårhøj (kasperYYYY@typo3.com)
8 * This script is part of the TYPO3 project. The TYPO3 project is
9 * free software; you can redistribute it and/or modify
10 * it under the terms of the GNU General Public License as published by
11 * the Free Software Foundation; either version 2 of the License, or
12 * (at your option) any later version.
14 * The GNU General Public License can be found at
15 * http://www.gnu.org/copyleft/gpl.html.
16 * A copy is found in the textfile GPL.txt and important notices to the license
17 * from the author is found in LICENSE.txt distributed with these scripts.
20 * This script is distributed in the hope that it will be useful,
21 * but WITHOUT ANY WARRANTY; without even the implied warranty of
22 * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
23 * GNU General Public License for more details.
25 * This copyright notice MUST APPEAR in all copies of the script!
26 ***************************************************************/
29 * The legendary "t3lib_div" class - Miscellaneous functions for general purpose.
30 * Most of the functions do not relate specifically to TYPO3
31 * However a section of functions requires certain TYPO3 features available
32 * See comments in the source.
33 * You are encouraged to use this library in your own scripts!
36 * The class is intended to be used without creating an instance of it.
37 * So: Don't instantiate - call functions with "t3lib_div::" prefixed the function name.
38 * So use t3lib_div::[method-name] to refer to the functions, eg. 't3lib_div::milliseconds()'
40 * @author Kasper Skårhøj <kasperYYYY@typo3.com>
44 final class t3lib_div
{
46 // Severity constants used by t3lib_div::sysLog()
47 const SYSLOG_SEVERITY_INFO
= 0;
48 const SYSLOG_SEVERITY_NOTICE
= 1;
49 const SYSLOG_SEVERITY_WARNING
= 2;
50 const SYSLOG_SEVERITY_ERROR
= 3;
51 const SYSLOG_SEVERITY_FATAL
= 4;
54 * Singleton instances returned by makeInstance, using the class names as
57 * @var array<t3lib_Singleton>
59 protected static $singletonInstances = array();
62 * Instances returned by makeInstance, using the class names as array keys
64 * @var array<array><object>
66 protected static $nonSingletonInstances = array();
69 * Register for makeInstance with given class name and final class names to reduce number of class_exists() calls
71 * @var array Given class name => final class name
73 protected static $finalClassNameRegister = array();
75 /*************************
80 * Input GET/POST variables in PHP may have their quotes escaped with "\" or not depending on configuration.
81 * TYPO3 has always converted quotes to BE escaped if the configuration told that they would not be so.
82 * But the clean solution is that quotes are never escaped and that is what the functions below offers.
83 * Eventually TYPO3 should provide this in the global space as well.
84 * In the transitional phase (or forever..?) we need to encourage EVERY to read and write GET/POST vars through the API functions below.
86 *************************/
89 * Returns the 'GLOBAL' value of incoming data from POST or GET, with priority to POST (that is equalent to 'GP' order)
90 * Strips slashes from all output, both strings and arrays.
91 * To enhancement security in your scripts, please consider using t3lib_div::_GET or t3lib_div::_POST if you already
92 * know by which method your data is arriving to the scripts!
94 * @param string $var GET/POST var to return
95 * @return mixed POST var named $var and if not set, the GET var of the same name.
97 public static function _GP($var) {
101 $value = isset($_POST[$var]) ?
$_POST[$var] : $_GET[$var];
103 if (is_array($value)) {
104 self
::stripSlashesOnArray($value);
106 $value = stripslashes($value);
113 * Returns the global arrays $_GET and $_POST merged with $_POST taking precedence.
115 * @param string $parameter Key (variable name) from GET or POST vars
116 * @return array Returns the GET vars merged recursively onto the POST vars.
118 public static function _GPmerged($parameter) {
119 $postParameter = (isset($_POST[$parameter]) && is_array($_POST[$parameter])) ?
$_POST[$parameter] : array();
120 $getParameter = (isset($_GET[$parameter]) && is_array($_GET[$parameter])) ?
$_GET[$parameter] : array();
122 $mergedParameters = self
::array_merge_recursive_overrule($getParameter, $postParameter);
123 self
::stripSlashesOnArray($mergedParameters);
125 return $mergedParameters;
129 * Returns the global $_GET array (or value from) normalized to contain un-escaped values.
130 * ALWAYS use this API function to acquire the GET variables!
132 * @param string $var Optional pointer to value in GET array (basically name of GET var)
133 * @return mixed If $var is set it returns the value of $_GET[$var]. If $var is NULL (default), returns $_GET itself. In any case *slashes are stipped from the output!*
134 * @see _POST(), _GP(), _GETset()
136 public static function _GET($var = NULL) {
137 $value = ($var === NULL) ?
$_GET : (empty($var) ?
NULL : $_GET[$var]);
138 // Removes slashes since TYPO3 has added them regardless of magic_quotes setting.
140 if (is_array($value)) {
141 self
::stripSlashesOnArray($value);
143 $value = stripslashes($value);
150 * Returns the global $_POST array (or value from) normalized to contain un-escaped values.
151 * ALWAYS use this API function to acquire the $_POST variables!
153 * @param string $var Optional pointer to value in POST array (basically name of POST var)
154 * @return mixed If $var is set it returns the value of $_POST[$var]. If $var is NULL (default), returns $_POST itself. In any case *slashes are stipped from the output!*
157 public static function _POST($var = NULL) {
158 $value = ($var === NULL) ?
$_POST : (empty($var) ?
NULL : $_POST[$var]);
159 // Removes slashes since TYPO3 has added them regardless of magic_quotes setting.
161 if (is_array($value)) {
162 self
::stripSlashesOnArray($value);
164 $value = stripslashes($value);
171 * Writes input value to $_GET.
173 * @param mixed $inputGet
174 * Array or single value to write to $_GET. Values should NOT be
175 * escaped at input time (but will be escaped before writing
176 * according to TYPO3 standards).
178 * Alternative key; If set, this will not set the WHOLE GET array,
179 * but only the key in it specified by this value!
180 * You can specify to replace keys on deeper array levels by
181 * separating the keys with a pipe.
182 * Example: 'parentKey|childKey' will result in
183 * array('parentKey' => array('childKey' => $inputGet))
187 public static function _GETset($inputGet, $key = '') {
188 // Adds slashes since TYPO3 standard currently is that slashes
189 // must be applied (regardless of magic_quotes setting)
190 if (is_array($inputGet)) {
191 self
::addSlashesOnArray($inputGet);
193 $inputGet = addslashes($inputGet);
197 if (strpos($key, '|') !== FALSE) {
198 $pieces = explode('|', $key);
201 foreach ($pieces as $piece) {
202 $pointer =& $pointer[$piece];
204 $pointer = $inputGet;
205 $mergedGet = self
::array_merge_recursive_overrule(
210 $GLOBALS['HTTP_GET_VARS'] = $mergedGet;
212 $_GET[$key] = $inputGet;
213 $GLOBALS['HTTP_GET_VARS'][$key] = $inputGet;
215 } elseif (is_array($inputGet)) {
217 $GLOBALS['HTTP_GET_VARS'] = $inputGet;
222 * Wrapper for the RemoveXSS function.
223 * Removes potential XSS code from an input string.
225 * Using an external class by Travis Puderbaugh <kallahar@quickwired.com>
227 * @param string $string Input string
228 * @return string Input string with potential XSS code removed
230 public static function removeXSS($string) {
231 require_once(PATH_typo3
. 'contrib/RemoveXSS/RemoveXSS.php');
232 $string = RemoveXSS
::process($string);
236 /*************************
240 *************************/
243 * Compressing a GIF file if not already LZW compressed.
244 * This function is a workaround for the fact that ImageMagick and/or GD does not compress GIF-files to their minimun size (that is RLE or no compression used)
246 * The function takes a file-reference, $theFile, and saves it again through GD or ImageMagick in order to compress the file
248 * If $type is not set, the compression is done with ImageMagick (provided that $GLOBALS['TYPO3_CONF_VARS']['GFX']['im_path_lzw'] is pointing to the path of a lzw-enabled version of 'convert') else with GD (should be RLE-enabled!)
249 * If $type is set to either 'IM' or 'GD' the compression is done with ImageMagick and GD respectively
253 * $theFile is expected to be a valid GIF-file!
254 * The function returns a code for the operation.
256 * @param string $theFile Filepath
257 * @param string $type See description of function
258 * @return string Returns "GD" if GD was used, otherwise "IM" if ImageMagick was used. If nothing done at all, it returns empty string.
260 public static function gif_compress($theFile, $type) {
261 $gfxConf = $GLOBALS['TYPO3_CONF_VARS']['GFX'];
264 if ($gfxConf['gif_compress'] && strtolower(substr($theFile, -4, 4)) == '.gif') {
266 if (($type == 'IM' ||
!$type) && $gfxConf['im'] && $gfxConf['im_path_lzw']) {
267 // Use temporary file to prevent problems with read and write lock on same file on network file systems
268 $temporaryName = dirname($theFile) . '/' . md5(uniqid()) . '.gif';
269 // Rename could fail, if a simultaneous thread is currently working on the same thing
270 if (@rename
($theFile, $temporaryName)) {
271 $cmd = self
::imageMagickCommand('convert', '"' . $temporaryName . '" "' . $theFile . '"', $gfxConf['im_path_lzw']);
272 t3lib_utility_Command
::exec($cmd);
273 unlink($temporaryName);
277 if (@is_file
($theFile)) {
278 self
::fixPermissions($theFile);
280 } elseif (($type == 'GD' ||
!$type) && $gfxConf['gdlib'] && !$gfxConf['gdlib_png']) { // GD
281 $tempImage = imageCreateFromGif($theFile);
282 imageGif($tempImage, $theFile);
283 imageDestroy($tempImage);
285 if (@is_file
($theFile)) {
286 self
::fixPermissions($theFile);
294 * Converts a png file to gif.
295 * This converts a png file to gif IF the FLAG $GLOBALS['TYPO3_CONF_VARS']['FE']['png_to_gif'] is set TRUE.
297 * @param string $theFile The filename with path
298 * @return string New filename
300 public static function png_to_gif_by_imagemagick($theFile) {
301 if ($GLOBALS['TYPO3_CONF_VARS']['FE']['png_to_gif']
302 && $GLOBALS['TYPO3_CONF_VARS']['GFX']['im']
303 && $GLOBALS['TYPO3_CONF_VARS']['GFX']['im_path_lzw']
304 && strtolower(substr($theFile, -4, 4)) == '.png'
305 && @is_file
($theFile)) { // IM
306 $newFile = substr($theFile, 0, -4) . '.gif';
307 $cmd = self
::imageMagickCommand('convert', '"' . $theFile . '" "' . $newFile . '"', $GLOBALS['TYPO3_CONF_VARS']['GFX']['im_path_lzw']);
308 t3lib_utility_Command
::exec($cmd);
310 if (@is_file
($newFile)) {
311 self
::fixPermissions($newFile);
313 // unlink old file?? May be bad idea because TYPO3 would then recreate the file every time as
314 // TYPO3 thinks the file is not generated because it's missing!! So do not unlink $theFile here!!
320 * Returns filename of the png/gif version of the input file (which can be png or gif).
321 * If input file type does not match the wanted output type a conversion is made and temp-filename returned.
323 * @param string $theFile Filepath of image file
324 * @param boolean $output_png If set, then input file is converted to PNG, otherwise to GIF
325 * @return string If the new image file exists, its filepath is returned
327 public static function read_png_gif($theFile, $output_png = FALSE) {
328 if ($GLOBALS['TYPO3_CONF_VARS']['GFX']['im'] && @is_file
($theFile)) {
329 $ext = strtolower(substr($theFile, -4, 4));
331 ((string) $ext == '.png' && $output_png) ||
332 ((string) $ext == '.gif' && !$output_png)
336 $newFile = PATH_site
. 'typo3temp/readPG_' . md5($theFile . '|' . filemtime($theFile)) . ($output_png ?
'.png' : '.gif');
337 $cmd = self
::imageMagickCommand('convert', '"' . $theFile . '" "' . $newFile . '"', $GLOBALS['TYPO3_CONF_VARS']['GFX']['im_path']);
338 t3lib_utility_Command
::exec($cmd);
339 if (@is_file
($newFile)) {
340 self
::fixPermissions($newFile);
347 /*************************
351 *************************/
354 * Truncates a string with appended/prepended "..." and takes current character set into consideration.
356 * @param string $string String to truncate
357 * @param integer $chars Must be an integer with an absolute value of at least 4. if negative the string is cropped from the right end.
358 * @param string $appendString Appendix to the truncated string
359 * @return string Cropped string
361 public static function fixed_lgd_cs($string, $chars, $appendString = '...') {
362 if (is_object($GLOBALS['LANG'])) {
363 return $GLOBALS['LANG']->csConvObj
->crop($GLOBALS['LANG']->charSet
, $string, $chars, $appendString);
364 } elseif (is_object($GLOBALS['TSFE'])) {
365 $charSet = ($GLOBALS['TSFE']->renderCharset
!= '' ?
$GLOBALS['TSFE']->renderCharset
: $GLOBALS['TSFE']->defaultCharSet
);
366 return $GLOBALS['TSFE']->csConvObj
->crop($charSet, $string, $chars, $appendString);
368 // This case should not happen
369 $csConvObj = self
::makeInstance('t3lib_cs');
370 return $csConvObj->crop('utf-8', $string, $chars, $appendString);
375 * Match IP number with list of numbers with wildcard
376 * Dispatcher method for switching into specialised IPv4 and IPv6 methods.
378 * @param string $baseIP Is the current remote IP address for instance, typ. REMOTE_ADDR
379 * @param string $list Is a comma-list of IP-addresses to match with. *-wildcard allowed instead of number, plus leaving out parts in the IP number is accepted as wildcard (eg. 192.168.*.* equals 192.168). If list is "*" no check is done and the function returns TRUE immediately. An empty list always returns FALSE.
380 * @return boolean TRUE if an IP-mask from $list matches $baseIP
382 public static function cmpIP($baseIP, $list) {
386 } elseif ($list === '*') {
389 if (strpos($baseIP, ':') !== FALSE && self
::validIPv6($baseIP)) {
390 return self
::cmpIPv6($baseIP, $list);
392 return self
::cmpIPv4($baseIP, $list);
397 * Match IPv4 number with list of numbers with wildcard
399 * @param string $baseIP Is the current remote IP address for instance, typ. REMOTE_ADDR
400 * @param string $list Is a comma-list of IP-addresses to match with. *-wildcard allowed instead of number, plus leaving out parts in the IP number is accepted as wildcard (eg. 192.168.*.* equals 192.168), could also contain IPv6 addresses
401 * @return boolean TRUE if an IP-mask from $list matches $baseIP
403 public static function cmpIPv4($baseIP, $list) {
404 $IPpartsReq = explode('.', $baseIP);
405 if (count($IPpartsReq) == 4) {
406 $values = self
::trimExplode(',', $list, 1);
408 foreach ($values as $test) {
409 $testList = explode('/', $test);
410 if (count($testList) == 2) {
411 list($test, $mask) = $testList;
418 $lnet = ip2long($test);
419 $lip = ip2long($baseIP);
420 $binnet = str_pad(decbin($lnet), 32, '0', STR_PAD_LEFT
);
421 $firstpart = substr($binnet, 0, $mask);
422 $binip = str_pad(decbin($lip), 32, '0', STR_PAD_LEFT
);
423 $firstip = substr($binip, 0, $mask);
424 $yes = (strcmp($firstpart, $firstip) == 0);
427 $IPparts = explode('.', $test);
429 foreach ($IPparts as $index => $val) {
431 if (($val !== '*') && ($IPpartsReq[$index] !== $val)) {
445 * Match IPv6 address with a list of IPv6 prefixes
447 * @param string $baseIP Is the current remote IP address for instance
448 * @param string $list Is a comma-list of IPv6 prefixes, could also contain IPv4 addresses
449 * @return boolean TRUE If an baseIP matches any prefix
451 public static function cmpIPv6($baseIP, $list) {
452 // Policy default: Deny connection
454 $baseIP = self
::normalizeIPv6($baseIP);
456 $values = self
::trimExplode(',', $list, 1);
457 foreach ($values as $test) {
458 $testList = explode('/', $test);
459 if (count($testList) == 2) {
460 list($test, $mask) = $testList;
465 if (self
::validIPv6($test)) {
466 $test = self
::normalizeIPv6($test);
467 $maskInt = intval($mask) ?
intval($mask) : 128;
468 // Special case; /0 is an allowed mask - equals a wildcard
471 } elseif ($maskInt == 128) {
472 $success = ($test === $baseIP);
474 $testBin = self
::IPv6Hex2Bin($test);
475 $baseIPBin = self
::IPv6Hex2Bin($baseIP);
478 // Modulo is 0 if this is a 8-bit-boundary
479 $maskIntModulo = $maskInt %
8;
480 $numFullCharactersUntilBoundary = intval($maskInt / 8);
482 if (substr($testBin, 0, $numFullCharactersUntilBoundary) !== substr($baseIPBin, 0, $numFullCharactersUntilBoundary)) {
484 } elseif ($maskIntModulo > 0) {
485 // If not an 8-bit-boundary, check bits of last character
486 $testLastBits = str_pad(decbin(ord(substr($testBin, $numFullCharactersUntilBoundary, 1))), 8, '0', STR_PAD_LEFT
);
487 $baseIPLastBits = str_pad(decbin(ord(substr($baseIPBin, $numFullCharactersUntilBoundary, 1))), 8, '0', STR_PAD_LEFT
);
488 if (strncmp($testLastBits, $baseIPLastBits, $maskIntModulo) != 0) {
502 * Transform a regular IPv6 address from hex-representation into binary
504 * @param string $hex IPv6 address in hex-presentation
505 * @return string Binary representation (16 characters, 128 characters)
508 public static function IPv6Hex2Bin($hex) {
509 // Use PHP-function if PHP was compiled with IPv6-support
510 if (defined('AF_INET6')) {
511 $bin = inet_pton($hex);
513 $hex = self
::normalizeIPv6($hex);
514 // Replace colon to nothing
515 $hex = str_replace(':', '', $hex);
516 $bin = pack("H*", $hex);
522 * Transform an IPv6 address from binary to hex-representation
524 * @param string $bin IPv6 address in hex-presentation
525 * @return string Binary representation (16 characters, 128 characters)
528 public static function IPv6Bin2Hex($bin) {
529 // Use PHP-function if PHP was compiled with IPv6-support
530 if (defined('AF_INET6')) {
531 $hex = inet_ntop($bin);
533 $hex = unpack("H*", $bin);
534 $hex = chunk_split($hex[1], 4, ':');
535 // Strip last colon (from chunk_split)
536 $hex = substr($hex, 0, -1);
537 // IPv6 is now in normalized form
538 // Compress it for easier handling and to match result from inet_ntop()
539 $hex = self
::compressIPv6($hex);
546 * Normalize an IPv6 address to full length
548 * @param string $address Given IPv6 address
549 * @return string Normalized address
550 * @see compressIPv6()
552 public static function normalizeIPv6($address) {
553 $normalizedAddress = '';
554 $stageOneAddress = '';
556 // According to RFC lowercase-representation is recommended
557 $address = strtolower($address);
559 // Normalized representation has 39 characters (0000:0000:0000:0000:0000:0000:0000:0000)
560 if (strlen($address) == 39) {
561 // Already in full expanded form
565 // Count 2 if if address has hidden zero blocks
566 $chunks = explode('::', $address);
567 if (count($chunks) == 2) {
568 $chunksLeft = explode(':', $chunks[0]);
569 $chunksRight = explode(':', $chunks[1]);
570 $left = count($chunksLeft);
571 $right = count($chunksRight);
573 // Special case: leading zero-only blocks count to 1, should be 0
574 if ($left == 1 && strlen($chunksLeft[0]) == 0) {
578 $hiddenBlocks = 8 - ($left +
$right);
581 while ($h < $hiddenBlocks) {
582 $hiddenPart .= '0000:';
587 $stageOneAddress = $hiddenPart . $chunks[1];
589 $stageOneAddress = $chunks[0] . ':' . $hiddenPart . $chunks[1];
592 $stageOneAddress = $address;
595 // Normalize the blocks:
596 $blocks = explode(':', $stageOneAddress);
598 foreach ($blocks as $block) {
601 $hiddenZeros = 4 - strlen($block);
602 while ($i < $hiddenZeros) {
606 $normalizedAddress .= $tmpBlock . $block;
607 if ($divCounter < 7) {
608 $normalizedAddress .= ':';
612 return $normalizedAddress;
617 * Compress an IPv6 address to the shortest notation
619 * @param string $address Given IPv6 address
620 * @return string Compressed address
621 * @see normalizeIPv6()
623 public static function compressIPv6($address) {
624 // Use PHP-function if PHP was compiled with IPv6-support
625 if (defined('AF_INET6')) {
626 $bin = inet_pton($address);
627 $address = inet_ntop($bin);
629 $address = self
::normalizeIPv6($address);
631 // Append one colon for easier handling
632 // will be removed later
635 // According to IPv6-notation the longest match
636 // of a package of '0000:' may be replaced with ':'
637 // (resulting in something like '1234::abcd')
638 for ($counter = 8; $counter > 1; $counter--) {
639 $search = str_repeat('0000:', $counter);
640 if (($pos = strpos($address, $search)) !== FALSE) {
641 $address = substr($address, 0, $pos) . ':' . substr($address, $pos +
($counter*5));
646 // Up to 3 zeros in the first part may be removed
647 $address = preg_replace('/^0{1,3}/', '', $address);
648 // Up to 3 zeros at the beginning of other parts may be removed
649 $address = preg_replace('/:0{1,3}/', ':', $address);
651 // Strip last colon (from chunk_split)
652 $address = substr($address, 0, -1);
658 * Validate a given IP address.
660 * Possible format are IPv4 and IPv6.
662 * @param string $ip IP address to be tested
663 * @return boolean TRUE if $ip is either of IPv4 or IPv6 format.
665 public static function validIP($ip) {
666 return (filter_var($ip, FILTER_VALIDATE_IP
) !== FALSE);
670 * Validate a given IP address to the IPv4 address format.
672 * Example for possible format: 10.0.45.99
674 * @param string $ip IP address to be tested
675 * @return boolean TRUE if $ip is of IPv4 format.
677 public static function validIPv4($ip) {
678 return (filter_var($ip, FILTER_VALIDATE_IP
, FILTER_FLAG_IPV4
) !== FALSE);
682 * Validate a given IP address to the IPv6 address format.
684 * Example for possible format: 43FB::BB3F:A0A0:0 | ::1
686 * @param string $ip IP address to be tested
687 * @return boolean TRUE if $ip is of IPv6 format.
689 public static function validIPv6($ip) {
690 return (filter_var($ip, FILTER_VALIDATE_IP
, FILTER_FLAG_IPV6
) !== FALSE);
694 * Match fully qualified domain name with list of strings with wildcard
696 * @param string $baseHost A hostname or an IPv4/IPv6-address (will by reverse-resolved; typically REMOTE_ADDR)
697 * @param string $list A comma-list of domain names to match with. *-wildcard allowed but cannot be part of a string, so it must match the full host name (eg. myhost.*.com => correct, myhost.*domain.com => wrong)
698 * @return boolean TRUE if a domain name mask from $list matches $baseIP
700 public static function cmpFQDN($baseHost, $list) {
701 $baseHost = trim($baseHost);
702 if (empty($baseHost)) {
705 if (self
::validIPv4($baseHost) || self
::validIPv6($baseHost)) {
707 // Note: this is reverse-lookup and can be randomly set as soon as somebody is able to set
708 // the reverse-DNS for his IP (security when for example used with REMOTE_ADDR)
709 $baseHostName = gethostbyaddr($baseHost);
710 if ($baseHostName === $baseHost) {
711 // Unable to resolve hostname
715 $baseHostName = $baseHost;
717 $baseHostNameParts = explode('.', $baseHostName);
719 $values = self
::trimExplode(',', $list, 1);
721 foreach ($values as $test) {
722 $hostNameParts = explode('.', $test);
724 // To match hostNameParts can only be shorter (in case of wildcards) or equal
725 if (count($hostNameParts) > count($baseHostNameParts)) {
730 foreach ($hostNameParts as $index => $val) {
733 // Wildcard valid for one or more hostname-parts
735 $wildcardStart = $index +
1;
736 // Wildcard as last/only part always matches, otherwise perform recursive checks
737 if ($wildcardStart < count($hostNameParts)) {
738 $wildcardMatched = FALSE;
739 $tempHostName = implode('.', array_slice($hostNameParts, $index +
1));
740 while (($wildcardStart < count($baseHostNameParts)) && (!$wildcardMatched)) {
741 $tempBaseHostName = implode('.', array_slice($baseHostNameParts, $wildcardStart));
742 $wildcardMatched = self
::cmpFQDN($tempBaseHostName, $tempHostName);
745 if ($wildcardMatched) {
746 // Match found by recursive compare
752 } elseif ($baseHostNameParts[$index] !== $val) {
753 // In case of no match
765 * Checks if a given URL matches the host that currently handles this HTTP request.
766 * Scheme, hostname and (optional) port of the given URL are compared.
768 * @param string $url URL to compare with the TYPO3 request host
769 * @return boolean Whether the URL matches the TYPO3 request host
771 public static function isOnCurrentHost($url) {
772 return (stripos($url . '/', self
::getIndpEnv('TYPO3_REQUEST_HOST') . '/') === 0);
776 * Check for item in list
777 * Check if an item exists in a comma-separated list of items.
779 * @param string $list Comma-separated list of items (string)
780 * @param string $item Item to check for
781 * @return boolean TRUE if $item is in $list
783 public static function inList($list, $item) {
784 return (strpos(',' . $list . ',', ',' . $item . ',') !== FALSE ?
TRUE : FALSE);
788 * Removes an item from a comma-separated list of items.
790 * @param string $element Element to remove
791 * @param string $list Comma-separated list of items (string)
792 * @return string New comma-separated list of items
794 public static function rmFromList($element, $list) {
795 $items = explode(',', $list);
796 foreach ($items as $k => $v) {
797 if ($v == $element) {
801 return implode(',', $items);
805 * Expand a comma-separated list of integers with ranges (eg 1,3-5,7 becomes 1,3,4,5,7).
806 * Ranges are limited to 1000 values per range.
808 * @param string $list Comma-separated list of integers with ranges (string)
809 * @return string New comma-separated list of items
811 public static function expandList($list) {
812 $items = explode(',', $list);
814 foreach ($items as $item) {
815 $range = explode('-', $item);
816 if (isset($range[1])) {
817 $runAwayBrake = 1000;
818 for ($n = $range[0]; $n <= $range[1]; $n++
) {
822 if ($runAwayBrake <= 0) {
830 return implode(',', $list);
834 * Returns an integer from a three part version number, eg '4.12.3' -> 4012003
836 * @param string $verNumberStr Version number on format x.x.x
837 * @return integer Integer version of version number (where each part can count to 999)
838 * @deprecated since TYPO3 4.6, will be removed in TYPO3 4.9 - Use t3lib_utility_VersionNumber::convertVersionNumberToInteger() instead
840 public static function int_from_ver($verNumberStr) {
841 // Deprecation log is activated only for TYPO3 4.7 and above
842 if (t3lib_utility_VersionNumber
::convertVersionNumberToInteger(TYPO3_version
) >= 4007000) {
843 self
::logDeprecatedFunction();
845 return t3lib_utility_VersionNumber
::convertVersionNumberToInteger($verNumberStr);
849 * Returns TRUE if the current TYPO3 version (or compatibility version) is compatible to the input version
850 * Notice that this function compares branches, not versions (4.0.1 would be > 4.0.0 although they use the same compat_version)
852 * @param string $verNumberStr Minimum branch number required (format x.y / e.g. "4.0" NOT "4.0.0"!)
853 * @return boolean Returns TRUE if this setup is compatible with the provided version number
854 * @todo Still needs a function to convert versions to branches
856 public static function compat_version($verNumberStr) {
857 $currVersionStr = $GLOBALS['TYPO3_CONF_VARS']['SYS']['compat_version'] ?
$GLOBALS['TYPO3_CONF_VARS']['SYS']['compat_version'] : TYPO3_branch
;
859 if (t3lib_utility_VersionNumber
::convertVersionNumberToInteger($currVersionStr) < t3lib_utility_VersionNumber
::convertVersionNumberToInteger($verNumberStr)) {
867 * Makes a positive integer hash out of the first 7 chars from the md5 hash of the input
869 * @param string $str String to md5-hash
870 * @return integer Returns 28bit integer-hash
872 public static function md5int($str) {
873 return hexdec(substr(md5($str), 0, 7));
877 * Returns the first 10 positions of the MD5-hash (changed from 6 to 10 recently)
879 * @param string $input Input string to be md5-hashed
880 * @param integer $len The string-length of the output
881 * @return string Substring of the resulting md5-hash, being $len chars long (from beginning)
883 public static function shortMD5($input, $len = 10) {
884 return substr(md5($input), 0, $len);
888 * Returns a proper HMAC on a given input string and secret TYPO3 encryption key.
890 * @param string $input Input string to create HMAC from
891 * @return string resulting (hexadecimal) HMAC currently with a length of 40 (HMAC-SHA-1)
893 public static function hmac($input) {
894 $hashAlgorithm = 'sha1';
898 if (extension_loaded('hash') && function_exists('hash_hmac') && function_exists('hash_algos') && in_array($hashAlgorithm, hash_algos())) {
899 $hmac = hash_hmac($hashAlgorithm, $input, $GLOBALS['TYPO3_CONF_VARS']['SYS']['encryptionKey']);
902 $opad = str_repeat(chr(0x5C), $hashBlocksize);
904 $ipad = str_repeat(chr(0x36), $hashBlocksize);
905 if (strlen($GLOBALS['TYPO3_CONF_VARS']['SYS']['encryptionKey']) > $hashBlocksize) {
906 // Keys longer than block size are shorten
907 $key = str_pad(pack('H*', call_user_func($hashAlgorithm, $GLOBALS['TYPO3_CONF_VARS']['SYS']['encryptionKey'])), $hashBlocksize, chr(0x00));
909 // Keys shorter than block size are zero-padded
910 $key = str_pad($GLOBALS['TYPO3_CONF_VARS']['SYS']['encryptionKey'], $hashBlocksize, chr(0x00));
912 $hmac = call_user_func($hashAlgorithm, ($key ^
$opad) . pack('H*', call_user_func($hashAlgorithm, ($key ^
$ipad) . $input)));
918 * Takes comma-separated lists and arrays and removes all duplicates
919 * If a value in the list is trim(empty), the value is ignored.
921 * @param string $in_list Accept multiple parameters which can be comma-separated lists of values and arrays.
922 * @param mixed $secondParameter Dummy field, which if set will show a warning!
923 * @return string Returns the list without any duplicates of values, space around values are trimmed
925 public static function uniqueList($in_list, $secondParameter = NULL) {
926 if (is_array($in_list)) {
927 throw new InvalidArgumentException(
928 'TYPO3 Fatal Error: t3lib_div::uniqueList() does NOT support array arguments anymore! Only string comma lists!',
932 if (isset($secondParameter)) {
933 throw new InvalidArgumentException(
934 'TYPO3 Fatal Error: t3lib_div::uniqueList() does NOT support more than a single argument value anymore. You have specified more than one!',
939 return implode(',', array_unique(self
::trimExplode(',', $in_list, 1)));
943 * Splits a reference to a file in 5 parts
945 * @param string $fileref Filename/filepath to be analysed
946 * @return array Contains keys [path], [file], [filebody], [fileext], [realFileext]
948 public static function split_fileref($fileref) {
950 if (preg_match('/(.*\/)(.*)$/', $fileref, $reg)) {
951 $info['path'] = $reg[1];
952 $info['file'] = $reg[2];
955 $info['file'] = $fileref;
959 if (!is_dir($fileref) && preg_match('/(.*)\.([^\.]*$)/', $info['file'], $reg)) {
960 $info['filebody'] = $reg[1];
961 $info['fileext'] = strtolower($reg[2]);
962 $info['realFileext'] = $reg[2];
964 $info['filebody'] = $info['file'];
965 $info['fileext'] = '';
972 * Returns the directory part of a path without trailing slash
973 * If there is no dir-part, then an empty string is returned.
976 * '/dir1/dir2/script.php' => '/dir1/dir2'
977 * '/dir1/' => '/dir1'
978 * 'dir1/script.php' => 'dir1'
979 * 'd/script.php' => 'd'
980 * '/script.php' => ''
983 * @param string $path Directory name / path
984 * @return string Processed input value. See function description.
986 public static function dirname($path) {
987 $p = self
::revExplode('/', $path, 2);
988 return count($p) == 2 ?
$p[0] : '';
992 * Modifies a HTML Hex color by adding/subtracting $R,$G and $B integers
994 * @param string $color A hexadecimal color code, #xxxxxx
995 * @param integer $R Offset value 0-255
996 * @param integer $G Offset value 0-255
997 * @param integer $B Offset value 0-255
998 * @return string A hexadecimal color code, #xxxxxx, modified according to input vars
999 * @see modifyHTMLColorAll()
1001 public static function modifyHTMLColor($color, $R, $G, $B) {
1002 // This takes a hex-color (# included!) and adds $R, $G and $B to the HTML-color (format: #xxxxxx) and returns the new color
1003 $nR = t3lib_utility_Math
::forceIntegerInRange(hexdec(substr($color, 1, 2)) +
$R, 0, 255);
1004 $nG = t3lib_utility_Math
::forceIntegerInRange(hexdec(substr($color, 3, 2)) +
$G, 0, 255);
1005 $nB = t3lib_utility_Math
::forceIntegerInRange(hexdec(substr($color, 5, 2)) +
$B, 0, 255);
1007 substr('0' . dechex($nR), -2) .
1008 substr('0' . dechex($nG), -2) .
1009 substr('0' . dechex($nB), -2);
1013 * Modifies a HTML Hex color by adding/subtracting $all integer from all R/G/B channels
1015 * @param string $color A hexadecimal color code, #xxxxxx
1016 * @param integer $all Offset value 0-255 for all three channels.
1017 * @return string A hexadecimal color code, #xxxxxx, modified according to input vars
1018 * @see modifyHTMLColor()
1020 public static function modifyHTMLColorAll($color, $all) {
1021 return self
::modifyHTMLColor($color, $all, $all, $all);
1025 * Returns TRUE if the first part of $str matches the string $partStr
1027 * @param string $str Full string to check
1028 * @param string $partStr Reference string which must be found as the "first part" of the full string
1029 * @return boolean TRUE if $partStr was found to be equal to the first part of $str
1031 public static function isFirstPartOfStr($str, $partStr) {
1032 return $partStr != '' && strpos((string) $str, (string) $partStr, 0) === 0;
1036 * Formats the input integer $sizeInBytes as bytes/kilobytes/megabytes (-/K/M)
1038 * @param integer $sizeInBytes Number of bytes to format.
1039 * @param string $labels Labels for bytes, kilo, mega and giga separated by vertical bar (|) and possibly encapsulated in "". Eg: " | K| M| G" (which is the default value)
1040 * @return string Formatted representation of the byte number, for output.
1042 public static function formatSize($sizeInBytes, $labels = '') {
1045 if (strlen($labels) == 0) {
1046 $labels = ' | K| M| G';
1048 $labels = str_replace('"', '', $labels);
1050 $labelArr = explode('|', $labels);
1053 if ($sizeInBytes > 900) {
1055 if ($sizeInBytes > 900000000) {
1056 $val = $sizeInBytes / (1024 * 1024 * 1024);
1057 return number_format($val, (($val < 20) ?
1 : 0), '.', '') . $labelArr[3];
1058 } elseif ($sizeInBytes > 900000) { // MB
1059 $val = $sizeInBytes / (1024 * 1024);
1060 return number_format($val, (($val < 20) ?
1 : 0), '.', '') . $labelArr[2];
1062 $val = $sizeInBytes / (1024);
1063 return number_format($val, (($val < 20) ?
1 : 0), '.', '') . $labelArr[1];
1066 return $sizeInBytes . $labelArr[0];
1071 * Returns microtime input to milliseconds
1073 * @param string $microtime Microtime
1074 * @return integer Microtime input string converted to an integer (milliseconds)
1076 public static function convertMicrotime($microtime) {
1077 $parts = explode(' ', $microtime);
1078 return round(($parts[0] +
$parts[1]) * 1000);
1082 * This splits a string by the chars in $operators (typical /+-*) and returns an array with them in
1084 * @param string $string Input string, eg "123 + 456 / 789 - 4"
1085 * @param string $operators Operators to split by, typically "/+-*"
1086 * @return array Array with operators and operands separated.
1087 * @see tslib_cObj::calc(), tslib_gifBuilder::calcOffset()
1089 public static function splitCalc($string, $operators) {
1093 $valueLen = strcspn($string, $operators);
1094 $value = substr($string, 0, $valueLen);
1095 $res[] = Array($sign, trim($value));
1096 $sign = substr($string, $valueLen, 1);
1097 $string = substr($string, $valueLen +
1);
1104 * Inverse version of htmlspecialchars()
1106 * @param string $value Value where >, <, " and & should be converted to regular chars.
1107 * @return string Converted result.
1109 public static function htmlspecialchars_decode($value) {
1110 $value = str_replace('>', '>', $value);
1111 $value = str_replace('<', '<', $value);
1112 $value = str_replace('"', '"', $value);
1113 $value = str_replace('&', '&', $value);
1118 * Re-converts HTML entities if they have been converted by htmlspecialchars()
1120 * @param string $str String which contains eg. "&amp;" which should stay "&". Or "&#1234;" to "Ӓ". Or "&#x1b;" to ""
1121 * @return string Converted result.
1123 public static function deHSCentities($str) {
1124 return preg_replace('/&([#[:alnum:]]*;)/', '&\1', $str);
1128 * This function is used to escape any ' -characters when transferring text to JavaScript!
1130 * @param string $string String to escape
1131 * @param boolean $extended If set, also backslashes are escaped.
1132 * @param string $char The character to escape, default is ' (single-quote)
1133 * @return string Processed input string
1135 public static function slashJS($string, $extended = FALSE, $char = "'") {
1137 $string = str_replace("\\", "\\\\", $string);
1139 return str_replace($char, "\\" . $char, $string);
1143 * Version of rawurlencode() where all spaces (%20) are re-converted to space-characters.
1144 * Useful when passing text to JavaScript where you simply url-encode it to get around problems with syntax-errors, linebreaks etc.
1146 * @param string $str String to raw-url-encode with spaces preserved
1147 * @return string Rawurlencoded result of input string, but with all %20 (space chars) converted to real spaces.
1149 public static function rawUrlEncodeJS($str) {
1150 return str_replace('%20', ' ', rawurlencode($str));
1154 * rawurlencode which preserves "/" chars
1155 * Useful when file paths should keep the "/" chars, but have all other special chars encoded.
1157 * @param string $str Input string
1158 * @return string Output string
1160 public static function rawUrlEncodeFP($str) {
1161 return str_replace('%2F', '/', rawurlencode($str));
1165 * Checking syntax of input email address
1167 * @param string $email Input string to evaluate
1168 * @return boolean Returns TRUE if the $email address (input string) is valid
1170 public static function validEmail($email) {
1171 // Enforce maximum length to prevent libpcre recursion crash bug #52929 in PHP
1172 // fixed in PHP 5.3.4; length restriction per SMTP RFC 2821
1173 if (strlen($email) > 320) {
1176 require_once(PATH_typo3
. 'contrib/idna/idna_convert.class.php');
1177 $IDN = new idna_convert(array('idn_version' => 2008));
1179 return (filter_var($IDN->encode($email), FILTER_VALIDATE_EMAIL
) !== FALSE);
1183 * Checks if current e-mail sending method does not accept recipient/sender name
1184 * in a call to PHP mail() function. Windows version of mail() and mini_sendmail
1185 * program are known not to process such input correctly and they cause SMTP
1186 * errors. This function will return TRUE if current mail sending method has
1187 * problem with recipient name in recipient/sender argument for mail().
1189 * TODO: 4.3 should have additional configuration variable, which is combined
1190 * by || with the rest in this function.
1192 * @return boolean TRUE if mail() does not accept recipient name
1194 public static function isBrokenEmailEnvironment() {
1195 return TYPO3_OS
== 'WIN' ||
(FALSE !== strpos(ini_get('sendmail_path'), 'mini_sendmail'));
1199 * Changes from/to arguments for mail() function to work in any environment.
1201 * @param string $address Address to adjust
1202 * @return string Adjusted address
1203 * @see t3lib_::isBrokenEmailEnvironment()
1205 public static function normalizeMailAddress($address) {
1206 if (self
::isBrokenEmailEnvironment() && FALSE !== ($pos1 = strrpos($address, '<'))) {
1207 $pos2 = strpos($address, '>', $pos1);
1208 $address = substr($address, $pos1 +
1, ($pos2 ?
$pos2 : strlen($address)) - $pos1 - 1);
1214 * Formats a string for output between <textarea>-tags
1215 * All content outputted in a textarea form should be passed through this function
1216 * Not only is the content htmlspecialchar'ed on output but there is also a single newline added in the top. The newline is necessary because browsers will ignore the first newline after <textarea> if that is the first character. Therefore better set it!
1218 * @param string $content Input string to be formatted.
1219 * @return string Formatted for <textarea>-tags
1221 public static function formatForTextarea($content) {
1222 return LF
. htmlspecialchars($content);
1226 * Converts string to uppercase
1227 * The function converts all Latin characters (a-z, but no accents, etc) to
1228 * uppercase. It is safe for all supported character sets (incl. utf-8).
1229 * Unlike strtoupper() it does not honour the locale.
1231 * @param string $str Input string
1232 * @return string Uppercase String
1234 public static function strtoupper($str) {
1235 return strtr((string) $str, 'abcdefghijklmnopqrstuvwxyz', 'ABCDEFGHIJKLMNOPQRSTUVWXYZ');
1239 * Converts string to lowercase
1240 * The function converts all Latin characters (A-Z, but no accents, etc) to
1241 * lowercase. It is safe for all supported character sets (incl. utf-8).
1242 * Unlike strtolower() it does not honour the locale.
1244 * @param string $str Input string
1245 * @return string Lowercase String
1247 public static function strtolower($str) {
1248 return strtr((string) $str, 'ABCDEFGHIJKLMNOPQRSTUVWXYZ', 'abcdefghijklmnopqrstuvwxyz');
1252 * Returns a string of highly randomized bytes (over the full 8-bit range).
1254 * Note: Returned values are not guaranteed to be crypto-safe,
1255 * most likely they are not, depending on the used retrieval method.
1257 * @param integer $bytesToReturn Number of characters (bytes) to return
1258 * @return string Random Bytes
1259 * @see http://bugs.php.net/bug.php?id=52523
1260 * @see http://www.php-security.org/2010/05/09/mops-submission-04-generating-unpredictable-session-ids-and-hashes/index.html
1262 public static function generateRandomBytes($bytesToReturn) {
1263 // Cache 4k of the generated bytestream.
1265 $bytesToGenerate = max(4096, $bytesToReturn);
1267 // if we have not enough random bytes cached, we generate new ones
1268 if (!isset($bytes{$bytesToReturn - 1})) {
1269 if (TYPO3_OS
=== 'WIN') {
1270 // Openssl seems to be deadly slow on Windows, so try to use mcrypt
1271 // Windows PHP versions have a bug when using urandom source (see #24410)
1272 $bytes .= self
::generateRandomBytesMcrypt($bytesToGenerate, MCRYPT_RAND
);
1274 // Try to use native PHP functions first, precedence has openssl
1275 $bytes .= self
::generateRandomBytesOpenSsl($bytesToGenerate);
1277 if (!isset($bytes{$bytesToReturn - 1})) {
1278 $bytes .= self
::generateRandomBytesMcrypt($bytesToGenerate, MCRYPT_DEV_URANDOM
);
1281 // If openssl and mcrypt failed, try /dev/urandom
1282 if (!isset($bytes{$bytesToReturn - 1})) {
1283 $bytes .= self
::generateRandomBytesUrandom($bytesToGenerate);
1287 // Fall back if other random byte generation failed until now
1288 if (!isset($bytes{$bytesToReturn - 1})) {
1289 $bytes .= self
::generateRandomBytesFallback($bytesToReturn);
1293 // get first $bytesToReturn and remove it from the byte cache
1294 $output = substr($bytes, 0, $bytesToReturn);
1295 $bytes = substr($bytes, $bytesToReturn);
1301 * Generate random bytes using openssl if available
1303 * @param string $bytesToGenerate
1306 protected static function generateRandomBytesOpenSsl($bytesToGenerate) {
1307 if (!function_exists('openssl_random_pseudo_bytes')) {
1311 return (string) openssl_random_pseudo_bytes($bytesToGenerate, $isStrong);
1315 * Generate random bytes using mcrypt if available
1317 * @param $bytesToGenerate
1318 * @param $randomSource
1321 protected static function generateRandomBytesMcrypt($bytesToGenerate, $randomSource) {
1322 if (!function_exists('mcrypt_create_iv')) {
1325 return (string) @mcrypt_create_iv
($bytesToGenerate, $randomSource);
1329 * Read random bytes from /dev/urandom if it is accessible
1331 * @param $bytesToGenerate
1334 protected static function generateRandomBytesUrandom($bytesToGenerate) {
1336 $fh = @fopen
('/dev/urandom', 'rb');
1338 // PHP only performs buffered reads, so in reality it will always read
1339 // at least 4096 bytes. Thus, it costs nothing extra to read and store
1340 // that much so as to speed any additional invocations.
1341 $bytes = fread($fh, $bytesToGenerate);
1349 * Generate pseudo random bytes as last resort
1351 * @param $bytesToReturn
1354 protected static function generateRandomBytesFallback($bytesToReturn) {
1356 // We initialize with somewhat random.
1357 $randomState = $GLOBALS['TYPO3_CONF_VARS']['SYS']['encryptionKey'] . base_convert(memory_get_usage() %
pow(10, 6), 10, 2) . microtime() . uniqid('') . getmypid();
1358 while (!isset($bytes{$bytesToReturn - 1})) {
1359 $randomState = sha1(microtime() . mt_rand() . $randomState);
1360 $bytes .= sha1(mt_rand() . $randomState, TRUE);
1366 * Returns a hex representation of a random byte string.
1368 * @param integer $count Number of hex characters to return
1369 * @return string Random Bytes
1371 public static function getRandomHexString($count) {
1372 return substr(bin2hex(self
::generateRandomBytes(intval(($count +
1) / 2))), 0, $count);
1376 * Returns a given string with underscores as UpperCamelCase.
1377 * Example: Converts blog_example to BlogExample
1379 * @param string $string String to be converted to camel case
1380 * @return string UpperCamelCasedWord
1382 public static function underscoredToUpperCamelCase($string) {
1383 $upperCamelCase = str_replace(' ', '', ucwords(str_replace('_', ' ', self
::strtolower($string))));
1384 return $upperCamelCase;
1388 * Returns a given string with underscores as lowerCamelCase.
1389 * Example: Converts minimal_value to minimalValue
1391 * @param string $string String to be converted to camel case
1392 * @return string lowerCamelCasedWord
1394 public static function underscoredToLowerCamelCase($string) {
1395 $upperCamelCase = str_replace(' ', '', ucwords(str_replace('_', ' ', self
::strtolower($string))));
1396 $lowerCamelCase = self
::lcfirst($upperCamelCase);
1397 return $lowerCamelCase;
1401 * Returns a given CamelCasedString as an lowercase string with underscores.
1402 * Example: Converts BlogExample to blog_example, and minimalValue to minimal_value
1404 * @param string $string String to be converted to lowercase underscore
1405 * @return string lowercase_and_underscored_string
1407 public static function camelCaseToLowerCaseUnderscored($string) {
1408 return self
::strtolower(preg_replace('/(?<=\w)([A-Z])/', '_\\1', $string));
1412 * Converts the first char of a string to lowercase if it is a latin character (A-Z).
1413 * Example: Converts "Hello World" to "hello World"
1415 * @param string $string The string to be used to lowercase the first character
1416 * @return string The string with the first character as lowercase
1418 public static function lcfirst($string) {
1419 return self
::strtolower(substr($string, 0, 1)) . substr($string, 1);
1423 * Checks if a given string is a Uniform Resource Locator (URL).
1425 * @param string $url The URL to be validated
1426 * @return boolean Whether the given URL is valid
1428 public static function isValidUrl($url) {
1429 require_once(PATH_typo3
. 'contrib/idna/idna_convert.class.php');
1430 $IDN = new idna_convert(array('idn_version' => 2008));
1432 return (filter_var($IDN->encode($url), FILTER_VALIDATE_URL
, FILTER_FLAG_SCHEME_REQUIRED
) !== FALSE);
1435 /*************************
1439 *************************/
1442 * Check if an string item exists in an array.
1443 * Please note that the order of function parameters is reverse compared to the PHP function in_array()!!!
1445 * Comparison to PHP in_array():
1446 * -> $array = array(0, 1, 2, 3);
1447 * -> variant_a := t3lib_div::inArray($array, $needle)
1448 * -> variant_b := in_array($needle, $array)
1449 * -> variant_c := in_array($needle, $array, TRUE)
1450 * +---------+-----------+-----------+-----------+
1451 * | $needle | variant_a | variant_b | variant_c |
1452 * +---------+-----------+-----------+-----------+
1453 * | '1a' | FALSE | TRUE | FALSE |
1454 * | '' | FALSE | TRUE | FALSE |
1455 * | '0' | TRUE | TRUE | FALSE |
1456 * | 0 | TRUE | TRUE | TRUE |
1457 * +---------+-----------+-----------+-----------+
1459 * @param array $in_array One-dimensional array of items
1460 * @param string $item Item to check for
1461 * @return boolean TRUE if $item is in the one-dimensional array $in_array
1463 public static function inArray(array $in_array, $item) {
1464 foreach ($in_array as $val) {
1465 if (!is_array($val) && !strcmp($val, $item)) {
1473 * Explodes a $string delimited by $delim and passes each item in the array through intval().
1474 * Corresponds to t3lib_div::trimExplode(), but with conversion to integers for all values.
1476 * @param string $delimiter Delimiter string to explode with
1477 * @param string $string The string to explode
1478 * @param boolean $onlyNonEmptyValues If set, all empty values (='') will NOT be set in output
1479 * @param integer $limit If positive, the result will contain a maximum of limit elements,
1480 * if negative, all components except the last -limit are returned,
1481 * if zero (default), the result is not limited at all
1482 * @return array Exploded values, all converted to integers
1484 public static function intExplode($delimiter, $string, $onlyNonEmptyValues = FALSE, $limit = 0) {
1485 $explodedValues = self
::trimExplode($delimiter, $string, $onlyNonEmptyValues, $limit);
1486 return array_map('intval', $explodedValues);
1490 * Reverse explode which explodes the string counting from behind.
1491 * Thus t3lib_div::revExplode(':','my:words:here',2) will return array('my:words','here')
1493 * @param string $delimiter Delimiter string to explode with
1494 * @param string $string The string to explode
1495 * @param integer $count Number of array entries
1496 * @return array Exploded values
1498 public static function revExplode($delimiter, $string, $count = 0) {
1499 $explodedValues = explode($delimiter, strrev($string), $count);
1500 $explodedValues = array_map('strrev', $explodedValues);
1501 return array_reverse($explodedValues);
1505 * Explodes a string and trims all values for whitespace in the ends.
1506 * If $onlyNonEmptyValues is set, then all blank ('') values are removed.
1508 * @param string $delim Delimiter string to explode with
1509 * @param string $string The string to explode
1510 * @param boolean $removeEmptyValues If set, all empty values will be removed in output
1511 * @param integer $limit If positive, the result will contain a maximum of
1512 * $limit elements, if negative, all components except
1513 * the last -$limit are returned, if zero (default),
1514 * the result is not limited at all. Attention though
1515 * that the use of this parameter can slow down this
1517 * @return array Exploded values
1519 public static function trimExplode($delim, $string, $removeEmptyValues = FALSE, $limit = 0) {
1520 $explodedValues = explode($delim, $string);
1522 $result = array_map('trim', $explodedValues);
1524 if ($removeEmptyValues) {
1526 foreach ($result as $value) {
1527 if ($value !== '') {
1536 $result = array_slice($result, 0, $limit);
1537 } elseif (count($result) > $limit) {
1538 $lastElements = array_slice($result, $limit - 1);
1539 $result = array_slice($result, 0, $limit - 1);
1540 $result[] = implode($delim, $lastElements);
1548 * Removes the value $cmpValue from the $array if found there. Returns the modified array
1550 * @param array $array Array containing the values
1551 * @param string $cmpValue Value to search for and if found remove array entry where found.
1552 * @return array Output array with entries removed if search string is found
1554 public static function removeArrayEntryByValue(array $array, $cmpValue) {
1555 foreach ($array as $k => $v) {
1557 $array[$k] = self
::removeArrayEntryByValue($v, $cmpValue);
1558 } elseif (!strcmp($v, $cmpValue)) {
1566 * Filters an array to reduce its elements to match the condition.
1567 * The values in $keepItems can be optionally evaluated by a custom callback function.
1569 * Example (arguments used to call this function):
1571 * array('aa' => array('first', 'second'),
1572 * array('bb' => array('third', 'fourth'),
1573 * array('cc' => array('fifth', 'sixth'),
1575 * $keepItems = array('third');
1576 * $getValueFunc = create_function('$value', 'return $value[0];');
1580 * array('bb' => array('third', 'fourth'),
1583 * @param array $array The initial array to be filtered/reduced
1584 * @param mixed $keepItems The items which are allowed/kept in the array - accepts array or csv string
1585 * @param string $getValueFunc (optional) Unique function name set by create_function() used to get the value to keep
1586 * @return array The filtered/reduced array with the kept items
1588 public static function keepItemsInArray(array $array, $keepItems, $getValueFunc = NULL) {
1590 // Convert strings to arrays:
1591 if (is_string($keepItems)) {
1592 $keepItems = self
::trimExplode(',', $keepItems);
1594 // create_function() returns a string:
1595 if (!is_string($getValueFunc)) {
1596 $getValueFunc = NULL;
1598 // Do the filtering:
1599 if (is_array($keepItems) && count($keepItems)) {
1600 foreach ($array as $key => $value) {
1601 // Get the value to compare by using the callback function:
1602 $keepValue = (isset($getValueFunc) ?
$getValueFunc($value) : $value);
1603 if (!in_array($keepValue, $keepItems)) {
1604 unset($array[$key]);
1613 * Implodes a multidim-array into GET-parameters (eg. ¶m[key][key2]=value2¶m[key][key3]=value3)
1615 * @param string $name Name prefix for entries. Set to blank if you wish none.
1616 * @param array $theArray The (multidimensional) array to implode
1617 * @param string $str (keep blank)
1618 * @param boolean $skipBlank If set, parameters which were blank strings would be removed.
1619 * @param boolean $rawurlencodeParamName If set, the param name itself (for example "param[key][key2]") would be rawurlencoded as well.
1620 * @return string Imploded result, fx. ¶m[key][key2]=value2¶m[key][key3]=value3
1621 * @see explodeUrl2Array()
1623 public static function implodeArrayForUrl($name, array $theArray, $str = '', $skipBlank = FALSE, $rawurlencodeParamName = FALSE) {
1624 foreach ($theArray as $Akey => $AVal) {
1625 $thisKeyName = $name ?
$name . '[' . $Akey . ']' : $Akey;
1626 if (is_array($AVal)) {
1627 $str = self
::implodeArrayForUrl($thisKeyName, $AVal, $str, $skipBlank, $rawurlencodeParamName);
1629 if (!$skipBlank ||
strcmp($AVal, '')) {
1630 $str .= '&' . ($rawurlencodeParamName ?
rawurlencode($thisKeyName) : $thisKeyName) .
1631 '=' . rawurlencode($AVal);
1639 * Explodes a string with GETvars (eg. "&id=1&type=2&ext[mykey]=3") into an array
1641 * @param string $string GETvars string
1642 * @param boolean $multidim If set, the string will be parsed into a multidimensional array if square brackets are used in variable names (using PHP function parse_str())
1643 * @return array Array of values. All values AND keys are rawurldecoded() as they properly should be. But this means that any implosion of the array again must rawurlencode it!
1644 * @see implodeArrayForUrl()
1646 public static function explodeUrl2Array($string, $multidim = FALSE) {
1649 parse_str($string, $output);
1651 $p = explode('&', $string);
1652 foreach ($p as $v) {
1654 list($pK, $pV) = explode('=', $v, 2);
1655 $output[rawurldecode($pK)] = rawurldecode($pV);
1663 * Returns an array with selected keys from incoming data.
1664 * (Better read source code if you want to find out...)
1666 * @param string $varList List of variable/key names
1667 * @param array $getArray Array from where to get values based on the keys in $varList
1668 * @param boolean $GPvarAlt If set, then t3lib_div::_GP() is used to fetch the value if not found (isset) in the $getArray
1669 * @return array Output array with selected variables.
1671 public static function compileSelectedGetVarsFromArray($varList, array $getArray, $GPvarAlt = TRUE) {
1672 $keys = self
::trimExplode(',', $varList, 1);
1674 foreach ($keys as $v) {
1675 if (isset($getArray[$v])) {
1676 $outArr[$v] = $getArray[$v];
1677 } elseif ($GPvarAlt) {
1678 $outArr[$v] = self
::_GP($v);
1686 * This function traverses a multidimensional array and adds slashes to the values.
1687 * NOTE that the input array is and argument by reference.!!
1688 * Twin-function to stripSlashesOnArray
1690 * @param array $theArray Multidimensional input array, (REFERENCE!)
1693 public static function addSlashesOnArray(array &$theArray) {
1694 foreach ($theArray as &$value) {
1695 if (is_array($value)) {
1696 self
::addSlashesOnArray($value);
1698 $value = addslashes($value);
1707 * This function traverses a multidimensional array and strips slashes to the values.
1708 * NOTE that the input array is and argument by reference.!!
1709 * Twin-function to addSlashesOnArray
1711 * @param array $theArray Multidimensional input array, (REFERENCE!)
1714 public static function stripSlashesOnArray(array &$theArray) {
1715 foreach ($theArray as &$value) {
1716 if (is_array($value)) {
1717 self
::stripSlashesOnArray($value);
1719 $value = stripslashes($value);
1727 * Either slashes ($cmd=add) or strips ($cmd=strip) array $arr depending on $cmd
1729 * @param array $arr Multidimensional input array
1730 * @param string $cmd "add" or "strip", depending on usage you wish.
1733 public static function slashArray(array $arr, $cmd) {
1734 if ($cmd == 'strip') {
1735 self
::stripSlashesOnArray($arr);
1737 if ($cmd == 'add') {
1738 self
::addSlashesOnArray($arr);
1744 * Rename Array keys with a given mapping table
1746 * @param array $array Array by reference which should be remapped
1747 * @param array $mappingTable Array with remap information, array/$oldKey => $newKey)
1749 public static function remapArrayKeys(&$array, $mappingTable) {
1750 if (is_array($mappingTable)) {
1751 foreach ($mappingTable as $old => $new) {
1752 if ($new && isset($array[$old])) {
1753 $array[$new] = $array[$old];
1754 unset ($array[$old]);
1762 * Merges two arrays recursively and "binary safe" (integer keys are
1763 * overridden as well), overruling similar values in the first array
1764 * ($arr0) with the values of the second array ($arr1)
1765 * In case of identical keys, ie. keeping the values of the second.
1767 * @param array $arr0 First array
1768 * @param array $arr1 Second array, overruling the first array
1769 * @param boolean $notAddKeys If set, keys that are NOT found in $arr0 (first array) will not be set. Thus only existing value can/will be overruled from second array.
1770 * @param boolean $includeEmptyValues If set, values from $arr1 will overrule if they are empty or zero. Default: TRUE
1771 * @param boolean $enableUnsetFeature If set, special values "__UNSET" can be used in the second array in order to unset array keys in the resulting array.
1772 * @return array Resulting array where $arr1 values has overruled $arr0 values
1774 public static function array_merge_recursive_overrule(array $arr0, array $arr1, $notAddKeys = FALSE, $includeEmptyValues = TRUE, $enableUnsetFeature = TRUE) {
1775 foreach ($arr1 as $key => $val) {
1776 if (is_array($arr0[$key])) {
1777 if (is_array($arr1[$key])) {
1778 $arr0[$key] = self
::array_merge_recursive_overrule(
1782 $includeEmptyValues,
1786 } elseif (!$notAddKeys ||
isset($arr0[$key])) {
1787 if ($enableUnsetFeature && $val === '__UNSET') {
1789 } elseif ($includeEmptyValues ||
$val) {
1800 * An array_merge function where the keys are NOT renumbered as they happen to be with the real php-array_merge function. It is "binary safe" in the sense that integer keys are overridden as well.
1802 * @param array $arr1 First array
1803 * @param array $arr2 Second array
1804 * @return array Merged result.
1806 public static function array_merge(array $arr1, array $arr2) {
1807 return $arr2 +
$arr1;
1811 * Filters keys off from first array that also exist in second array. Comparison is done by keys.
1812 * This method is a recursive version of php array_diff_assoc()
1814 * @param array $array1 Source array
1815 * @param array $array2 Reduce source array by this array
1816 * @return array Source array reduced by keys also present in second array
1818 public static function arrayDiffAssocRecursive(array $array1, array $array2) {
1819 $differenceArray = array();
1820 foreach ($array1 as $key => $value) {
1821 if (!array_key_exists($key, $array2)) {
1822 $differenceArray[$key] = $value;
1823 } elseif (is_array($value)) {
1824 if (is_array($array2[$key])) {
1825 $differenceArray[$key] = self
::arrayDiffAssocRecursive($value, $array2[$key]);
1830 return $differenceArray;
1834 * Takes a row and returns a CSV string of the values with $delim (default is ,) and $quote (default is ") as separator chars.
1836 * @param array $row Input array of values
1837 * @param string $delim Delimited, default is comma
1838 * @param string $quote Quote-character to wrap around the values.
1839 * @return string A single line of CSV
1841 public static function csvValues(array $row, $delim = ',', $quote = '"') {
1843 foreach ($row as $value) {
1844 $out[] = str_replace($quote, $quote . $quote, $value);
1846 $str = $quote . implode($quote . $delim . $quote, $out) . $quote;
1851 * Removes dots "." from end of a key identifier of TypoScript styled array.
1852 * array('key.' => array('property.' => 'value')) --> array('key' => array('property' => 'value'))
1854 * @param array $ts TypoScript configuration array
1855 * @return array TypoScript configuration array without dots at the end of all keys
1857 public static function removeDotsFromTS(array $ts) {
1859 foreach ($ts as $key => $value) {
1860 if (is_array($value)) {
1861 $key = rtrim($key, '.');
1862 $out[$key] = self
::removeDotsFromTS($value);
1864 $out[$key] = $value;
1871 * Sorts an array by key recursive - uses natural sort order (aAbB-zZ)
1873 * @param array $array array to be sorted recursively, passed by reference
1874 * @return boolean TRUE if param is an array
1876 public static function naturalKeySortRecursive(&$array) {
1877 if (!is_array($array)) {
1880 uksort($array, 'strnatcasecmp');
1881 foreach ($array as $key => $value) {
1882 self
::naturalKeySortRecursive($array[$key]);
1887 /*************************
1889 * HTML/XML PROCESSING
1891 *************************/
1894 * Returns an array with all attributes of the input HTML tag as key/value pairs. Attributes are only lowercase a-z
1895 * $tag is either a whole tag (eg '<TAG OPTION ATTRIB=VALUE>') or the parameter list (ex ' OPTION ATTRIB=VALUE>')
1896 * If an attribute is empty, then the value for the key is empty. You can check if it existed with isset()
1898 * @param string $tag HTML-tag string (or attributes only)
1899 * @return array Array with the attribute values.
1901 public static function get_tag_attributes($tag) {
1902 $components = self
::split_tag_attributes($tag);
1903 // Attribute name is stored here
1906 $attributes = array();
1907 foreach ($components as $key => $val) {
1908 // Only if $name is set (if there is an attribute, that waits for a value), that valuemode is enabled. This ensures that the attribute is assigned it's value
1912 $attributes[$name] = $val;
1916 if ($key = strtolower(preg_replace('/[^[:alnum:]_\:\-]/', '', $val))) {
1917 $attributes[$key] = '';
1930 * Returns an array with the 'components' from an attribute list from an HTML tag. The result is normally analyzed by get_tag_attributes
1931 * Removes tag-name if found
1933 * @param string $tag HTML-tag string (or attributes only)
1934 * @return array Array with the attribute values.
1936 public static function split_tag_attributes($tag) {
1937 $tag_tmp = trim(preg_replace('/^<[^[:space:]]*/', '', trim($tag)));
1938 // Removes any > in the end of the string
1939 $tag_tmp = trim(rtrim($tag_tmp, '>'));
1942 // Compared with empty string instead , 030102
1943 while (strcmp($tag_tmp, '')) {
1944 $firstChar = substr($tag_tmp, 0, 1);
1945 if (!strcmp($firstChar, '"') ||
!strcmp($firstChar, "'")) {
1946 $reg = explode($firstChar, $tag_tmp, 3);
1948 $tag_tmp = trim($reg[2]);
1949 } elseif (!strcmp($firstChar, '=')) {
1952 $tag_tmp = trim(substr($tag_tmp, 1));
1954 // There are '' around the value. We look for the next ' ' or '>'
1955 $reg = preg_split('/[[:space:]=]/', $tag_tmp, 2);
1956 $value[] = trim($reg[0]);
1957 $tag_tmp = trim(substr($tag_tmp, strlen($reg[0]), 1) . $reg[1]);
1965 * Implodes attributes in the array $arr for an attribute list in eg. and HTML tag (with quotes)
1967 * @param array $arr Array with attribute key/value pairs, eg. "bgcolor"=>"red", "border"=>0
1968 * @param boolean $xhtmlSafe If set the resulting attribute list will have a) all attributes in lowercase (and duplicates weeded out, first entry taking precedence) and b) all values htmlspecialchar()'ed. It is recommended to use this switch!
1969 * @param boolean $dontOmitBlankAttribs If TRUE, don't check if values are blank. Default is to omit attributes with blank values.
1970 * @return string Imploded attributes, eg. 'bgcolor="red" border="0"'
1972 public static function implodeAttributes(array $arr, $xhtmlSafe = FALSE, $dontOmitBlankAttribs = FALSE) {
1975 foreach ($arr as $p => $v) {
1976 if (!isset($newArr[strtolower($p)])) {
1977 $newArr[strtolower($p)] = htmlspecialchars($v);
1983 foreach ($arr as $p => $v) {
1984 if (strcmp($v, '') ||
$dontOmitBlankAttribs) {
1985 $list[] = $p . '="' . $v . '"';
1988 return implode(' ', $list);
1992 * Wraps JavaScript code XHTML ready with <script>-tags
1993 * Automatic re-indenting of the JS code is done by using the first line as indent reference.
1994 * This is nice for indenting JS code with PHP code on the same level.
1996 * @param string $string JavaScript code
1997 * @param boolean $linebreak Wrap script element in line breaks? Default is TRUE.
1998 * @return string The wrapped JS code, ready to put into a XHTML page
2000 public static function wrapJS($string, $linebreak = TRUE) {
2001 if (trim($string)) {
2002 // <script wrapped in nl?
2003 $cr = $linebreak ? LF
: '';
2005 // remove nl from the beginning
2006 $string = preg_replace('/^\n+/', '', $string);
2007 // re-ident to one tab using the first line as reference
2009 if (preg_match('/^(\t+)/', $string, $match)) {
2010 $string = str_replace($match[1], TAB
, $string);
2012 $string = $cr . '<script type="text/javascript">
2018 return trim($string);
2023 * Parses XML input into a PHP array with associative keys
2025 * @param string $string XML data input
2026 * @param integer $depth Number of element levels to resolve the XML into an array. Any further structure will be set as XML.
2027 * @return mixed The array with the parsed structure unless the XML parser returns with an error in which case the error message string is returned.
2028 * @author bisqwit at iki dot fi dot not dot for dot ads dot invalid / http://dk.php.net/xml_parse_into_struct + kasperYYYY@typo3.com
2030 public static function xml2tree($string, $depth = 999) {
2031 $parser = xml_parser_create();
2035 xml_parser_set_option($parser, XML_OPTION_CASE_FOLDING
, 0);
2036 xml_parser_set_option($parser, XML_OPTION_SKIP_WHITE
, 0);
2037 xml_parse_into_struct($parser, $string, $vals, $index);
2039 if (xml_get_error_code($parser)) {
2040 return 'Line ' . xml_get_current_line_number($parser) . ': ' . xml_error_string(xml_get_error_code($parser));
2042 xml_parser_free($parser);
2044 $stack = array(array());
2049 foreach ($vals as $key => $val) {
2050 $type = $val['type'];
2053 if ($type == 'open' ||
$type == 'complete') {
2054 $stack[$stacktop++
] = $tagi;
2056 if ($depth == $stacktop) {
2060 $tagi = array('tag' => $val['tag']);
2062 if (isset($val['attributes'])) {
2063 $tagi['attrs'] = $val['attributes'];
2065 if (isset($val['value'])) {
2066 $tagi['values'][] = $val['value'];
2070 if ($type == 'complete' ||
$type == 'close') {
2072 $tagi = $stack[--$stacktop];
2073 $oldtag = $oldtagi['tag'];
2074 unset($oldtagi['tag']);
2076 if ($depth == ($stacktop +
1)) {
2077 if ($key - $startPoint > 0) {
2078 $partArray = array_slice(
2081 $key - $startPoint - 1
2083 $oldtagi['XMLvalue'] = self
::xmlRecompileFromStructValArray($partArray);
2085 $oldtagi['XMLvalue'] = $oldtagi['values'][0];
2089 $tagi['ch'][$oldtag][] = $oldtagi;
2093 if ($type == 'cdata') {
2094 $tagi['values'][] = $val['value'];
2101 * Turns PHP array into XML. See array2xml()
2103 * @param array $array The input PHP array with any kind of data; text, binary, integers. Not objects though.
2104 * @param string $docTag Alternative document tag. Default is "phparray".
2105 * @param array $options Options for the compilation. See array2xml() for description.
2106 * @param string $charset Forced charset to prologue
2107 * @return string An XML string made from the input content in the array.
2108 * @see xml2array(),array2xml()
2110 public static function array2xml_cs(array $array, $docTag = 'phparray', array $options = array(), $charset = '') {
2112 // Set default charset unless explicitly specified
2113 $charset = $charset ?
$charset : 'utf-8';
2116 return '<?xml version="1.0" encoding="' . htmlspecialchars($charset) . '" standalone="yes" ?>' . LF
.
2117 self
::array2xml($array, '', 0, $docTag, 0, $options);
2121 * Deprecated to call directly (unless you are aware of using XML prologues)! Use "array2xml_cs" instead (which adds an XML-prologue)
2123 * Converts a PHP array into an XML string.
2124 * The XML output is optimized for readability since associative keys are used as tag names.
2125 * This also means that only alphanumeric characters are allowed in the tag names AND only keys NOT starting with numbers (so watch your usage of keys!). However there are options you can set to avoid this problem.
2126 * Numeric keys are stored with the default tag name "numIndex" but can be overridden to other formats)
2127 * The function handles input values from the PHP array in a binary-safe way; All characters below 32 (except 9,10,13) will trigger the content to be converted to a base64-string
2128 * The PHP variable type of the data IS preserved as long as the types are strings, arrays, integers and booleans. Strings are the default type unless the "type" attribute is set.
2129 * The output XML has been tested with the PHP XML-parser and parses OK under all tested circumstances with 4.x versions. However, with PHP5 there seems to be the need to add an XML prologue a la <?xml version="1.0" encoding="[charset]" standalone="yes" ?> - otherwise UTF-8 is assumed! Unfortunately, many times the output from this function is used without adding that prologue meaning that non-ASCII characters will break the parsing!! This suchs of course! Effectively it means that the prologue should always be prepended setting the right characterset, alternatively the system should always run as utf-8!
2130 * However using MSIE to read the XML output didn't always go well: One reason could be that the character encoding is not observed in the PHP data. The other reason may be if the tag-names are invalid in the eyes of MSIE. Also using the namespace feature will make MSIE break parsing. There might be more reasons...
2132 * @param array $array The input PHP array with any kind of data; text, binary, integers. Not objects though.
2133 * @param string $NSprefix tag-prefix, eg. a namespace prefix like "T3:"
2134 * @param integer $level Current recursion level. Don't change, stay at zero!
2135 * @param string $docTag Alternative document tag. Default is "phparray".
2136 * @param integer $spaceInd If greater than zero, then the number of spaces corresponding to this number is used for indenting, if less than zero - no indentation, if zero - a single TAB is used
2137 * @param array $options Options for the compilation. Key "useNindex" => 0/1 (boolean: whether to use "n0, n1, n2" for num. indexes); Key "useIndexTagForNum" => "[tag for numerical indexes]"; Key "useIndexTagForAssoc" => "[tag for associative indexes"; Key "parentTagMap" => array('parentTag' => 'thisLevelTag')
2138 * @param array $stackData Stack data. Don't touch.
2139 * @return string An XML string made from the input content in the array.
2142 public static function array2xml(array $array, $NSprefix = '', $level = 0, $docTag = 'phparray', $spaceInd = 0, array $options = array(), array $stackData = array()) {
2143 // The list of byte values which will trigger binary-safe storage. If any value has one of these char values in it, it will be encoded in base64
2144 $binaryChars = chr(0) . chr(1) . chr(2) . chr(3) . chr(4) . chr(5) . chr(6) . chr(7) . chr(8) .
2145 chr(11) . chr(12) . chr(14) . chr(15) . chr(16) . chr(17) . chr(18) . chr(19) .
2146 chr(20) . chr(21) . chr(22) . chr(23) . chr(24) . chr(25) . chr(26) . chr(27) . chr(28) . chr(29) .
2148 // Set indenting mode:
2149 $indentChar = $spaceInd ?
' ' : TAB
;
2150 $indentN = $spaceInd > 0 ?
$spaceInd : 1;
2151 $nl = ($spaceInd >= 0 ? LF
: '');
2153 // Init output variable:
2156 // Traverse the input array
2157 foreach ($array as $k => $v) {
2161 // Construct the tag name.
2162 // Use tag based on grand-parent + parent tag name
2163 if (isset($options['grandParentTagMap'][$stackData['grandParentTagName'] . '/' . $stackData['parentTagName']])) {
2164 $attr .= ' index="' . htmlspecialchars($tagName) . '"';
2165 $tagName = (string) $options['grandParentTagMap'][$stackData['grandParentTagName'] . '/' . $stackData['parentTagName']];
2166 } elseif (isset($options['parentTagMap'][$stackData['parentTagName'] . ':_IS_NUM']) && t3lib_utility_Math
::canBeInterpretedAsInteger($tagName)) { // Use tag based on parent tag name + if current tag is numeric
2167 $attr .= ' index="' . htmlspecialchars($tagName) . '"';
2168 $tagName = (string) $options['parentTagMap'][$stackData['parentTagName'] . ':_IS_NUM'];
2169 } elseif (isset($options['parentTagMap'][$stackData['parentTagName'] . ':' . $tagName])) { // Use tag based on parent tag name + current tag
2170 $attr .= ' index="' . htmlspecialchars($tagName) . '"';
2171 $tagName = (string) $options['parentTagMap'][$stackData['parentTagName'] . ':' . $tagName];
2172 } elseif (isset($options['parentTagMap'][$stackData['parentTagName']])) { // Use tag based on parent tag name:
2173 $attr .= ' index="' . htmlspecialchars($tagName) . '"';
2174 $tagName = (string) $options['parentTagMap'][$stackData['parentTagName']];
2175 } elseif (!strcmp(intval($tagName), $tagName)) { // If integer...;
2176 if ($options['useNindex']) { // If numeric key, prefix "n"
2177 $tagName = 'n' . $tagName;
2178 } else { // Use special tag for num. keys:
2179 $attr .= ' index="' . $tagName . '"';
2180 $tagName = $options['useIndexTagForNum'] ?
$options['useIndexTagForNum'] : 'numIndex';
2182 } elseif ($options['useIndexTagForAssoc']) { // Use tag for all associative keys:
2183 $attr .= ' index="' . htmlspecialchars($tagName) . '"';
2184 $tagName = $options['useIndexTagForAssoc'];
2187 // The tag name is cleaned up so only alphanumeric chars (plus - and _) are in there and not longer than 100 chars either.
2188 $tagName = substr(preg_replace('/[^[:alnum:]_-]/', '', $tagName), 0, 100);
2190 // If the value is an array then we will call this function recursively:
2194 if ($options['alt_options'][$stackData['path'] . '/' . $tagName]) {
2195 $subOptions = $options['alt_options'][$stackData['path'] . '/' . $tagName];
2196 $clearStackPath = $subOptions['clearStackPath'];
2198 $subOptions = $options;
2199 $clearStackPath = FALSE;
2211 'parentTagName' => $tagName,
2212 'grandParentTagName' => $stackData['parentTagName'],
2213 'path' => $clearStackPath ?
'' : $stackData['path'] . '/' . $tagName,
2216 ($spaceInd >= 0 ?
str_pad('', ($level +
1) * $indentN, $indentChar) : '');
2217 // Do not set "type = array". Makes prettier XML but means that empty arrays are not restored with xml2array
2218 if ((int) $options['disableTypeAttrib'] != 2) {
2219 $attr .= ' type="array"';
2221 } else { // Just a value:
2223 // Look for binary chars:
2224 // Check for length, because PHP 5.2.0 may crash when first argument of strcspn is empty
2226 // Go for base64 encoding if the initial segment NOT matching any binary char has the same length as the whole string!
2227 if ($vLen && strcspn($v, $binaryChars) != $vLen) {
2228 // If the value contained binary chars then we base64-encode it an set an attribute to notify this situation:
2229 $content = $nl . chunk_split(base64_encode($v));
2230 $attr .= ' base64="1"';
2232 // Otherwise, just htmlspecialchar the stuff:
2233 $content = htmlspecialchars($v);
2234 $dType = gettype($v);
2235 if ($dType == 'string') {
2236 if ($options['useCDATA'] && $content != $v) {
2237 $content = '<![CDATA[' . $v . ']]>';
2239 } elseif (!$options['disableTypeAttrib']) {
2240 $attr .= ' type="' . $dType . '"';
2245 // Add the element to the output string:
2246 $output .= ($spaceInd >= 0 ?
str_pad('', ($level +
1) * $indentN, $indentChar) : '') . '<' . $NSprefix . $tagName . $attr . '>' . $content . '</' . $NSprefix . $tagName . '>' . $nl;
2249 // If we are at the outer-most level, then we finally wrap it all in the document tags and return that as the value:
2252 '<' . $docTag . '>' . $nl .
2254 '</' . $docTag . '>';
2261 * Converts an XML string to a PHP array.
2262 * This is the reverse function of array2xml()
2263 * This is a wrapper for xml2arrayProcess that adds a two-level cache
2265 * @param string $string XML content to convert into an array
2266 * @param string $NSprefix The tag-prefix resolve, eg. a namespace like "T3:"
2267 * @param boolean $reportDocTag If set, the document tag will be set in the key "_DOCUMENT_TAG" of the output array
2268 * @return mixed If the parsing had errors, a string with the error message is returned. Otherwise an array with the content.
2269 * @see array2xml(),xml2arrayProcess()
2271 public static function xml2array($string, $NSprefix = '', $reportDocTag = FALSE) {
2272 static $firstLevelCache = array();
2274 $identifier = md5($string . $NSprefix . ($reportDocTag ?
'1' : '0'));
2276 // Look up in first level cache
2277 if (!empty($firstLevelCache[$identifier])) {
2278 $array = $firstLevelCache[$identifier];
2280 // Look up in second level cache
2281 $cacheContent = t3lib_pageSelect
::getHash($identifier, 0);
2282 $array = unserialize($cacheContent);
2284 if ($array === FALSE) {
2285 $array = self
::xml2arrayProcess($string, $NSprefix, $reportDocTag);
2286 t3lib_pageSelect
::storeHash($identifier, serialize($array), 'ident_xml2array');
2288 // Store content in first level cache
2289 $firstLevelCache[$identifier] = $array;
2295 * Converts an XML string to a PHP array.
2296 * This is the reverse function of array2xml()
2298 * @param string $string XML content to convert into an array
2299 * @param string $NSprefix The tag-prefix resolve, eg. a namespace like "T3:"
2300 * @param boolean $reportDocTag If set, the document tag will be set in the key "_DOCUMENT_TAG" of the output array
2301 * @return mixed If the parsing had errors, a string with the error message is returned. Otherwise an array with the content.
2304 protected static function xml2arrayProcess($string, $NSprefix = '', $reportDocTag = FALSE) {
2306 $parser = xml_parser_create();
2310 xml_parser_set_option($parser, XML_OPTION_CASE_FOLDING
, 0);
2311 xml_parser_set_option($parser, XML_OPTION_SKIP_WHITE
, 0);
2313 // Default output charset is UTF-8, only ASCII, ISO-8859-1 and UTF-8 are supported!!!
2315 preg_match('/^[[:space:]]*<\?xml[^>]*encoding[[:space:]]*=[[:space:]]*"([^"]*)"/', substr($string, 0, 200), $match);
2316 $theCharset = $match[1] ?
$match[1] : 'utf-8';
2317 // us-ascii / utf-8 / iso-8859-1
2318 xml_parser_set_option($parser, XML_OPTION_TARGET_ENCODING
, $theCharset);
2321 xml_parse_into_struct($parser, $string, $vals, $index);
2323 // If error, return error message:
2324 if (xml_get_error_code($parser)) {
2325 return 'Line ' . xml_get_current_line_number($parser) . ': ' . xml_error_string(xml_get_error_code($parser));
2327 xml_parser_free($parser);
2330 $stack = array(array());
2336 // Traverse the parsed XML structure:
2337 foreach ($vals as $key => $val) {
2339 // First, process the tag-name (which is used in both cases, whether "complete" or "close")
2340 $tagName = $val['tag'];
2341 if (!$documentTag) {
2342 $documentTag = $tagName;
2345 // Test for name space:
2346 $tagName = ($NSprefix && substr($tagName, 0, strlen($NSprefix)) == $NSprefix) ?
substr($tagName, strlen($NSprefix)) : $tagName;
2348 // Test for numeric tag, encoded on the form "nXXX":
2349 $testNtag = substr($tagName, 1); // Closing tag.
2350 $tagName = (substr($tagName, 0, 1) == 'n' && !strcmp(intval($testNtag), $testNtag)) ?
intval($testNtag) : $tagName;
2352 // Test for alternative index value:
2353 if (strlen($val['attributes']['index'])) {
2354 $tagName = $val['attributes']['index'];
2357 // Setting tag-values, manage stack:
2358 switch ($val['type']) {
2359 case 'open': // If open tag it means there is an array stored in sub-elements. Therefore increase the stackpointer and reset the accumulation array:
2360 // Setting blank place holder
2361 $current[$tagName] = array();
2362 $stack[$stacktop++
] = $current;
2365 case 'close': // If the tag is "close" then it is an array which is closing and we decrease the stack pointer.
2366 $oldCurrent = $current;
2367 $current = $stack[--$stacktop];
2368 // Going to the end of array to get placeholder key, key($current), and fill in array next:
2370 $current[key($current)] = $oldCurrent;
2373 case 'complete': // If "complete", then it's a value. If the attribute "base64" is set, then decode the value, otherwise just set it.
2374 if ($val['attributes']['base64']) {
2375 $current[$tagName] = base64_decode($val['value']);
2377 // Had to cast it as a string - otherwise it would be evaluate FALSE if tested with isset()!!
2378 $current[$tagName] = (string) $val['value'];
2381 switch ((string) $val['attributes']['type']) {
2383 $current[$tagName] = (integer) $current[$tagName];
2386 $current[$tagName] = (double) $current[$tagName];
2389 $current[$tagName] = (bool) $current[$tagName];
2392 // MUST be an empty array since it is processed as a value; Empty arrays would end up here because they would have no tags inside...
2393 $current[$tagName] = array();
2401 if ($reportDocTag) {
2402 $current[$tagName]['_DOCUMENT_TAG'] = $documentTag;
2405 // Finally return the content of the document tag.
2406 return $current[$tagName];
2410 * This implodes an array of XML parts (made with xml_parse_into_struct()) into XML again.
2412 * @param array $vals An array of XML parts, see xml2tree
2413 * @return string Re-compiled XML data.
2415 public static function xmlRecompileFromStructValArray(array $vals) {
2418 foreach ($vals as $val) {
2419 $type = $val['type'];
2422 if ($type == 'open' ||
$type == 'complete') {
2423 $XMLcontent .= '<' . $val['tag'];
2424 if (isset($val['attributes'])) {
2425 foreach ($val['attributes'] as $k => $v) {
2426 $XMLcontent .= ' ' . $k . '="' . htmlspecialchars($v) . '"';
2429 if ($type == 'complete') {
2430 if (isset($val['value'])) {
2431 $XMLcontent .= '>' . htmlspecialchars($val['value']) . '</' . $val['tag'] . '>';
2433 $XMLcontent .= '/>';
2439 if ($type == 'open' && isset($val['value'])) {
2440 $XMLcontent .= htmlspecialchars($val['value']);
2444 if ($type == 'close') {
2445 $XMLcontent .= '</' . $val['tag'] . '>';
2448 if ($type == 'cdata') {
2449 $XMLcontent .= htmlspecialchars($val['value']);
2457 * Extracts the attributes (typically encoding and version) of an XML prologue (header).
2459 * @param string $xmlData XML data
2460 * @return array Attributes of the xml prologue (header)
2462 public static function xmlGetHeaderAttribs($xmlData) {
2464 if (preg_match('/^\s*<\?xml([^>]*)\?\>/', $xmlData, $match)) {
2465 return self
::get_tag_attributes($match[1]);
2470 * Minifies JavaScript
2472 * @param string $script Script to minify
2473 * @param string $error Error message (if any)
2474 * @return string Minified script or source string if error happened
2476 public static function minifyJavaScript($script, &$error = '') {
2477 require_once(PATH_typo3
. 'contrib/jsmin/jsmin.php');
2480 $script = trim(JSMin
::minify(str_replace(CR
, '', $script)));
2482 catch (JSMinException
$e) {
2483 $error = 'Error while minifying JavaScript: ' . $e->getMessage();
2484 self
::devLog($error, 't3lib_div', 2,
2485 array('JavaScript' => $script, 'Stack trace' => $e->getTrace()));
2490 /*************************
2494 *************************/
2497 * Reads the file or url $url and returns the content
2498 * If you are having trouble with proxys when reading URLs you can configure your way out of that with settings like $GLOBALS['TYPO3_CONF_VARS']['SYS']['curlUse'] etc.
2500 * @param string $url File/URL to read
2501 * @param integer $includeHeader Whether the HTTP header should be fetched or not. 0=disable, 1=fetch header+content, 2=fetch header only
2502 * @param array $requestHeaders HTTP headers to be used in the request
2503 * @param array $report Error code/message and, if $includeHeader is 1, response meta data (HTTP status and content type)
2504 * @return mixed The content from the resource given as input. FALSE if an error has occured.
2506 public static function getUrl($url, $includeHeader = 0, $requestHeaders = FALSE, &$report = NULL) {
2509 if (isset($report)) {
2510 $report['error'] = 0;
2511 $report['message'] = '';
2514 // Use cURL for: http, https, ftp, ftps, sftp and scp
2515 if ($GLOBALS['TYPO3_CONF_VARS']['SYS']['curlUse'] == '1' && preg_match('/^(?:http|ftp)s?|s(?:ftp|cp):/', $url)) {
2516 if (isset($report)) {
2517 $report['lib'] = 'cURL';
2520 // External URL without error checking.
2521 if (!function_exists('curl_init') ||
!($ch = curl_init())) {
2522 if (isset($report)) {
2523 $report['error'] = -1;
2524 $report['message'] = 'Couldn\'t initialize cURL.';
2529 curl_setopt($ch, CURLOPT_URL
, $url);
2530 curl_setopt($ch, CURLOPT_HEADER
, $includeHeader ?
1 : 0);
2531 curl_setopt($ch, CURLOPT_NOBODY
, $includeHeader == 2 ?
1 : 0);
2532 curl_setopt($ch, CURLOPT_HTTPGET
, $includeHeader == 2 ?
'HEAD' : 'GET');
2533 curl_setopt($ch, CURLOPT_RETURNTRANSFER
, 1);
2534 curl_setopt($ch, CURLOPT_FAILONERROR
, 1);
2535 curl_setopt($ch, CURLOPT_CONNECTTIMEOUT
, max(0, intval($GLOBALS['TYPO3_CONF_VARS']['SYS']['curlTimeout'])));
2537 $followLocation = @curl_setopt
($ch, CURLOPT_FOLLOWLOCATION
, 1);
2539 if (is_array($requestHeaders)) {
2540 curl_setopt($ch, CURLOPT_HTTPHEADER
, $requestHeaders);
2543 // (Proxy support implemented by Arco <arco@appeltaart.mine.nu>)
2544 if ($GLOBALS['TYPO3_CONF_VARS']['SYS']['curlProxyServer']) {
2545 curl_setopt($ch, CURLOPT_PROXY
, $GLOBALS['TYPO3_CONF_VARS']['SYS']['curlProxyServer']);
2547 if ($GLOBALS['TYPO3_CONF_VARS']['SYS']['curlProxyTunnel']) {
2548 curl_setopt($ch, CURLOPT_HTTPPROXYTUNNEL
, $GLOBALS['TYPO3_CONF_VARS']['SYS']['curlProxyTunnel']);
2550 if ($GLOBALS['TYPO3_CONF_VARS']['SYS']['curlProxyUserPass']) {
2551 curl_setopt($ch, CURLOPT_PROXYUSERPWD
, $GLOBALS['TYPO3_CONF_VARS']['SYS']['curlProxyUserPass']);
2554 $content = curl_exec($ch);
2555 if (isset($report)) {
2556 if ($content === FALSE) {
2557 $report['error'] = curl_errno($ch);
2558 $report['message'] = curl_error($ch);
2560 $curlInfo = curl_getinfo($ch);
2561 // We hit a redirection but we couldn't follow it
2562 if (!$followLocation && $curlInfo['status'] >= 300 && $curlInfo['status'] < 400) {
2563 $report['error'] = -1;
2564 $report['message'] = 'Couldn\'t follow location redirect (PHP configuration option open_basedir is in effect).';
2565 } elseif ($includeHeader) {
2566 // Set only for $includeHeader to work exactly like PHP variant
2567 $report['http_code'] = $curlInfo['http_code'];
2568 $report['content_type'] = $curlInfo['content_type'];
2574 } elseif ($includeHeader) {
2575 if (isset($report)) {
2576 $report['lib'] = 'socket';
2578 $parsedURL = parse_url($url);
2579 if (!preg_match('/^https?/', $parsedURL['scheme'])) {
2580 if (isset($report)) {
2581 $report['error'] = -1;
2582 $report['message'] = 'Reading headers is not allowed for this protocol.';
2586 $port = intval($parsedURL['port']);
2588 if ($parsedURL['scheme'] == 'http') {
2589 $port = ($port > 0 ?
$port : 80);
2592 $port = ($port > 0 ?
$port : 443);
2597 $fp = @fsockopen
($scheme . $parsedURL['host'], $port, $errno, $errstr, 2.0);
2598 if (!$fp ||
$errno > 0) {
2599 if (isset($report)) {
2600 $report['error'] = $errno ?
$errno : -1;
2601 $report['message'] = $errno ?
($errstr ?
$errstr : 'Socket error.') : 'Socket initialization error.';
2605 $method = ($includeHeader == 2) ?
'HEAD' : 'GET';
2606 $msg = $method . ' ' . (isset($parsedURL['path']) ?
$parsedURL['path'] : '/') .
2607 ($parsedURL['query'] ?
'?' . $parsedURL['query'] : '') .
2608 ' HTTP/1.0' . CRLF
. 'Host: ' .
2609 $parsedURL['host'] . "\r\nConnection: close\r\n";
2610 if (is_array($requestHeaders)) {
2611 $msg .= implode(CRLF
, $requestHeaders) . CRLF
;
2616 while (!feof($fp)) {
2617 $line = fgets($fp, 2048);
2618 if (isset($report)) {
2619 if (preg_match('|^HTTP/\d\.\d +(\d+)|', $line, $status)) {
2620 $report['http_code'] = $status[1];
2622 elseif (preg_match('/^Content-Type: *(.*)/i', $line, $type)) {
2623 $report['content_type'] = $type[1];
2627 if (!strlen(trim($line))) {
2628 // Stop at the first empty line (= end of header)
2632 if ($includeHeader != 2) {
2633 $content .= stream_get_contents($fp);
2637 } elseif (is_array($requestHeaders)) {
2638 if (isset($report)) {
2639 $report['lib'] = 'file/context';
2641 $parsedURL = parse_url($url);
2642 if (!preg_match('/^https?/', $parsedURL['scheme'])) {
2643 if (isset($report)) {
2644 $report['error'] = -1;
2645 $report['message'] = 'Sending request headers is not allowed for this protocol.';
2649 $ctx = stream_context_create(array(
2651 'header' => implode(CRLF
, $requestHeaders)
2656 $content = @file_get_contents
($url, FALSE, $ctx);
2658 if ($content === FALSE && isset($report)) {
2659 $report['error'] = -1;
2660 $report['message'] = 'Couldn\'t get URL: ' . implode(LF
, $http_response_header);
2663 if (isset($report)) {
2664 $report['lib'] = 'file';
2667 $content = @file_get_contents
($url);
2669 if ($content === FALSE && isset($report)) {
2670 $report['error'] = -1;
2671 $report['message'] = 'Couldn\'t get URL: ' . implode(LF
, $http_response_header);
2679 * Writes $content to the file $file
2681 * @param string $file Filepath to write to
2682 * @param string $content Content to write
2683 * @return boolean TRUE if the file was successfully opened and written to.
2685 public static function writeFile($file, $content) {
2686 if (!@is_file
($file)) {
2687 $changePermissions = TRUE;
2690 if ($fd = fopen($file, 'wb')) {
2691 $res = fwrite($fd, $content);
2694 if ($res === FALSE) {
2698 // Change the permissions only if the file has just been created
2699 if ($changePermissions) {
2700 self
::fixPermissions($file);
2710 * Sets the file system mode and group ownership of a file or a folder.
2712 * @param string $path Path of file or folder, must not be escaped. Path can be absolute or relative
2713 * @param boolean $recursive If set, also fixes permissions of files and folders in the folder (if $path is a folder)
2714 * @return mixed TRUE on success, FALSE on error, always TRUE on Windows OS
2716 public static function fixPermissions($path, $recursive = FALSE) {
2717 if (TYPO3_OS
!= 'WIN') {
2720 // Make path absolute
2721 if (!self
::isAbsPath($path)) {
2722 $path = self
::getFileAbsFileName($path, FALSE);
2725 if (self
::isAllowedAbsPath($path)) {
2726 if (@is_file
($path)) {
2727 // "@" is there because file is not necessarily OWNED by the user
2728 $result = @chmod
($path, octdec($GLOBALS['TYPO3_CONF_VARS']['BE']['fileCreateMask']));
2729 } elseif (@is_dir
($path)) {
2730 // "@" is there because file is not necessarily OWNED by the user
2731 $result = @chmod
($path, octdec($GLOBALS['TYPO3_CONF_VARS']['BE']['folderCreateMask']));
2734 // Set createGroup if not empty
2735 if ($GLOBALS['TYPO3_CONF_VARS']['BE']['createGroup']) {
2736 // "@" is there because file is not necessarily OWNED by the user
2737 $changeGroupResult = @chgrp
($path, $GLOBALS['TYPO3_CONF_VARS']['BE']['createGroup']);
2738 $result = $changeGroupResult ?
$result : FALSE;
2741 // Call recursive if recursive flag if set and $path is directory
2742 if ($recursive && @is_dir
($path)) {
2743 $handle = opendir($path);
2744 while (($file = readdir($handle)) !== FALSE) {
2745 $recursionResult = NULL;
2746 if ($file !== '.' && $file !== '..') {
2747 if (@is_file
($path . '/' . $file)) {
2748 $recursionResult = self
::fixPermissions($path . '/' . $file);
2749 } elseif (@is_dir
($path . '/' . $file)) {
2750 $recursionResult = self
::fixPermissions($path . '/' . $file, TRUE);
2752 if (isset($recursionResult) && !$recursionResult) {
2767 * Writes $content to a filename in the typo3temp/ folder (and possibly one or two subfolders...)
2768 * Accepts an additional subdirectory in the file path!
2770 * @param string $filepath Absolute file path to write to inside "typo3temp/". First part of this string must match PATH_site."typo3temp/"
2771 * @param string $content Content string to write
2772 * @return string Returns NULL on success, otherwise an error string telling about the problem.
2774 public static function writeFileToTypo3tempDir($filepath, $content) {
2776 // Parse filepath into directory and basename:
2777 $fI = pathinfo($filepath);
2778 $fI['dirname'] .= '/';
2781 if (self
::validPathStr($filepath) && $fI['basename'] && strlen($fI['basename']) < 60) {
2782 if (defined('PATH_site')) {
2783 // Setting main temporary directory name (standard)
2784 $dirName = PATH_site
. 'typo3temp/';
2785 if (@is_dir
($dirName)) {
2786 if (self
::isFirstPartOfStr($fI['dirname'], $dirName)) {
2788 // Checking if the "subdir" is found:
2789 $subdir = substr($fI['dirname'], strlen($dirName));
2791 if (preg_match('/^[[:alnum:]_]+\/$/', $subdir) ||
preg_match('/^[[:alnum:]_]+\/[[:alnum:]_]+\/$/', $subdir)) {
2792 $dirName .= $subdir;
2793 if (!@is_dir
($dirName)) {
2794 self
::mkdir_deep(PATH_site
. 'typo3temp/', $subdir);
2797 return 'Subdir, "' . $subdir . '", was NOT on the form "[[:alnum:]_]/" or "[[:alnum:]_]/[[:alnum:]_]/"';
2800 // Checking dir-name again (sub-dir might have been created):
2801 if (@is_dir
($dirName)) {
2802 if ($filepath == $dirName . $fI['basename']) {
2803 self
::writeFile($filepath, $content);
2804 if (!@is_file
($filepath)) {
2805 return 'The file was not written to the disk. Please, check that you have write permissions to the typo3temp/ directory.';
2808 return 'Calculated filelocation didn\'t match input $filepath!';
2811 return '"' . $dirName . '" is not a directory!';
2814 return '"' . $fI['dirname'] . '" was not within directory PATH_site + "typo3temp/"';
2817 return 'PATH_site + "typo3temp/" was not a directory!';
2820 return 'PATH_site constant was NOT defined!';
2823 return 'Input filepath "' . $filepath . '" was generally invalid!';
2828 * Wrapper function for mkdir.
2829 * Sets folder permissions according to $GLOBALS['TYPO3_CONF_VARS']['BE']['folderCreateMask']
2830 * and group ownership according to $GLOBALS['TYPO3_CONF_VARS']['BE']['createGroup']
2832 * @param string $newFolder Absolute path to folder, see PHP mkdir() function. Removes trailing slash internally.
2833 * @return boolean TRUE if @mkdir went well!
2835 public static function mkdir($newFolder) {
2836 $result = @mkdir
($newFolder, octdec($GLOBALS['TYPO3_CONF_VARS']['BE']['folderCreateMask']));
2838 self
::fixPermissions($newFolder);
2844 * Creates a directory - including parent directories if necessary and
2845 * sets permissions on newly created directories.
2847 * @param string $directory Target directory to create. Must a have trailing slash
2848 * if second parameter is given!
2849 * Example: "/root/typo3site/typo3temp/foo/"
2850 * @param string $deepDirectory Directory to create. This second parameter
2851 * is kept for backwards compatibility since 4.6 where this method
2852 * was split into a base directory and a deep directory to be created.
2853 * Example: "xx/yy/" which creates "/root/typo3site/xx/yy/" if $directory is "/root/typo3site/"
2855 * @throws \InvalidArgumentException If $directory or $deepDirectory are not strings
2856 * @throws \RuntimeException If directory could not be created
2858 public static function mkdir_deep($directory, $deepDirectory = '') {
2859 if (!is_string($directory)) {
2860 throw new \
InvalidArgumentException(
2861 'The specified directory is of type "' . gettype($directory) . '" but a string is expected.',
2865 if (!is_string($deepDirectory)) {
2866 throw new \
InvalidArgumentException(
2867 'The specified directory is of type "' . gettype($deepDirectory) . '" but a string is expected.',
2872 $fullPath = $directory . $deepDirectory;
2873 if (!is_dir($fullPath) && strlen($fullPath) > 0) {
2874 $firstCreatedPath = self
::createDirectoryPath($fullPath);
2875 if ($firstCreatedPath !== '') {
2876 self
::fixPermissions($firstCreatedPath, TRUE);
2882 * Creates directories for the specified paths if they do not exist. This
2883 * functions sets proper permission mask but does not set proper user and
2887 * @param string $fullDirectoryPath
2888 * @return string Path to the the first created directory in the hierarchy
2889 * @see t3lib_div::mkdir_deep
2890 * @throws \RuntimeException If directory could not be created
2892 protected static function createDirectoryPath($fullDirectoryPath) {
2893 $currentPath = $fullDirectoryPath;
2894 $firstCreatedPath = '';
2895 $permissionMask = octdec($GLOBALS['TYPO3_CONF_VARS']['BE']['folderCreateMask']);
2896 if (!@is_dir
($currentPath)) {
2898 $firstCreatedPath = $currentPath;
2899 $separatorPosition = strrpos($currentPath, DIRECTORY_SEPARATOR
);
2900 $currentPath = substr($currentPath, 0, $separatorPosition);
2901 } while (!is_dir($currentPath) && $separatorPosition !== FALSE);
2903 $result = @mkdir
($fullDirectoryPath, $permissionMask, TRUE);
2905 throw new \
RuntimeException('Could not create directory!', 1170251400);
2908 return $firstCreatedPath;
2912 * Wrapper function for rmdir, allowing recursive deletion of folders and files
2914 * @param string $path Absolute path to folder, see PHP rmdir() function. Removes trailing slash internally.
2915 * @param boolean $removeNonEmpty Allow deletion of non-empty directories
2916 * @return boolean TRUE if @rmdir went well!
2918 public static function rmdir($path, $removeNonEmpty = FALSE) {
2920 // Remove trailing slash
2921 $path = preg_replace('|/$|', '', $path);
2923 if (file_exists($path)) {
2926 if (is_dir($path)) {
2927 if ($removeNonEmpty == TRUE && $handle = opendir($path)) {
2928 while ($OK && FALSE !== ($file = readdir($handle))) {
2929 if ($file == '.' ||
$file == '..') {
2932 $OK = self
::rmdir($path . '/' . $file, $removeNonEmpty);
2940 } else { // If $dirname is a file, simply remove it
2941 $OK = unlink($path);
2951 * Returns an array with the names of folders in a specific path
2952 * Will return 'error' (string) if there were an error with reading directory content.
2954 * @param string $path Path to list directories from
2955 * @return array Returns an array with the directory entries as values. If no path, the return value is nothing.
2957 public static function get_dirs($path) {
2959 if (is_dir($path)) {
2960 $dir = scandir($path);
2962 foreach ($dir as $entry) {
2963 if (is_dir($path . '/' . $entry) && $entry != '..' && $entry != '.') {
2975 * Returns an array with the names of files in a specific path
2977 * @param string $path Is the path to the file
2978 * @param string $extensionList is the comma list of extensions to read only (blank = all)
2979 * @param boolean $prependPath If set, then the path is prepended the file names. Otherwise only the file names are returned in the array
2980 * @param string $order is sorting: 1= sort alphabetically, 'mtime' = sort by modification time.
2982 * @param string $excludePattern A comma separated list of file names to exclude, no wildcards
2983 * @return array Array of the files found
2985 public static function getFilesInDir($path, $extensionList = '', $prependPath = FALSE, $order = '', $excludePattern = '') {
2987 // Initialize variables:
2988 $filearray = array();
2989 $sortarray = array();
2990 $path = rtrim($path, '/');
2992 // Find files+directories:
2993 if (@is_dir
($path)) {
2994 $extensionList = strtolower($extensionList);
2996 if (is_object($d)) {
2997 while ($entry = $d->read()) {
2998 if (@is_file
($path . '/' . $entry)) {
2999 $fI = pathinfo($entry);
3000 // Don't change this ever - extensions may depend on the fact that the hash is an md5 of the path! (import/export extension)
3001 $key = md5($path . '/' . $entry);
3002 if ((!strlen($extensionList) || self
::inList($extensionList, strtolower($fI['extension']))) && (!strlen($excludePattern) ||
!preg_match('/^' . $excludePattern . '$/', $entry))) {
3003 $filearray[$key] = ($prependPath ?
$path . '/' : '') . $entry;
3004 if ($order == 'mtime') {
3005 $sortarray[$key] = filemtime($path . '/' . $entry);
3008 $sortarray[$key] = $entry;
3015 return 'error opening path: "' . $path . '"';
3023 foreach ($sortarray as $k => $v) {
3024 $newArr[$k] = $filearray[$k];
3026 $filearray = $newArr;
3035 * Recursively gather all files and folders of a path.
3037 * @param array $fileArr Empty input array (will have files added to it)
3038 * @param string $path The path to read recursively from (absolute) (include trailing slash!)
3039 * @param string $extList Comma list of file extensions: Only files with extensions in this list (if applicable) will be selected.
3040 * @param boolean $regDirs If set, directories are also included in output.
3041 * @param integer $recursivityLevels The number of levels to dig down...
3042 * @param string $excludePattern regex pattern of files/directories to exclude
3043 * @return array An array with the found files/directories.
3045 public static function getAllFilesAndFoldersInPath(array $fileArr, $path, $extList = '', $regDirs = FALSE, $recursivityLevels = 99, $excludePattern = '') {
3049 $fileArr = array_merge($fileArr, self
::getFilesInDir($path, $extList, 1, 1, $excludePattern));
3051 $dirs = self
::get_dirs($path);
3052 if (is_array($dirs) && $recursivityLevels > 0) {
3053 foreach ($dirs as $subdirs) {
3054 if ((string) $subdirs != '' && (!strlen($excludePattern) ||
!preg_match('/^' . $excludePattern . '$/', $subdirs))) {
3055 $fileArr = self
::getAllFilesAndFoldersInPath($fileArr, $path . $subdirs . '/', $extList, $regDirs, $recursivityLevels - 1, $excludePattern);
3063 * Removes the absolute part of all files/folders in fileArr
3065 * @param array $fileArr The file array to remove the prefix from
3066 * @param string $prefixToRemove The prefix path to remove (if found as first part of string!)
3067 * @return array The input $fileArr processed.
3069 public static function removePrefixPathFromList(array $fileArr, $prefixToRemove) {
3070 foreach ($fileArr as $k => &$absFileRef) {
3071 if (self
::isFirstPartOfStr($absFileRef, $prefixToRemove)) {
3072 $absFileRef = substr($absFileRef, strlen($prefixToRemove));
3074 return 'ERROR: One or more of the files was NOT prefixed with the prefix-path!';
3082 * Fixes a path for windows-backslashes and reduces double-slashes to single slashes
3084 * @param string $theFile File path to process
3087 public static function fixWindowsFilePath($theFile) {
3088 return str_replace('//', '/', str_replace('\\', '/', $theFile));
3092 * Resolves "../" sections in the input path string.
3093 * For example "fileadmin/directory/../other_directory/" will be resolved to "fileadmin/other_directory/"
3095 * @param string $pathStr File path in which "/../" is resolved
3098 public static function resolveBackPath($pathStr) {
3099 $parts = explode('/', $pathStr);
3102 foreach ($parts as $pV) {
3115 return implode('/', $output);
3119 * Prefixes a URL used with 'header-location' with 'http://...' depending on whether it has it already.
3120 * - If already having a scheme, nothing is prepended
3121 * - If having REQUEST_URI slash '/', then prefixing 'http://[host]' (relative to host)
3122 * - Otherwise prefixed with TYPO3_REQUEST_DIR (relative to current dir / TYPO3_REQUEST_DIR)
3124 * @param string $path URL / path to prepend full URL addressing to.
3127 public static function locationHeaderUrl($path) {
3128 $uI = parse_url($path);
3130 if (substr($path, 0, 1) == '/') {
3131 $path = self
::getIndpEnv('TYPO3_REQUEST_HOST') . $path;
3132 } elseif (!$uI['scheme']) { // No scheme either
3133 $path = self
::getIndpEnv('TYPO3_REQUEST_DIR') . $path;
3139 * Returns the maximum upload size for a file that is allowed. Measured in KB.
3140 * This might be handy to find out the real upload limit that is possible for this
3141 * TYPO3 installation. The first parameter can be used to set something that overrides
3142 * the maxFileSize, usually for the TCA values.
3144 * @param integer $localLimit the number of Kilobytes (!) that should be used as
3145 * the initial Limit, otherwise $GLOBALS['TYPO3_CONF_VARS']['BE']['maxFileSize'] will be used
3146 * @return integer The maximum size of uploads that are allowed (measured in kilobytes)
3148 public static function getMaxUploadFileSize($localLimit = 0) {
3149 // Don't allow more than the global max file size at all
3150 $t3Limit = (intval($localLimit > 0 ?
$localLimit : $GLOBALS['TYPO3_CONF_VARS']['BE']['maxFileSize']));
3151 // As TYPO3 is handling the file size in KB, multiply by 1024 to get bytes
3152 $t3Limit = $t3Limit * 1024;
3154 // Check for PHP restrictions of the maximum size of one of the $_FILES
3155 $phpUploadLimit = self
::getBytesFromSizeMeasurement(ini_get('upload_max_filesize'));
3156 // Check for PHP restrictions of the maximum $_POST size
3157 $phpPostLimit = self
::getBytesFromSizeMeasurement(ini_get('post_max_size'));
3158 // If the total amount of post data is smaller (!) than the upload_max_filesize directive,
3159 // then this is the real limit in PHP
3160 $phpUploadLimit = ($phpPostLimit < $phpUploadLimit ?
$phpPostLimit : $phpUploadLimit);
3162 // Is the allowed PHP limit (upload_max_filesize) lower than the TYPO3 limit?, also: revert back to KB
3163 return floor($phpUploadLimit < $t3Limit ?
$phpUploadLimit : $t3Limit) / 1024;
3167 * Gets the bytes value from a measurement string like "100k".
3169 * @param string $measurement The measurement (e.g. "100k")
3170 * @return integer The bytes value (e.g. 102400)
3172 public static function getBytesFromSizeMeasurement($measurement) {
3173 $bytes = doubleval($measurement);
3174 if (stripos($measurement, 'G')) {
3175 $bytes *= 1024 * 1024 * 1024;
3176 } elseif (stripos($measurement, 'M')) {
3177 $bytes *= 1024 * 1024;
3178 } elseif (stripos($measurement, 'K')) {
3185 * Retrieves the maximum path length that is valid in the current environment.
3187 * @return integer The maximum available path length
3189 public static function getMaximumPathLength() {
3190 return PHP_MAXPATHLEN
;
3194 * Function for static version numbers on files, based on the filemtime
3196 * This will make the filename automatically change when a file is
3197 * changed, and by that re-cached by the browser. If the file does not
3198 * exist physically the original file passed to the function is
3199 * returned without the timestamp.
3201 * Behaviour is influenced by the setting
3202 * TYPO3_CONF_VARS[TYPO3_MODE][versionNumberInFilename]
3203 * = TRUE (BE) / "embed" (FE) : modify filename
3204 * = FALSE (BE) / "querystring" (FE) : add timestamp as parameter
3206 * @param string $file Relative path to file including all potential query parameters (not htmlspecialchared yet)
3207 * @param boolean $forceQueryString If settings would suggest to embed in filename, this parameter allows us to force the versioning to occur in the query string. This is needed for scriptaculous.js which cannot have a different filename in order to load its modules (?load=...)
3208 * @return Relative path with version filename including the timestamp
3210 public static function createVersionNumberedFilename($file, $forceQueryString = FALSE) {
3211 $lookupFile = explode('?', $file);
3212 $path = self
::resolveBackPath(self
::dirname(PATH_thisScript
) . '/' . $lookupFile[0]);
3214 if (TYPO3_MODE
== 'FE') {