如何为打字稿类方法创建 Cron 作业

问题描述 投票:0回答:1

在 Typescript 中,我有一个控制器类,其中有一个我想每天早上 5 点运行的方法。

我的第一个想法是使用node-cron或node-scheduler来安排一些事情,但这些似乎严格适用于节点项目,而不是打字稿。

我需要做的是 a) 将我的整个打字稿项目转换为节点,然后 b) 按计划运行该方法。

似乎没有任何关于如何做到这一点的解释。我看到的解释都是关于按某种计划运行 node.js 函数,例如: 我需要一个 Nodejs 调度程序,允许以不同的时间间隔执行任务

下面的代码说明了我对我正在尝试做的事情的最佳近似。

控制器.ts

import SomeOtherClass from './factory';

class MyController {
    public async methodToRun(){
        console.log ("King Chronos")
    }
}

cron-job.ts

import MyController from "../src/controller";

let controller = new MyController();
var cronJob = require('cron').CronJob;
var myJob = new cronJob('00 30 11 * * 1-5', function(){
      controller.methodToRun();
      console.log("cron ran")
});
myJob.start();
node.js typescript cron node-cron node-schedule
1个回答
28
投票

我确实使用cron及其类型

npm i cron
npm i -D @types/cron

由于有可用的类型,它与 TypeScript 配合得很好。在我的 TypeScript 中我做了类似的事情:

import { CronJob } from 'cron';

class Foo {

  cronJob: CronJob;

  constructor() {
    this.cronJob = new CronJob('0 0 5 * * *', async () => {
      try {
        await this.bar();
      } catch (e) {
        console.error(e);
      }
    });
    
    // Start job
    if (!this.cronJob.running) {
      this.cronJob.start();
    }
  }

  async bar(): Promise<void> {
    // Do some task
  }
}

const foo = new Foo();

当然不需要在

Foo
的构造函数中启动作业。这只是一个例子。

© www.soinside.com 2019 - 2024. All rights reserved.