PHPを使用してフォルダ全体を圧縮する方法


131

私はここでstackoveflowで特定のファイルをZIP圧縮する方法に関するいくつかのコードを見つけましたが、特定のフォルダーはどうですか?

Folder/
  index.html
  picture.jpg
  important.txt

内部にはMy Folder、ファイルがあります。を圧縮した後My Folder、フォルダのコンテンツ全体を削除したいのですがimportant.txt

これをスタックで見つけました

あなたの助けが必要です。ありがとう。


私が見る限り、あなたが提供したstackoverflowリンクは実際には複数のファイルを圧縮します。どの部分に問題がありますか?
Lasse Espeholt、2011

私はあなたが唯一の特定のファイルではなく、フォルダとフォルダの内容をzip圧縮与えているリンク.. @lasseespeholt
woninana

彼は一連のファイル(基本的にはフォルダー)を取り、すべてのファイルをzipファイル(ループ)に追加します。私は良い答えが投稿されているのを見ることができます+1 :)これは同じコードです、配列は現在ディレクトリからのファイルのリストです。
Lasse Espeholt、2011


これにより、codingbin.com / compressing
MKD

回答:


320

コードは2015/04/22に更新されました。

フォルダ全体を圧縮する:

// Get real path for our folder
$rootPath = realpath('folder-to-zip');

// Initialize archive object
$zip = new ZipArchive();
$zip->open('file.zip', ZipArchive::CREATE | ZipArchive::OVERWRITE);

// Create recursive directory iterator
/** @var SplFileInfo[] $files */
$files = new RecursiveIteratorIterator(
    new RecursiveDirectoryIterator($rootPath),
    RecursiveIteratorIterator::LEAVES_ONLY
);

foreach ($files as $name => $file)
{
    // Skip directories (they would be added automatically)
    if (!$file->isDir())
    {
        // Get real and relative path for current file
        $filePath = $file->getRealPath();
        $relativePath = substr($filePath, strlen($rootPath) + 1);

        // Add current file to archive
        $zip->addFile($filePath, $relativePath);
    }
}

// Zip archive will be created only after closing object
$zip->close();

フォルダ全体を圧縮し、「important.txt」以外のすべてのファイルを削除します。

// Get real path for our folder
$rootPath = realpath('folder-to-zip');

// Initialize archive object
$zip = new ZipArchive();
$zip->open('file.zip', ZipArchive::CREATE | ZipArchive::OVERWRITE);

// Initialize empty "delete list"
$filesToDelete = array();

// Create recursive directory iterator
/** @var SplFileInfo[] $files */
$files = new RecursiveIteratorIterator(
    new RecursiveDirectoryIterator($rootPath),
    RecursiveIteratorIterator::LEAVES_ONLY
);

foreach ($files as $name => $file)
{
    // Skip directories (they would be added automatically)
    if (!$file->isDir())
    {
        // Get real and relative path for current file
        $filePath = $file->getRealPath();
        $relativePath = substr($filePath, strlen($rootPath) + 1);

        // Add current file to archive
        $zip->addFile($filePath, $relativePath);

        // Add current file to "delete list"
        // delete it later cause ZipArchive create archive only after calling close function and ZipArchive lock files until archive created)
        if ($file->getFilename() != 'important.txt')
        {
            $filesToDelete[] = $filePath;
        }
    }
}

// Zip archive will be created only after closing object
$zip->close();

// Delete all files from "delete list"
foreach ($filesToDelete as $file)
{
    unlink($file);
}

2
dir(このスクリプトがある場所)のchmod(書き込み可能)を777に設定する必要があります。例:スクリプトが/var/www/localhost/script.phpにある場合、dir / var / www / localhostにchmod 0777を設定する必要があります。 /。
ダドール

3
呼び出す前にファイルを削除しても機能し$zip->close()ません。ここで
hek2mgl

10
@alnassreそれは質問からの要件です:「私はまた、important.txtを除いてフォルダーの内容全体を削除したいのです」。また、実行する前に常にコードを読むことをお勧めします。
ダドール2015

1
@alnassre haha​​haha ...ごめんなさい:) ... haha​​ha
Ondrej Rafaj

