function getStartAndEndOfWeek(date) {
var curr = date ? new Date(date) : new Date();
var first = curr.getDate() - curr.getDay();
var firstday = new Date(curr.setDate(first));
var lastday = new Date(curr.setDate(firstday.getDate() + 6));
return [firstday, lastday];
}
Run Code Online (Sandbox Code Playgroud)
我无法将一周的开始时间设置为星期一。上面的代码将第一天定为星期日。另外,如果我们只添加第一个加一个,它将以星期一作为开始,但问题是让我们说(06/29/2014,sunday)是输入,它应该返回(06/23/2014作为开始,而06 / 29/2014)作为结尾。我们怎样才能做到这一点?如果我添加“ first +1”,则返回2014年6月30日为开始日期和2014年6月6日为结束日期。有什么帮助吗?谢谢。
回答:
function getStartAndEndOfWeek(date) {
//Calculating the starting point
var curr = date ? new Date(date) : new Date();
var first = curr.getDate() - dayOfWeek(curr);
var firstday, lastday;
if (first < 1) {
//Get prev month and year
var k = new Date(curr.valueOf());
k.setDate(1);
k.setMonth(k.getMonth() - 1);
var prevMonthDays = new Date(k.getFullYear(), (k.getMonth() + 1), 0).getDate();
first = prevMonthDays - (dayOfWeek(curr) - curr.getDate());
firstday = new Date(k.setDate(first));
lastday = new Date(k.setDate(first + 6));
} else {
// First day is the day of the month - the day of the week
firstday = new Date(curr.setDate(first));
lastday = new Date(curr.setDate(first + 6));
}
return [firstday, lastday];
}
function dayOfWeek(date, firstDay) {
var daysOfWeek = {
sunday: 0,
monday: 1,
tuesday: 2,
wednesday: 3,
thursday: 4,
friday: 5,
saturday: 6,
};
firstDay = firstDay || "monday";
var day = date.getDay() - daysOfWeek[firstDay];
return (day < 0 ? day + 7 : day);
}
Run Code Online (Sandbox Code Playgroud)
小智 6
简单得多
var numberdayweek = [6,0,1,2,3,4,5];
fecha = new Date();
console.log(numberdayweek[fecha.getDay()]);Run Code Online (Sandbox Code Playgroud)
如何制作一种简单的方法来让您轻松地控制一周的第一天:
(function() {
var original = Date.prototype.getDay;
var daysOfWeek = {
sunday: 0,
monday: 1,
tuesday: 2,
wednesday: 3,
thursday: 4,
friday: 5,
saturday: 6,
};
Date.prototype.getDay = function(weekBegins) {
weekBegins = (weekBegins || "sunday").toLowerCase();
return (original.apply(this) + 7 - daysOfWeek[weekBegins]) % 7;
};
})();
Run Code Online (Sandbox Code Playgroud)
然后,您可以简单地使用:
var first = curr.getDate() - curr.getDay("monday"),
last = first + 6;
Run Code Online (Sandbox Code Playgroud)
您可以通过移动getDay()的结果来首先将其设置为星期一,然后对结果取模。
var first = curr.getDate() - ((curr.getDay() + 6) % 7);
Run Code Online (Sandbox Code Playgroud)