Reputation: 99
How I can get the date this week between Monday and Sunday
Example the date between , this week is : Monday = 23/11/2015 to Sunday 29/11/2015 I want to get dates every week, between Monday and Sunday
AngujarJS , JavaScript
Upvotes: 1
Views: 1334
Reputation: 66344
In vanilla you could set the day of the week on a Date instance like this,
function setDay(d, day, week_starts_monday) {
var c_day = d.getDay();
if (week_starts_monday && c_day === 0)
c_day = 7; // adjust so `0` is last week sunday, 7 is this week sunday
d.setDate(d.getDate() - c_day + day);
return d;
}
So, the Monday of this week would be (today being Friday 27th)
var d = new Date;
setDay(d, 1); // Mon Nov 23 2015 18:51:45 GMT+0000 (GMT Standard Time)
7
is the next Sunday. 0
is the previous Sunday (or the current day if it is Sunday).
setDay(d, 7); // Sun Nov 29 2015 18:51:45 GMT+0000 (GMT Standard Time)
You can now iterate as desired with for
,
var i, d = new Date;
for (i = 1; i <= 7; ++i) {
setDay(d, i);
// do something with `d`
}
Please note
Upvotes: 2