web-dev-qa-db-ja.com

PHPを使用して複数のファイルをZipファイルとしてダウンロードする

Phpを使用して複数のファイルをZipファイルとしてダウンロードするにはどうすればよいですか?

99
user213559

ZipArchive クラスを使用して、Zipファイルを作成し、それをクライアントにストリーミングできます。何かのようなもの:

$files = array('readme.txt', 'test.html', 'image.gif');
$zipname = 'file.Zip';
$Zip = new ZipArchive;
$Zip->open($zipname, ZipArchive::CREATE);
foreach ($files as $file) {
  $Zip->addFile($file);
}
$Zip->close();

それをストリーミングするには:

header('Content-Type: application/Zip');
header('Content-disposition: attachment; filename='.$zipname);
header('Content-Length: ' . filesize($zipname));
readfile($zipname);

2行目は、ブラウザーにユーザーにダウンロードボックスを表示させ、filename.Zipという名前を要求します。 3行目はオプションですが、特定の(主に古い)ブラウザには、コンテンツサイズが指定されていない特定の場合に問題があります。

196
cletus

これは、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));  
  }
  else{
   echo"file does not exist";
  }
}
$Zip->close();
28
Sun Love

Php Zip libを使用する準備ができており、zend Zip libも使用できます。

<?PHP
// create object
$Zip = new ZipArchive();   

// open archive 
if ($Zip->open('app-0.09.Zip') !== TRUE) {
    die ("Could not open archive");
}

// get number of files in archive
$numFiles = $Zip->numFiles;

// iterate over file list
// print details of each file
for ($x=0; $x<$numFiles; $x++) {
    $file = $Zip->statIndex($x);
    printf("%s (%d bytes)", $file['name'], $file['size']);
    print "
";    
}

// close archive
$Zip->close();
?>

http://devzone.zend.com/985/dynamically-creating-compressed-Zip-archives-with-php/

このためのphp pear libもあります http://www.php.net/manual/en/class.ziparchive.php

1
dev.meghraj

Zipファイルを作成し、ヘッダーを設定してファイルをダウンロードし、Zipの内容を読み取ってファイルを出力します。

http://www.php.net/manual/en/function.ziparchive-addfile.php

http://php.net/manual/en/function.header.php

1
Priyank Bolia