给出连续奇数的三角形:
1
3 5
7 9 11
13 15 17 19
21 23 25 27 29
//从行索引(从索引1开始)计算此三角形的行和,例如:
rowSumOddNumbers(1); // 1
rowSumOddNumbers(2); // 3 + 5 = 8
我尝试使用for循环来解决这个问题:
function rowSumOddNumbers(n){
let result = [];
// generate the arrays of odd numbers
for(let i = 0; i < 30; i++){
// generate sub arrays by using another for loop
// and only pushing if the length is equal to current j
let sub = [];
for(let j = 1; j <= n; j++){
// if length === j (from 1 - n) keep pushing
if(sub[j - 1].length <= j){
// and if i is odd
if(i % 2 !== 0){
// push the i to sub (per length)
sub.push(i);
}
}
}
// push everything to the main array
result.push(sub);
}
// return sum of n
return result[n + 1].reduce(function(total, item){
return total += item;
});
}
我上面的代码无效。基本上我计划第一次生成一个小于30的奇数数组。接下来我需要在迭代(j)的长度上创建一个子数组,该数组来自1 - n(通过)。然后最后把它推到主阵列。然后使用reduce来获取该索引中所有值的总和+ 1(因为索引从1开始)。
知道我错过了什么,以及如何使这项工作?
答案 0 :(得分:1)
大多数代码问题首先涉及一些分析,以便发现可以转换为代码的模式。看三角形,你会看到每一行的总和遵循一个模式:
1: 1 === 1 ^ 3
2: 3 + 5 = 8 === 2 ^ 3
3: 7 + 9 + 11 = 27 === 3 ^ 3
... etc
因此,从上面的分析可以看出,您的代码可能会略有简化 - 我不会发布答案,但请考虑使用Math.pow
。
答案 1 :(得分:0)
不需要任何循环。
function rowSumOddNumbers(n) {
// how many numbers are there in the rows above n?
// sum of arithmetic sequence...
let numbers_before_n_count = (n - 1) * n / 2;
let first_number_in_nth_row = numbers_before_n_count * 2 + 1;
let last_number_in_nth_row = first_number_in_nth_row + 2 * (n - 1);
// sum of arithmetic sequence again...
return n * (first_number_in_nth_row + last_number_in_nth_row) / 2;
}