freeCodeCamp/curriculum/challenges/chinese/04-data-visualization/data-visualization-with-d3/set-a-domain-and-a-range-on...

2.8 KiB
Raw Blame History

id challengeType forumTopicId localeTitle
587d7fac367417b2b2512bdb 6 301491 按比例设置域和范围

Description

默认情况下,比例尺使用同一关系(identity relationship),即输入值直接映射为输出值。但是比例尺可以更灵活更有趣。 假设有一个数据集范围为 50 到 480这是缩放的输入信息也被称为域(domain)。 你想沿着 10 个单位到 500 个单位的 x 轴映射这些点到 SVG 画布上。这是输出信息,也被称为范围(range)。 domain()range() 方法设置缩放的值,它们都以至少有两个元素的数组为参数。下面是一个例子:
// 设置域
// 域覆盖了一组输入值
scale.domain([50, 480]);
// 设置范围
// 范围覆盖了一组输出值
scale.range([10, 500]);
scale(50) // 返回 10
scale(480) // 返回 500
scale(325) // 返回 323.37
scale(750) // 返回 807.67
d3.scaleLinear()

注意,比例尺使用了域和范围之间的线性关系来找出给定数字的输出值。域中的最小值(50)映射为范围中的最小值(10)。

Instructions

创建一个比例尺,将它的域设置为 [250, 500],范围设置为 [10, 150]提示
你可以将 domain()range() 方法串联在 scale 变量后。

Tests

tests:
  - text: 你应该使用 <code>domain()</code> 方法。
    testString: assert(code.match(/\.domain/g));
  - text: 比例尺的 <code>domain()</code> 应该设置为 <code>[250, 500]</code>。
    testString: assert(JSON.stringify(scale.domain()) == JSON.stringify([250, 500]));
  - text: 你应该使用 <code>range()</code> 方法。
    testString: assert(code.match(/\.range/g));
  - text: 比例尺的 <code>range()</code> 应该设置为 <code>[10, 150]</code>。
    testString: assert(JSON.stringify(scale.range()) == JSON.stringify([10, 150]));
  - text: <code>h2</code> 的文本应该为 -102。
    testString: assert($('h2').text() == '-102');

Challenge Seed

<body>
  <script>
    // 在下面添加你的代码
    const scale = d3.scaleLinear();



    // 在上面添加你的代码
    const output = scale(50);
    d3.select("body")
      .append("h2")
      .text(output);
  </script>
</body>

Solution

<body>
  <script>
    const scale = d3.scaleLinear();
    scale.domain([250, 500])
    scale.range([10, 150])
    const output = scale(50);
    d3.select("body")
      .append("h2")
      .text(output);
  </script>
</body>