相关文章

最基础

实现一个简单的koa2框架

实现一个简版koa

koa实践及其手撸

Koa源码只有4个js文件

  • application.js:简单封装http.createServer()并整合context.js
  • context.js:代理并整合request.js和response.js
  • request.js:基于原生req封装的更好用
  • response.js:基于原生res封装的更好用

如果我们要封装一个Koa,

需要实现use加载中间件,

next下一个中间件,并且是环形的,

中间件是promise的

ctx=>对应常用的是 body(可读写)/ url(只读)/ method(只读)

  1. // request.js
  2. const request = {
  3. get url() {
  4. return this.req.url;
  5. },
  6. set url(val) {
  7. this.req.url = val;
  8. }
  9. };
  10. module.exports = request;
  1. // response.js
  2. const response = {
  3. get body() {
  4. return this._body;
  5. },
  6. set body(data) {
  7. this._body = data;
  8. },
  9. get status() {
  10. return this.res.statusCode;
  11. },
  12. set status(statusCode) {
  13. if (typeof statusCode !== 'number') {
  14. throw new Error('statusCode 必须为一个数字');
  15. }
  16. this.res.statusCode = statusCode;
  17. }
  18. };
  19. module.exports = response;
  1. // context.js
  2. const context = {
  3. get url() {
  4. return this.request.url;
  5. },
  6. set url(val) {
  7. this.request.url = val;
  8. },
  9. get body() {
  10. return this.response.body;
  11. },
  12. set body(data) {
  13. this.response.body = data;
  14. },
  15. get status() {
  16. return this.response.statusCode;
  17. },
  18. set status(statusCode) {
  19. if (typeof statusCode !== 'number') {
  20. throw new Error('statusCode 必须为一个数字');
  21. }
  22. this.response.statusCode = statusCode;
  23. }
  24. };
  25. module.exports = context;
  1. const Emitter = require('events');
  2. const http = require('http');
  3. // 引入 context request, response 模块
  4. const context = require('./context');
  5. const request = require('./request');
  6. const response = require('./response');
  7. class Application extends Emitter {
  8. /* 构造函数 */
  9. constructor() {
  10. super();
  11. this.context = Object.create(context);
  12. this.request = Object.create(request);
  13. this.response = Object.create(response);
  14. // 保存所有的中间件函数
  15. this.middlewares = [];
  16. }
  17. // 开启 http server 并且传入参数 callback
  18. listen(...args) {
  19. const server = http.createServer(this.callback());
  20. return server.listen(...args);
  21. }
  22. use(fn) {
  23. // this.callbackFunc = fn;
  24. // 把所有的中间件函数存放到数组里面去
  25. this.middlewares.push(fn);
  26. return this;
  27. }
  28. callback() {
  29. return (req, res) => {
  30. // 创建ctx
  31. const ctx = this.createContext(req, res);
  32. // 响应内容
  33. const response = () => this.responseBody(ctx);
  34. // 响应时 调用error函数
  35. const onerror = (err) => this.onerror(err, ctx);
  36. //调用 compose 函数,把所有的函数合并
  37. const fn = this.compose();
  38. return fn(ctx).then(response).catch(onerror);
  39. }
  40. }
  41. /**
  42. 监听失败,监听的是上面的catch
  43. */
  44. onerror(err) {
  45. if (!(err instanceof Error)) throw new TypeError(util.format('non-error thrown: %j', err));
  46. if (404 == err.status || err.expose) return;
  47. if (this.silent) return;
  48. const msg = err.stack || err.toString();
  49. console.error();
  50. console.error(msg.replace(/^/gm, ' '));
  51. console.error();
  52. }
  53. /*
  54. 构造ctx
  55. @param {Object} req实列
  56. @param {Object} res 实列
  57. @return {Object} ctx实列
  58. */
  59. createContext(req, res) {
  60. // 每个实列都要创建一个ctx对象
  61. const ctx = Object.create(this.context);
  62. // 把request和response对象挂载到ctx上去
  63. ctx.request = Object.create(this.request);
  64. ctx.response = Object.create(this.response);
  65. ctx.req = ctx.request.req = req;
  66. ctx.res = ctx.response.res = res;
  67. return ctx;
  68. }
  69. /*
  70. 响应消息
  71. @param {Object} ctx 实列
  72. */
  73. responseBody(ctx) {
  74. const content = ctx.body;
  75. if (typeof content === 'string') {
  76. ctx.res.setHeader('Content-Type', 'text/pain;charset=utf-8')
  77. ctx.res.end(content);
  78. } else if (typeof content === 'object') {
  79. ctx.res.setHeader('Content-Type', 'text/json;charset=utf-8')
  80. ctx.res.end(JSON.stringify(content));
  81. }
  82. }
  83. /*
  84. 把传进来的所有的中间件函数合并为一个中间件
  85. @return {function}
  86. */
  87. compose(){
  88. let middlewares = this.middlewares
  89. return function(ctx){
  90. return dispatch(0)
  91. function dispatch(i){
  92. let fn = middlewares[i]
  93. if(!fn){
  94. return Promise.resolve()
  95. }
  96. return Promise.resolve(fn(ctx, function next(){
  97. return dispatch(i+1)
  98. }))
  99. }
  100. }
  101. }
  102. }
  103. module.exports = Application;
  1. // 使用
  2. const testKoa = require('./application');
  3. const app = new testKoa();
  4. app.use((ctx) => {
  5. str += 'hello world'; // 没有声明该变量, 所以直接拼接字符串会报错
  6. ctx.body = str;
  7. });
  8. app.on('error', (err, ctx) => { // 捕获异常记录错误日志
  9. console.log(err);
  10. });
  11. app.listen(3000, () => {
  12. console.log('listening on 3000');
  13. });

