代码之家  ›  专栏  ›  技术社区  ›  Gary Willoughby

是否可以使用闭包来模拟JavaScript中的常量?

  •  0
  • Gary Willoughby  · 技术社区  · 16 年前

    是否可以使用闭包来模拟JavaScript中的常量?如果是,你能给我举个例子吗?

    4 回复  |  直到 6 年前
        1
  •  6
  •   Community CDub    7 年前

    火狐和Chrome都支持 const 关键字。IE没有。所以如果你需要常量而不需要支持IE, 康斯特 不错的选择。但是请记住,当一个值被分配给 康斯特 ;值仅保持不变。

    否则,必须使用函数定义不能修改的常量:

    function PI() { return 3.14159; }
    
    var area = radius*radius * PI();
    

    当然,您可以只编写从不修改某些变量的代码,并可能为这些变量建立一个命名方案,这样您就可以认识到它们将永远不需要修改……

    // note to self: never assign values to variables utilizing all-uppercase name
    var PI = 3.14159;
    

    “模拟”常量的另一种选择是使用 property definition functionality 在某些浏览器中可用于定义对象的只读属性。当然,由于支持属性定义的浏览器不包括IE,这并没有真正的帮助…(注意 是否支持属性定义 after a fashion …但不在javascript对象上)

    最后,在 非常 您可能会将函数参数用作常量的人为方案(也许这是您建议闭包时的想法?)。虽然它们的行为是变量,但它们的作用域仍然是定义它们的函数,因此不能影响在修改它们的函数之外具有相同名称的变量所持有的值:

    var blah = 3;
    var naw = "nope";
    (function(blah, naw)
    {
      blah = 2;
      naw = "yeah";
      alert(naw + blah); // "yeah2"
    })(blah, naw);
    
    alert(naw + blah); // "nope3"
    

    注意类似的东西是 commonly used by jQuery plugins ,但原因正好相反:jquery代码通常是使用 $ 引用jquery对象的简写,但即使某些其他代码重新定义了该符号,库也将继续工作;方法是将库和插件代码包装在匿名函数中,并使用 $ 参数,然后传入 jQuery 作为参数,代码与其他库对 $ 后来。


    参见: Are there constants in Javascript?

        2
  •  2
  •   Christian C. Salvadó    16 年前
        3
  •  0
  •   Gary Willoughby    16 年前

    据我所知:

    <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Strict//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd">
    <html xmlns="http://www.w3.org/1999/xhtml">
        <head>
            <script type="text/javascript">
                function Scope()
                {
                    return function()
                    {
                        return {Constant: 1}; //Object literal
                    };
                }
                var Scope = Scope();
            </script>
        </head>
        <body>
            <script type="text/javascript">
                document.write(Scope().Constant + "<br />");
    
                //The following line of code has no effect and fails silently.
                Scope().Constant = 6;
    
                document.write(Scope().Constant + "<br />");
            </script>
        </body>
    </html>
    

    这种方法允许我通过扩展对象文本来扩展作用域,使其具有多个常量成员变量。

        4
  •  0
  •   Avinash Dangi    6 年前

    声明:

    function globals(){
        const x1="something";
        const x2="otherthing";
    
        return{
          getX1=function(){
            return x1;
          },
          getX2=function(){
            return x2;
          }
        }
     }
    
    var globalConstants=globals();
    

    访问:

    globalConstants.getX1();