* feat(tools): add seed/solution restore script * chore(curriculum): remove empty sections' markers * chore(curriculum): add seed + solution to Chinese * chore: remove old formatter * fix: update getChallenges parse translated challenges separately, without reference to the source * chore(curriculum): add dashedName to English * chore(curriculum): add dashedName to Chinese * refactor: remove unused challenge property 'name' * fix: relax dashedName requirement * fix: stray tag Remove stray `pre` tag from challenge file. Signed-off-by: nhcarrigan <nhcarrigan@gmail.com> Co-authored-by: nhcarrigan <nhcarrigan@gmail.com>
3.2 KiB
3.2 KiB
id, title, challengeType, forumTopicId, dashedName
id | title | challengeType | forumTopicId | dashedName |
---|---|---|---|---|
587d7b8e367417b2b2512b5c | 了解函数式编程术语 | 1 | 301240 | understand-functional-programming-terminology |
--description--
FCC 团队需求有变更,现在想要两种茶:绿茶(green tea)和红茶(black tea)。事实证明,用户需求变更是很常见的。
基于以上信息,我们需要重构上一节挑战中的getTea
函数来处理多种茶的请求。我们可以修改getTea
接受一个函数作为参数,使它能够修改茶的类型。这让getTea
更灵活,也使需求变更时为程序员提供更多控制权。
首先,我们将介绍一些术语:
Callbacks
是被传递到另一个函数中调用的函数。你应该已经在其他函数中看过这个写法,例如在filter
中,回调函数告诉 JavaScript 以什么规则过滤数组。
函数就像其他正常值一样,可以赋值给变量、传递给另一个函数,或从其它函数返回,这种函数叫做头等
函数。在 JavaScript 中,所有函数都是头等
函数。
将函数为参数或返回值的函数叫做高阶
函数。
当函数传递给另一个函数或从另一个函数返回时,那些传入或返回的函数可以叫做lambda
。
--instructions--
准备 27 杯绿茶和 13 杯红茶,分别存入tea4GreenTeamFCC
和tea4BlackTeamFCC
变量。请注意,getTea
函数已经变了,现在它接收一个函数作为第一个参数。
注意:数据(茶的数量)作为最后一个参数。我们将在后面的课程中对此进行更多讨论。
--hints--
tea4GreenTeamFCC
变量应存有为团队准备的 27 杯茶。
assert(tea4GreenTeamFCC.length === 27);
tea4GreenTeamFCC
变量应存有绿茶。
assert(tea4GreenTeamFCC[0] === 'greenTea');
tea4BlackTeamFCC
变量应存有 13 杯红茶。
assert(tea4BlackTeamFCC.length === 13);
tea4BlackTeamFCC
变量应存有红茶。
assert(tea4BlackTeamFCC[0] === 'blackTea');
--seed--
--seed-contents--
// Function that returns a string representing a cup of green tea
const prepareGreenTea = () => 'greenTea';
// Function that returns a string representing a cup of black tea
const prepareBlackTea = () => 'blackTea';
/*
Given a function (representing the tea type) and number of cups needed, the
following function returns an array of strings (each representing a cup of
a specific type of tea).
*/
const getTea = (prepareTea, numOfCups) => {
const teaCups = [];
for(let cups = 1; cups <= numOfCups; cups += 1) {
const teaCup = prepareTea();
teaCups.push(teaCup);
}
return teaCups;
};
// Only change code below this line
const tea4GreenTeamFCC = null;
const tea4BlackTeamFCC = null;
// Only change code above this line
console.log(
tea4GreenTeamFCC,
tea4BlackTeamFCC
);
--solutions--
const prepareGreenTea = () => 'greenTea';
const prepareBlackTea = () => 'blackTea';
const getTea = (prepareTea, numOfCups) => {
const teaCups = [];
for(let cups = 1; cups <= numOfCups; cups += 1) {
const teaCup = prepareTea();
teaCups.push(teaCup);
}
return teaCups;
};
const tea4BlackTeamFCC = getTea(prepareBlackTea, 13);
const tea4GreenTeamFCC = getTea(prepareGreenTea, 27);