优化

如果有一个中间件写了两个next,会执行两次,需要通过判断next的总执行次数和中间件的长度,如果不一样,就要报错

环形【洋葱】有什么好处

上面的洋葱圈可能没看懂,上一个简易版的

  1. var arr = [function(next){
  2. console.log(1)
  3. next()
  4. console.log(2)
  5. },function(next){
  6. console.log(3)
  7. next()
  8. console.log(4)
  9. }]
  10. var i = 0;
  11. function init(){
  12. arr[i](function(){
  13. i++
  14. if(arr[i]){
  15. init()
  16. }
  17. })
  18. }
  19. init()
  20. // 1342

为什么是1342

上面的代码打个断点就知道了

  1. // 这样应该看得懂吧
  2. function(){
  3. console.log(1)
  4. var next = function(){
  5. console.log(3)
  6. var next = ...
  7. console.log(4)
  8. }
  9. next()
  10. console.log(2)
  11. }

在以前不是express设计的框架,整个请求到响应结束是链结构的,一个修改响应的插件就需要放到最后面,但是有个环形的设计,只要把要修改响应的代码写到next执行后就行了,对于开发者也是,获取请求的数据,修改请求的数据,next,查数据库,响应body

文件访问中间件

  1. module.exports = (dirPath = "./public") => {
  2. return async (ctx, next) => {
  3. if (ctx.url.indexOf("/public") === 0) {
  4. // public开头 读取文件
  5. const url = path.resolve(__dirname, dirPath);
  6. const fileBaseName = path.basename(url);
  7. const filepath = url + ctx.url.replace("/public", "");
  8. console.log(filepath);
  9. // console.log(ctx.url,url, filepath, fileBaseName)
  10. try {
  11. stats = fs.statSync(filepath);
  12. if (stats.isDirectory()) {
  13. const dir = fs.readdirSync(filepath);
  14. const ret = ['<div style="padding-left:20px">'];
  15. dir.forEach(filename => {
  16. console.log(filename);
  17. // 简单认为不带小数点的格式,就是文件夹,实际应该用statSync
  18. if (filename.indexOf(".") > -1) {
  19. ret.push(
  20. `<p><a style="color:black" href="${
  21. ctx.url
  22. }/${filename}">${filename}</a></p>`
  23. );
  24. } else {
  25. // 文件
  26. ret.push(
  27. `<p><a href="${ctx.url}/${filename}">${filename}</a></p>`
  28. );
  29. }
  30. });
  31. ret.push("</div>");
  32. ctx.body = ret.join("");
  33. } else {
  34. console.log("文件");
  35. const content = fs.readFileSync(filepath);
  36. ctx.body = content;
  37. }
  38. } catch (e) {
  39. // 报错了 文件不存在
  40. ctx.body = "404, not found";
  41. }
  42. } else {
  43. // 否则不是静态资源,直接去下一个中间件
  44. await next();
  45. }
  46. }
  47. }
  48. // 使用
  49. const static = require('./static')
  50. app.use(static(__dirname + '/public'));

路由中间件

  1. class Router {
  2. constructor() {
  3. this.stack = [];
  4. }
  5. // 每次定义一个路由,都注册一次
  6. register(path, methods, middleware) {
  7. let route = { path, methods, middleware }
  8. this.stack.push(route);
  9. }
  10. // 现在只支持get和post,其他的同理
  11. get(path, middleware) {
  12. this.register(path, 'get', middleware);
  13. }
  14. post(path, middleware) {
  15. this.register(path, 'post', middleware);
  16. }
  17. //调用
  18. routes() {
  19. let stock = this.stack;
  20. return async function (ctx, next) {
  21. let currentPath = ctx.url;
  22. let route;
  23. for (let i = 0; i < stock.length; i++) {
  24. let item = stock[i];
  25. if (currentPath === item.path && item.methods.indexOf(ctx.method) >= 0) {
  26. // 判断path和method
  27. route = item.middleware; break;
  28. }
  29. }
  30. if (typeof route === 'function') {
  31. route(ctx, next);
  32. return;
  33. }
  34. await next();
  35. };
  36. }
  37. }
  38. module.exports = Router;
  39. // 使用
  40. const Koa = require('Koa')
  41. const Router = require('./router')
  42. const app = new Koa()
  43. const router = new Router();
  44. router.get('/index', async ctx => { ctx.body = 'index page'; });
  45. router.get('/post', async ctx => { ctx.body = 'post page'; });
  46. router.get('/list', async ctx => { ctx.body = 'list page'; });
  47. router.post('/index', async ctx => { ctx.body = 'post page'; });
  48. // 路由实例输出父中间件
  49. app.use(router.routes());

