在我的应用程序中,我需要每晚同步一些资源。/api/sync/
通过向正文中的 JSON 对象数组发送 PUT 请求来启动同步。我的任务是在我的应用程序中以 JSON 格式镜像数据,因此首先我必须解决需要添加、更新和删除的内容,然后向数据库发出适当的查询。这可能需要一段时间,所以我不希望有任何其他要求妨碍我。
所以我需要关闭 Express 的连接,进行同步并重新开始收听。但是有2个问题:
http.Server.close()
阻止接收新连接但等待已经执行完成- 有可能
PUT /api/sync/
在前一个请求可以调用之前收到另一个请求close()
。PUT /api/sync/
因此,将接受2 个传入请求进行处理。
目前我以这种方式创建 Express 应用程序:
// index.js
const app = express();
app.server = new Server(app);
app.server.start();
// Server.ts
export class Server {
public readonly server: http.Server;
private readonly close: () => Promise<http.Server>;
private readonly listen: (port: number) => Promise<http.Server>;
constructor(public readonly app: express.Application) {
this.server = http.createServer(app);
this.close = promisify<http.Server>(this.server.close.bind(this.server));
this.listen = promisify<http.Server>(this.server.listen.bind(this.server));
}
async start() {
console.log('START');
await this.listen(Number(process.env.PORT));
}
async stop() {
console.log('STOP');
if (!this.server.listening) {
throw new Error('Server is not listening');
}
await this.close();
}
}
// middleware
module.exports = fn => (req, res, next) => {
console.log('START MAINTENANCE');
req.app.server.stop()
.then(() => {
const endMaintenance = (err) => {
console.log('END MAINTENANCE');
req.app.server.start().then(() => next(err));
};
Promise.resolve(fn(req, res)).then(() => endMaintenance())
.catch(err => endMaintenance(err));
});
};
// route definition
routes.put(
'/',
exclusiveRun(
async (req: Request, res: Response) => {
await dataSync.synchronize(req.body);
res.sendStatus(204);
}
)
);
但是,当我/api/sync
连续向端点发送 2 个请求时,Express 接受它们,然后其中一个会引发“服务器未在侦听”错误。我在哪里出错?这种方法是否足以防止中断同步过程(或在同步进行时造成麻烦)?