1

下面的 JavaScript 代码是否具有正确的变量声明,或任何其他方式来定义它?我可以知道这种变量声明的方法吗?

var JQFUNCS = {
  runFunc: {
    "jsonp": {
      run: function (id) {
        var demobox = $('#' + id);
        demobox.html('<img id="loading" src="images/loading.gif" />');
        $.getJSON("http://api.flickr.com/services/feeds/photos_public.gne?jsoncallback=?", {
          tags: "jquery",
          tagmode: "any",
          format: "json"
        }, function (data) {
          demobox.empty();
          $.each(data.items, function (i, item) {
            demobox.append('<a href="' + item.link + '" target="_blank"><img style="max-width:150px;" src="' + item.media.m + '" alt="' + item.title + '" title="' + item.title + '" />');
            if (i == 10) return false;
          });
          $('#' + id + ' #loading').hide();
        });
      },
      reset: function (id) {
        $('#' + id).empty().hide();
      }
    }
  }
}
4

1 回答 1

2

这种变量声明的方法称为 Object Literal。

var objectLiteral = {
   propertyOne: 1,

   functionTwo: function() {
      return 2;
   }
};

用途:非常适合以更传统的方式封装属于一起的数据和功能。防止因重复的变量名称而使全局命名空间混乱。除非您使用对象复制策略,否则仅提供对象的一个​​实例。

您还可以使用函数声明:

function funcDeclaration() {
   this.propertyOne = 1;

   this.functionTwo = function() {
      return 2;
   }
}
var obj = new funcDeclaration();

用途:允许实例化对象,非常类似于类。具有对象文字的所有灵活性以及一些灵活性。

这里没有正确或错误的答案。其中一些是情况、惯例或偏好。

哎呀,您甚至可以将两者结合起来,并通过使用自执行功能变得非常棘手(如果您试图模拟可见性修饰符):

var objectLiteral = (function() {
    //currently within a self-executing function, syntax allows this

    var privatePropertyOne = 1;
    function privateFunctionTwo() { //yes, functions can contain other functions
        return 2;
    }

    //the self-executing function returns and object literal that contains references to the privately scoped items defined above.
    return {
        PropertyOne: function() { return privatePropertyOne; },
        FunctionTwo: privateFunctionTwo
    };  
})();

用途:专业且有趣。=P 不一定是可读的,而且肯定会让任何新手 javascript 开发人员大吃一惊。

于 2013-04-09T07:07:46.817 回答