我把头发拉到这里。我花了上周的时间试图弄清楚为什么ZipArchive extractTo方法在linux上的行为与在我们的测试服务器(WAMP)上的行为不同。
以下是问题的最基本示例。我只需要提取具有以下结构的zip:
my-zip-file.zip
-username01
--filename01.txt
-images.zip
--image01.png
-songs.zip
--song01.wav
-username02
--filename01.txt
-images.zip
--image01.png
-songs.zip
--song01.wav
以下代码将提取根zip文件并将结构保留在我的WAMP服务器上。我不需要担心提取子文件夹。
<?php
if(isset($_FILES["zip_file"]["name"])) {
$filename = $_FILES["zip_file"]["name"];
$source = $_FILES["zip_file"]["tmp_name"];
$errors = array();
$name = explode(".", $filename);
$continue = strtolower($name[1]) == 'zip' ? true : false;
if(!$continue) {
$errors[] = "The file you are trying to upload is not a .zip file. Please try again.";
}
$zip = new ZipArchive();
if($zip->open($source) === FALSE)
{
$errors[]= "Failed to open zip file.";
}
if(empty($errors))
{
$zip->extractTo("./uploads");
$zip->close();
$errors[] = "Zip file successfully extracted! <br />";
}
}
?>
WAMP上面脚本的输出正确地提取它(保持文件结构)。
当我在我的实时服务器上运行时,输出如下所示:
--username01\filename01.txt
--username01\images.zip
--username01\songs.zip
--username02\filename01.txt
--username02\images.zip
--username02\songs.zip
我无法弄清楚它在实时服务器上的行为有何不同。任何帮助都将非常感激!
答案 0 :(得分:0)
要修复文件路径,您可以迭代所有提取的文件并移动它们。
假设您在循环中对所有提取的文件进行了包含文件路径的变量$source
(例如username01\filename01.txt
),您可以执行以下操作:
// Get a string with the correct file path
$target = str_replace('\\', '/', $source);
// Create the directory structure to hold the new file
$dir = dirname($target);
if (!is_dir($dir)) {
mkdir($dir, 0777, true);
}
// Move the file to the correct path.
rename($source, $target);
修改强>
在执行上述逻辑之前,您应该检查文件名中的反斜杠。使用迭代器,您的代码应如下所示:
// Assuming the same directory in your code sample.
$dir = new DirectoryIterator('./uploads');
foreach ($dir as $fileinfo) {
if (
$fileinfo->isFile()
&& strpos($fileinfo->getFilename(), '\\') !== false // Checking for a backslash
) {
$source = $fileinfo->getPathname();
// Do the magic, A.K.A. paste the code above
}
}