Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Why is strtotime() giving the wrong date? [closed]

Tags:

php

strtotime

I'm using the following code

$t = strtotime('Saturday, 28 Dec, 2013');
echo date('d/m/Y H:i',$t);
// output : 03/01/2015 20:13

$t = strtotime('Wednesday, 01 Jan, 2014');
echo date('d/m/Y H:i',$t);
// output: 01/01/2014 20:14

The first example prints out the wrong date, and the second one prints out the correct date.

Why is this and how do I fix it?

like image 608
anhduc.bkhn Avatar asked Jan 03 '14 12:01

anhduc.bkhn


2 Answers

strtotime only understands a specific set of formats. If your input is not in one of these formats, it will do its best to guess, but as you can see the results can vary.

Try this:

$t = date_create_from_format("D, d M, Y","Saturday, 28 Dec, 2013");
echo date_format($t,"d/m/Y H:i");
like image 90
Niet the Dark Absol Avatar answered Sep 19 '22 04:09

Niet the Dark Absol


You have an unnecessary comma, after the month. Remove that, and your code will work as intended:

$t = strtotime('Saturday, 28 Dec 2013');
echo date('d/m/Y H:i',$t);

$t = strtotime('Wednesday, 01 Jan 2014');
echo date('d/m/Y H:i',$t);

But I would suggest you, to use DateTime class for this instead. That way, you can use any date format you want:

$date = DateTime::createFromFormat('l, d M, Y', 'Saturday, 28 Dec, 2013');
echo $date->format('d/m/Y H:i');

$date = DateTime::createFromFormat('l, d M, Y', 'Wednesday, 01 Jan, 2014');
echo $date->format('d/m/Y H:i');
like image 25
Peon Avatar answered Sep 21 '22 04:09

Peon