freeCodeCamp/curriculum/challenges/chinese/02-javascript-algorithms-an.../basic-javascript/local-scope-and-functions.md

1.9 KiB

id title challengeType videoUrl forumTopicId dashedName
56533eb9ac21ba0edf2244bf 局部作用域和函数 1 https://scrimba.com/c/cd62NhM 18227 local-scope-and-functions

--description--

在一个函数内声明的变量,以及该函数的参数都具有局部(local)作用域。 这意味着它们只在该函数内可见。

这是在函数 myTest 内声明局部变量 loc 的例子:

function myTest() {
  var loc = "foo";
  console.log(loc);
}
myTest();
console.log(loc);

myTest() 函数调用将在控制台中显示字符串 fooconsole.log(loc) 行会产生一个错误,因为 loc 没有定义在函数之外。

--instructions--

编辑器有两个 console.log 来帮助您了解正在发生的事情。 检查控制台的代码输出以查看它是如何改变的。 在 myLocalScope 中声明一个本地变量 myVar 并运行测试。

注意: 控制台仍将显示 ReferenceError: myVar is not defined,但这不会导致测试失败。

--hints--

不应该包含全局的 myVar 变量。

function declared() {
  myVar;
}
assert.throws(declared, ReferenceError);

需要定义局部的 myVar 变量。

assert(
  /functionmyLocalScope\(\)\{.*(var|let|const)myVar[\s\S]*}/.test(
    __helpers.removeWhiteSpace(code)
  )
);

--seed--

--seed-contents--

function myLocalScope() {

  // Only change code below this line

  console.log('inside myLocalScope', myVar);
}
myLocalScope();

// Run and check the console
// myVar is not defined outside of myLocalScope
console.log('outside myLocalScope', myVar);

--solutions--

function myLocalScope() {

  // Only change code below this line
  var myVar;
  console.log('inside myLocalScope', myVar);
}
myLocalScope();

// Run and check the console
// myVar is not defined outside of myLocalScope
console.log('outside myLocalScope', myVar);