10

我正在尝试通过调用 inflate 函数来解压缩文件,但即使我使用网站上的示例程序,它也总是会出现 Z_DATA_ERROR 失败。我在想可能不支持我拥有的 zip 文件。我在下面附上了一张拉链头的图片。

在此处输入图像描述

这是我为执行解压缩而编写的函数。我一次读入整个文件(大约 34KB)并将其传递给这个函数。请注意,我尝试使用 zip 标头传递整个 zip 文件以及跳过 zip 文件标头,并且仅在调用 inflate() 时传递压缩数据都失败并出现 Z_DATA_ERROR。

int CHttpDownloader::unzip(unsigned char * pDest, unsigned long * ulDestLen, unsigned char *  pSource, int iSourceLen){
    int ret = 0;
    unsigned int uiUncompressedBytes = 0; // Number of uncompressed bytes returned from inflate() function
    unsigned char * pPositionDestBuffer = pDest; // Current position in dest buffer
    unsigned char * pLastSource = &pSource[iSourceLen]; // Last position in source buffer
    z_stream strm;

    // Skip over local file header
    SLocalFileHeader * header = (SLocalFileHeader *) pSource;
    pSource += sizeof(SLocalFileHeader) + header->sFileNameLen + header->sExtraFieldLen;


    // We should now be at the beginning of the stream data
    /* allocate inflate state */
    strm.zalloc = Z_NULL;
    strm.zfree = Z_NULL;
    strm.opaque = Z_NULL;
    strm.avail_in = 0;
    strm.next_in = Z_NULL;
    ret = inflateInit2(&strm, 16+MAX_WBITS);
    if (ret != Z_OK){
        return -1;
    }

    // Uncompress the data
    strm.avail_in = header->iCompressedSize; //iSourceLen;
    strm.next_in = pSource;

    do {
        strm.avail_out = *ulDestLen;
        strm.next_out = pPositionDestBuffer;
        ret = inflate(&strm, Z_NO_FLUSH);
        assert(ret != Z_STREAM_ERROR);  /* state not clobbered */
        switch (ret) {
            case Z_NEED_DICT:
                ret = Z_DATA_ERROR;     /* and fall through */
            case Z_DATA_ERROR:
            case Z_MEM_ERROR:
                (void)inflateEnd(&strm);
                return -2;
        }
        uiUncompressedBytes = *ulDestLen - strm.avail_out;
        *ulDestLen -= uiUncompressedBytes; // ulDestSize holds number of free/empty bytes in buffer
        pPositionDestBuffer += uiUncompressedBytes;
    } while (strm.avail_out == 0);

    // Close the decompression stream
    inflateEnd(&strm);
    ASSERT(ret == Z_STREAM_END);

    return 0;
}

所以我的问题是,ZLib 的 inflate() 函数不支持我正在读取的 zip 文件类型吗?还是我的 CHttpDownloader::unzip() 函数有问题?谢谢你的帮助 :)

4

2 回答 2

21

Inflate() 失败,因为它正在寻找不存在的 GZip 标头。如果您使用以下命令初始化流:

ret = inflateInit2(&strm, -MAX_WBITS);

传递负窗口位值可防止 inflate 检查 gzip 或 zlib 标头,并且解压缩按预期工作。

于 2013-09-09T18:15:24.920 回答
7

开头50 4B 03 04的文件是一个 zip 文件。zlib 库不直接处理 zip 文件。zlib 可以帮助进行压缩、解压缩和 crc 计算。但是,您需要其他代码来处理 zip 文件格式。

您可以contrib/minizip在 zlib 发行版libzip中查看。

于 2013-09-09T20:05:57.073 回答