我正在使用https://panthema.net/2007/0328-ZLibString.html中的代码片段来压缩字符串。我的问题是deflateInit()总是返回Z_STREAM_ERROR。
根据zlib manual,这意味着压缩级别错误。
deflateInit如果成功则返回Z_OK,否则返回Z_MEM_ERROR
足够的内存,如果级别不是有效的压缩,则Z_STREAM_ERROR
水平
根据手册,正确的压缩级别是介于0到9之间的值。
压缩级别必须为Z_DEFAULT_COMPRESSION,或者介于0和
9:1给出最佳速度,9给出最佳压缩,0给出否
完全压缩(将输入数据简单地复制到一个块
时间)。 Z_DEFAULT_COMPRESSION请求之间的默认折衷
速度和压缩(目前相当于6级)。
但是无论我为压缩设置什么值,它总是返回-2(Z_STREAM_ERROR)
。
#include <string>
#include <stdexcept>
#include <iostream>
#include <iomanip>
#include <sstream>
#include "zlib.h"
std::string compress_string(const std::string& str, int compressionlevel)
{
z_stream zs; // z_stream is zlib's control structure
memset(&zs, 0, sizeof(zs));
//std::cout << deflateInit(&zs, 9); //Always returns -2, no matter if the value is between 0-9
if (deflateInit(&zs, compressionlevel) != Z_OK)
throw(std::runtime_error("deflateInit failed while compressing."));
zs.next_in = (Bytef*)str.data();
zs.avail_in = str.size(); // set the z_stream's input
int ret;
char outbuffer[32768];
std::string outstring;
// retrieve the compressed bytes blockwise
do {
zs.next_out = reinterpret_cast<Bytef*>(outbuffer);
zs.avail_out = sizeof(outbuffer);
ret = deflate(&zs, Z_FINISH);
if (outstring.size() < zs.total_out) {
// append the block to the output string
outstring.append(outbuffer,
zs.total_out - outstring.size());
}
} while (ret == Z_OK);
deflateEnd(&zs);
if (ret != Z_STREAM_END) { // an error occurred that was not EOF
std::ostringstream oss;
oss << "Exception during zlib compression: (" << ret << ") " << zs.msg;
throw(std::runtime_error(oss.str()));
}
return outstring;
}
我正在使用从Windows GnuWin32安装程序获得的zlib 1.2.3。我在
zconf.h
中进行了更改,并注释了#if 1
并放入了#if HAVE_UNISTD_H
,因为我不在Linux上并且没有unistd.h
。所以看起来像
//#if 1 /* HAVE_UNISTD_H -- this line is updated by ./configure */
#if HAVE_UNISTD_H
# include <sys/types.h> /* for off_t */
# include <unistd.h> /* for SEEK_* and off_t */
附加说明:我没有定义
Z_SOLO
。 最佳答案
从Z_STREAM_ERROR
获取deflateInit()
的方法只有两种。如果第一个参数为NULL,或者第二个参数不在-1..9范围内,则为true。通过检查以及您对通过的compressionLevel的声明,似乎您的代码不会违反任何一种条件。
我唯一可以冒险的猜测是,您的zlib编译和链接在某个地方被弄乱了,并且传递的类型与例程所期望的不匹配,从而导致例程接收的级别与发送的级别不同。
关于c++ - zlib deflateInit始终返回Z_STREAM_ERROR,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/42893519/