我做了一个简单的函数,将一个压缩文件提取出来。为了进行测试,我使用的文本文件已通过通用实用程序gzip压缩。
但是由于某种原因,Uncompress()返回错误Z_DATA_ERROR

我走进了调试器,直到找到该函数,它肯定会获取正确的数据(整个文件内容,只有37个字节),因此它似乎是其中之一:可怕的zlib-bug现在正在浪费时间,或者我错过了重要的事情,然后我真的很抱歉。

#include <zlib.h>
#include <cstdio>

int UngzipFile(FILE* Dest, FILE* Source){
    #define IN_SIZE 256
    #define OUT_SIZE 2048
    bool EOFReached=false;
    Bytef in[IN_SIZE];
    Bytef out[OUT_SIZE];
    while(!EOFReached){//for no eof
        uLong In_ReadCnt = fread(in,1,IN_SIZE,Source);//read a bytes from a file to input buffer
        if(In_ReadCnt!=IN_SIZE){
            if(!feof(Source) ){
                perror("ERR");
                return 0;
            }
            else    EOFReached=true;
        }
        uLong OutReadCnt = OUT_SIZE;//upon exit 'uncompress' this will have actual uncompressed size
        int err = uncompress(out, &OutReadCnt, in, In_ReadCnt);//uncompress the bytes to output
        if(err!=Z_OK){
            printf("An error ocurred in GZIP, errcode is %i\n", err);
            return 0;
        }
        if(fwrite(out,1,OutReadCnt,Dest)!=OUT_SIZE ){//write to a 'Dest' file
            perror("ERR");
            return 0;
        }
    }
    return 1;
}

int main(int argc, char** argv) {
    FILE* In = fopen("/tmp/Kawabunga.gz", "r+b");
    FILE* Out = fopen("/tmp/PureKawabunga", "w+b");
    if(!In || !Out){
        perror("");
        return 1;
    }
    if(!UngzipFile(Out,In))printf("An error encountered\n");
}

最佳答案

您应该使用inflate(),而不是uncompress()。在inflateInit2()中,您可以指定gzip格式(或自动检测zlib或gzip格式)。请参阅zlib.h中的文档。

您可以在zlib中获取uncompress()的源代码,并进行简单的更改以使用inflateInit2()而不是inflateInit()来创建自己的gzipuncompress()或任何您想调用的名称。

09-04 15:33