ReferenceError: "x" is not defined
错误信息
ReferenceError: "x" is not defined
错误类型
什么地方出错了?
示例
变量没有被声明
js
foo.substring(1); // ReferenceError: foo is not defined
“foo”变量没有在任何地方被声明。它需要是某种字符串,这样 String.prototype.substring()
方法才可以正常工作。
js
var foo = "bar";
foo.substring(1); // "ar"
错误的作用域
变量必须是在它当前的执行环境中可用的。在一个函数(function)中定义的变量不能从这个函数外部的任何地方访问,因为这个变量的作用域仅在这个函数的内部。
js
function numbers() {
var num1 = 2,
num2 = 3;
return num1 + num2;
}
console.log(num1); // ReferenceError num1 is not defined.
然而,一个函数可用使用在它所被定义的作用域中的所有变量。换句话说,当一个函数被定义在全局作用域的时候,它可以访问所有在全局作用域中定义的变量。
js
var num1 = 2,
num2 = 3;
function numbers() {
return num1 + num2;
}
console.log(num1); // 2