Hong Zhou
Hong Zhou

Reputation: 649

NodeJS HTTP request POST ERROR socket hang up

Hi I'm having problems to perform HTTP request on NodeJS given a larger number array of json object. The request works fine given small array of json object. However, if I try to increase the size array of json, I received Error: socket hang up {"error":{"code":"ECONNRESET"}}. Is it required to perform multiple write? Or is it something wrong going on at the other end?

Thanks in advance for taking your time here!

    // data is a json object

    var post_data = JSON.stringify(data);
    var buf = new Buffer(post_data);
    var len = buf.length;

    var options = {
        hostname: address,
        port: port,
        path: pathName,
        method: 'PUT',
        headers: {
            'Content-Type':'application/json',
            'Content-Length': len,
            'Transfer-Encoding':'chunked'
        }
    };

    // http call to REST API server
    var req = restHttp.request(options, function(res) {

        console.log('server PUT response received.');
        var resData = '';
        res.on('data', function(replyData) {

            // Check reply data for error.
            console.log(replyData.toString('utf8'));
            if(replyData !== 'undefined')
                resData += replyData;
        });

        res.on('end', function() {          
            callback(JSON.parse(resData));
        });
    }); 


    req.write(buf);
    req.end();

Upvotes: 3

Views: 2964

Answers (1)

Bulkan
Bulkan

Reputation: 2592

You can stream the request body.

If the data in buf was in a readable stream then you can just do buf.pipe(req).

For example, if the current directory contains a file data.json with the JSON you can do

var buf = fs.createReadStream(__dirname + '/data.json');

to create a ReadStream object. Then you can pipe this to you req

buf.pipe(req);

The pipe command will call req.end once its done streaming.

Upvotes: 2

Related Questions