Week list for the current date in PHP

This post shows two examples of how to find the week list for the current date. Input parameter is date, and the output is date list from Monday till Sunday. First example is done with classic algorithm while second example uses ISO week date format.

// set current date
$date = '04/30/2009';
// parse about any English textual datetime description into a Unix timestamp 
$ts = strtotime($date);
// calculate the number of days since Monday
$dow = date('w', $ts);
$offset = $dow - 1;
if ($offset < 0) {
    $offset = 6;
}
// calculate timestamp for the Monday
$ts = $ts - $offset*86400;
// loop from Monday till Sunday 
for ($i = 0; $i < 7; $i++, $ts += 86400){
	print date("m/d/Y l", $ts) . "\n";
}

And here is second example. Just to note that strtotime in PHP 5.1.4 didn't work with YYYY-Www-D format. After I prepared ISO week date format like YYYYWwwD, problem was gone.

// set current date
$date = '04/30/2009';
// parse about any English textual datetime description into a Unix timestamp 
$ts = strtotime($date);
// find the year (ISO-8601 year number) and the current week
$year = date('o', $ts);
$week = date('W', $ts);
// print week for the current date
for($i = 1; $i <= 7; $i++) {
	// timestamp from ISO week date format
	$ts = strtotime($year.'W'.$week.$i);
	print date("m/d/Y l", $ts) . "\n";
}

Here are some examples of ISO week date format:

  • 01/01/2009 is 2009-W01-4 (2009W014)
  • 12/31/2009 is 2009-W53-4 (2009W534)

Each PHP example will output the following list for the input date 04/30/2009

  • 04/27/2009 Monday
  • 04/28/2009 Tuesday
  • 04/29/2009 Wednesday
  • 04/30/2009 Thursday
  • 05/01/2009 Friday
  • 05/02/2009 Saturday
  • 05/03/2009 Sunday
Categories PHP

42 thoughts on “Week list for the current date in PHP”

  1. My apologies, the return statement was missing from the previous comment,

    function current_week()
    {
    // set current timestamp
    $today = time();
    $w = array();
    // calculate the number of days since Monday
    $dow = date(‘w’, $today);
    $offset = $dow – 1;
    if ($offset < 0) {
    $offset = 6;
    }
    // calculate timestamp from Monday to Sunday
    $monday = $today – ($offset * 86400);
    $tuesday = $monday + (1 * 86400);
    $wednesday = $monday + (2 * 86400);
    $thursday = $monday + (3 * 86400);
    $friday = $monday + (4 * 86400);
    $saturday = $monday + (5 * 86400);
    $sunday = $monday + (6 * 86400);

    // return current week array
    $w['monday '] = $monday ;
    $w['tuesday '] = $tuesday ;
    $w['wednesday'] = $wednesday;
    $w['thursday '] = $thursday ;
    $w['friday '] = $friday ;
    $w['saturday '] = $saturday ;
    $w['sunday '] = $sunday ;

    return $w;
    }

Leave a Comment