* 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>
2.7 KiB
2.7 KiB
id, title, challengeType, forumTopicId, dashedName
id | title | challengeType | forumTopicId | dashedName |
---|---|---|---|---|
587d7fa7367417b2b2512bc5 | 使用 D3 中的动态数据 | 6 | 301498 | work-with-dynamic-data-in-d3 |
--description--
最后两个挑战涉及到使用 D3 的 data()
和 enter()
方法来动态展示数据。它们以数据集为参数,和 append()
方法一起使用,为数据集中的每一个元素对象创建一个 DOM 元素。
在之前的挑战中,你为 dataset
数组中的每一个对象创建了一个新的 h2
元素,但是它们的文本都是相同的 "New Title"。 这是因为你还没有使用和每个 h2
元素关联的数据。
text()
方法以字符串或者回调函数作为参数:
selection.text((d) => d)
上面这个例子中的参数 d
指关联数据集的一个对象。
以当前例子为例,第一个 h2
元素和 12 关联,第二个 h2
元素和 31 关联,第三个 h2
元素和 22 关联,以此类推。
--instructions--
改变 text()
方法使得每个 h2
元素显示 dataset
数组中的对应值加上一个空格和 "USD"。例如,第一个标题应该为 "12 USD"。
--hints--
第一个 h2
的文本应该为 '12 USD'。
assert($('h2').eq(0).text() == '12 USD');
第二个 h2 的文本应该为 '31 USD'。
assert($('h2').eq(1).text() == '31 USD');
第三个 h2 的文本应该为 '22 USD'。
assert($('h2').eq(2).text() == '22 USD');
第四个 h2 的文本应该为 '17 USD'。
assert($('h2').eq(3).text() == '17 USD');
第五个 h2 的文本应该为 '25 USD'。
assert($('h2').eq(4).text() == '25 USD');
第六个 h2 的文本应该为 '18 USD'。
assert($('h2').eq(5).text() == '18 USD');
第七个 h2 的文本应该为 '29 USD'。
assert($('h2').eq(6).text() == '29 USD');
第八个 h2 的文本应该为 '14 USD'。
assert($('h2').eq(7).text() == '14 USD');
第九个 h2 的文本应该为 '9 USD'。
assert($('h2').eq(8).text() == '9 USD');
--seed--
--seed-contents--
<body>
<script>
const dataset = [12, 31, 22, 17, 25, 18, 29, 14, 9];
d3.select("body").selectAll("h2")
.data(dataset)
.enter()
.append("h2")
// Add your code below this line
.text("New Title");
// Add your code above this line
</script>
</body>
--solutions--
<body>
<script>
const dataset = [12, 31, 22, 17, 25, 18, 29, 14, 9];
d3.select("body").selectAll("h2")
.data(dataset)
.enter()
.append("h2")
.text((d) => `${d} USD`);
</script>
</body>