I have to get +15 minutes date time in Javascript with dd/mm/yyyy hh:ii AM/PM
format.
And I should compare two dates, which are in dd/mm/yyyy hh:ii AM/PM
format.
JS:
var date = new Date();
var hours = date.getHours();
var minutes = date.getMinutes();
var ampm = hours >= 12 ? 'PM' : 'AM';
hours = hours % 12;
hours = hours ? hours : 12; // the hour '0' should be '12'
hours = hours < 10 ? '0' + hours : hours;
minutes = minutes < 10 ? '0' + minutes : minutes;
var dd = date.getDate() < 10 ? '0' + date.getDate() : date.getDate();
var mm = (date.getMonth() + 1) < 10 ? '0' + (date.getMonth() + 1) : (date.getMonth() + 1);
var strTime = dd + '/' + mm + '/' + date.getFullYear() + " " + hours + ':' + minutes + ' ' + ampm;
let me first note that by default javascript would be giving you the time in UTC.
The above is true when you use the
Date()
function to create a Date ObjectUsing ES20xx, you can use a template literal (not supported in IE) and the padStart(not supported in IE) string extension to format the Date object to your liking as shown in the snippet below.
I have also
date.toLocaleString()
which gives the string in a format that is commonly used in the region from where the browser is running the functionSo the easy way to do this would be to add 15 minutes to the Unix timestamp obtained from the Date Object and formatting it with
toLocaleString
(this is the first snippet)You can also compare the two date objects below as you would any integer
Below is the longer snippet that involves formatting the date object while displaying it. I feel this is not as optimal as the method above. But still does the job.
Note: there is a difference in the chrome console and the snippet console outputs. In the chrome console the output the date object is always formatted for local time. In the snippet console, the output of the date object is in UTC and ISO8601 compliant.
Thanks to @RobG for pointing out the errors in my previous answer.