Last active
February 14, 2025 06:31
-
-
Save mindplay-dk/a4aad91f5a4f1283a5e2 to your computer and use it in GitHub Desktop.
Recursively delete a directory and all of it's contents - USE AT YOUR OWN RISK!
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
<?php | |
use RecursiveDirectoryIterator; | |
use RecursiveIteratorIterator; | |
use SplFileInfo; | |
# http://stackoverflow.com/a/3352564/283851 | |
/** | |
* Recursively delete a directory and all of it's contents - e.g.the equivalent of `rm -r` on the command-line. | |
* Consistent with `rmdir()` and `unlink()`, an E_WARNING level error will be generated on failure. | |
* | |
* @param string $dir absolute path to directory to delete | |
* | |
* @return bool true on success; false on failure | |
*/ | |
function rm_r($dir) | |
{ | |
if (false === file_exists($dir)) { | |
return false; | |
} | |
/** @var SplFileInfo[] $files */ | |
$files = new RecursiveIteratorIterator( | |
new RecursiveDirectoryIterator($dir, RecursiveDirectoryIterator::SKIP_DOTS), | |
RecursiveIteratorIterator::CHILD_FIRST | |
); | |
foreach ($files as $fileinfo) { | |
if ($fileinfo->isDir()) { | |
if (false === rmdir($fileinfo->getRealPath())) { | |
return false; | |
} | |
} else { | |
if (false === unlink($fileinfo->getRealPath())) { | |
return false; | |
} | |
} | |
} | |
return rmdir($dir); | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment
Thanks for sharing but man that's an ugly code repetition and there's a bug in the way you use file_exists (should be is_dir otherwise your code will try to scan a file and then try to rmdir a file at the end, both of which bug out), and it also prints ugly errors on failures... This is mine: