here are some debug expressions i put into eclipse, if you don't believe me:
"strtotime("2110-07-16 10:07:47")" = (boolean) false
"strtotime("2110-07-16")" = (boolean) false
i'm using it in my function which returns a random date between the start and end dates:
public static function randomDate($start_date, $end_date, $format = DateTimeHelper::DATE_FORMAT_SQL_DATE)
{
if($start_date instanceof DateTime) $start_date = $start_date->format(DateTimeHelper::DATE_FORMAT_YMDHMS);
if($end_date instanceof DateTime) $end_date = $end_date->format(DateTimeHelper::DATE_FORMAT_YMDHMS);
// Convert timetamps to millis
$min = strtotime($start_date);
$max = strtotime($end_date);
// Generate random number using above bounds
$val = rand($min, $max);
// Convert back to desired date format
return date($format, $val);
}
any idea how to get it to return the right unix time for a future date?
thanks!
If you want to work with dates that fall outside the 32-bit integer date range, then use PHP's dateTime objects
try {
$date = new DateTime('2110-07-16 10:07:47');
} catch (Exception $e) {
echo $e->getMessage();
exit(1);
}
echo $date->format('Y-m-d');
Try to keep it before Tue, 19 Jan 2038 03:14:07 UTC, when the unix timestamp epoch for 32 bit systems rolls over!
It's even described in the manual at http://php.net/strtotime
edit: Just tested: It's fixed by installing a 64 bit OS and appropriate 64 bit version of php. I guess we have time enough to fix a reincarnated millenium bug:
$one = strtotime("9999-12-31 23:59:59");
$two = strtotime("10000-01-01 00:00:00");
var_dump($one);
var_dump($two);
int(253402297199)
bool(false)
From the PHP manual:
The valid range of a timestamp is typically from Fri, 13 Dec 1901 20:45:54 GMT to Tue, 19 Jan 2038 03:14:07 GMT. (These are the dates that correspond to the minimum and maximum values for a 32-bit signed integer). However, before PHP 5.1.0 this range was limited from 01-01-1970 to 19-01-2038 on some systems (e.g. Windows).
See also: Year 2038 problem - Wikipedia
You cant convert dates that occur after the unix time rollover (2038)
Simple replacement of strtotime
$date = '2199-12-31T08:00:00.000-06:00';
echo date('Y-m-d', strtotime($date)); // fails with 1970 result
echo date_format( date_create($date) , 'Y-m-d'); // works perfect with 5.2+
Actual post here.