Files
Nicholas Carrigan (he/him) 3da4be21bb chore: seed chinese traditional (#42005)
Seeds the chinese traditional files manually so we can deploy to
staging.
2021-05-05 22:43:49 +05:30

2.1 KiB
Raw Permalink Blame History

id, title, challengeType, videoUrl, forumTopicId, dashedName
id title challengeType videoUrl forumTopicId dashedName
cf1111c1c12feddfaeb1bdef 使用 JavaScript 生成隨機整數 1 https://scrimba.com/c/cRn6bfr 18186 generate-random-whole-numbers-with-javascript

--description--

生成隨機小數很棒,但隨機數更有用的地方在於生成隨機整數。

  1. Math.random() 生成一個隨機小數。
  2. 把這個隨機小數乘以 20
  3. Math.floor() 向下取整,獲得它最近的整數。

記住 Math.random() 永遠不會返回 1。同時因爲我們是在向下取整,所以最終我們獲得的結果不可能有 20。 這確保了我們獲得了一個在 019 之間的整數。

把操作連綴起來,代碼類似於下面:

Math.floor(Math.random() * 20);

我們先調用 Math.random(),把它的結果乘以 20然後把上一步的結果傳給 Math.floor(),最終通過向下取整獲得最近的整數。

--instructions--

使用這個方法生成並返回 09 之間的隨機整數。

--hints--

randomWholeNum 的結果應該是一個整數。

assert(
  typeof randomWholeNum() === 'number' &&
    (function () {
      var r = randomWholeNum();
      return Math.floor(r) === r;
    })()
);

應該使用 Math.random 生成一個隨機數字。

assert(code.match(/Math.random/g).length >= 1);

應該將 Math.random 的結果乘以 10以生成 0 到 9 之間的隨機數。

assert(
  code.match(/\s*?Math.random\s*?\(\s*?\)\s*?\*\s*?10[\D]\s*?/g) ||
    code.match(/\s*?10\s*?\*\s*?Math.random\s*?\(\s*?\)\s*?/g)
);

應該使用 Math.floor 來刪除數字的十進制部分。

assert(code.match(/Math.floor/g).length >= 1);

--seed--

--after-user-code--

(function(){return randomWholeNum();})();

--seed-contents--

function randomWholeNum() {

  // Only change code below this line

  return Math.random();
}

--solutions--

function randomWholeNum() {
  return Math.floor(Math.random() * 10);
}