下一篇mongodb插件mongoose的使用

Koa原理和封装的更多相关文章

  1. jsonp原理,封装,应用(vue项目)

    jsonp原理 JSON是一种轻量级的数据传输格式. JSONP(JSON with Padding)是JSON的一种“使用模式”,可用于解决主流浏览器的跨域数据访问的问题.由于同源策略,一般来说位于 ...

  2. Ajax原理与封装详解

    Ajax大家每天都在用,jquery库对Ajax的封装也很完善.很好用,下面我们看一下他的内部原理,并手动封装一个自己的Ajax库. 更多有关ajax封装及数据处理,请参看上海尚学堂<Ajax中 ...

  3. Altium designer软件如何设计原理图库封装图库以及交互式布局

    欢迎大家关注http://www.raymontec.com(个人专博) Altium Designer学习—认识界面以及PCB设计整体要求 http://www.raymontec.com/alti ...

  4. 深入springboot原理——动手封装一个starter

    从上一篇文章<深入springboot原理——一步步分析springboot启动机制(starter机制)> 我们已经知道springboot的起步依赖与自动配置的机制.spring-bo ...

  5. Python基础(17)_面向对象程序设计(抽象类、继承原理、封装、多态,绑定方法)

    一.抽象类 抽象类是一个特殊的类,它的特殊之处在于只能被继承,不能被实例化 1.在python中实现抽象类 import abc #利用abc模块实现抽象类 class All_file(metacl ...

  6. Socket编程实践(11) --epoll原理与封装

    常用模型的特点 Linux 下设计并发网络程序,有典型的Apache模型(Process Per Connection,PPC), TPC(Thread Per Connection)模型,以及 se ...

  7. python3 uper(),继承实现原理,封装

    抽象类:本身不能被实例化,也不应该不实例化,它的作用就定义标准,并不用具体实现 import abc class Parent(metaclass=abc.ABCMeta): x=1 @abc.abs ...

  8. ajax原理及封装

    一:AJAX 简介 AJAX 是一种在无需重新加载整个网页的情况下,能够更新部分网页的技术,通过在后台与服务器进行少量数据交换,AJAX 可以使网页实现异步更新. AJAX = 异步 JavaScri ...

  9. [妙味Ajax]第一课:原理和封装

    知识点总结: ajax是异步的javascrip和xml,用异步的形式去操作xml 访问的是服务端,即https://127.0.0.1/ 或者 https://localhost 1.创建一个aja ...

随机推荐

  1. VS误删sln项目文件怎么办

    以项目名为Test为例 打开Test/Test目录下的 Test.vcxproj 文件,试着运行一下,退出后提示保存sln文件,选择一个目录即可.

  2. pycharm自定义代码段

    PyCharm使用技巧:Live Templates(快速输入自定义代码片段):链接

  3. typescript 起步之安装及配置 ts-node 环境变量

    最近vue 3.0 版本发布,让我认识到 typescript 将占有越来越重要的地位,所以我也开启了typescript学习之旅. 要想编写第一个 hello typescript 程序,当然要经过 ...

  4. 使用阿里云服务器配置frp实现Windows系统RDP内网穿透

    1.frp服务器采用阿里云ecs的centos7.5系统,客户端是台windows10的系统,做一个RDP服务的内网穿透用. 2.首先下载frp到服务器(链接:https://github.com/f ...

  5. idea 添加 阿里代码规范

    参考: https://blog.csdn.net/weixin_39220472/article/details/80077803

  6. idea没有import project解决办法

    参考:https://blog.csdn.net/zengxiaosen/article/details/52807540

  7. Python数据类型-7 bytes

    bytes 在Python3以后,字符串和bytes类型彻底分开了.字符串是以字符为单位进行处理的,bytes类型是以字节为单位处理的. bytes数据类型在所有的操作和使用甚至内置方法上和字符串数据 ...

  8. 夯实Java基础(二十)——JAVA正则表达式

    1.为什么要用正则表达式 首先我们先来做一道题目:判断一个字符串是否由数字组成.代码示例如下: public class Test { public static void main(String[] ...

  9. HackerOne去年发放超过8200万美元的赏金,联邦政府参与度大幅上涨

    2019年,由黑客驱动的漏洞赏金平台HackerOne支付的漏洞奖金几乎是前几年总和的两倍,达到8200万美元. HackerOne平台在2019年也将注册黑客数量翻了一番,超过了60万,同时全年收到 ...

  10. Linux 下安装 FFmpeg

    1. 下载源代码: git clone https://git.ffmpeg.org/ffmpeg.git ffmpeg 2. 编译 ./configure --enable-shared --pre ...