To convert the date-time format PHP provides strtotime() and date() function. We change the date format from one format to another. For example - we have stored date in MM-DD-YYYY format in a variable, and we want to change it to DD-MM-YYYY format.
We can achieve this conversion by using strtotime() and date() function. These are the built-in functions of PHP. The strtotime() first converts the date into the seconds, and then date() function is used to reconstruct the date in any format. Below some examples are given to convert the date format.
In the below example, we have date 2019-09-15 in YYYY-MM-DD format, and we will convert this to 15-09-2019 in DD-MM-YYYY format.
<?php $orgDate = "2019-09-15"; $newDate = date("d-m-Y", strtotime($orgDate)); echo "New date format is: ".$newDate. " (MM-DD-YYYY)"; ?>
Output
In the below example, we have date 2019-02-26 in YYYY-MM-DD format, and we will convert this to 02-26-2019 (MM-DD-YYYY) format.
<?php $orgDate = "2019-02-26"; $newDate = date("m-d-Y", strtotime($orgDate)); echo "New date format is: ".$newDate. " (MM-DD-YYYY)"; ?>
Output
In the below example, we have date 17-07-2012 in DD-MM-YYYY format, and we will convert this to 2012-07-17 (YYYY-MM-DD) format.
<?php $orgDate = "17-07-2012"; $newDate = date("Y-m-d", strtotime($orgDate)); echo "New date format is: ".$newDate. " (YYYY-MM-DD)"; ?>
Output
Suppose we have date 17-07-2012 in DD-MM-YYYY format separated by dash (-) sign. We want to convert this to 2012/07/17 (YYYY/MM/DD) format, which will be separated by the slash (/). In the below example, DD-MM-YYYY format is converted to the YYYY-MM-DD format, and also dashes (-) will be replaced with slash (/) sign.
<?php $orgDate = "17-07-2012"; $date = str_replace('-"', '/', $orgDate); $newDate = date("Y/m/d", strtotime($date)); echo "New date format is: ".$newDate. " (YYYY/MM/DD)"; ?>
Output
Here in the below example, we will convert the date format MM-DD-YYYY to YYYY-DD-MM format and 12 hours time clock to 24 hours time clock.
<?php $date = "06/13/2019 5:35 PM"; //converts date and time to seconds $sec = strtotime($date); //converts seconds into a specific format $newdate = date ("Y/d/m H:i", $sec); //Appends seconds with the time $newdate = $newdate . ":00"; // display converted date and time echo "New date time format is: ".$newDate; ?>
Output