2
function mymethod(){
  alert("global mymethod");
}

function mysecondmethod(){
  alert("global mysecondmethod");
}

function hoisting(){
  alert(typeof mymethod);
  alert(typeof mysecondmethod);

  mymethod();         // local mymethod
  mysecondmethod(); // TypeError: undefined is not a function

  // mymethod AND the implementation get hoisted
  function mymethod(){
    alert("local mymethod");  
}

// Only the variable mysecondmethod get's hoisted
var mysecondmethod = function() {
    alert("local mysecondmethod");  
};
}
hoisting();

我无法理解在这种情况下吊装是如何工作的,以及为什么alert("local mysecondmethod");没有显示。如果有人可以告诉我顺序会很有帮助

4

2 回答 2

3

在您的hoisting函数内部,代码重新排序如下:

function hoisting(){
  var mysecondmethod;

  function mymethod(){
    alert("local mymethod");  
  }

  alert(typeof mymethod);
  alert(typeof mysecondmethod);

  mymethod();
  mysecondmethod();


  mysecondmethod = function() {
    alert("local mysecondmethod");  
  };
}

在这里很明显,您mysecondmethod在函数范围内创建了一个新变量,它覆盖了您的外部定义。但是,在调用函数时,它还没有定义(还),因此您会遇到错误。

于 2013-04-25T12:31:00.300 回答
1

理解提升的最简单方法是获取所有 var 语句并将它们移动到包含它们的函数的顶部:

function hoisting(){
  var mysecondmethod; // locally undefined for now
  alert(typeof mymethod);
  alert(typeof mysecondmethod);

  mymethod();         // local mymethod
  mysecondmethod(); // TypeError: undefined is not a function

  // mymethod AND the implementation get hoisted
  function mymethod(){
    alert("local mymethod");  
  }

  // Only the variable mysecondmethod get's hoisted
  mysecondmethod = function() {
    alert("local mysecondmethod");  
  };
}
hoisting();
于 2013-04-25T12:29:55.470 回答