web-dev-qa-db-ja.com

node.jsでzlibを使用する場合の誤ったヘッダーチェック

簡単なHTTP POSTリクエストを送信し、レスポンスの本文を取得しようとしています。以下が私のコードです。

エラー:不正なヘッダーチェック

「zlib.gunzip」メソッド内。私はnode.jsを初めて使いますが、どんな助けにも感謝します。

;

    fireRequest: function() {

    var rBody = '';
    var resBody = '';
    var contentLength;

    var options = {
        'encoding' : 'utf-8'
    };

    rBody = fSystem.readFileSync('resources/im.json', options);

    console.log('Loaded data from im.json ' + rBody);

    contentLength = Buffer.byteLength(rBody, 'utf-8');

    console.log('Byte length of the request body ' + contentLength);

    var httpOptions = {
        hostname : 'abc.com',
        path : '/path',
        method : 'POST',
        headers : {
            'Authorization' : 'Basic VHJhZasfasNWEWFScsdfsNCdXllcjE6dHJhZGVjYXJk',
            'Content-Type' : 'application/json; charset=UTF=8',
            // 'Accept' : '*/*',
            'Accept-Encoding' : 'gzip,deflate,sdch',
            'Content-Length' : contentLength
        }
    };

    var postRequest = http.request(httpOptions, function(response) {

        var chunks = '';
        console.log('Response received');
        console.log('STATUS: ' + response.statusCode);
        console.log('HEADERS: ' + JSON.stringify(response.headers));
        // response.setEncoding('utf8');
        response.setEncoding(null);
        response.on('data', function(res) {
            chunks += res;
        });

        response.on('end', function() {
            var encoding = response.headers['content-encoding'];
            if (encoding == 'gzip') {

                zlib.gunzip(chunks, function(err, decoded) {

                    if (err)
                        throw err;

                    console.log('Decoded data: ' + decoded);
                });
            }
        });

    });

    postRequest.on('error', function(e) {
        console.log('Error occured' + e);
    });

    postRequest.write(rBody);
    postRequest.end();

}
31
Thusitha Nuwan

response.on('data', ...)は、単なる文字列ではなく、Bufferを受け入れることができます。連結するとき、文字列に誤って変換しているため、後で圧縮できません。次の2つのオプションがあります。

1)配列内のすべてのバッファーを収集し、endイベントでBuffer.concat()を使用してそれらを連結します。次に、結果に対してgunzipを呼び出します。

2).pipe()を使用して応答をgunzipオブジェクトにパイプし、その出力をファイルストリームまたは結果をメモリに保存する場合は文字列/バッファ文字列にパイプします。

オプション(1)と(2)の両方をここで説明します。 http://nickfishman.com/post/49533681471/nodejs-http-requests-with-gzip-deflate-compression

18
Nitzan Shaked