zoukankan      html  css  js  c++  java
  • var foo = function () {} 和 function foo() 有什么区别?

    简单的说 如果我们使用 匿名函数
    var FUNCTION_NAME = function() { /* FUNCTION_BODY */}; 
    

    这种方式, 编译后变量声明FUNCTION_NAME 会“被提前”了,但是他的赋值(也就是FUNCTION_BODY)并不会被提前。
    也就是,匿名函数只有在被调用时才被初始化。

    如果我们使用
    function FUNCTION_NAME () 
    { /* FUNCTION_BODY */}; 
    

    这种方式, 编译后函数声明和他的赋值都会被提前。
    也就是说函数声明过程在整个程序执行之前的预处理就完成了,所以只要处于同一个作用域,就可以访问到,即使在定义之前调用它也可以。


    请先看一个例子
    function hereOrThere() { //function statement
      return 'here';
    }
    
    alert(hereOrThere()); // alerts 'there'
    
    function hereOrThere() {
      return 'there';
    }
    

    我们会发现alert(hereOrThere) 语句执行时会alert('there')!这里的行为其实非常出乎意料,主要原因是JavaScript 函数声明的“提前”行为,简而言之,就是Javascript允许我们在变量和函数被声明之前使用它们,而第二个定义覆盖了第一种定义。换句话说,上述代码编译之后相当于


    function hereOrThere() { //function statement
      return 'here';
    }
    
    function hereOrThere() {//申明前置了,但因为这里的申明和赋值在一起,所以一起前置
      return 'there';
    }
    
    alert(hereOrThere()); // alerts 'there'
    

    强烈推荐阅读下面文章,JavaScript 中对变量和函数声明的“提前(hoist)”


    再看下面一个例子:


    var hereOrThere = function() { // function expression
      return 'here';
    };
    
    alert(hereOrThere()); // alerts 'here'
    
    hereOrThere = function() {
      return 'there';
    };
    
    这里就是我们期待的behavior,这段程序编译之后相当于:

    var hereOrThere;//申明前置了
    
    hereOrThere = function() { // function expression
      return 'here';
    };
    
    alert(hereOrThere()); // alerts 'here'
    
    hereOrThere = function() {
      return 'there';
    };
    作者:严肃
    链接:https://www.zhihu.com/question/19878052/answer/32361868
  • 相关阅读:
    socket (一)
    yield生成器及字符串的格式化
    python模块(json和pickle模块)
    python标准模块(time、datetime及hashlib模块)
    python标准模块(os及sys模块)
    python模块简介
    python --> 正则表达式
    python --> 递归 以及装饰器
    python基础知识(四)
    python基础知识(三)
  • 原文地址:https://www.cnblogs.com/smallroc/p/6596456.html
Copyright © 2011-2022 走看看