Oliver Eyton-Williams ee1e8abd87
feat(curriculum): restore seed + solution to Chinese (#40683)
* 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>
2021-01-12 19:31:00 -07:00

2.4 KiB
Raw Blame History

id, title, challengeType, forumTopicId, dashedName
id title challengeType forumTopicId dashedName
587d7b86367417b2b2512b3b 捕获使用索引的时候出现的错误 1 301189 catch-off-by-one-errors-when-using-indexing

--description--

当试图访问字符串或数组的特定索引(分割或访问一个片段)或循环索引时,有时会出现Off by one errors错误(有时称为 OBOE。JavaScript 索引从0开始,而不是1,这意味着最后一个索引总会比字符串或数组的长度少 1。如果尝试访问等于长度的索引程序可能会抛出“索引超出范围”引用错误或打印出undefined

当使用将索引范围作为参数的字符串或数组方法时,阅读相关的文档并了解参数中的索引的包含性(即是否考虑进返回值中)很重要。以下是一些错误的示例:

let alphabet = "abcdefghijklmnopqrstuvwxyz";
let len = alphabet.length;
for (let i = 0; i <= len; i++) {
  // 在最后多了一次循环
  console.log(alphabet[i]);
}
for (let j = 1; j < len; j++) {
  // 循环少了一次,漏掉了索引 0 处的字符
  console.log(alphabet[j]);
}
for (let k = 0; k < len; k++) {
  // 不多不少,这才是正确的
  console.log(alphabet[k]);
}

--instructions--

修复以下函数中的两个索引错误,以便将 1 到 5 之间(包含 1 和 5的所有数字打印到控制台。

--hints--

你应该设置循环的初始条件,使循环从第一个索引开始。

assert(code.match(/i\s*?=\s*?0\s*?;/g).length == 1);

你应修复循环的初始条件,使循环从索引 0 开始。

assert(!code.match(/i\s?=\s*?1\s*?;/g));

你应设置循环的终止条件,使循环在最后一个索引处停止。

assert(code.match(/i\s*?<\s*?len\s*?;/g).length == 1);

你应修复循环的终止条件,使循环在索引为字符串长度减 1 时停止。

assert(!code.match(/i\s*?<=\s*?len;/g));

--seed--

--seed-contents--

function countToFive() {
  let firstFive = "12345";
  let len = firstFive.length;
  // Only change code below this line
  for (let i = 1; i <= len; i++) {
  // Only change code above this line
    console.log(firstFive[i]);
  }
}

countToFive();

--solutions--

function countToFive() {
 let firstFive = "12345";
 let len = firstFive.length;
 // Only change code below this line
 for (let i = 0; i < len; i++) {
 // Only change code above this line
   console.log(firstFive[i]);
 }
}

countToFive();