Reputation: 1321
I made a simple plugin for jQuery, which sets minDate and maxDate for two given datePickers. Now i want to extend it and add a function to set dates.
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");
console says: Uncaught TypeError: Object [object Object] has no method 'setDate'. Whats the best way to add more function to the plugin?
Here is a jsbin: http://jsbin.com/acovuj/2/edit
Upvotes: 0
Views: 1444
Reputation: 124646
There are many ways to accomplish this, as pointed out by the many comments.
Here's a boilerplate I find simple and easy to understand:
;(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);
In this setup you call the setDate
method like this:
$("#label1").dateRange("setDate", "07/02/2013", "07/06/2013");
That is, the name of the method setDate
you actually want to call is an argument to dateRange
, you don't call it directly.
I don't remember where I've seen this example, but I've been using this and it works nicely for me. For a complete but simple example using this technique, here's a jQuery plugin I created a few days ago. I hope it will help.
Upvotes: 1