8、Node.js 路由
我们要为路由提供请求的URL
和其他需要的GET
及POST
参数,随后路由需要根据这些数据来执行相应的代码。因此,我们需要查看HTTP
请求,从中提取出请求的URL
以及GET/POST
参数。我们需要的所有数据都会包含在request
对象中,该对象作为onRequest()
回调函数的第一个参数传递。但是为了解析这些数据,我们需要额外的Node.JS
模块,它们分别是url
和querystring
模块。
1 2 3 4 5 6 7 8 9 10 11 12 13
| url.parse(string).query | url.parse(string).pathname | | | | | ------ ------------------- http: --- ----- | | | | querystring(string)["foo"] | | querystring(string)["hello"]
|
当然我们也可以用querystring
模块来解析POST
请求体中的参数,稍后会有演示。
现在我们来给onRequest()
函数加上一些逻辑,用来找出浏览器请求的URL
路径:
1 2 3 4 5 6 7 8 9 10 11 12 13 14
| var http = require("http"); var url = require("url"); function start() { function onRequest(request, response) { var pathname = url.parse(request.url).pathname; console.log("Request for " + pathname + "received."); response.writeHead(200, {"Content-Type": "text/plain"}); response.write("Hello World"); response.end(); } http.createServer(onRequest).listen(8888); console.log("Server has started."); } exports.start = start;
|
现在我们可以来编写路由了,建立一个名为router.js
的文件:
1 2 3 4
| function route(pathname){ console.log("About to route a request for " + pathname); } exports.route = route;
|
在添加更多的逻辑以前,我们先来看看如何把路由和服务器整合起来(我们将使用依赖注入的方式较松散地添加路由模块)。首先,我们来扩展一下服务器的start()
函数,以便将路由函数作为参数传递过去:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15
| var http = require("http"); var url = require("url"); function start() { function onRequest(request, response) { var pathname = url.parse(request.url).pathname; console.log("Request for " + pathname + "received."); route(pathname); response.writeHead(200, {"Content-Type": "text/plain"}); response.write("Hello World"); response.end(); } http.createServer(onRequest).listen(8888); console.log("Server has started."); } exports.start = start;
|
同时,我们会相应扩展index.js
,使得路由函数可以被注入到服务器中:
1 2 3
| var server = require("./server"); var router = require("./router"); server.start(router.route);
|
现在启动应用(node index.js
),随后请求一个URL,你将会看到应用输出相应的信息,这表明我们的HTTP服务器已经在使用路由模块了,并会将请求的路径传递给路由:
1 2 3 4
| node index.js Request for /foo received. About to route a request for /foo
|
原文作者: 郑超(Charles·Zheng)
原文链接: http://chaoo.oschina.io/2016/06/28/Node.js 路由.html
版权声明: 转载请注明出处(保留作者署名及原文链接)