网站一般都有多个页面。通过ctx.request.path可以获取用户请求的路径,由此实现简单的路由。
所谓的路径,也就是多个页面进行相互间的跳转。
Koa Request 对象是对 node 的 request 进一步抽象和封装,提供了日常 HTTP 服务器开发中一些有用的功能。关于Request对象的更多用法,大家可以参考官方文档。
看下面的luyou.js中的代码:
const main = ctx => { if (ctx.request.path !== '/') { ctx.response.type = 'html'; ctx.response.body = '<a href="/">Index Page</a>'; } else { ctx.response.body = 'Hello World'; } };
然后运行上面的代码:
$ node luyou.js
访问 http://127.0.0.1:3000/about ,可以看到一个链接,点击后就跳到首页。
上面的路由,我们统称问原生路由。
koa-route 模块
原生路由用起来不太方便,我们可以使用封装好的koa-route模块。
看下面的route.js文件中的代码:
const route = require('koa-route'); const about = ctx => { ctx.response.type = 'html'; ctx.response.body = '<a href="/">Index Page</a>'; }; const main = ctx => { ctx.response.body = 'Hello World'; }; app.use(route.get('/', main)); app.use(route.get('/about', about));
上面代码中,根路径/的处理函数是main,/about路径的处理函数是about。
然后同样的方式,运行这个route.js。效果和原生路由一致。
静态资源
如果网站提供静态资源(图片、字体、样式表、脚本……),为它们一个个写路由就很麻烦,也没必要。koa-static模块封装了这部分的请求。
看下面这个 static.js 文件:
const path = require('path'); const serve = require('koa-static'); const main = serve(path.join(__dirname)); app.use(main);
运行上面这个demo,访问 http://127.0.0.1:3000/12.js,在浏览器里就可以看到这个脚本的内容。
重定向
有些场合,服务器需要重定向(redirect)访问请求。比如,用户登陆以后,将他重定向到登陆前的页面。ctx.response.redirect()方法可以发出一个302跳转,将用户导向另一个路由。
下面是 redirect.js 文件中的代码:
// redirect.js const redirect = ctx => { ctx.response.redirect('/'); ctx.response.body = '<a href="/">Index Page</a>'; }; app.use(route.get('/redirect', redirect));
同样的运行这个demo,访问 http://127.0.0.1:3000/redirect ,浏览器会将用户导向根路由。
限于篇幅,我将中间件(middleware)的内容放到了下一章。我们下一章再见!
: » node.js Koa 框架 的路由用法
原创文章,作者:6024010,如若转载,请注明出处:https://blog.ytso.com/251246.html