2018-10-10 18:03:03 -04:00
|
|
|
---
|
|
|
|
id: 56533eb9ac21ba0edf2244e1
|
2020-12-16 00:37:30 -07:00
|
|
|
title: 循环嵌套
|
2018-10-10 18:03:03 -04:00
|
|
|
challengeType: 1
|
2020-04-29 18:29:13 +08:00
|
|
|
videoUrl: 'https://scrimba.com/c/cRn6GHM'
|
|
|
|
forumTopicId: 18248
|
2021-01-13 03:31:00 +01:00
|
|
|
dashedName: nesting-for-loops
|
2018-10-10 18:03:03 -04:00
|
|
|
---
|
|
|
|
|
2020-12-16 00:37:30 -07:00
|
|
|
# --description--
|
|
|
|
|
2020-04-29 18:29:13 +08:00
|
|
|
如果你有一个二维数组,可以使用相同的逻辑,先遍历外面的数组,再遍历里面的子数组。下面是一个例子:
|
|
|
|
|
|
|
|
```js
|
|
|
|
var arr = [
|
|
|
|
[1,2], [3,4], [5,6]
|
|
|
|
];
|
|
|
|
for (var i=0; i < arr.length; i++) {
|
|
|
|
for (var j=0; j < arr[i].length; j++) {
|
|
|
|
console.log(arr[i][j]);
|
|
|
|
}
|
|
|
|
}
|
|
|
|
```
|
|
|
|
|
2020-12-16 00:37:30 -07:00
|
|
|
一次输出`arr`中的每个子元素。提示,对于内部循环,我们可以通过`arr[i]`的`.length`来获得子数组的长度,因为`arr[i]`的本身就是一个数组。
|
2018-10-10 18:03:03 -04:00
|
|
|
|
2020-12-16 00:37:30 -07:00
|
|
|
# --instructions--
|
2018-10-10 18:03:03 -04:00
|
|
|
|
2020-12-16 00:37:30 -07:00
|
|
|
修改函数`multiplyAll`,获得`arr`内部数组的每个数字相乘的结果`product`。
|
2018-10-10 18:03:03 -04:00
|
|
|
|
2020-12-16 00:37:30 -07:00
|
|
|
# --hints--
|
2018-10-10 18:03:03 -04:00
|
|
|
|
2020-12-16 00:37:30 -07:00
|
|
|
`multiplyAll([[1],[2],[3]])`应该返回 `6`。
|
2018-10-10 18:03:03 -04:00
|
|
|
|
|
|
|
```js
|
2020-12-16 00:37:30 -07:00
|
|
|
assert(multiplyAll([[1], [2], [3]]) === 6);
|
2018-10-10 18:03:03 -04:00
|
|
|
```
|
|
|
|
|
2020-12-16 00:37:30 -07:00
|
|
|
`multiplyAll([[1,2],[3,4],[5,6,7]])`应该返回 `5040`。
|
2018-10-10 18:03:03 -04:00
|
|
|
|
2020-12-16 00:37:30 -07:00
|
|
|
```js
|
|
|
|
assert(
|
|
|
|
multiplyAll([
|
|
|
|
[1, 2],
|
|
|
|
[3, 4],
|
|
|
|
[5, 6, 7]
|
|
|
|
]) === 5040
|
|
|
|
);
|
|
|
|
```
|
2018-10-10 18:03:03 -04:00
|
|
|
|
2020-12-16 00:37:30 -07:00
|
|
|
`multiplyAll([[5,1],[0.2, 4, 0.5],[3, 9]])`应该返回 `54`。
|
2020-04-29 18:29:13 +08:00
|
|
|
|
2018-10-10 18:03:03 -04:00
|
|
|
```js
|
2020-12-16 00:37:30 -07:00
|
|
|
assert(
|
|
|
|
multiplyAll([
|
|
|
|
[5, 1],
|
|
|
|
[0.2, 4, 0.5],
|
|
|
|
[3, 9]
|
|
|
|
]) === 54
|
|
|
|
);
|
2018-10-10 18:03:03 -04:00
|
|
|
```
|
2020-04-29 18:29:13 +08:00
|
|
|
|
2021-01-13 03:31:00 +01:00
|
|
|
# --seed--
|
|
|
|
|
|
|
|
## --seed-contents--
|
|
|
|
|
|
|
|
```js
|
|
|
|
function multiplyAll(arr) {
|
|
|
|
var product = 1;
|
|
|
|
// Only change code below this line
|
|
|
|
|
|
|
|
// Only change code above this line
|
|
|
|
return product;
|
|
|
|
}
|
|
|
|
|
|
|
|
multiplyAll([[1,2],[3,4],[5,6,7]]);
|
|
|
|
```
|
|
|
|
|
2020-12-16 00:37:30 -07:00
|
|
|
# --solutions--
|
|
|
|
|
2021-01-13 03:31:00 +01:00
|
|
|
```js
|
|
|
|
function multiplyAll(arr) {
|
|
|
|
var product = 1;
|
|
|
|
for (var i = 0; i < arr.length; i++) {
|
|
|
|
for (var j = 0; j < arr[i].length; j++) {
|
|
|
|
product *= arr[i][j];
|
|
|
|
}
|
|
|
|
}
|
|
|
|
return product;
|
|
|
|
}
|
|
|
|
|
|
|
|
multiplyAll([[1,2],[3,4],[5,6,7]]);
|
|
|
|
```
|