1
ニック・ニューマン@、ええ、計算パーセントにあなたが使用することができますphp.net/manual/ru/function.iterator-count.phpループ内+カウンターを。圧縮レベルについて-それはこの時点でZIPARCHIVEでは不可能です:stackoverflow.com/questions/1833168/...
Dador

54

ZipArchiveクラスには、ドキュメント化されていない便利なメソッドがあります。addGlob();

$zipFile = "./testZip.zip";
$zipArchive = new ZipArchive();

if ($zipArchive->open($zipFile, (ZipArchive::CREATE | ZipArchive::OVERWRITE)) !== true)
    die("Failed to create archive\n");

$zipArchive->addGlob("./*.txt");
if ($zipArchive->status != ZIPARCHIVE::ER_OK)
    echo "Failed to write files to zip\n";

$zipArchive->close();

今文書化:www.php.net/manual/en/ziparchive.addglob.php


2
@netcoder-それをテストするためにphptを作成したことの利点...基本的に、ZipArchiveクラスのソースを読み、そこにそれを見つけました....正規表現スタイルのパターンを取得する、文書化されていないaddPattern()メソッドもあります。しかし、私はこれをうまく機能させることができませんでした(クラスのバグの可能性があります)
Mark Ba​​ker

1
@kread-glob()を使用して抽出できる任意のファイルリストでこれを使用できるため、発見して以来、非常に便利です。
Mark Ba​​ker

@MarkBakerこのコメントがあなたが投稿してから何年も経っていることを知っています。私はここで私の運を試しています。圧縮についての質問もここに投稿しました。ここで投稿したglobメソッドを試してみますが、私の主な問題は、addFromStringを使用できないことと、addFileを使用していて、静かに失敗するだけです。おそらく何が問題になっているのか、または私が何が問題になっているのかについて何か考えがありますか?
Skytiger

@ user1032531-私の投稿の最終行(2013年12月13日編集)はそれを示しており、ドキュメントページへのリンクが付いています
Mark Ba​​ker

6
あるaddGlob再帰的な?
Vincent Poirier

20

これを試して:

$zip = new ZipArchive;
$zip->open('myzip.zip', ZipArchive::CREATE);
foreach (glob("target_folder/*") as $file) {
    $zip->addFile($file);
    if ($file != 'target_folder/important.txt') unlink($file);
}
$zip->close();

ただし、これ再帰的に圧縮されません


それは確かにあるいくつかのファイルを削除しませんMy folderが、私はまた、フォルダ内のフォルダ持っているMy folder私のエラーを与える:許可がでてフォルダをリンク解除によって拒否My folder
woninana

@Stupefy:if (!is_dir($file) && $file != 'target_folder...')代わりに試してください。または、再帰的に圧縮する場合は、@ kreadの回答を確認してください。これが最も効率的な方法です。
netcoder、2011

内のフォルダMy folderはまだ削除されていませんが、エラーは発生していません。
ウィニナナ

また、.zipファイルが作成されていないことを忘れていました。
ウォニナナ

1
呼び出す前にファイルを削除しても機能し$zip->close()ません。私の答えをここで
hek2mgl 14

19

これは、zipアプリケーションが検索パスにあるサーバー上で実行されていると思います。すべてのUNIXベースのサーバーに当てはまるはずで、ほとんどのWindowsベースのサーバーだと思います。

exec('zip -r archive.zip "My folder"');
unlink('My\ folder/index.html');
unlink('My\ folder/picture.jpg');

その後、アーカイブはarchive.zipに置かれます。ファイル名またはフォルダ名の空白は、エラーの一般的な原因であり、可能な限り回避する必要があることに注意してください。


15

以下のコードを試してみましたが、うまくいきました。コードは自明です。質問がある場合はお知らせください。

<?php
class FlxZipArchive extends ZipArchive 
{
 public function addDir($location, $name) 
 {
       $this->addEmptyDir($name);
       $this->addDirDo($location, $name);
 } 
 private function addDirDo($location, $name) 
 {
    $name .= '/';
    $location .= '/';
    $dir = opendir ($location);
    while ($file = readdir($dir))
    {
        if ($file == '.' || $file == '..') continue;
        $do = (filetype( $location . $file) == 'dir') ? 'addDir' : 'addFile';
        $this->$do($location . $file, $name . $file);
    }
 } 
}
?>

