Google’s results for code snippets to create a .zip archive with PHP gives quite a few results. However, none of the code examples can recursively compress a directory and replicate the same structure in the .zip archive. One code snippet from the PHP Manual’s reference page for Zip functions comes pretty close, but the RecursiveDirectoryIterator never worked for me. The code always failed with an error about excessive recursion, with the script reaching the limit of 100 recursion levels.
Thankfully, after some more searching, I tried another code snippet from the same page, written by nheimann {at} gmx {dot} net. With a little tweaking, the code worked perfectly. The class in the code snippet extends the ZipArchive class, and adds an addDir() public method. Example usage of this class is:
<?php | |
//Don't forget to remove the trailing slash | |
$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'; | |
?> |
The class in the PHP Manual’s reference had a few missing variables. The correct code for the class is:
<?php | |
/** | |
* FlxZipArchive, Extends ZipArchiv. | |
* Add Dirs with Files and Subdirs. | |
* | |
* <code> | |
* $archive = new FlxZipArchive; | |
* // ..... | |
* $archive->addDir( 'test/blub', 'blub' ); | |
* </code> | |
*/ | |
class FlxZipArchive extends ZipArchive { | |
/** | |
* Add a Dir with Files and Subdirs to the archive | |
* | |
* @param string $location Real Location | |
* @param string $name Name in Archive | |
* @author Nicolas Heimann | |
* @access private | |
**/ | |
public function addDir($location, $name) { | |
$this->addEmptyDir($name); | |
$this->addDirDo($location, $name); | |
} // EO addDir; | |
/** | |
* Add Files & Dirs to archive. | |
* | |
* @param string $location Real Location | |
* @param string $name Name in Archive | |
* @author Nicolas Heimann | |
* @access private | |
**/ | |
private function addDirDo($location, $name) { | |
$name .= '/'; | |
$location .= '/'; | |
// Read all Files in Dir | |
$dir = opendir ($location); | |
while ($file = readdir($dir)) | |
{ | |
if ($file == '.' || $file == '..') continue; | |
// Rekursiv, If dir: FlxZipArchive::addDir(), else ::File(); | |
$do = (filetype( $location . $file) == 'dir') ? 'addDir' : 'addFile'; | |
$this->$do($location . $file, $name . $file); | |
} | |
} // EO addDirDo(); | |
} | |
?> |