Search code examples
phpphp-ziparchive

Zip files in a folder and give the archive folder's name


I'm very new to php and I just made my first script, which is working fine, but is missing a final touch. The script zips all files in the folder containing the php and creates a downloadable archive. Here's the code

<?php

$zipname =  'test.zip';
$zip = new ZipArchive;
$zip->open('D://mypath//zip//$zipname', ZipArchive::CREATE);
if ($dir_handle = opendir('./')) {
  while (false !== ($entry = readdir($dir_handle))) {
    if ($entry != "." && $entry != ".." && !strstr($entry,'.php') && !strstr($entry,'.zip')) {
      $zip->addFile($entry);
    }
  }
  closedir($dir_handle);
}
else {
  die('file not found');
}

$zip->close();

header('Content-Type: application/zip');
header("Content-Disposition: attachment; filename=$zipname");
header('Content-Length: ' . filesize($zipname));
header("Location: $zipname");

?>

What I'd like to achieve is having $zipname = "the name of the folder.zip" So, if the php is inside "/mypath/blablabla/" i want my zip $zipname to be "blablabla.zip"

Any help will be appreciated!

EDIT: here's the working code:

<?php
$zipname = getcwd();
$zipname = substr($zipname,strrpos($zipname,'\\')+1);
$zipname = $zipname.'.zip';
$zip = new ZipArchive;
$zip->open('D:/inetpub/webs/mydomaincom/zip/'.basename($zipname).'', ZipArchive::CREATE);
if ($dir_handle = opendir('./')) {
  while (false !== ($entry = readdir($dir_handle))) {
if ($entry != "." && $entry != ".." && !strstr($entry,'.php')) {
    $zip->addFile($entry);
}
}
closedir($dir_handle);
}
else {
die('file not found');
}

$zip->close();

header('Content-Type: application/zip');
header('Content-Disposition: attachment; filename="'.basename($zipname).'"');
header('Content-Length: ' . filesize($zipname));
header('Location: /zip/'.$zipname);
?>

Solution

  • You could use getcwd() :

    http://php.net/manual/fr/function.getcwd.php

    $zipname = getcwd();
    

    It'll return the path of the current folder, then you could just hash the result to get only the name of the folder :

    // We remove all the uneeded part of the path
    $zipname = substr($zipname,strrpos($zipname,'\\')+1);
    
    //Then we add .zip to the result :
    $zipname = $zipname.'.zip';
    

    This should do the trick.

    And if you want to also use the name of the parent folder :

    $zipname = getcwd();
    
    // We remove the uneeded part of the path
    $parentFolderPath = substr($zipname, 0,strrpos($zipname,'\\'));
    $parentFolder = substr($parentFolderPath, strrpos($parentFolderPath,'\\')+1);
    
    //Keep current folder name
    $currentFolder = substr($zipname,strrpos($zipname,'\\')+1);
    
    //Join both
    $zipname = $parentFolder.'_'.$currentFolder;
    
    //Then we add .zip to the result :
    $zipname = $zipname.'.zip';