ActionOwl
ActionOwl

Reputation: 1473

Get date for every Thursday in the year Javascript

Given a day of the week (var day) the code below will print the date of each day in the year starting from today. Since 4 = Thursday, I will get a list of all the Thursdays left in the year. I was just curious if there was some 'neater' way to accomplish this?

var day = 4;
var date = new Date();
var nextYear = date.getFullYear() + 1;

while(date.getDay() != day)
{
    date.setDate(date.getDate() + 1)    
}

while(date.getFullYear() < nextYear)
{
    var yyyy = date.getFullYear();

    var mm = (date.getMonth() + 1);
    mm = (mm < 10) ? '0' + mm : mm;

    var dd = date.getDate();
    dd = (dd < 10) ? '0' + dd : dd;

    console.log(yyyy + '-' + mm + '-' + dd)

    date.setDate(date.getDate() + 7);
}

Output:

2011-02-10

2011-02-17

2011-02-24

2011-03-03

2011-03-10

..etc

Upvotes: 2

Views: 3397

Answers (1)

Matt Ball
Matt Ball

Reputation: 359786

Well, it would look a lot prettier if you used Datejs.

var thursday = Date.today().next().thursday(),
    nextYear = Date.next().january().set({day: 1}),
    format = 'yyyy-MM-dd';

while (thursday.isBefore(nextYear))
{
    console.log(thursday.toString(format));
    thursday = thursday.add(7).days();
}

See also http://code.google.com/p/datejs/.

Upvotes: 5

Related Questions