php ZipArchive可以说是php自带的一个函数了,他可对对文件进行压缩与解压缩处理,但是使用此类之前我们必须在php.ini中把extension=php_zip.dll前面的分号有没有去掉,然后再重启Apache这样才能使用这个类库.
ziparchive 可选参数
1.ZipArchive::addEmptyDir,添加一个新的文件目录
2.ZipArchive::addFile,将文件添加到指定zip压缩包中。
3.ZipArchive::addFromString,添加的文件同时将内容添加进去
4.ZipArchive::close,关闭ziparchive
5.ZipArchive::extractTo,将压缩包解压
6.ZipArchive::open,打开一个zip压缩包
7.ZipArchive::getStatusString,返回压缩时的状态内容,包括错误信息,压缩信息等等
8.ZipArchive::deleteIndex,删除压缩包中的某一个文件,如:deleteIndex(0)删除第一个文件
9.ZipArchive::deleteName,删除压缩包中的某一个文件名称,同时也将文件删除。
实例如下:
一、解压缩zip文件,代码如下:
-
$zip = new ZipArchive;
-
-
-
-
-
-
if ($zip->open('test.zip') === TRUE)
-
{
-
$zip->extractTo('images');
-
$zip->close();
-
}
二、将文件压缩成zip文件,代码如下:
-
$zip = new ZipArchive;
-
-
-
-
-
-
-
-
-
if ($zip->open('test.zip', ZipArchive::OVERWRITE) === TRUE)
-
{
-
$zip->addFile('image.txt');
-
$zip->close();
-
}
三、文件追加内容添加到zip文件,代码如下:
-
$zip = new ZipArchive;
-
$res = $zip->open('test.zip', ZipArchive::CREATE);
-
if ($res === TRUE) {
-
$zip->addFromString('test.txt', 'file content goes here');
-
$zip->close();
-
echo 'ok';
-
} else {
-
echo 'failed';
-
}
四、将文件夹打包成zip文件,代码如下:
-
function addFileToZip($path, $zip) {
-
$handler = opendir($path);
-
-
-
-
-
-
-
while (($filename = readdir($handler)) !== false) {
-
if ($filename != "." && $filename != "..") {
-
if (is_dir($path . "/" . $filename)) {
-
addFileToZip($path . "/" . $filename, $zip);
-
} else {
-
$zip->addFile($path . "/" . $filename);
-
}
-
}
-
}
-
@closedir($path);
-
}
-
-
$zip = new ZipArchive();
-
if ($zip->open('images.zip', ZipArchive::OVERWRITE) === TRUE) {
-
addFileToZip('images/', $zip);
-
$zip->close();
-
}
如果只知道文件名,而不知到文件的具体路径,可以搜索指定文件名的索引,再依靠索引获取内容,代码如下:
-
<?php
-
$zip = new ZipArchive;
-
if ($zip->open('test.zip') === TRUE) {
-
$index=$zip->locateName('example.php', ZIPARCHIVE::FL_NOCASE|ZIPARCHIVE::FL_NODIR);
-
$contents = $zip->getFromIndex($index);
-
}
-
?>
上面获取索引依靠 locateName方法,如果压缩包内多个路径下有同名文件,好像只能返回第一个的索引,如果要获取所有同名文件的索引,只能使用笨办法,循环搜索,代码如下:
-
<?php
-
$zip = new ZipArchive;
-
if ($zip->open('test.zip') === TRUE) {
-
for($i = 0; $i < $zip->numFiles; $i++)
-
{
-
if(substr_count($zip->getNameIndex($i), 'example.php')>0){
-
$contents = $zip->getFromIndex($i);
-
}
-
}
-
}
-
?>
-
(责任编辑:最模板) |