gpt4 book ai didi

javascript - 递归运行无限循环

转载 作者:行者123 更新时间:2023-12-04 02:08:40 26 4
gpt4 key购买 nike

我刚开始接触递归,所以我正在解决一个类似的问题

Create a function that takes numbers as arguments, adds them together, and returns the product of digits until the answer is only 1 digit long.

sumDigProd(16, 28) ➞ 6
// 16 + 28 = 44
// 4 * 4 = 16
// 1 * 6 = 6

sumDigProd(0) ➞ 0

sumDigProd(1, 2, 3, 4, 5, 6) ➞ 2

所以我用递归做了

function sumDigProd(...digits) {
let ans = digits.reduce((a, b) => a + b, 0);
console.log(ans);
const result=calc(ans);
function calc(ans) {
ans = ans.toString();
let pro = 1;
for (let i = 0; i < ans.length; i++) {
pro = pro * ans[i];
}
console.log(pro);
while (pro > 10) {
calc(pro);
}
return pro

}
return result
}
console.log(sumDigProd(16,28));

所以我在无限循环中运行它

最佳答案

您没有分配递归调用的返回值。

此外,您将迭代解决方案(使用 while)与递归解决方案混合在一起。您需要两者之一,而不是两者。

对于递归解决方案,您可以只使用 if。在这种情况下,您甚至可以立即返回递归调用的返回值。

另外,条件应该是 pro >= 10,因为 10 不能作为最终值:

function sumDigProd(...digits) {
let ans = digits.reduce((a, b) => a + b, 0);
console.log(ans);

function calc(ans) {
ans = ans.toString();
let pro = 1;
for (let i = 0; i < ans.length; i++) {
pro = pro * ans[i];
}
console.log(pro);
if (pro >= 10) {
return calc(pro); // recursive case
}
return pro; // base case
}

return calc(ans);
}
console.log(sumDigProd(16,28));

只需稍作改动即可实现迭代解决方案:

function sumDigProd(...digits) {
let pro = digits.reduce((a, b) => a + b, 0);
console.log(pro);

while (pro >= 10) {
ans = pro.toString();
pro = 1;
for (let i = 0; i < ans.length; i++) {
pro = pro * ans[i];
}
console.log(pro);
}

return pro;
}
console.log(sumDigProd(16,28));

将代码压缩到更小的占用空间,它可能会变成:

function sumDigProd(...digits) {
let pro = digits.reduce((a, b) => a + b, 0);
while (pro >= 10) {
pro = Array.from(pro.toString()).reduce((a, b) => a * b, 1);
}
return pro;
}
console.log(sumDigProd(16,28));

关于javascript - 递归运行无限循环,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/61717735/

26 4 0
Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
广告合作:1813099741@qq.com 6ren.com