Chrome and Opera (respectively from versions 20 and 12) implement a native date picker. Now, when you have an input field with the date
type:
<input type="date" name="user[born_on]" id="user_born_on" />
these two browsers will automatically inject in the page their native datepicker, according to the input[type=date] HTML5 specs.
And, at least in Chrome, the widget is really really good.
Btw, this doesn’t happen only for date fields. In fact in HTML5 we can find other new input types specifically created to deal with dates and times:
datetime
,datetime-local
,time
. Chrome and Opera will show a picker also for these input types.
There is only one little, negligible problem: as I said this feature is implemented only in Chrome and Opera!
Now let’s say you want to have a datepicker in Firefox and IE too, and you are using the JQuery UI Datepicker:
$(function() {
$('input[type=date]').datepicker();
});
And you will obtain:
Cool, two datepickers at once! 🙂
Okay, let’s solve this problem the fast way. Modernizr comes with useful tests for these new html5 fields that you can find inside Modernizr.inputtypes
. Change your js like the following:
$(function() {
if (!Modernizr.inputtypes.date) {
$('input[type=date]').datepicker();
}
});
Better. Chrome, Opera, mobile devices and each browser supporting the new html5 input specifications will show the native datepicker, while the other browsers will use JQuery UI implementation.
But, alas, there is one last problem to solve. The value format. In fact JQuery UI implementation will set the value according to your preferences, while the native implementation will:
- show the value in the format specified within your O.S. Regional Settings
- store the value using the
yy-mm-dd
format
We need to store the value using the yy-mm-dd
format otherwise our backend cannot parse the given value.
One easy way to solve this problem would be to set the dateFormat of the datepicker to yy-mm-dd
. The result is not so consistent but will work.
The other solution, the better one, is to use an hidden field. In practice, when we have to use JQuery UI we have to:
- create an hidden input field with the same name;
- remove the name in the original input field to prevent value collision on submit;
- setup the datepicker with date format
yy-mm-dd
; - set the original value inside the datepicker;
- change the datepicker format to our preferred configuration (e.g.
dd/mm/yy
); - set the datepicker options
altField
andaltFormat
. This way when the datepicker value is changed, JQuery UI will set the value usingaltFormat
format inside the hidden field with the correct format.
Steps 3..5 are needed to correctly show the prefilled value. Here’s the code.
Leave a Reply