jQuery自定义插件 - 如何添加功能

时间:2013-07-04 14:45:07

标签: javascript jquery jquery-plugins

我为jQuery创建了一个简单的插件,它为两个给定的datePickers设置了minDate和maxDate。 现在我想扩展它并添加一个函数来设置日期。

JS

(function($) {

    $.fn.dateRange = function(){
        return this.each(function () { 
            var from, to;
            var self = $(this);
            var selectedDate;
            $("input",this).prop('readonly', true);
            from = $('.from',this);
            to = $('.to',this);
            from.datepicker({
                onClose:function( selectedDate ) {
                    $(this).siblings(".to").datepicker( "option", "minDate", selectedDate );
                }
            });

            to.datepicker({
                onClose:function( selectedDate ) {
                    $(this).siblings(".from").datepicker( "option", "maxDate", selectedDate );
                }
            });
            //add a function
            this.setDate = function (f, t) {
                from.datepicker("option",{
                     defaultDate: new Date(f),
                     maxDate: new Date(t)
                 }).val(f);

                to.datepicker("option",{
                     defaultDate: new Date(t),
                     minDate: new Date(f)
                 }).val(f);
             };
        });
    };

})(jQuery);


$("div.dateRange").dateRange();

//later

$("#label1").dateRange().setDate("07/02/2013","07/06/2013");

控制台说:未捕获TypeError:对象[object Object]没有方法'setDate'。什么是为插件添加更多功能的最佳方法?

这是一个jsbin:http://jsbin.com/acovuj/2/edit

1 个答案:

答案 0 :(得分:1)

正如许多评论所指出的,有许多方法可以实现这一目标。

这是一个我觉得简单易懂的样板:

;(function($) {

    function init(options) {
        return this.each(function() {
            // your initialization comes here
            // ...
        });
    }

    function setDate(date1, date2) {
        // your implementation comes here
        // ...
    }

    var methods = {
        init: init,
        setDate: setDate
    };

    $.fn.dateRange = function(method) {  
        if (methods[method]) {
            return methods[method].apply(this, Array.prototype.slice.call(arguments, 1));
        }
        else if (typeof method === 'object' || ! method) {
            return methods.init.apply(this, arguments);
        }
        else {
            $.error('Method ' + method + ' does not exist on jQuery.datePicker');
        }
    };  
})(jQuery);

在此设置中,您可以像这样调用setDate方法:

$("#label1").dateRange("setDate", "07/02/2013", "07/06/2013");

也就是说,您实际要调用的方法setDate的名称是dateRange的参数,您不直接调用它。

我不记得我在哪里见过这个例子,但我一直在使用它,它对我很有用。对于使用此技术的完整但简单的示例,我在几天前创建了here's a jQuery plugin。我希望它会有所帮助。