使用Bootstrap Datepicker,我试图让用户只能选择每个星期三的第一个和第三个。
目前,我唯一能做的就是通过在选项中传递它来仅启用星期三。 有谁知道我是否可以通过我的“第一和第三”想要的配置作为选项,以及如何?
<script type="text/javascript">
$(function () {
$('.bootstrap-date-picker').datetimepicker({
locale: 'fr',
daysOfWeekDisabled: [0,1,2,4,5,6],
format: "ll",
minDate: moment(),
icons:
});
});
</script>
答案 0 :(得分:1)
您可以使用enabledDates
选项启用单个日期,而不是daysOfWeekDisabled
。
您可以使用momentjs创建一个辅助函数,该函数返回给定月份的第一个和第三个星期三的数组。可以找到一个示例here。
您可以为dp.update
添加一个列表器,以便在用户更改月份时更新您的启用日期(使用enabledDates
功能)。
这是一个完整的工作示例:
function getFirstAndThirdWed(year, month){
// Convert date to moment (month 0-11)
var myMonth = moment({year: year, month: month});
// Get first Wednesday of the first week of the month
var firstWednesday = myMonth.weekday(2);
// Check if first Wednesday is in the given month
if( firstWednesday.month() != month ){
firstWednesday.add(1, 'weeks');
}
// Get 3rd Wednesday of the month
var third = firstWednesday.clone().add(2, 'weeks');
return [firstWednesday, third];
}
$('.bootstrap-date-picker').datetimepicker({
locale: 'fr',
useCurrent: false,
enabledDates: getFirstAndThirdWed(moment().year(), moment().month()),
format: "ll",
minDate: moment().startOf('day'),
}).on("dp.update", function (e) {
if( e.viewDate ){
var enabledDates = getFirstAndThirdWed(e.viewDate.year(), e.viewDate.month());
$('.bootstrap-date-picker').data("DateTimePicker").enabledDates(enabledDates);
}
});
<link href="//cdnjs.cloudflare.com/ajax/libs/twitter-bootstrap/3.3.7/css/bootstrap.css" rel="stylesheet"/>
<link href="//cdnjs.cloudflare.com/ajax/libs/bootstrap-datetimepicker/4.17.37/css/bootstrap-datetimepicker.css" rel="stylesheet"/>
<script src="//cdnjs.cloudflare.com/ajax/libs/jquery/2.1.3/jquery.js"></script>
<script src="//cdnjs.cloudflare.com/ajax/libs/moment.js/2.18.1/moment.min.js"></script>
<script src="https://cdnjs.cloudflare.com/ajax/libs/moment.js/2.18.1/locale/fr.js"></script>
<script src="//cdnjs.cloudflare.com/ajax/libs/twitter-bootstrap/3.3.7/js/bootstrap.js"></script>
<script src="//cdnjs.cloudflare.com/ajax/libs/bootstrap-datetimepicker/4.17.37/js/bootstrap-datetimepicker.min.js"></script>
<div class="form-group">
<div class='input-group date bootstrap-date-picker'>
<input type='text' class="form-control"/>
<span class="input-group-addon">
<span class="glyphicon glyphicon-calendar"></span>
</span>
</div>
</div>
在minDate
选项中添加了startOf('day')
,以防止当前日期是该月的第一个星期三时出现问题,并尝试选择它。