Как создать файл.gz с помощью PHP?
Я хотел бы сжать файл на моем сервере с помощью PHP. У кого-нибудь есть пример, который бы вводил файл и выводил сжатый файл?
10 ответов
Другие ответы здесь загружают весь файл в память во время сжатия, что приведет к ошибкам "недостаточнопамяти" для больших файлов. Приведенная ниже функция должна быть более надежной для больших файлов, так как она читает и записывает файлы по 512 КБ.
/**
* GZIPs a file on disk (appending .gz to the name)
*
* From http://stackru.com/questions/6073397/how-do-you-create-a-gz-file-using-php
* Based on function by Kioob at:
* http://www.php.net/manual/en/function.gzwrite.php#34955
*
* @param string $source Path to file that should be compressed
* @param integer $level GZIP compression level (default: 9)
* @return string New filename (with .gz appended) if success, or false if operation fails
*/
function gzCompressFile($source, $level = 9){
$dest = $source . '.gz';
$mode = 'wb' . $level;
$error = false;
if ($fp_out = gzopen($dest, $mode)) {
if ($fp_in = fopen($source,'rb')) {
while (!feof($fp_in))
gzwrite($fp_out, fread($fp_in, 1024 * 512));
fclose($fp_in);
} else {
$error = true;
}
gzclose($fp_out);
} else {
$error = true;
}
if ($error)
return false;
else
return $dest;
}
Этот код делает свое дело
// Name of the file we're compressing
$file = "test.txt";
// Name of the gz file we're creating
$gzfile = "test.gz";
// Open the gz file (w9 is the highest compression)
$fp = gzopen ($gzfile, 'w9');
// Compress the file
gzwrite ($fp, file_get_contents($file));
// Close the gz file and we're done
gzclose($fp);
Кроме того, вы можете использовать обертки php, сжатия. При минимальном изменении кода вы сможете переключаться между gzip, bzip2 или zip.
$input = "test.txt";
$output = $input.".gz";
file_put_contents("compress.zlib://$output", file_get_contents($input));
менять compress.zlib://
в compress.zip://
для сжатия zip (см. комментарий к этому ответу о сжатии zip), или compress.bzip2://
в сжатие bzip2.
Простой вкладыш с gzencode ():
gzencode(file_get_contents($file_name));
Вот улучшенная версия. Я избавился от всех вложенных операторов if/else, что привело к более низкой цикломатической сложности, улучшена обработка ошибок с помощью исключений вместо отслеживания состояния логической ошибки, некоторых подсказок типа, и я выхожу, если файл имеет расширение gz уже. Он стал немного длиннее в плане строк кода, но стал более читаемым.
/**
* Compress a file using gzip
*
* Rewritten from Simon East's version here:
* https://stackru.com/a/22754032/3499843
*
* @param string $inFilename Input filename
* @param int $level Compression level (default: 9)
*
* @throws Exception if the input or output file can not be opened
*
* @return string Output filename
*/
function gzcompressfile(string $inFilename, int $level = 9): string
{
// Is the file gzipped already?
$extension = pathinfo($inFilename, PATHINFO_EXTENSION);
if ($extension == "gz") {
return $inFilename;
}
// Open input file
$inFile = fopen($inFilename, "rb");
if ($inFile === false) {
throw new \Exception("Unable to open input file: $inFilename");
}
// Open output file
$gzFilename = $inFilename.".gz";
$mode = "wb".$level;
$gzFile = gzopen($gzFilename, $mode);
if ($gzFile === false) {
fclose($inFile);
throw new \Exception("Unable to open output file: $gzFilename");
}
// Stream copy
$length = 512 * 1024; // 512 kB
while (!feof($inFile)) {
gzwrite($gzFile, fread($inFile, $length));
}
// Close files
fclose($inFile);
gzclose($gzFile);
// Return the new filename
return $gzFilename;
}
Для многих это очевидно, но если в вашей системе включена какая-либо из функций выполнения программы (exec
, system
, shell_exec
), вы можете использовать их просто gzip
файл.
exec("gzip ".$filename);
NB: Обязательно правильно продезинфицировать $filename
переменная перед его использованием, особенно если она поступает от пользовательского ввода (но не только). Он может быть использован для запуска произвольных команд, например, с помощью чего-то вроде my-file.txt && anothercommand
(или же my-file.txt; anothercommand
).
Если вы хотите просто распаковать файл, это работает и не вызывает проблем с памятью:
$bytes = file_put_contents($destination, gzopen($gzip_path, r));
Функция @Simon East И @Gerben хранит путь ко всей файловой системе, например «/var/www/sites/example.com/path/to/my/file.gz», а не просто «my/file.gz».
Вы не узнаете, пока не попытаетесь извлечь его.
Сжать папку для любых нужд
function gzCompressFile($source, $level = 9)
{
$tarFile = $source . '.tar';
if (is_dir($source)) {
$tar = new PharData($tarFile);
$files = scandir($source);
foreach ($files as $file) {
if (is_file($source . '/' . $file)) {
$tar->addFile($source . '/' . $file, $file);
}
}
}
$dest = $tarFile . '.gz';
$mode = 'wb' . $level;
$error = false;
if ($fp_out = gzopen($dest, $mode)) {
if ($fp_in = fopen($tarFile, 'rb')) {
while (!feof($fp_in))
gzwrite($fp_out, fread($fp_in, 1024 * 512));
fclose($fp_in);
} else {
$error = true;
}
gzclose($fp_out);
unlink($tarFile);
} else {
$error = true;
}
if ($error)
return false;
else
return $dest;
}
copy('file.txt', 'compress.zlib://' . 'file.txt.gz'); Смотрите документацию