我正在构建一个Node.js应用程序,并且我有一个{5}运行一次的setInterval
函数。我的问题是必须在我的任何路由在该文件中运行之前运行此功能。
我需要在我的应用程序启动时立即运行setInterval,但是此后每5秒运行一次。
到目前为止,我已经尝试将setInterval设置为较低的值,但是这会给我的外部服务带来太大的压力,因为此代码格式将用于一堆文件(〜30)。
var express = require('express');
var router = express.Router();
const config = require("../config/config");
const request = require("request");
var consul = require("consul")({host: '10.0.1.248'});
var consulBase = [];
var options;
setInterval(() => {
consul.catalog.service.nodes('auth', function(err, results) {
if(err) {console.log(err); throw err;}
if(results.length <= 0) throw 'Unable to find any services with that name.. exiting process...';
if(results.length > 0) consulBase = [];
results.forEach((result) => {
consulBase.push(result.ServiceAddress+ ':' +result.ServicePort);
});
var serviceURL = 'http://' + consulBase[Math.floor(Math.random()*consulBase.length)];
options = {
baseUrl : serviceURL
};
});
}, 5 * 1000);
router.get('/login', (req, res) => {
request.get(req.path, options, (error, response, body) => {
if (error) throw error;
res.send(body);
});
});
module.exports = router;
我愿意将其放入另一个文件中,然后将其自身呈现为一个函数,该函数采用服务名称并给出一个options
变量以及所需的数据。不知道我会怎么做。
答案 0 :(得分:0)
用一种简单的方法包装setInterval
,该方法在参数中调用函数,然后创建间隔并返回间隔ID。
let intervalId = executeAndRepeat(function(){
//do your thing
if(someCondition)
return clearInterval(intervalId);
}, 5 * 1000);
function executeAndRepeat(fcn, intervalTime){
fcn();
return setInterval(fcn, intervalTime);
}
答案 1 :(得分:0)
您可能希望使用node-cron之类的程序包查看节点的计划任务。例如,以下代码将每5秒运行一次
var cron = require('node-cron');
yourCode();
cron.schedule('*/5 * * * * *', () => {
yourCode();
});
function yourCode(){
console.log('running every 5 seconds');
}
没有node-cron
yourCode();
setInterval(() => {
yourCode();
}, 5 * 1000);
function yourCode (){
console.log('running every 5 seconds');
}
在单独的文件中
//code.js
module.exports.yourCode= (req, res) =>{
console.log('running every 5 seconds');
}
//app.js
const yourCode = require ('./code').yourCode;
yourCode();
setInterval(() => {
yourCode ();
}, 5 * 1000);