这是我当前的代码。它是设置默认开始日期和结束日期的jQuery ui日期选择器。默认开始日期和结束日期有效。我想要的是单击#mybutton时,我希望将默认的开始日期和结束日期更改为新的开始日期和结束日期。因此,我在#mybutton的click函数中设置了新变量。但它仍在使用默认的开始和结束日期。
我猜我的问题是因为javascript全局和局部变量作用域。因此,我尝试将变量放置在所有位置(函数的内部或外部)。但仍然没有获得新的开始日期和结束日期。
建议plz?
$(document).ready(function() {
var minDate = "default start date";
var maxDate = "default end date";
$("#myDate").datepicker({
minDate: minDate,
maxDate: maxDate,
});
$("#mybutton").click(function() {
var minDate = "new start date";
var maxDate = "new end date";
});
});
答案 0 :(得分:1)
您可以使用以下代码更新日期选择器的选项:
$("#myDate").datepicker("option", {
minDate: newMinDate,
maxDate: newMaxDate
});
下面的演示显示了它的运行情况。我还添加了一个功能,用于检查当前选定日期是否在新的日期范围之外,如果超过则清除该值。 jquerui datepicker的默认操作是将所选日期移动到新范围内的最近日期。
您可以通过使用复选框并重设演示以查看不同的行为来进行播放。
让我知道您是否还需要其他东西。
// Setup datepicker on page load
var minDate = new Date(2018, 11, 8);
var maxDate = new Date(2018, 11, 24);
$("#myDate").datepicker({
minDate: minDate,
maxDate: maxDate,
});
// Add click event to button
$("#myButton").click(function() {
// Create new dates
var newMinDate = new Date(2018, 11, 10);
var newMaxDate = new Date(2018, 11, 16);
// Check if selected date is outside of range
// Comment this out if you want the date just to be changed to within the new date range
checkSelectedDate(newMinDate, newMaxDate);
// Update options for datepicker
$("#myDate").datepicker("option", {
minDate: newMinDate,
maxDate: newMaxDate
});
});
function checkSelectedDate(newMinDate, newMaxDate) {
// Exit if checkbox is not checked
// Only needed for demo purposes
if ($("#clearDate").prop("checked") == false) {
return
}
// Get current date
var selectedDate = new Date;
selectedDate = $("#myDate").datepicker("getDate");
// Check if it is outside the new range of dates
if ((selectedDate < newMinDate) || (selectedDate > newMaxDate)) {
// Clear date as outside of range
$("#myDate").datepicker('setDate', "");
}
}
// Reset date range to restart demo
$("#reset").click(function() {
var minDate = new Date(2018, 11, 8);
var maxDate = new Date(2018, 11, 24);
$("#myDate").datepicker("option", {
minDate: minDate,
maxDate: maxDate
});
});
$("#myDate").datepicker( {
minDate: minDate, maxDate: maxDate,
}
);
<script src="https://cdnjs.cloudflare.com/ajax/libs/jquery/3.3.1/jquery.min.js"></script>
<script src="https://code.jquery.com/ui/1.12.0/jquery-ui.min.js"></script>
<link rel="stylesheet" type="text/css" href="https://code.jquery.com/ui/1.12.0/themes/smoothness/jquery-ui.css">
<div>
<input id="myDate">
<button id="myButton">Change Date Range</button>
</div>
<hr>
<div>
<button id="reset">Reset Demo</button>
<input type="checkbox" id="clearDate" checked>Clear date
</div>