1.7 KiB
1.7 KiB
id, title, challengeType, forumTopicId, dashedName
id | title | challengeType | forumTopicId | dashedName |
---|---|---|---|---|
587d7b88367417b2b2512b47 | 將 rest 操作符與函數參數一起使用 | 1 | 301221 | use-the-rest-parameter-with-function-parameters |
--description--
ES6 推出了用於函數參數的 rest 操作符幫助我們創建更加靈活的函數。 rest 操作符可以用於創建有一個變量來接受多個參數的函數。 這些參數被儲存在一個可以在函數內部讀取的數組中。
請看以下代碼:
function howMany(...args) {
return "You have passed " + args.length + " arguments.";
}
console.log(howMany(0, 1, 2));
console.log(howMany("string", null, [1, 2, 3], { }));
控制檯將顯示字符串 You have passed 3 arguments.
和 You have passed 4 arguments.
。
使用 rest 參數,就不需要查看 args
數組,並且允許我們在參數數組上使用 map()
、filter()
和 reduce()
。
--instructions--
修改 sum
函數,使用 rest 參數,使 sum
函數可以接收任意數量的參數,並返回它們的總和。
--hints--
sum(0,1,2)
的結果應是 3。
assert(sum(0, 1, 2) === 3);
sum(1,2,3,4)
的結果應是 10。
assert(sum(1, 2, 3, 4) === 10);
sum(5)
的結果應是 5。
assert(sum(5) === 5);
sum()
的結果應是 0。
assert(sum() === 0);
sum
應是一個箭頭函數,對 args
參數使用 rest 操作符語法(...
)。
assert(__helpers.removeWhiteSpace(code).match(/sum=\(\.\.\.args\)=>/));
--seed--
--seed-contents--
const sum = (x, y, z) => {
const args = [x, y, z];
return args.reduce((a, b) => a + b, 0);
}
--solutions--
const sum = (...args) => {
return args.reduce((a, b) => a + b, 0);
}