Welcome to OStack Knowledge Sharing Community for programmer and developer-Open, Learning and Share
Welcome To Ask or Share your Answers For Others

Categories

0 votes
484 views
in Technique[技术] by (71.8m points)

javascript - When I call this recursive function with --> multiply( [ 1 , 2 , 3 , 4 , 5 ] , 3 ) , I get NaN. What is the reason behind?

When I call this recursive function with --> multiply( [ 1 , 2 , 3 , 4 , 5 ] , 3 ) , I get NaN. What is the reason behind?

let multiply = function (arr, num) {
    if (num <= 0) {
        return 1;
    }
    return arr[num - 1] * multiply([1, 2, 3, 4, 5], num - 1);
}
console.log(multiply( [ 1 , 2 , 3 , 4 , 5 ] , 3 ));

与恶龙缠斗过久,自身亦成为恶龙;凝视深渊过久,深渊将回以凝视…
Welcome To Ask or Share your Answers For Others

1 Answer

0 votes
by (71.8m points)

Because in the last call where num = 0 you are trying to access arr[num-1] which is arr[0-1] => arr[-1] = undefined. Hence all the result becomes NaN.

You need to write the method in following way,

let multiply = function (arr, num) {
   
    if (num < 0) {
        return 1;
    }
   
    return arr[num] * multiply([1, 2, 3, 4], num - 1);
}

console.log(multiply( [ 1 , 2 , 3 , 4 , 5 ] , 3 ));

与恶龙缠斗过久,自身亦成为恶龙;凝视深渊过久,深渊将回以凝视…
Welcome to OStack Knowledge Sharing Community for programmer and developer-Open, Learning and Share
Click Here to Ask a Question

...