<?php
$the_folder = '/path/to/folder/to/be/zipped';
$zip_file_name = '/path/to/zip/archive.zip';
$za = new FlxZipArchive;
$res = $za->open($zip_file_name, ZipArchive::CREATE);
if($res === TRUE) 
{
    $za->addDir($the_folder, basename($the_folder));
    $za->close();
}
else{
echo 'Could not create a zip archive';
}
?>

優れたソリューション。laravel 5.5でも動作します。本当に気に入りました。(y)
Web Artisan 2017年

1
素晴らしいコード!クリーンでシンプルで完璧に機能します!;)私にとっては最高の返事のようです。それが誰かを助けることができる場合:私ini_set('memory_limit', '512M');はスクリプトの実行前とini_restore('memory_limit');最後に追加しました。フォルダーが重い場合(500MBを超えるフォルダー)、メモリ不足を回避する必要がありました。
Jacopo Pace 2017

1
私の環境(PHP 7.3、Debian)では、ディレクトリリストのないZIPアーカイブが作成されました(大きな空のファイル)。次の行を変更する必要がありました:$ name。= '/'; into $ name =($ name == '。'? '':$ name。 '/');
Gerfried

これは私のために働いています。共有いただきありがとうございます。乾杯!
Sathiska

8

これは、フォルダー全体とその内容をzipファイルに圧縮する関数であり、次のように簡単に使用できます。

addzip ("path/folder/" , "/path2/folder.zip" );

関数 :

// compress all files in the source directory to destination directory 
    function create_zip($files = array(), $dest = '', $overwrite = false) {
    if (file_exists($dest) && !$overwrite) {
        return false;
    }
    if (($files)) {
        $zip = new ZipArchive();
        if ($zip->open($dest, $overwrite ? ZIPARCHIVE::OVERWRITE : ZIPARCHIVE::CREATE) !== true) {
            return false;
        }
        foreach ($files as $file) {
            $zip->addFile($file, $file);
        }
        $zip->close();
        return file_exists($dest);
    } else {
        return false;
    }
}

function addzip($source, $destination) {
    $files_to_zip = glob($source . '/*');
    create_zip($files_to_zip, $destination);
    echo "done";
}

このスクリプトでバックアップにサブフォルダーも自動的に含める方法は?@Alireza
floCoder

2

EFS PhP-ZiPマルチボリュームスクリプトを試してみませんか ...数百のギグと数百万のファイルを圧縮して転送しました...アーカイブを効果的に作成するには、sshが必要です。

しかし、結果のファイルはphpから直接execで使用できると信じています:

exec('zip -r backup-2013-03-30_0 . -i@backup-2013-03-30_0.txt');

うまくいくかわかりません。私は試していません...

「秘密」とは、アーカイブの実行時間がPHPコードの実行に許可された時間を超えてはならないということです。


1

これは、PHPでZIPを作成する実際の例です。

$zip = new ZipArchive();
$zip_name = time().".zip"; // Zip name
$zip->open($zip_name,  ZipArchive::CREATE);
foreach ($files as $file) {
  echo $path = "uploadpdf/".$file;
  if(file_exists($path)){
  $zip->addFromString(basename($path),  file_get_contents($path));---This is main function  
  }
  else{
   echo"file does not exist";
  }
}
$zip->close();

1

2番目に上位の結果としてGoogleでこの投稿を見つけました。最初はexec :(

とにかく、これは私のニーズを正確に満たしていませんでしたが、私はこれの私の迅速で拡張されたバージョンで他の人に答えを投稿することにしました。

スクリプトの機能

  • 毎日のバックアップファイルの名前、PREFIX-YYYY-MM-DD-POSTFIX.EXTENSION
  • ファイルの報告/欠落
  • 以前のバックアップリスト
  • 以前のバックアップを圧縮/含めません;)
  • Windows / Linuxで動作します

