中间件
是软件开发过程中架构的一个通用概念,其目的在于为运行的主程序提供一个供外部自定义拓展的能力。比如:wen服务的controller层中间件针对request请求处理的前后进行通用的扩展处理、redux中间件针对store数据获取前后的扩展处理。。。
本文简单介绍一种中间件调用机制的模型,可以基于此应用到很多场景:
模型设计实现
基于洋葱模型,可以注册多个中间件,中间件函数可以执行任何必要的预处理或后处理动作,并通过调用next()来让控制权流转至下一个中间件。
class App {
constructor(middleware) {
this.middleware = middleware || [];
}
cursor = 0;
use(fn) {
this.middleware.push(fn);
}
async run(data) {
const fn = this.middleware[this.cursor++];
if (fn) {
return fn(data, (d) => this.run(d));
}
}
}
模型使用
/**
* 模拟异步情况
* @param {*} s
* @returns
*/
const wait = async (s) => {
return new Promise((resolve, reject) => {
setTimeout(() => {
resolve();
}, s);
});
};
/**
* 初始化中间件
*/
const m = new App([
async (data, next) => {
console.log("a-before", data);
await wait(1000);
const res = await next(data + "a");
console.log("a-after", res);
return res + "a";
},
async (data, next) => {
console.log("b-before", data);
await wait(1000);
const res = await next(data + "b");
console.log("b-after", res);
return res + "b";
},
]);
/**
* 注册中间件
*/
m.use(async (data, next) => {
console.log("c-before", data);
await next(data + "c");
await wait(1000);
console.log("c-after", 2);
return 2 + "c";
});
m.run(1);