nodejs中間部品
ミドルウェア使用の悟り
中間部品は主に要求を処理するためのモジュール化で、各モジュールは自分が処理したい要求を処理します.この思想は実は設計モードの中の責任チェーンモードと代理モードのようです.まず処理要求はチェーン式で、各中間部品はいずれも一つのuse方法があります.この方法でリターン関数を受信します.
function(req,res,next)
ここでは依然として処理要求のreqとresがあるが、処理要求後にnextメソッドを呼び出して次の中間部品に渡す必要があり、ここでは責任連鎖モードのようである.
デモコードを以下に示します.
request-time.js
中間部品は主に要求を処理するためのモジュール化で、各モジュールは自分が処理したい要求を処理します.この思想は実は設計モードの中の責任チェーンモードと代理モードのようです.まず処理要求はチェーン式で、各中間部品はいずれも一つのuse方法があります.この方法でリターン関数を受信します.
function(req,res,next)
ここでは依然として処理要求のreqとresがあるが、処理要求後にnextメソッドを呼び出して次の中間部品に渡す必要があり、ここでは責任連鎖モードのようである.
デモコードを以下に示します.
request-time.js
/**
* Created by raid on 2016/11/7.
*/
/**
*
*
* @param opts
*/
module.exports = function (opts) {
var time = opts.time || 100;
return function (req, res, next) {
var timer = setTimeout(function () {
console.log('too long!', req.method, req.url);
}, time);
var end = res.end;
res.end = function (chunk, encoding) {
res.end = end;
res.end(chunk, encoding);
clearTimeout(timer);
};
next();
}
}
demo.js/**
* Created by raid on 2016/11/7.
*/
var connect = require('connect')
, time = require('./request-time');
// var server = connect.createServer();
var server = connect.createServer();
/**
*
*/
server.use(connect.logger('dev'));
/**
*
*/
server.use(time({time : 500}));
/**
*
*/
server.use(function (req, res, next) {
if ('/a' == req.url) {
res.writeHead(200);
res.end('Fast!');
} else {
next();
}
});
/**
*
*/
server.use(function (req, res, next) {
if ('/b' == req.url) {
setTimeout(function () {
res.writeHead(200);
res.end('Slow!');
}, 1000);
console.log("visit /b");
} else {
next();
}
});
server.listen(3000);