とにかく、スクリプトに..それは多くのように見えるかもしれませんが..ここには過剰があることを覚えておいてください。したがって、必要に応じてレポートセクションを削除してください...

また、見栄えが悪くなったり、特定の項目を簡単にクリーンアップしたりできる場合があります。そのため、コメントしないでください。基本的なコメントがスローされた簡単なスクリプトです。ライブでは使用できません。 !

この例では、ルートwww / public_htmlフォルダー内にあるディレクトリから実行されます。ルートにたどり着くには、1つのフォルダーだけ上に移動する必要があります。

<?php
    // DIRECTORY WE WANT TO BACKUP
    $pathBase = '../';  // Relate Path

    // ZIP FILE NAMING ... This currently is equal to = sitename_www_YYYY_MM_DD_backup.zip 
    $zipPREFIX = "sitename_www";
    $zipDATING = '_' . date('Y_m_d') . '_';
    $zipPOSTFIX = "backup";
    $zipEXTENSION = ".zip";

    // SHOW PHP ERRORS... REMOVE/CHANGE FOR LIVE USE
    ini_set('display_errors',1);
    ini_set('display_startup_errors',1);
    error_reporting(-1);




// ############################################################################################################################
//                                  NO CHANGES NEEDED FROM THIS POINT
// ############################################################################################################################

    // SOME BASE VARIABLES WE MIGHT NEED
    $iBaseLen = strlen($pathBase);
    $iPreLen = strlen($zipPREFIX);
    $iPostLen = strlen($zipPOSTFIX);
    $sFileZip = $pathBase . $zipPREFIX . $zipDATING . $zipPOSTFIX . $zipEXTENSION;
    $oFiles = array();
    $oFiles_Error = array();
    $oFiles_Previous = array();

    // SIMPLE HEADER ;)
    echo '<center><h2>PHP Example: ZipArchive - Mayhem</h2></center>';

    // CHECK IF BACKUP ALREADY DONE
    if (file_exists($sFileZip)) {
        // IF BACKUP EXISTS... SHOW MESSAGE AND THATS IT
        echo "<h3 style='margin-bottom:0px;'>Backup Already Exists</h3><div style='width:800px; border:1px solid #000;'>";
            echo '<b>File Name: </b>',$sFileZip,'<br />';
            echo '<b>File Size: </b>',$sFileZip,'<br />';
        echo "</div>";
        exit; // No point loading our function below ;)
    } else {

        // NO BACKUP FOR TODAY.. SO START IT AND SHOW SCRIPT SETTINGS
        echo "<h3 style='margin-bottom:0px;'>Script Settings</h3><div style='width:800px; border:1px solid #000;'>";
            echo '<b>Backup Directory: </b>',$pathBase,'<br /> ';
            echo '<b>Backup Save File: </b>',$sFileZip,'<br />';
        echo "</div>";

        // CREATE ZIPPER AND LOOP DIRECTORY FOR SUB STUFF
        $oZip = new ZipArchive;
        $oZip->open($sFileZip,  ZipArchive::CREATE | ZipArchive::OVERWRITE);
        $oFilesWrk = new RecursiveIteratorIterator(new RecursiveDirectoryIterator($pathBase),RecursiveIteratorIterator::LEAVES_ONLY);
        foreach ($oFilesWrk as $oKey => $eFileWrk) {
            // VARIOUS NAMING FORMATS OF THE CURRENT FILE / DIRECTORY.. RELATE & ABSOLUTE
            $sFilePath = substr($eFileWrk->getPathname(),$iBaseLen, strlen($eFileWrk->getPathname())- $iBaseLen);
            $sFileReal = $eFileWrk->getRealPath();
            $sFile = $eFileWrk->getBasename();

            // WINDOWS CORRECT SLASHES
            $sMyFP = str_replace('\\', '/', $sFileReal);

            if (file_exists($sMyFP)) {  // CHECK IF THE FILE WE ARE LOOPING EXISTS
                if ($sFile!="."  && $sFile!="..") { // MAKE SURE NOT DIRECTORY / . || ..
                    // CHECK IF FILE HAS BACKUP NAME PREFIX/POSTFIX... If So, Dont Add It,, List It
                    if (substr($sFile,0, $iPreLen)!=$zipPREFIX && substr($sFile,-1, $iPostLen + 4)!= $zipPOSTFIX.$zipEXTENSION) {
                        $oFiles[] = $sMyFP;                     // LIST FILE AS DONE
                        $oZip->addFile($sMyFP, $sFilePath);     // APPEND TO THE ZIP FILE
                    } else {
                        $oFiles_Previous[] = $sMyFP;            // LIST PREVIOUS BACKUP
                    }
                }
            } else {
                $oFiles_Error[] = $sMyFP;                       // LIST FILE THAT DOES NOT EXIST
            }
        }
        $sZipStatus = $oZip->getStatusString();                 // GET ZIP STATUS
        $oZip->close(); // WARNING: Close Required to append files, dont delete any files before this.

        // SHOW BACKUP STATUS / FILE INFO
        echo "<h3 style='margin-bottom:0px;'>Backup Stats</h3><div style='width:800px; height:120px; border:1px solid #000;'>";
            echo "<b>Zipper Status: </b>" . $sZipStatus . "<br />";
            echo "<b>Finished Zip Script: </b>",$sFileZip,"<br />";
            echo "<b>Zip Size: </b>",human_filesize($sFileZip),"<br />";
        echo "</div>";


        // SHOW ANY PREVIOUS BACKUP FILES
        echo "<h3 style='margin-bottom:0px;'>Previous Backups Count(" . count($oFiles_Previous) . ")</h3><div style='overflow:auto; width:800px; height:120px; border:1px solid #000;'>";
        foreach ($oFiles_Previous as $eFile) {
            echo basename($eFile) . ", Size: " . human_filesize($eFile) . "<br />";
        }
        echo "</div>";

        // SHOW ANY FILES THAT DID NOT EXIST??
        if (count($oFiles_Error)>0) {
            echo "<h3 style='margin-bottom:0px;'>Error Files, Count(" . count($oFiles_Error) . ")</h3><div style='overflow:auto; width:800px; height:120px; border:1px solid #000;'>";
            foreach ($oFiles_Error as $eFile) {
                echo $eFile . "<br />";
            }
            echo "</div>";
        }

        // SHOW ANY FILES THAT HAVE BEEN ADDED TO THE ZIP
        echo "<h3 style='margin-bottom:0px;'>Added Files, Count(" . count($oFiles) . ")</h3><div style='overflow:auto; width:800px; height:120px; border:1px solid #000;'>";
        foreach ($oFiles as $eFile) {
            echo $eFile . "<br />";
        }
        echo "</div>";

    }


    // CONVERT FILENAME INTO A FILESIZE AS Bytes/Kilobytes/Megabytes,Giga,Tera,Peta
    function human_filesize($sFile, $decimals = 2) {
        $bytes = filesize($sFile);
        $sz = 'BKMGTP';
        $factor = floor((strlen($bytes) - 1) / 3);
        return sprintf("%.{$decimals}f", $bytes / pow(1024, $factor)) . @$sz[$factor];
    }
