jQuery插件使用揭示原型模式

时间:2012-06-28 07:01:47

标签: javascript jquery

我正在使用揭示原型模式开发一个jQuery插件,我在实例化我的对象时遇到了一些麻烦。下面是插件的代码:

(function($) {

var GammadiaCalendar = function(elem, options) {
    this.elem = elem;
    this.$elem = $(elem);
    this.options = options;
};

GammadiaCalendar.prototype = function() {

    var defaults = {
        message: 'Hello world!'
    },

    init = function() {

        this.config = $.extend({}, this.defaults, this.options);

        this.displayMessage();

        return this;
    },

    displayMessage = function() {
        alert(this.config.message);
    };

    return {
        displayMessage : displayMessage
    };


};

GammadiaCalendar.defaults = GammadiaCalendar.prototype.defaults;

$.fn.GammadiaCalendar = function(options) {
    return this.each(function() {
        new GammadiaCalendar(this, options).init();
    });
};

})(jQuery)

实例化时, GammadiaCalendar未定义

var gc = new GammadiaCalendar('id');

2 个答案:

答案 0 :(得分:1)

问题在于您已将原型设置为函数表达式,而不是立即调用的函数表达式。你需要改变它:

GammadiaCalendar.prototype = (function() {
   // your code here
})(); // Execute it

此外,这条线永远不会起作用:

GammadiaCalendar.defaults = GammadiaCalendar.prototype.defaults;

因为defaults永远不会返回原型。

你揭示原型模式的整个结构是不正确的。 init使用的new GammadiaCalendar(this, options).init()函数是私有的,因此无法访问。因此,原型需要改为:

GammadiaCalendar.prototype = (function() {
  var defaults = {
     message: 'Hello world!'
  },
  init = function() {
    this.config = $.extend({}, this.defaults, this.options);
    this.displayMessage();
    return this;
  },
  displayMessage = function() {
    alert(this.config.message);
  };

  return {
    defaults: defaults,
    init: init,
    displayMessage : displayMessage
  };

})(); 

(但是当然,通过这种方式,你没有真正获得任何这种模式,因为内部没有真正的私人函数)。

答案 1 :(得分:0)

我没有看到该模式中的任何一点,你可以这样做:

(function($) { //Because of this, everything here is "private" unless exposed anyway

    var defaults = {
            message: 'Hello world!'
    };

    function init() {
        this.config = $.extend({}, defaults, this.options);

        this.displayMessage();

        return this;
    }

    var GammadiaCalendar = function(elem, options) {
        this.elem = elem;
        this.$elem = $(elem);
        this.options = options;
    };

    GammadiaCalendar.prototype = {

        displayMessage: function() {
            alert(this.config.message);
        },

        constructor: GammadiaCalendar
    };


    GammadiaCalendar.defaults = defaults;

    $.fn.GammadiaCalendar = function(options) {
        return this.each(function() {
            var instance = new GammadiaCalendar(this, options);
            init.call(instance);
        });
    };

})(jQuery);

请注意,您不能在包含函数之外执行var gc = new GammadiaCalendar('id');,因为它未公开