我目前正在进行一些科学计算,只要至少有一个参数为假,我的基本计算循环就会被递归调用一遍又一遍地执行。
目前我的nodejs服务器在大约905 - 915递归函数调用停止。
奇怪的是,它不会崩溃,也不会输出任何错误。它只是停止做任何事情 - >没有更多的日志等。
节点是否有一些保护行为以避免溢出?
我正在努力解决这个问题几周,同时尝试用尽可能智能的软件来限制“循环”。
感谢您的帮助&咨询。 问候Noa。
根据要求,我提供了一些实际代码的抽象
我希望这会有所帮助。我不能把原始代码放在这里,因为它包含超过1.5k的行 - 需要检查很多。 但下面的例子涵盖了递归调用背后的基本逻辑。
// Contains objects which contain an array
// which represents the amount of the ex_obj terms
var amount = {
a:[10,10],
b:[7.5,7.5],
c:[2.5,2.5,2.5,2.5]
}
// Contains objects, which contain an array of other objects
// that represent some selection
// Each object in an array consists of different values per attribute per 1 amount
var ex_obj = {
a: [
{aa: 1.41, ab: 0.143, ac: 0.5},
{aa: 1.30, ab: 1.43, ac: 0.42}
],
b: [
{aa: 0.32, ab: 5.54, ac: 1.3},
{aa: 0.33, ab: 4.49, ac: 2.5}
],
c: [
{aa: 0.54, ab: 1.4, ac: 3.5},
{aa: 0.39, ab: 1.434, ac: 3.91},
{aa: 0.231, ab: 1.44324, ac: 2.91},
{aa: 0.659, ab: 1.554, ac: 3.9124},
]
}
// Here we have an object that represents
// the "to be" state which should be achieved
var should_be ={
aa: 14.534,
ab: 3.43,
ac: 5.534
}
function calculate(){
// Now we want to mulitply the amount object values with
// the ex_obj values
for(let prop in ex_obj){
for(let i = 0, i < ex_obj[prop].length, i++){
for(let propa in ex_obj[prop][i]){
// here every aa,ab,ac gets mulitplied with the
// contains of the amount obj for the matching
// propertyname
}
}
}
// the next step is to check if the sum of all ex_obj property
// child values per aa, ab and ac match the should_be propertie values
// if everything is above the should_be and not too high then the
// programm can stop here and print out the amount obj.
// if the sum of the ex_obj properties is too little
// compared to the should_be obj
// we need to check which property is too little
// e.g. aa is too little
// then we check where aa in the ex_obj per 1 value is
// the highest
// then we increment the matching amount property child
// and start calculate() again
// same procedure for - if something is too much
}
答案 0 :(得分:5)
由于您的代码尚未完成,因此很难准确说明出现了什么问题。如果超过节点的调用堆栈限制,您将获得异常,尽管1000次递归通常不是问题。
可能是你窒息了Node.js事件循环。您可以尝试调用
,而不是直接调用递归函数Left
答案 1 :(得分:1)
直接递归调用会导致堆栈溢出并不令人惊讶,但是,频繁的函数调用似乎会让节点挂起(BTW,我不知道为什么会发生这种情况:())。
例如,以下脚本在我的机器上以1.6 GHz CPU和3.3 GiB内存在4k~5k左右的循环中被冻结,并且节点在此之后不断吞咽我的可用内存。
var i = 0;
function cal() {
console.log(++i);
process.nextTick(cal);
}
cal();
但如果我将process.nextTick(cal);
更改为setTimeout(cal, 0);
,一切正常。
至于你的问题,我认为你可以在你的脚本中使用类似setTimeout(calculate, 100)
的东西来防止递归调用并稍微推迟它。