(NFC) (dev/core#878) Simplify copyright header (templates/*)
[civicrm-core.git] / CRM / Utils / File.php
CommitLineData
6a488035
TO
1<?php
2/*
3 +--------------------------------------------------------------------+
fee14197 4 | CiviCRM version 5 |
6a488035 5 +--------------------------------------------------------------------+
f299f7db 6 | Copyright CiviCRM LLC (c) 2004-2020 |
6a488035
TO
7 +--------------------------------------------------------------------+
8 | This file is a part of CiviCRM. |
9 | |
10 | CiviCRM is free software; you can copy, modify, and distribute it |
11 | under the terms of the GNU Affero General Public License |
12 | Version 3, 19 November 2007 and the CiviCRM Licensing Exception. |
13 | |
14 | CiviCRM is distributed in the hope that it will be useful, but |
15 | WITHOUT ANY WARRANTY; without even the implied warranty of |
16 | MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. |
17 | See the GNU Affero General Public License for more details. |
18 | |
19 | You should have received a copy of the GNU Affero General Public |
20 | License and the CiviCRM Licensing Exception along |
21 | with this program; if not, contact CiviCRM LLC |
22 | at info[AT]civicrm[DOT]org. If you have questions about the |
23 | GNU Affero General Public License or the licensing of CiviCRM, |
24 | see the CiviCRM license FAQ at http://civicrm.org/licensing |
25 +--------------------------------------------------------------------+
d25dd0ee 26 */
6a488035
TO
27
28/**
29 *
30 * @package CRM
ca5cec67 31 * @copyright CiviCRM LLC https://civicrm.org/licensing
6a488035
TO
32 */
33
34/**
35 * class to provide simple static functions for file objects
36 */
37class CRM_Utils_File {
38
39 /**
40 * Given a file name, determine if the file contents make it an ascii file
41 *
77855840
TO
42 * @param string $name
43 * Name of file.
6a488035 44 *
ae5ffbb7 45 * @return bool
a6c01b45 46 * true if file is ascii
6a488035 47 */
00be9182 48 public static function isAscii($name) {
6a488035
TO
49 $fd = fopen($name, "r");
50 if (!$fd) {
51 return FALSE;
52 }
53
54 $ascii = TRUE;
55 while (!feof($fd)) {
56 $line = fgets($fd, 8192);
57 if (!CRM_Utils_String::isAscii($line)) {
58 $ascii = FALSE;
59 break;
60 }
61 }
62
63 fclose($fd);
64 return $ascii;
65 }
66
67 /**
68 * Given a file name, determine if the file contents make it an html file
69 *
77855840
TO
70 * @param string $name
71 * Name of file.
6a488035 72 *
ae5ffbb7 73 * @return bool
a6c01b45 74 * true if file is html
6a488035 75 */
00be9182 76 public static function isHtml($name) {
6a488035
TO
77 $fd = fopen($name, "r");
78 if (!$fd) {
79 return FALSE;
80 }
81
82 $html = FALSE;
83 $lineCount = 0;
84 while (!feof($fd) & $lineCount <= 5) {
85 $lineCount++;
86 $line = fgets($fd, 8192);
87 if (!CRM_Utils_String::isHtml($line)) {
88 $html = TRUE;
89 break;
90 }
91 }
92
93 fclose($fd);
94 return $html;
95 }
96
97 /**
100fef9d 98 * Create a directory given a path name, creates parent directories
6a488035
TO
99 * if needed
100 *
77855840
TO
101 * @param string $path
102 * The path name.
103 * @param bool $abort
104 * Should we abort or just return an invalid code.
3daed292
TO
105 * @return bool|NULL
106 * NULL: Folder already exists or was not specified.
107 * TRUE: Creation succeeded.
108 * FALSE: Creation failed.
6a488035 109 */
00be9182 110 public static function createDir($path, $abort = TRUE) {
6a488035 111 if (is_dir($path) || empty($path)) {
3daed292 112 return NULL;
6a488035
TO
113 }
114
115 CRM_Utils_File::createDir(dirname($path), $abort);
116 if (@mkdir($path, 0777) == FALSE) {
117 if ($abort) {
118 $docLink = CRM_Utils_System::docURL2('Moving an Existing Installation to a New Server or Location', NULL, NULL, NULL, NULL, "wiki");
119 echo "Error: Could not create directory: $path.<p>If you have moved an existing CiviCRM installation from one location or server to another there are several steps you will need to follow. They are detailed on this CiviCRM wiki page - {$docLink}. A fix for the specific problem that caused this error message to be displayed is to set the value of the config_backend column in the civicrm_domain table to NULL. However we strongly recommend that you review and follow all the steps in that document.</p>";
120
121 CRM_Utils_System::civiExit();
122 }
123 else {
124 return FALSE;
125 }
126 }
127 return TRUE;
128 }
129
130 /**
100fef9d 131 * Delete a directory given a path name, delete children directories
6a488035
TO
132 * and files if needed
133 *
77855840
TO
134 * @param string $target
135 * The path name.
f4aaa82a
EM
136 * @param bool $rmdir
137 * @param bool $verbose
138 *
139 * @throws Exception
6a488035 140 */
00be9182 141 public static function cleanDir($target, $rmdir = TRUE, $verbose = TRUE) {
be2fb01f 142 static $exceptions = ['.', '..'];
d269912e 143 if ($target == '' || $target == '/' || !$target) {
6a488035
TO
144 throw new Exception("Overly broad deletion");
145 }
146
5e7670b1 147 if ($dh = @opendir($target)) {
148 while (FALSE !== ($sibling = readdir($dh))) {
6a488035
TO
149 if (!in_array($sibling, $exceptions)) {
150 $object = $target . DIRECTORY_SEPARATOR . $sibling;
151
152 if (is_dir($object)) {
153 CRM_Utils_File::cleanDir($object, $rmdir, $verbose);
154 }
155 elseif (is_file($object)) {
156 if (!unlink($object)) {
be2fb01f 157 CRM_Core_Session::setStatus(ts('Unable to remove file %1', [1 => $object]), ts('Warning'), 'error');
e7292422 158 }
6a488035
TO
159 }
160 }
161 }
5e7670b1 162 closedir($dh);
6a488035
TO
163
164 if ($rmdir) {
165 if (rmdir($target)) {
166 if ($verbose) {
be2fb01f 167 CRM_Core_Session::setStatus(ts('Removed directory %1', [1 => $target]), '', 'success');
6a488035
TO
168 }
169 return TRUE;
e7292422 170 }
6a488035 171 else {
be2fb01f 172 CRM_Core_Session::setStatus(ts('Unable to remove directory %1', [1 => $target]), ts('Warning'), 'error');
e7292422
TO
173 }
174 }
6a488035
TO
175 }
176 }
177
7f616c07
TO
178 /**
179 * Concatenate several files.
180 *
181 * @param array $files
182 * List of file names.
183 * @param string $delim
184 * An optional delimiter to put between files.
185 * @return string
186 */
187 public static function concat($files, $delim = '') {
188 $buf = '';
189 $first = TRUE;
190 foreach ($files as $file) {
191 if (!$first) {
192 $buf .= $delim;
193 }
194 $buf .= file_get_contents($file);
195 $first = FALSE;
196 }
197 return $buf;
198 }
199
5bc392e6 200 /**
ae5ffbb7
TO
201 * @param string $source
202 * @param string $destination
5bc392e6 203 */
ae5ffbb7 204 public static function copyDir($source, $destination) {
5e7670b1 205 if ($dh = opendir($source)) {
948d11bf 206 @mkdir($destination);
5e7670b1 207 while (FALSE !== ($file = readdir($dh))) {
948d11bf
CB
208 if (($file != '.') && ($file != '..')) {
209 if (is_dir($source . DIRECTORY_SEPARATOR . $file)) {
210 CRM_Utils_File::copyDir($source . DIRECTORY_SEPARATOR . $file, $destination . DIRECTORY_SEPARATOR . $file);
211 }
212 else {
213 copy($source . DIRECTORY_SEPARATOR . $file, $destination . DIRECTORY_SEPARATOR . $file);
214 }
6a488035
TO
215 }
216 }
5e7670b1 217 closedir($dh);
6a488035 218 }
6a488035
TO
219 }
220
221 /**
222 * Given a file name, recode it (in place!) to UTF-8
223 *
77855840
TO
224 * @param string $name
225 * Name of file.
6a488035 226 *
ae5ffbb7 227 * @return bool
a6c01b45 228 * whether the file was recoded properly
6a488035 229 */
00be9182 230 public static function toUtf8($name) {
6a488035
TO
231 static $config = NULL;
232 static $legacyEncoding = NULL;
233 if ($config == NULL) {
234 $config = CRM_Core_Config::singleton();
235 $legacyEncoding = $config->legacyEncoding;
236 }
237
238 if (!function_exists('iconv')) {
239
240 return FALSE;
241
242 }
243
244 $contents = file_get_contents($name);
245 if ($contents === FALSE) {
246 return FALSE;
247 }
248
249 $contents = iconv($legacyEncoding, 'UTF-8', $contents);
250 if ($contents === FALSE) {
251 return FALSE;
252 }
253
254 $file = fopen($name, 'w');
255 if ($file === FALSE) {
256 return FALSE;
257 }
258
259 $written = fwrite($file, $contents);
260 $closed = fclose($file);
261 if ($written === FALSE or !$closed) {
262 return FALSE;
263 }
264
265 return TRUE;
266 }
267
268 /**
5c8cb77f 269 * Appends a slash to the end of a string if it doesn't already end with one
6a488035 270 *
5c8cb77f
CW
271 * @param string $path
272 * @param string $slash
f4aaa82a 273 *
6a488035 274 * @return string
6a488035 275 */
00be9182 276 public static function addTrailingSlash($path, $slash = NULL) {
5c8cb77f 277 if (!$slash) {
ea3ddccf 278 // FIXME: Defaulting to backslash on windows systems can produce
50bfb460 279 // unexpected results, esp for URL strings which should always use forward-slashes.
5c8cb77f
CW
280 // I think this fn should default to forward-slash instead.
281 $slash = DIRECTORY_SEPARATOR;
6a488035 282 }
be2fb01f 283 if (!in_array(substr($path, -1, 1), ['/', '\\'])) {
5c8cb77f 284 $path .= $slash;
6a488035 285 }
5c8cb77f 286 return $path;
6a488035
TO
287 }
288
3f0e59f6
AH
289 /**
290 * Save a fake file somewhere
291 *
292 * @param string $dir
293 * The directory where the file should be saved.
294 * @param string $contents
295 * Optional: the contents of the file.
33d245c8 296 * @param string $fileName
3f0e59f6
AH
297 *
298 * @return string
299 * The filename saved, or FALSE on failure.
300 */
33d245c8 301 public static function createFakeFile($dir, $contents = 'delete me', $fileName = NULL) {
3f0e59f6 302 $dir = self::addTrailingSlash($dir);
33d245c8
CW
303 if (!$fileName) {
304 $fileName = 'delete-this-' . CRM_Utils_String::createRandom(10, CRM_Utils_String::ALPHANUMERIC);
305 }
76ceb0c4 306 $success = @file_put_contents($dir . $fileName, $contents);
3f0e59f6 307
33d245c8 308 return ($success === FALSE) ? FALSE : $fileName;
3f0e59f6
AH
309 }
310
5bc392e6 311 /**
e95fbe72
TO
312 * @param string|NULL $dsn
313 * Use NULL to load the default/active connection from CRM_Core_DAO.
314 * Otherwise, give a full DSN string.
100fef9d 315 * @param string $fileName
c0e4c31d 316 * @param string $prefix
5bc392e6
EM
317 * @param bool $dieOnErrors
318 */
c0e4c31d
JK
319 public static function sourceSQLFile($dsn, $fileName, $prefix = NULL, $dieOnErrors = TRUE) {
320 if (FALSE === file_get_contents($fileName)) {
321 // Our file cannot be found.
322 // Using 'die' here breaks this on extension upgrade.
ff48e573 323 throw new CRM_Core_Exception('Could not find the SQL file.');
cf369463
JK
324 }
325
c0e4c31d
JK
326 self::runSqlQuery($dsn, file_get_contents($fileName), $prefix, $dieOnErrors);
327 }
328
329 /**
330 *
331 * @param string|NULL $dsn
332 * @param string $queryString
333 * @param string $prefix
334 * @param bool $dieOnErrors
335 */
336 public static function runSqlQuery($dsn, $queryString, $prefix = NULL, $dieOnErrors = TRUE) {
337 $string = $prefix . $queryString;
338
e95fbe72
TO
339 if ($dsn === NULL) {
340 $db = CRM_Core_DAO::getConnection();
341 }
342 else {
343 require_once 'DB.php';
344 $db = DB::connect($dsn);
345 }
6a488035 346
6a488035
TO
347 if (PEAR::isError($db)) {
348 die("Cannot open $dsn: " . $db->getMessage());
349 }
350 if (CRM_Utils_Constant::value('CIVICRM_MYSQL_STRICT', CRM_Utils_System::isDevelopment())) {
351 $db->query('SET SESSION sql_mode = STRICT_TRANS_TABLES');
352 }
abb74cc1 353 $db->query('SET NAMES utf8');
b228b202 354 $transactionId = CRM_Utils_Type::escape(CRM_Utils_Request::id(), 'String');
65a6387f 355 $db->query('SET @uniqueID = ' . "'$transactionId'");
6a488035 356
50bfb460 357 // get rid of comments starting with # and --
6a488035 358
fc6159c2 359 $string = self::stripComments($string);
6a488035
TO
360
361 $queries = preg_split('/;\s*$/m', $string);
362 foreach ($queries as $query) {
363 $query = trim($query);
364 if (!empty($query)) {
365 CRM_Core_Error::debug_query($query);
366 $res = &$db->query($query);
367 if (PEAR::isError($res)) {
368 if ($dieOnErrors) {
369 die("Cannot execute $query: " . $res->getMessage());
370 }
371 else {
372 echo "Cannot execute $query: " . $res->getMessage() . "<p>";
373 }
374 }
375 }
376 }
377 }
c0e4c31d 378
fc6159c2 379 /**
380 *
381 * Strips comment from a possibly multiline SQL string
382 *
383 * @param string $string
384 *
385 * @return string
bd6326bf 386 * stripped string
fc6159c2 387 */
388 public static function stripComments($string) {
389 return preg_replace("/^(#|--).*\R*/m", "", $string);
390 }
6a488035 391
5bc392e6
EM
392 /**
393 * @param $ext
394 *
395 * @return bool
396 */
00be9182 397 public static function isExtensionSafe($ext) {
6a488035
TO
398 static $extensions = NULL;
399 if (!$extensions) {
400 $extensions = CRM_Core_OptionGroup::values('safe_file_extension', TRUE);
401
50bfb460 402 // make extensions to lowercase
6a488035
TO
403 $extensions = array_change_key_case($extensions, CASE_LOWER);
404 // allow html/htm extension ONLY if the user is admin
405 // and/or has access CiviMail
406 if (!(CRM_Core_Permission::check('access CiviMail') ||
353ffa53
TO
407 CRM_Core_Permission::check('administer CiviCRM') ||
408 (CRM_Mailing_Info::workflowEnabled() &&
409 CRM_Core_Permission::check('create mailings')
410 )
411 )
412 ) {
6a488035
TO
413 unset($extensions['html']);
414 unset($extensions['htm']);
415 }
416 }
50bfb460 417 // support lower and uppercase file extensions
6a488035
TO
418 return isset($extensions[strtolower($ext)]) ? TRUE : FALSE;
419 }
420
421 /**
fe482240 422 * Determine whether a given file is listed in the PHP include path.
6a488035 423 *
77855840
TO
424 * @param string $name
425 * Name of file.
6a488035 426 *
ae5ffbb7 427 * @return bool
a6c01b45 428 * whether the file can be include()d or require()d
6a488035 429 */
00be9182 430 public static function isIncludable($name) {
6a488035
TO
431 $x = @fopen($name, 'r', TRUE);
432 if ($x) {
433 fclose($x);
434 return TRUE;
435 }
436 else {
437 return FALSE;
438 }
439 }
440
441 /**
ea3ddccf 442 * Remove the 32 bit md5 we add to the fileName also remove the unknown tag if we added it.
443 *
444 * @param $name
445 *
446 * @return mixed
6a488035 447 */
00be9182 448 public static function cleanFileName($name) {
6a488035
TO
449 // replace the last 33 character before the '.' with null
450 $name = preg_replace('/(_[\w]{32})\./', '.', $name);
451 return $name;
452 }
453
5bc392e6 454 /**
8246bca4 455 * Make a valid file name.
456 *
100fef9d 457 * @param string $name
5bc392e6
EM
458 *
459 * @return string
460 */
00be9182 461 public static function makeFileName($name) {
353ffa53
TO
462 $uniqID = md5(uniqid(rand(), TRUE));
463 $info = pathinfo($name);
6a488035
TO
464 $basename = substr($info['basename'],
465 0, -(strlen(CRM_Utils_Array::value('extension', $info)) + (CRM_Utils_Array::value('extension', $info) == '' ? 0 : 1))
466 );
467 if (!self::isExtensionSafe(CRM_Utils_Array::value('extension', $info))) {
468 // munge extension so it cannot have an embbeded dot in it
469 // The maximum length of a filename for most filesystems is 255 chars.
470 // We'll truncate at 240 to give some room for the extension.
471 return CRM_Utils_String::munge("{$basename}_" . CRM_Utils_Array::value('extension', $info) . "_{$uniqID}", '_', 240) . ".unknown";
472 }
473 else {
474 return CRM_Utils_String::munge("{$basename}_{$uniqID}", '_', 240) . "." . CRM_Utils_Array::value('extension', $info);
475 }
476 }
477
33d245c8
CW
478 /**
479 * Copies a file
480 *
481 * @param $filePath
482 * @return mixed
483 */
484 public static function duplicate($filePath) {
485 $oldName = pathinfo($filePath, PATHINFO_FILENAME);
486 $uniqID = md5(uniqid(rand(), TRUE));
487 $newName = preg_replace('/(_[\w]{32})$/', '', $oldName) . '_' . $uniqID;
488 $newPath = str_replace($oldName, $newName, $filePath);
489 copy($filePath, $newPath);
490 return $newPath;
491 }
492
5bc392e6 493 /**
8246bca4 494 * Get files for the extension.
495 *
496 * @param string $path
497 * @param string $ext
5bc392e6
EM
498 *
499 * @return array
500 */
00be9182 501 public static function getFilesByExtension($path, $ext) {
353ffa53 502 $path = self::addTrailingSlash($path);
be2fb01f 503 $files = [];
948d11bf 504 if ($dh = opendir($path)) {
948d11bf
CB
505 while (FALSE !== ($elem = readdir($dh))) {
506 if (substr($elem, -(strlen($ext) + 1)) == '.' . $ext) {
507 $files[] .= $path . $elem;
508 }
6a488035 509 }
948d11bf 510 closedir($dh);
6a488035 511 }
6a488035
TO
512 return $files;
513 }
514
515 /**
516 * Restrict access to a given directory (by planting there a restrictive .htaccess file)
517 *
77855840
TO
518 * @param string $dir
519 * The directory to be secured.
f4aaa82a 520 * @param bool $overwrite
6a488035 521 */
00be9182 522 public static function restrictAccess($dir, $overwrite = FALSE) {
6a488035
TO
523 // note: empty value for $dir can play havoc, since that might result in putting '.htaccess' to root dir
524 // of site, causing site to stop functioning.
525 // FIXME: we should do more checks here -
ea3b22b5 526 if (!empty($dir) && is_dir($dir)) {
6a488035
TO
527 $htaccess = <<<HTACCESS
528<Files "*">
b1de9132
D
529# Apache 2.2
530 <IfModule !authz_core_module>
531 Order allow,deny
532 Deny from all
533 </IfModule>
534
535# Apache 2.4+
536 <IfModule authz_core_module>
537 Require all denied
538 </IfModule>
6a488035
TO
539</Files>
540
541HTACCESS;
542 $file = $dir . '.htaccess';
ea3b22b5
TO
543 if ($overwrite || !file_exists($file)) {
544 if (file_put_contents($file, $htaccess) === FALSE) {
545 CRM_Core_Error::movedSiteError($file);
546 }
6a488035
TO
547 }
548 }
549 }
550
af5201d4
TO
551 /**
552 * Restrict remote users from browsing the given directory.
553 *
554 * @param $publicDir
555 */
00be9182 556 public static function restrictBrowsing($publicDir) {
9404eeac
TO
557 if (!is_dir($publicDir) || !is_writable($publicDir)) {
558 return;
559 }
560
af5201d4
TO
561 // base dir
562 $nobrowse = realpath($publicDir) . '/index.html';
563 if (!file_exists($nobrowse)) {
564 @file_put_contents($nobrowse, '');
565 }
566
567 // child dirs
568 $dir = new RecursiveDirectoryIterator($publicDir);
569 foreach ($dir as $name => $object) {
570 if (is_dir($name) && $name != '..') {
571 $nobrowse = realpath($name) . '/index.html';
572 if (!file_exists($nobrowse)) {
573 @file_put_contents($nobrowse, '');
574 }
575 }
576 }
577 }
578
6a488035 579 /**
cc722349
TO
580 * (Deprecated) Create the file-path from which all other internal paths are
581 * computed. This implementation determines it as `dirname(CIVICRM_TEMPLATE_COMPILEDIR)`.
582 *
583 * This approach is problematic - e.g. it prevents one from authentically
584 * splitting the CIVICRM_TEMPLATE_COMPILEDIR away from other dirs. The implementation
585 * is preserved for backwards compatibility (and should only be called by
586 * CMS-adapters and by Civi\Core\Paths).
587 *
588 * Do not use it for new path construction logic. Instead, use Civi::paths().
589 *
590 * @deprecated
591 * @see \Civi::paths()
592 * @see \Civi\Core\Paths
6a488035 593 */
635f0b86 594 public static function baseFilePath() {
6a488035
TO
595 static $_path = NULL;
596 if (!$_path) {
635f0b86
TO
597 // Note: Don't rely on $config; that creates a dependency loop.
598 if (!defined('CIVICRM_TEMPLATE_COMPILEDIR')) {
599 throw new RuntimeException("Undefined constant: CIVICRM_TEMPLATE_COMPILEDIR");
6a488035 600 }
635f0b86 601 $templateCompileDir = CIVICRM_TEMPLATE_COMPILEDIR;
6a488035
TO
602
603 $path = dirname($templateCompileDir);
604
605 //this fix is to avoid creation of upload dirs inside templates_c directory
606 $checkPath = explode(DIRECTORY_SEPARATOR, $path);
607
608 $cnt = count($checkPath) - 1;
609 if ($checkPath[$cnt] == 'templates_c') {
610 unset($checkPath[$cnt]);
611 $path = implode(DIRECTORY_SEPARATOR, $checkPath);
612 }
613
614 $_path = CRM_Utils_File::addTrailingSlash($path);
615 }
616 return $_path;
617 }
618
9f87b14b
TO
619 /**
620 * Determine if a path is absolute.
621 *
ea3ddccf 622 * @param string $path
623 *
9f87b14b
TO
624 * @return bool
625 * TRUE if absolute. FALSE if relative.
626 */
627 public static function isAbsolute($path) {
628 if (substr($path, 0, 1) === DIRECTORY_SEPARATOR) {
629 return TRUE;
630 }
631 if (strtoupper(substr(PHP_OS, 0, 3)) === 'WIN') {
632 if (preg_match('!^[a-zA-Z]:[/\\\\]!', $path)) {
633 return TRUE;
634 }
635 }
636 return FALSE;
637 }
638
5bc392e6
EM
639 /**
640 * @param $directory
641 *
642 * @return string
78b93b79
TO
643 * @deprecated
644 * Computation of a relative path requires some base.
645 * This implementation is problematic because it relies on an
646 * implicit base which was constructed problematically.
5bc392e6 647 */
00be9182 648 public static function relativeDirectory($directory) {
6a488035
TO
649 // Do nothing on windows
650 if (strtoupper(substr(PHP_OS, 0, 3)) === 'WIN') {
651 return $directory;
652 }
653
654 // check if directory is relative, if so return immediately
9f87b14b 655 if (!self::isAbsolute($directory)) {
6a488035
TO
656 return $directory;
657 }
658
659 // make everything relative from the baseFilePath
660 $basePath = self::baseFilePath();
661 // check if basePath is a substr of $directory, if so
662 // return rest of string
663 if (substr($directory, 0, strlen($basePath)) == $basePath) {
664 return substr($directory, strlen($basePath));
665 }
666
667 // return the original value
668 return $directory;
669 }
670
5bc392e6
EM
671 /**
672 * @param $directory
47ec6547 673 * @param string $basePath
e3d28c74 674 * The base path when evaluating relative paths. Should include trailing slash.
5bc392e6
EM
675 *
676 * @return string
677 */
47ec6547 678 public static function absoluteDirectory($directory, $basePath) {
acc609a7
TO
679 // check if directory is already absolute, if so return immediately
680 // Note: Windows PHP accepts any mix of "/" or "\", so "C:\htdocs" or "C:/htdocs" would be a valid absolute path
681 if (strtoupper(substr(PHP_OS, 0, 3)) === 'WIN' && preg_match(';^[a-zA-Z]:[/\\\\];', $directory)) {
6a488035
TO
682 return $directory;
683 }
684
685 // check if directory is already absolute, if so return immediately
686 if (substr($directory, 0, 1) == DIRECTORY_SEPARATOR) {
687 return $directory;
688 }
689
47ec6547
TO
690 if ($basePath === NULL) {
691 // Previous versions interpreted `NULL` to mean "default to `self::baseFilePath()`".
692 // However, no code in the known `universe` relies on this interpretation, and
693 // the `baseFilePath()` function is problematic/deprecated.
694 throw new \RuntimeException("absoluteDirectory() requires specifying a basePath");
695 }
6a488035 696
b89b9154 697 // ensure that $basePath has a trailing slash
54972caa 698 $basePath = self::addTrailingSlash($basePath);
6a488035
TO
699 return $basePath . $directory;
700 }
701
702 /**
fe482240 703 * Make a file path relative to some base dir.
6a488035 704 *
f4aaa82a
EM
705 * @param $directory
706 * @param $basePath
707 *
6a488035
TO
708 * @return string
709 */
00be9182 710 public static function relativize($directory, $basePath) {
9f87b14b
TO
711 if (strtoupper(substr(PHP_OS, 0, 3)) === 'WIN') {
712 $directory = strtr($directory, '\\', '/');
713 $basePath = strtr($basePath, '\\', '/');
714 }
6a488035
TO
715 if (substr($directory, 0, strlen($basePath)) == $basePath) {
716 return substr($directory, strlen($basePath));
0db6c3e1
TO
717 }
718 else {
6a488035
TO
719 return $directory;
720 }
721 }
722
723 /**
fe482240 724 * Create a path to a temporary file which can endure for multiple requests.
6a488035 725 *
50bfb460 726 * @todo Automatic file cleanup using, eg, TTL policy
6a488035 727 *
5a4f6742 728 * @param string $prefix
6a488035
TO
729 *
730 * @return string, path to an openable/writable file
731 * @see tempnam
732 */
00be9182 733 public static function tempnam($prefix = 'tmp-') {
50bfb460
SB
734 // $config = CRM_Core_Config::singleton();
735 // $nonce = md5(uniqid() . $config->dsn . $config->userFrameworkResourceURL);
736 // $fileName = "{$config->configAndLogDir}" . $prefix . $nonce . $suffix;
6a488035
TO
737 $fileName = tempnam(sys_get_temp_dir(), $prefix);
738 return $fileName;
739 }
740
741 /**
fe482240 742 * Create a path to a temporary directory which can endure for multiple requests.
6a488035 743 *
50bfb460 744 * @todo Automatic file cleanup using, eg, TTL policy
6a488035 745 *
5a4f6742 746 * @param string $prefix
6a488035
TO
747 *
748 * @return string, path to an openable/writable directory; ends with '/'
749 * @see tempnam
750 */
00be9182 751 public static function tempdir($prefix = 'tmp-') {
6a488035
TO
752 $fileName = self::tempnam($prefix);
753 unlink($fileName);
754 mkdir($fileName, 0700);
755 return $fileName . '/';
756 }
757
758 /**
d7166b43
TO
759 * Search directory tree for files which match a glob pattern.
760 *
761 * Note: Dot-directories (like "..", ".git", or ".svn") will be ignored.
6a488035 762 *
5a4f6742
CW
763 * @param string $dir
764 * base dir.
765 * @param string $pattern
766 * glob pattern, eg "*.txt".
a2dc0f82
TO
767 * @param bool $relative
768 * TRUE if paths should be made relative to $dir
6a488035
TO
769 * @return array(string)
770 */
a2dc0f82 771 public static function findFiles($dir, $pattern, $relative = FALSE) {
cae27189 772 if (!is_dir($dir)) {
be2fb01f 773 return [];
cae27189 774 }
a2dc0f82 775 $dir = rtrim($dir, '/');
be2fb01f
CW
776 $todos = [$dir];
777 $result = [];
6a488035
TO
778 while (!empty($todos)) {
779 $subdir = array_shift($todos);
0b72a00f
TO
780 $matches = glob("$subdir/$pattern");
781 if (is_array($matches)) {
782 foreach ($matches as $match) {
002f1716 783 if (!is_dir($match)) {
a2dc0f82 784 $result[] = $relative ? CRM_Utils_File::relativize($match, "$dir/") : $match;
002f1716 785 }
6a488035
TO
786 }
787 }
948d11bf 788 if ($dh = opendir($subdir)) {
6a488035
TO
789 while (FALSE !== ($entry = readdir($dh))) {
790 $path = $subdir . DIRECTORY_SEPARATOR . $entry;
d7166b43
TO
791 if ($entry{0} == '.') {
792 // ignore
0db6c3e1
TO
793 }
794 elseif (is_dir($path)) {
6a488035
TO
795 $todos[] = $path;
796 }
797 }
798 closedir($dh);
799 }
800 }
801 return $result;
802 }
803
804 /**
805 * Determine if $child is a sub-directory of $parent
806 *
807 * @param string $parent
808 * @param string $child
f4aaa82a
EM
809 * @param bool $checkRealPath
810 *
6a488035
TO
811 * @return bool
812 */
00be9182 813 public static function isChildPath($parent, $child, $checkRealPath = TRUE) {
6a488035
TO
814 if ($checkRealPath) {
815 $parent = realpath($parent);
816 $child = realpath($child);
817 }
818 $parentParts = explode('/', rtrim($parent, '/'));
819 $childParts = explode('/', rtrim($child, '/'));
820 while (($parentPart = array_shift($parentParts)) !== NULL) {
821 $childPart = array_shift($childParts);
822 if ($parentPart != $childPart) {
823 return FALSE;
824 }
825 }
826 if (empty($childParts)) {
6714d8d2
SL
827 // same directory
828 return FALSE;
0db6c3e1
TO
829 }
830 else {
6a488035
TO
831 return TRUE;
832 }
833 }
834
835 /**
836 * Move $fromDir to $toDir, replacing/deleting any
837 * pre-existing content.
838 *
77855840
TO
839 * @param string $fromDir
840 * The directory which should be moved.
841 * @param string $toDir
842 * The new location of the directory.
f4aaa82a
EM
843 * @param bool $verbose
844 *
a6c01b45
CW
845 * @return bool
846 * TRUE on success
6a488035 847 */
00be9182 848 public static function replaceDir($fromDir, $toDir, $verbose = FALSE) {
6a488035
TO
849 if (is_dir($toDir)) {
850 if (!self::cleanDir($toDir, TRUE, $verbose)) {
851 return FALSE;
852 }
853 }
854
50bfb460 855 // return rename($fromDir, $toDir); CRM-11987, https://bugs.php.net/bug.php?id=54097
6a488035
TO
856
857 CRM_Utils_File::copyDir($fromDir, $toDir);
858 if (!CRM_Utils_File::cleanDir($fromDir, TRUE, FALSE)) {
be2fb01f 859 CRM_Core_Session::setStatus(ts('Failed to clean temp dir: %1', [1 => $fromDir]), '', 'alert');
6a488035
TO
860 return FALSE;
861 }
862 return TRUE;
863 }
96025800 864
8246bca4 865 /**
866 * Format file.
867 *
868 * @param array $param
869 * @param string $fileName
870 * @param array $extraParams
871 */
be2fb01f 872 public static function formatFile(&$param, $fileName, $extraParams = []) {
90a73810 873 if (empty($param[$fileName])) {
874 return;
875 }
876
be2fb01f 877 $fileParams = [
90a73810 878 'uri' => $param[$fileName]['name'],
879 'type' => $param[$fileName]['type'],
880 'location' => $param[$fileName]['name'],
881 'upload_date' => date('YmdHis'),
be2fb01f 882 ] + $extraParams;
90a73810 883
884 $param[$fileName] = $fileParams;
885 }
886
f3726153 887 /**
888 * Return formatted file URL, like for image file return image url with image icon
889 *
890 * @param string $path
891 * Absoulte file path
892 * @param string $fileType
893 * @param string $url
894 * File preview link e.g. https://example.com/civicrm/file?reset=1&filename=image.png&mime-type=image/png
895 *
896 * @return string $url
897 */
898 public static function getFileURL($path, $fileType, $url = NULL) {
899 if (empty($path) || empty($fileType)) {
900 return '';
901 }
902 elseif (empty($url)) {
903 $fileName = basename($path);
904 $url = CRM_Utils_System::url('civicrm/file', "reset=1&filename={$fileName}&mime-type={$fileType}");
905 }
906 switch ($fileType) {
907 case 'image/jpeg':
908 case 'image/pjpeg':
909 case 'image/gif':
910 case 'image/x-png':
911 case 'image/png':
c3821398 912 case 'image/jpg':
f3726153 913 list($imageWidth, $imageHeight) = getimagesize($path);
914 list($imageThumbWidth, $imageThumbHeight) = CRM_Contact_BAO_Contact::getThumbSize($imageWidth, $imageHeight);
915 $url = "<a href=\"$url\" class='crm-image-popup'>
916 <img src=\"$url\" width=$imageThumbWidth height=$imageThumbHeight/>
917 </a>";
918 break;
919
920 default:
17ae6ca4 921 $url = sprintf('<a href="%s">%s</a>', $url, self::cleanFileName(basename($path)));
f3726153 922 break;
923 }
924
925 return $url;
926 }
927
c3821398 928 /**
929 * Return formatted image icon
930 *
931 * @param string $imageURL
932 * Contact's image url
933 *
934 * @return string $url
935 */
936 public static function getImageURL($imageURL) {
937 // retrieve image name from $imageURL
938 $imageURL = CRM_Utils_String::unstupifyUrl($imageURL);
939 parse_str(parse_url($imageURL, PHP_URL_QUERY), $query);
940
cb8fb3cf
JP
941 $url = NULL;
942 if (!empty($query['photo'])) {
943 $path = CRM_Core_Config::singleton()->customFileUploadDir . $query['photo'];
944 }
945 else {
946 $path = $url = $imageURL;
947 }
878a913b 948 $fileExtension = strtolower(pathinfo($path, PATHINFO_EXTENSION));
8ece24f4
PN
949 //According to (https://developer.mozilla.org/en-US/docs/Web/HTTP/Basics_of_HTTP/MIME_types/Complete_list_of_MIME_types),
950 // there are some extensions that would need translating.:
951 $translateMimeTypes = [
952 'tif' => 'tiff',
953 'jpg' => 'jpeg',
954 'svg' => 'svg+xml',
955 ];
956 $mimeType = 'image/' . CRM_Utils_Array::value(
957 $fileExtension,
958 $translateMimeTypes,
959 $fileExtension
960 );
c3821398 961
cb8fb3cf 962 return self::getFileURL($path, $mimeType, $url);
c3821398 963 }
964
3cd6a7b6 965 /**
62b3b6e7
SM
966 * Resize an image.
967 *
968 * @param string $sourceFile
969 * Filesystem path to existing image on server
970 * @param int $targetWidth
971 * New width desired, in pixels
972 * @param int $targetHeight
973 * New height desired, in pixels
974 * @param string $suffix = ""
975 * If supplied, the image will be renamed to include this suffix. For
976 * example if the original file name is "foo.png" and $suffix = "_bar",
977 * then the final file name will be "foo_bar.png".
ae969bc1
SM
978 * @param bool $preserveAspect = TRUE
979 * When TRUE $width and $height will be used as a bounding box, outside of
980 * which the resized image will not extend.
981 * When FALSE, the image will be resized exactly to $width and $height, even
982 * if it means stretching it.
3cd6a7b6
SM
983 *
984 * @return string
985 * Path to image
62b3b6e7
SM
986 * @throws \CRM_Core_Exception
987 * Under the following conditions
988 * - When GD is not available.
989 * - When the source file is not an image.
3cd6a7b6 990 */
ae969bc1 991 public static function resizeImage($sourceFile, $targetWidth, $targetHeight, $suffix = "", $preserveAspect = TRUE) {
3cd6a7b6 992
62b3b6e7
SM
993 // Check if GD is installed
994 $gdSupport = CRM_Utils_System::getModuleSetting('gd', 'GD Support');
995 if (!$gdSupport) {
996 throw new CRM_Core_Exception(ts('Unable to resize image because the GD image library is not currently compiled in your PHP installation.'));
997 }
998
999 $sourceMime = mime_content_type($sourceFile);
1000 if ($sourceMime == 'image/gif') {
1001 $sourceData = imagecreatefromgif($sourceFile);
1002 }
1003 elseif ($sourceMime == 'image/png') {
1004 $sourceData = imagecreatefrompng($sourceFile);
3cd6a7b6 1005 }
62b3b6e7
SM
1006 elseif ($sourceMime == 'image/jpeg') {
1007 $sourceData = imagecreatefromjpeg($sourceFile);
3cd6a7b6
SM
1008 }
1009 else {
62b3b6e7 1010 throw new CRM_Core_Exception(ts('Unable to resize image because the file supplied was not an image.'));
3cd6a7b6
SM
1011 }
1012
62b3b6e7
SM
1013 // get image about original image
1014 $sourceInfo = getimagesize($sourceFile);
1015 $sourceWidth = $sourceInfo[0];
1016 $sourceHeight = $sourceInfo[1];
1017
ae969bc1
SM
1018 // Adjust target width/height if preserving aspect ratio
1019 if ($preserveAspect) {
1020 $sourceAspect = $sourceWidth / $sourceHeight;
1021 $targetAspect = $targetWidth / $targetHeight;
1022 if ($sourceAspect > $targetAspect) {
1023 $targetHeight = $targetWidth / $sourceAspect;
1024 }
1025 if ($sourceAspect < $targetAspect) {
1026 $targetWidth = $targetHeight * $sourceAspect;
1027 }
1028 }
1029
62b3b6e7
SM
1030 // figure out the new filename
1031 $pathParts = pathinfo($sourceFile);
1032 $targetFile = $pathParts['dirname'] . DIRECTORY_SEPARATOR
1033 . $pathParts['filename'] . $suffix . "." . $pathParts['extension'];
1034
1035 $targetData = imagecreatetruecolor($targetWidth, $targetHeight);
1036
3cd6a7b6 1037 // resize
62b3b6e7
SM
1038 imagecopyresized($targetData, $sourceData,
1039 0, 0, 0, 0,
1040 $targetWidth, $targetHeight, $sourceWidth, $sourceHeight);
3cd6a7b6
SM
1041
1042 // save the resized image
62b3b6e7 1043 $fp = fopen($targetFile, 'w+');
3cd6a7b6 1044 ob_start();
62b3b6e7 1045 imagejpeg($targetData);
3cd6a7b6
SM
1046 $image_buffer = ob_get_contents();
1047 ob_end_clean();
62b3b6e7 1048 imagedestroy($targetData);
3cd6a7b6
SM
1049 fwrite($fp, $image_buffer);
1050 rewind($fp);
1051 fclose($fp);
1052
1053 // return the URL to link to
1054 $config = CRM_Core_Config::singleton();
62b3b6e7 1055 return $config->imageUploadURL . basename($targetFile);
3cd6a7b6 1056 }
4994819e
CW
1057
1058 /**
1059 * Get file icon class for specific MIME Type
1060 *
1061 * @param string $mimeType
1062 * @return string
1063 */
1064 public static function getIconFromMimeType($mimeType) {
892be376
CW
1065 if (!isset(Civi::$statics[__CLASS__]['mimeIcons'])) {
1066 Civi::$statics[__CLASS__]['mimeIcons'] = json_decode(file_get_contents(__DIR__ . '/File/mimeIcons.json'), TRUE);
1067 }
1068 $iconClasses = Civi::$statics[__CLASS__]['mimeIcons'];
4994819e
CW
1069 foreach ($iconClasses as $text => $icon) {
1070 if (strpos($mimeType, $text) === 0) {
1071 return $icon;
1072 }
1073 }
892be376 1074 return $iconClasses['*'];
4994819e
CW
1075 }
1076
a7762e79
SL
1077 /**
1078 * Is the filename a safe and valid filename passed in from URL
1079 *
1080 * @param string $fileName
1081 * @return bool
1082 */
1083 public static function isValidFileName($fileName = NULL) {
1084 if ($fileName) {
1085 $check = $fileName !== basename($fileName) ? FALSE : TRUE;
1086 if ($check) {
1087 if (substr($fileName, 0, 1) == '/' || substr($fileName, 0, 1) == '.' || substr($fileName, 0, 1) == DIRECTORY_SEPARATOR) {
1088 $check = FALSE;
1089 }
1090 }
1091 return $check;
1092 }
1093 return FALSE;
1094 }
1095
2d20f3a9 1096 /**
6cb3fe2e
SL
1097 * Get the extensions that this MimeTpe is for
1098 * @param string $mimeType the mime-type we want extensions for
1099 * @return array
1100 */
1101 public static function getAcceptableExtensionsForMimeType($mimeType = NULL) {
1102 $mapping = \MimeType\Mapping::$types;
1103 $extensions = [];
1104 foreach ($mapping as $extension => $type) {
1105 if ($mimeType == $type) {
1106 $extensions[] = $extension;
1107 }
1108 }
1109 return $extensions;
1110 }
1111
1112 /**
1113 * Get the extension of a file based on its path
1114 * @param string $path path of the file to query
1115 * @return string
2d20f3a9 1116 */
6cb3fe2e
SL
1117 public static function getExtensionFromPath($path) {
1118 return pathinfo($path, PATHINFO_EXTENSION);
2d20f3a9
SL
1119 }
1120
6a488035 1121}