?>

それは何をするためのものか??

変数$ pathBaseのコンテンツ全体を圧縮し、同じフォルダーにzipを保存します。以前のバックアップを簡単に検出してスキップします。

CRONバックアップ

このスクリプトはLinuxでテストしたばかりで、pathBaseに絶対URLを使用してcronジョブから正常に動作しました。


また、削除スクリプトを除外しました。これに対する承認済みの回答を確認できます
Angry 84

理由を説明するコメントなしで、これらのランダムな投票がお奨めです。
Angry 84

1

この関数を使用します。

function zip($source, $destination)
{
    if (!extension_loaded('zip') || !file_exists($source)) {
        return false;
    }

    $zip = new ZipArchive();
    if (!$zip->open($destination, ZIPARCHIVE::CREATE)) {
        return false;
    }

    $source = str_replace('\\', '/', realpath($source));

    if (is_dir($source) === true) {
        $files = new RecursiveIteratorIterator(new RecursiveDirectoryIterator($source), RecursiveIteratorIterator::SELF_FIRST);

        foreach ($files as $file) {
            $file = str_replace('\\', '/', $file);

            // Ignore "." and ".." folders
            if (in_array(substr($file, strrpos($file, '/')+1), array('.', '..'))) {
                continue;
            }               

            $file = realpath($file);

            if (is_dir($file) === true) {
                $zip->addEmptyDir(str_replace($source . '/', '', $file . '/'));
            } elseif (is_file($file) === true) {
                $zip->addFromString(str_replace($source . '/', '', $file), file_get_contents($file));
            }
        }
    } elseif (is_file($source) === true) {
        $zip->addFromString(basename($source), file_get_contents($source));
    }

    return $zip->close();
}

