PHP를 사용하여 폴더에서 모든 파일을 삭제 하시겠습니까?
예를 들어`Temp '라는 폴더가 있고 PHP를 사용하여이 폴더에서 모든 파일을 삭제하거나 플러시하고 싶었습니다. 내가 할 수 있을까?
$files = glob('path/to/temp/*'); // get all file names
foreach($files as $file){ // iterate files
if(is_file($file))
unlink($file); // delete file
}
.htaccess와 같은 '숨겨진'파일을 제거하려면 사용해야합니다
$files = glob('path/to/temp/{,.}*', GLOB_BRACE);
당신의 조합을 사용 (하위 폴더 포함) 폴더에서 모든 것을 삭제하려면 array_map
, unlink
및 glob
:
array_map('unlink', glob("path/to/temp/*"));
최신 정보
이 호출은 빈 디렉토리를 처리 할 수도 있습니다. 팁 @mojuba에 감사합니다!
array_map('unlink', array_filter((array) glob("path/to/temp/*")));
다음은 표준 PHP 라이브러리 (SPL)를 사용하는보다 현대적인 접근 방식 입니다.
$dir = "path/to/directory";
$di = new RecursiveDirectoryIterator($dir, FilesystemIterator::SKIP_DOTS);
$ri = new RecursiveIteratorIterator($di, RecursiveIteratorIterator::CHILD_FIRST);
foreach ( $ri as $file ) {
$file->isDir() ? rmdir($file) : unlink($file);
}
return true;
foreach (new DirectoryIterator('/path/to/directory') as $fileInfo) {
if(!$fileInfo->isDot()) {
unlink($fileInfo->getPathname());
}
}
이 코드는 http://php.net/unlink에서 제공됩니다 .
/**
* Delete a file or recursively delete a directory
*
* @param string $str Path to file or directory
*/
function recursiveDelete($str) {
if (is_file($str)) {
return @unlink($str);
}
elseif (is_dir($str)) {
$scan = glob(rtrim($str,'/').'/*');
foreach($scan as $index=>$path) {
recursiveDelete($path);
}
return @rmdir($str);
}
}
$dir = 'your/directory/';
foreach(glob($dir.'*.*') as $v){
unlink($v);
}
<?php
if ($handle = opendir('/path/to/files'))
{
echo "Directory handle: $handle\n";
echo "Files:\n";
while (false !== ($file = readdir($handle)))
{
if( is_file($file) )
{
unlink($file);
}
}
closedir($handle);
}
?>
파일을 많이 읽고 두 단계로 삭제하는 파일이 많은 폴더가 있다고 가정하면 그렇게 수행되지 않습니다. 파일을 삭제하는 가장 성능이 좋은 방법은 시스템 명령을 사용하는 것입니다.
예를 들어 리눅스에서는 다음을 사용합니다.
exec('rm -f '. $absolutePathToFolder .'*');
또는 재귀 함수를 작성할 필요없이 재귀 삭제를 원하는 경우
exec('rm -f -r '. $absolutePathToFolder .'*');
PHP가 지원하는 모든 OS에 대해 동일한 명령이 존재합니다. 파일을 삭제하는 가장 좋은 방법입니다. 이 코드를 실행하기 전에 $ absolutePathToFolder를 확인하고 보호해야하며 권한이 부여되어야합니다.
PHP의 폴더에서 모든 파일을 삭제하는 가장 간단하고 가장 좋은 방법
$files = glob('my_folder/*'); //get all file names
foreach($files as $file){
if(is_file($file))
unlink($file); //delete file
}
여기에서이 소스 코드를 얻었다 - http://www.codexworld.com/delete-all-files-from-folder-using-php/
또 다른 해결책 :이 클래스는 하위 디렉토리의 모든 파일, 하위 디렉토리 및 파일을 삭제합니다.
class Your_Class_Name {
/**
* @see http://php.net/manual/de/function.array-map.php
* @see http://www.php.net/manual/en/function.rmdir.php
* @see http://www.php.net/manual/en/function.glob.php
* @see http://php.net/manual/de/function.unlink.php
* @param string $path
*/
public function delete($path) {
if (is_dir($path)) {
array_map(function($value) {
$this->delete($value);
rmdir($value);
},glob($path . '/*', GLOB_ONLYDIR));
array_map('unlink', glob($path."/*"));
}
}
}
unlinkr 함수는 스크립트 자체를 삭제하지 않도록하여 지정된 경로의 모든 폴더와 파일을 재귀 적으로 삭제합니다.
function unlinkr($dir, $pattern = "*") {
// find all files and folders matching pattern
$files = glob($dir . "/$pattern");
//interate thorugh the files and folders
foreach($files as $file){
//if it is a directory then re-call unlinkr function to delete files inside this directory
if (is_dir($file) and !in_array($file, array('..', '.'))) {
echo "<p>opening directory $file </p>";
unlinkr($file, $pattern);
//remove the directory itself
echo "<p> deleting directory $file </p>";
rmdir($file);
} else if(is_file($file) and ($file != __FILE__)) {
// make sure you don't delete the current script
echo "<p>deleting file $file </p>";
unlink($file);
}
}
}
이 스크립트를 배치 한 모든 파일과 폴더를 삭제하려면 다음과 같이 호출하십시오.
//get current working directory
$dir = getcwd();
unlinkr($dir);
PHP 파일 만 삭제하려면 다음과 같이 호출하십시오.
unlinkr($dir, "*.php");
다른 경로를 사용하여 파일을 삭제할 수도 있습니다
unlinkr("/home/user/temp");
home / user / temp 디렉토리의 모든 파일이 삭제됩니다.
단일 파일 또는 폴더 세트를 처리 할 수있는 복사, 이동, 삭제, 크기 계산 등을위한 범용 파일 및 폴더 처리 클래스를 게시했습니다.
https://gist.github.com/4689551
쓰다:
단일 파일 또는 폴더 / 파일 세트를 복사 (또는 이동)하려면 :
$files = new Files();
$results = $files->copyOrMove('source/folder/optional-file', 'target/path', 'target-file-name-for-single-file.only', 'copy');
경로에서 단일 파일 또는 모든 파일 및 폴더를 삭제하십시오.
$files = new Files();
$results = $files->delete('source/folder/optional-file.name');
폴더 세트에서 단일 파일 또는 파일 세트의 크기를 계산하십시오.
$files = new Files();
$results = $files->calculateSize('source/folder/optional-file.name');
<?
//delete all files from folder & sub folders
function listFolderFiles($dir)
{
$ffs = scandir($dir);
echo '<ol>';
foreach ($ffs as $ff) {
if ($ff != '.' && $ff != '..') {
if (file_exists("$dir/$ff")) {
unlink("$dir/$ff");
}
echo '<li>' . $ff;
if (is_dir($dir . '/' . $ff)) {
listFolderFiles($dir . '/' . $ff);
}
echo '</li>';
}
}
echo '</ol>';
}
$arr = array(
"folder1",
"folder2"
);
for ($x = 0; $x < count($arr); $x++) {
$mm = $arr[$x];
listFolderFiles($mm);
}
//end
?>
나에게 솔루션 readdir
은 최고 였고 매력처럼 작동했습니다. 를 사용하면 glob
일부 시나리오에서 함수가 실패했습니다.
// Remove a directory recursively
function removeDirectory($dirPath) {
if (! is_dir($dirPath)) {
return false;
}
if (substr($dirPath, strlen($dirPath) - 1, 1) != '/') {
$dirPath .= '/';
}
if ($handle = opendir($dirPath)) {
while (false !== ($sub = readdir($handle))) {
if ($sub != "." && $sub != ".." && $sub != "Thumb.db") {
$file = $dirPath . $sub;
if (is_dir($file)) {
removeDirectory($file);
} else {
unlink($file);
}
}
}
closedir($handle);
}
rmdir($dirPath);
}
하위 폴더를 통해 파일을 제거하기 위해 @Stichoza의 답변을 업데이트했습니다.
function glob_recursive($pattern, $flags = 0) {
$fileList = glob($pattern, $flags);
foreach (glob(dirname($pattern).'/*', GLOB_ONLYDIR|GLOB_NOSORT) as $dir) {
$subPattern = $dir.'/'.basename($pattern);
$subFileList = glob_recursive($subPattern, $flags);
$fileList = array_merge($fileList, $subFileList);
}
return $fileList;
}
function glob_recursive_unlink($pattern, $flags = 0) {
array_map('unlink', glob_recursive($pattern, $flags));
}
public static function recursiveDelete($dir)
{
foreach (new \DirectoryIterator($dir) as $fileInfo) {
if (!$fileInfo->isDot()) {
if ($fileInfo->isDir()) {
recursiveDelete($fileInfo->getPathname());
} else {
unlink($fileInfo->getPathname());
}
}
}
rmdir($dir);
}
"Pusheh"라는 패키지가 있습니다. 이를 사용하여 디렉토리를 지우거나 디렉토리를 완전히 제거 할 수 있습니다 ( Github 링크 ). Packagist 에서도 사용할 수 있습니다.
예를 들어, Temp
디렉토리 를 지우려면 다음을 수행하십시오.
Pusheh::clearDir("Temp");
// Or you can remove the directory completely
Pusheh::removeDirRecursively("Temp");
관심이 있으시면 위키를 참조하십시오 .
참고 URL : https://stackoverflow.com/questions/4594180/deleting-all-files-from-a-folder-using-php
'IT' 카테고리의 다른 글
부울 PHP로 문자열을 변환하는 방법 (0) | 2020.03.20 |
---|---|
Twitter API 버전 1.1로 user_timeline을 검색하기위한 가장 간단한 PHP 예제 (0) | 2020.03.20 |
파이썬에서 IoC / DI가 일반적이지 않은 이유는 무엇입니까? (0) | 2020.03.20 |
싱글 톤 : 어떻게 사용해야합니까 (0) | 2020.03.20 |
매개 변수 및 리턴 값의 포인터 대 값 (0) | 2020.03.20 |