ThunderBirdsX3
ThunderBirdsX3

Reputation: 588

How to unzip file in server(linux) with php code

I tried a lot of code, But not work.

<?php
$file = $_GET['file'];

if (isset($file))
{
   echo "Unzipping " . $file . "<br>";
   if(system('unzip '. $file.' -d dirtounzipto ' ))
   {echo 'GGWP';}else{echo 'WTF';}

   exit;
}?>

How can i unzip in server. with "system" or "shell_exec" code.

Upvotes: 1

Views: 2136

Answers (3)

Shrey Prajapati
Shrey Prajapati

Reputation: 559

$zip_filename = "test.zip";
$zip_extract_path = "/";
try{
$zip_obj = new ZipArchive;
            if (file_exists($zip_filename)) {
                $zip_stat = $zip_obj->open($zip_filename);
                if ($zip_stat === TRUE) {
                    $res = $zip_obj->extractTo($zip_extract_path);
                    if ($res === false) {

                            throw new Exception("Error in extracting file on server.");

                    }
                    $zip_obj->close();


                } else {
                    throw new Exception("Error in open file");
                }
            } else {
                throw new Exception("zip file not found for extraction");
            }
}catch (Exception $e) {

    echo $e->getMessage();
}

Upvotes: 4

Apb
Apb

Reputation: 944

PHP has built-in extensions for dealing with compressed files. There should be no need to use system calls for this. ZipArchivedocs is one option.

// assuming file.zip is in the same directory as the executing script.
$file = 'file.zip';

// get the absolute path to $file
$path = pathinfo(realpath($file), PATHINFO_DIRNAME);

//folder name as per zip file name
$foldername = basename($file, ".zip");

mkdir($foldername, 0755, true);
$path = $path . "/" . $foldername;

$zip = new ZipArchive;
$res = $zip->open($file);
if ($res === TRUE) {
  // extract it to the path we determined above
  $zip->extractTo($path);
  $zip->close();
  echo "WOOT! $file extracted to $path";
} else {
  echo "Doh! I couldn't open $file";
}

Upvotes: 0

Raptor
Raptor

Reputation: 54212

Please make good use of PHP's ZipArchive library:

<?php
$zip = new ZipArchive;
if ($zip->open('test.zip') === TRUE) {
    $zip->extractTo('/my/destination/dir/');
    $zip->close();
    echo 'ok';
} else {
    echo 'failed';
}
?>

Version requirement: PHP >= 5.2.0, PECL zip >= 1.1.0


UPDATE To create the destination path automatically, you can use:

mkdir($path, 0755, true);

which create the folders required automatically.

Upvotes: 1

Related Questions