我必须使Datepicker像这样工作:如果所选月份具有偶数天(30),则该月中所有偶数天都将被禁止选择(2,4,6 ...)等。如果选中month具有奇数天数(31),日期选择器中的所有奇数天将被阻止选择(1,3,5 ..)等。
我的问题是我不知道如何阻止偶数和奇数天,我只知道如何阻止整个月,但特别是没有一天。
免责声明:我知道已经发布了一些内容,例如如何阻止特定的一天,但没有任何偶数或奇数天的内容。
这是我的代码:
<link rel="stylesheet" href="jquery-ui.min.css">
<script src="external/jquery/jquery.js"></script>
<script src="jquery-ui.min.js"></script>
<script>
$(function() {
$( "#datepicker" ).datepicker({beforeShowDay: nationalDays});
});
function nationalDays(date){
var x = date.getMonth();
var r = x%2;
if(r == 0){
return [false];
}
else if(r == 1){
return [true];
}
}
</script>
</head>
<body>
<p>Date: <input type="text" id="datepicker"></p>
</body>
最佳答案
在beforeShowDay选项中,您可以检查是否应启用日期,并将要返回的数组中的第一项设置为true
/ false
。真将启用该项目,而假将禁用它,如下所示:
$(function() {
$("#datepicker").datepicker({
defaultDate: new Date(),
beforeShowDay: function(date) {
var disabled = true, // date enabled by default
// get the number of days in current month
numOfDays = new Date(date.getFullYear(), date.getMonth() + 1, 0).getDate();
if (numOfDays % 2 == 0)
disabled = (date.getDate() % 2 != 0) // for even-days months, disable the even dates
else disabled = (date.getDate() % 2 == 0) //for odd - days months, disable the odd dates
return [disabled, ""]
}
});
});
<link href="http://code.jquery.com/ui/1.9.2/themes/base/jquery-ui.css" rel="stylesheet" />
<script src="https://ajax.googleapis.com/ajax/libs/jquery/2.1.1/jquery.min.js"></script>
<script src="http://code.jquery.com/ui/1.9.2/jquery-ui.js"></script>
<p>Date:
<input type="text" id="datepicker" />
</p>