Node开发札记

基于node.js项目,教你如何正确发送HTTP(GET,POS

2017-08-01  本文已影响151人  小川载舟

发送POST请求,相比GET会有些蛋疼,因为Node.js(目前0.12.4)现在还没有直接发送POST请求的封装。发送GET的话,使用http.get
可以直接传一个字符串作为URL,而http.get
方法就是封装原始的http.request
方法。发送POST的话,只能使用原始的http.request
方法,同时因为要设置HTTP请求头的参数,所以必须传入一个对象作为http.request
的第一个options
参数(而不是URL字符串)。另外,options
参数中的hostname
需要的是不带协议的URL根路径,子路径需要在path
属性单独设置。如果hostname
包含了完整的URL,通常会遇到错误:Error: getaddrinfo ENOTFOUND http://www.xxx.com/xxx
这里可以使用url
Module进行协助,使用url.parse
返回值的hostname
和path
属性就可以,测试代码:

var url = require('url');console.log(url.parse('http://www.mgenware.com/a/b/c'));

输出:

{ protocol: 'http:', slashes: true, auth: null, host: 'www.mgenware.com', port: null, hostname: 'www.mgenware.com', hash: null, search: null, query: null, pathname: '/a/b/c', path: '/a/b/c', href: 'http://www.mgenware.com/a/b/c' }

OK,hostname
和path
参数解决后,然后就是常见POST请求HTTP Header属性的设置,设置method
为POST
,另外如果是模拟HTML <form>
的POST请求的话,Content-Type
应当是application/x-www-form-urlencoded
,最后别忘了Content-Length
,而且,如果Content是字符串的话最好用Buffer.byteLength('字符串', 'utf8')
来获取字节长度(而不是直接'字符串'.length
,虽然使用URL编码的ASCII字符串每个字符是1字节)。
然后就是回调的处理,这个在上篇文章中又讲过,Callback中的第一个res
参数是执行Readable Stream接口的,通过res
的data
事件来把chunk
存在数组里,最后在end
事件里使用Buffer.concat
把数据转换成完整的Buffer
,需要的话,通过Buffer.toString
把Buffer
转换成回应的字符串。
完整代码(我们使用httpbin.org做POST测试):

var querystring = require('querystring');
var url = require('url');
var http = require('http');
var https = require('https');
var util = require('util');
//POST URL
var urlstr = 'http://httpbin.org/post';
//POST 内容
var bodyQueryStr = {name: 'mgen',id: 2345,str: 'hahahahahhaa'};
var contentStr = querystring.stringify(bodyQueryStr);
var contentLen = Buffer.byteLength(contentStr, 'utf8');
console.log(util.format('post data: %s, with length: %d', contentStr, contentLen));
var httpModule = urlstr.indexOf('https') === 0 ? https : http;
var urlData = url.parse(urlstr);
//HTTP请求选项
var opt = {hostname: urlData.hostname,path: urlData.path,method: 'POST',
headers: {'Content-Type': 'application/x-www-form-urlencoded','Content-Length': contentLen}};
//处理事件回调
var req = httpModule.request(opt, function(httpRes) {var buffers = [];
httpRes.on('data', function(chunk) {buffers.push(chunk);});
httpRes.on('end', function(chunk) {var wholeData = Buffer.concat(buffers);
var dataStr = wholeData.toString('utf8');
console.log('content ' + wholeData);
});
}).on('error', function(err) {console.log('error ' + err);});
//写入数据,完成发送
req.write(contentStr);
req.end();

运行完毕后,会以字符串输出HTTP回应内容。

上一篇下一篇

猜你喜欢

热点阅读