我們接著改造伺服器,讓請求處理程序能夠回傳一些有意義的資訊。
我們來看看如何實現它:
1、讓請求處理程序透過onRequest函數直接回傳(return())他們要展示給使用者的資訊。
2、讓我們從讓請求處理程序返回需要在瀏覽器中顯示的資訊開始。
我們需要將requestHandler.js修改為以下形式:
function start() {
console.log("Request handler 'start' was called.");
return "Hello Start";
}
function upload() {
console.log("Request handler 'upload' was called.");
return "Hello Upload";
}
exports.start = start;
exports.upload = upload;
同樣的,請求路由需要將請求處理程序傳回給它的資訊回傳給伺服器。
因此,我們需要將router.js修改為以下形式:
function route(handle, pathname) {
console.log("About to route a request for " pathname);
if (typeof handle[pathname] === 'function') {
return handle[pathname]();
} else {
console.log("No request handler found for " pathname);
return "404 Not found";
}
}
exports.route=route;
如上述程式碼所示,當請求無法路由的時候,我們也傳回了一些相關的錯誤訊息。
最後,我們需要對我們的server.js進行重構以使得它能夠將請求處理程序透過請求路由傳回的內容回應給瀏覽器,如下所示:
var http = require("http");
var url = require("url");
function start(route, handle) {
function onRequest(request, response) {
var pathname = url.parse(request.url).pathname;
console.log("Request for " pathname " received.");
response.writeHead(200, {"Content-Type": "text/plain"});
var content = route(handle, pathname);
response.write(content);
response.end();
}
http.createServer(onRequest).listen(8888);
console.log("Server has started.");
}
exports.start=start;
如果我們運行重構後的應用:
請求http://localhost:8888/start,瀏覽器會輸出“Hello Start”,
請http://localhost:8888/upload會輸出“Hello Upload”,
而請求http://localhost:8888/foo 會輸出「404 Not found」。
這感覺不錯,下一節我們要來了解一個概念:阻塞操作。