使用例:

zip('/folder/to/compress/', './compressed.zip');

1

これを使用して、正常に動作しています。

$dir = '/Folder/';
$zip = new ZipArchive();
$res = $zip->open(trim($dir, "/") . '.zip', ZipArchive::CREATE | ZipArchive::OVERWRITE);
if ($res === TRUE) {
    foreach (glob($dir . '*') as $file) {
        $zip->addFile($file, basename($file));
    }
    $zip->close();
} else {
    echo 'Failed to create to zip. Error: ' . $res;
}

1

PHPでzipフォルダーを作成します。

Zip作成メソッド

   public function zip_creation($source, $destination){
    $dir = opendir($source);
    $result = ($dir === false ? false : true);

    if ($result !== false) {

        
        $rootPath = realpath($source);
         
        // Initialize archive object
        $zip = new ZipArchive();
        $zipfilename = $destination.".zip";
        $zip->open($zipfilename, ZipArchive::CREATE | ZipArchive::OVERWRITE );
         
        // Create recursive directory iterator
        /** @var SplFileInfo[] $files */
        $files = new RecursiveIteratorIterator(new RecursiveDirectoryIterator($rootPath), RecursiveIteratorIterator::LEAVES_ONLY);
         
        foreach ($files as $name => $file)
        {
            // Skip directories (they would be added automatically)
            if (!$file->isDir())
            {
                // Get real and relative path for current file
                $filePath = $file->getRealPath();
                $relativePath = substr($filePath, strlen($rootPath) + 1);
         
                // Add current file to archive
                $zip->addFile($filePath, $relativePath);
            }
        }
         
        // Zip archive will be created only after closing object
        $zip->close();
        
        return TRUE;
    } else {
        return FALSE;
    }


}

zipメソッドを呼び出す

$source = $source_directory;
$destination = $destination_directory;
$zipcreation = $this->zip_creation($source, $destination);

0

スクリプトを少し改善しました。

  <?php
    $directory = "./";
    //create zip object
    $zip = new ZipArchive();
    $zip_name = time().".zip";
    $zip->open($zip_name,  ZipArchive::CREATE);
    $files = new RecursiveIteratorIterator(
        new RecursiveDirectoryIterator($directory),
        RecursiveIteratorIterator::LEAVES_ONLY
    );
    foreach ($files as $file) {
        $path = $file->getRealPath();
        //check file permission
        if(fileperms($path)!="16895"){
            $zip->addFromString(basename($path),  file_get_contents($path)) ;
            echo "<span style='color:green;'>{$path} is added to zip file.<br /></span> " ;
        }
        else{
            echo"<span style='color:red;'>{$path} location could not be added to zip<br /></span>";
        }
    }
    $zip->close();
    ?>

これはファイルをzip
圧縮

0

これで問題が解決します。ぜひお試しください。

$zip = new ZipArchive;
$zip->open('testPDFZip.zip', ZipArchive::CREATE);
foreach (glob(APPLICATION_PATH."pages/recruitment/uploads/test_pdf_folder/*") as $file) {
    $new_filename = end(explode("/",$file));
    $zip->addFile($file,"emp/".$new_filename);
}           
$zip->close();

0

この投稿を読んで、絶対パスでファイルを圧縮しない(ファイルだけを圧縮する)ので、addFromStringの代わりにaddFileを使用してファイルを圧縮する理由を探している人は、私の質問と回答をここで参照してください

弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.