1

node.js で動作する基本的な REST ポスト クライアントを作成しようとしています。REST API を使用する必要があるため、Cookie を含む応答から詳細を取得して、サーバーとの REST セッションの状態を維持する必要があります。私の質問は、res.on が PRINTME 変数のすべてのデータでトリガーされ、それを test.js console.log() に返すときに、応答から json オブジェクトをプルする最良の方法は何かということです。

test.js ファイル

var rest = require('./rest');
rest.request('http','google.com','/upload','data\n');
console.log('PRINTME='JSON.stringify(res.PRINTME));

rest.js モジュール

exports.request = function (protocol, host, path, data, cookie){
var protocalTypes = {
    http: {
        module: require('http')
        , port: '80'
    }
    , https: {
        module: require('https')
        , port: '443'
    }
};

var protocolModule = protocalTypes[protocol].module;

var options = {
    host: host,
    port: protocalTypes[protocol].port,
    path: path,
    method: 'POST',
    headers: {
        'Content-Type': 'text/xml'
        , 'Content-Length': Buffer.byteLength(data)
        , 'Cookie': cookie||''
    }
};

console.log('cookies sent= '+options.headers.Cookie)

var req = protocolModule.request(options, function(res) {
    var PRINTME = res;
    console.log('STATUS: ' + res.statusCode);
    console.log('HEADERS: ' + JSON.stringify(res.headers));
    res.setEncoding('utf8');
    res.on('data', function (chunk) {
        PRINTME.body = chunk;
        console.log('BODY: ' + chunk);
    });
    res.on('close', function () {res.emit('end')});
});

req.on('error', function(e) {
    console.error('Request Failure: ' + e.message);
 });

req.write(data);
req.end();
};
4

1 に答える 1

1

リクエストのようなパッケージを使用すると、コードを簡素化するのに役立ちます。

以下はrest.js var request = require('request');になります。

module.exports = function(protocol, host, path, data, cookie, done) { 

    var options = {
        host: host,
        port: protocalTypes[protocol].port,
        path: path,
        method: 'POST',
        headers: {
            'Content-Type': 'text/xml',
            'Content-Length': Buffer.byteLength(data)
        },
        jar: true
    };

  request(options, function(err, resp, body) {
    if (err) return done(err);

    // call done, with first value being null to specify no errors occured
    return done(null, resp, body);
  });
}

に設定jarするtrueと、将来の使用のために Cookie が記憶されます。

利用可能なオプションの詳細については、このリンクを参照してください

https://github.com/mikeal/request#requestoptions-callback

この関数を別のファイルで使用するには

var rest = require('./rest');

rest(... , function(err, resp, body){
   ...
});
于 2013-11-04T02:39:13.917 に答える