我希望看到一个很好的日志,其中包含有关我的服务器的每个请求的简短信息,以便在开发期间使用。我已经看过http://hapijs.com/api#request-logs上的文档,但是我无法理解它的工作原理。
创建服务器时,我应该将config
对象传递给什么?我应该听事件并记录它们还是自动发生?如何记录所有请求,而不仅仅是错误?
我想避免安装日志库。
答案 0 :(得分:30)
所以我找到了一种方法:
server.on('response', function (request) {
console.log(request.info.remoteAddress + ': ' + request.method.toUpperCase() + ' ' + request.path + ' --> ' + request.response.statusCode);
});
日志看起来像这样:
127.0.0.1: GET /myEndpoint/1324134?foo=bar --> 200
127.0.0.1: GET /sgsdfgsdrh --> 404
为Hapi v18编辑的答案,see older versions here
答案 1 :(得分:10)
在v17以上的Hapi.js版本中,请进行以下更改以使其正常工作:
server.events.on('response', function (request) {
// you can use request.log or server.log it's depends
server.log(request.info.remoteAddress + ': ' + request.method.toUpperCase() + ' ' + request.url.path + ' --> ' + request.response.statusCode);
});
日志将是:
127.0.0.1: GET /todo --> 200
答案 2 :(得分:9)
最简单的方法是将good
模块与good
个记者一起使用,例如good-file
。以下是如何使用它的示例:
var Hapi = require('hapi');
var Good = require('good');
var server = new Hapi.Server();
server.connection({ port: 8080 });
server.route({
method: 'GET',
path: '/',
handler: function (request, reply) {
reply('Hello, world!');
}
});
server.route({
method: 'GET',
path: '/{name}',
handler: function (request, reply) {
reply('Hello, ' + encodeURIComponent(request.params.name) + '!');
}
});
server.register({
register: Good,
options: {
reporters: [{
reporter: require('good-file'),
events: {
response: '*',
log: '*'
},
config: {
path: '/var/log/hapi',
rotate: 'daily'
}
}]
}
}, function (err) {
if (err) {
throw err; // something bad happened loading the plugin
}
server.start(function () {
server.log('info', 'Server running at: ' + server.info.uri);
});
});