* 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.5 KiB
2.5 KiB
id, title, challengeType, forumTopicId, dashedName
id | title | challengeType | forumTopicId | dashedName |
---|---|---|---|---|
587d7fa7367417b2b2512bc4 | 使用 D3 中的数据 | 6 | 301497 | work-with-data-in-d3 |
--description--
D3 是数据驱动的库,可以使用 D3 的方法将数组形式的数据显示在页面上。
第一步是让 D3 知道数据。data
方法选择连接着数据的 DOM 元素,数据集作为参数传递给该方法。
常见的方法是在文档中为数据集中的每一个数据创建一个元素,为此,你可以使用 D3 的 enter()
方法
当 enter()
和 data()
方法一起使用时,它把从页面中选择的元素和数据集中的元素作比较。如果页面中选择的元素较少则创建缺少的元素。
以下是一个选择 ul
元素并根据添加的数组创建新的列表项的例子。
<body>
<ul></ul>
<script>
const dataset = ["a", "b", "c"];
d3.select("ul").selectAll("li")
.data(dataset)
.enter()
.append("li")
.text("New item");
</script>
</body>
选择不存在的 li 元素似乎有些难以理解。事实上,这段代码先选择页面上的 ul 元素,再选择所有的列表项——li,它将返回空。然后data()方法接收数组作为参数,并运行三次后面的代码,每次对应数组中的一个对象。enter()方法发现页面中没有 li 元素,但是需要 3 个(每个对应dataset中的一个对象)。它将在 ul 中添加带有文本 "New item" 的 li 元素。
--instructions--
选择 body
节点,然后选择所有的 h2
元素。让 D3 为 dataset
数组中的每一个对象创建并添加文本为 "New Title" 的 h2
标签。你应该使用 data()
和 enter()
方法。
--hints--
你的文档应该有 9 个 h2
元素。
assert($('h2').length == 9);
h2
元素中的文本应为 'New Title'。大小写和空格必须一致。
assert(
$('h2')
.text()
.match(/New Title/g).length == 9
);
你应该使用 data()
方法。
assert(code.match(/\.data/g));
你应该使用 enter()
方法。
assert(code.match(/\.enter/g));
--seed--
--seed-contents--
<body>
<script>
const dataset = [12, 31, 22, 17, 25, 18, 29, 14, 9];
// Add your code below this line
// 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("New Title")
</script>
</body>