How can I pare a date input of format "MM/DD/YYYY" with the Date()
function in Javascript?
For example:
if (InputDate < TodaysDate){
alert("You entered past date")
}
else if (InputDate > TodaysDate){
alert("You entered future date")
}
else if (InputDate = TodaysDate){
alert("You entered present date")
}
else{
alert("please enter a date")
}
How can I pare a date input of format "MM/DD/YYYY" with the Date()
function in Javascript?
For example:
if (InputDate < TodaysDate){
alert("You entered past date")
}
else if (InputDate > TodaysDate){
alert("You entered future date")
}
else if (InputDate = TodaysDate){
alert("You entered present date")
}
else{
alert("please enter a date")
}
Share
Improve this question
edited Mar 8, 2012 at 22:58
No Results Found
103k38 gold badges198 silver badges231 bronze badges
asked Mar 8, 2012 at 22:51
user793468user793468
4,97624 gold badges84 silver badges126 bronze badges
0
5 Answers
Reset to default 5Convert the String to a Date using new Date(dateString)
. Then normalize today's date to omit time information using today.setHours(0, 0, 0, 0)
. Then you can just pare the dates as you have above:
var date = new Date(dateInput);
if (isNaN(date)) {
alert("please enter a date");
}
else {
var today = new Date();
today.setHours(0, 0, 0, 0);
date.setHours(0, 0, 0, 0);
var dateTense = "present";
if (date < today) {
dateTense = "past";
}
else if (date > today) {
dateTense = "future";
}
alert("You entered a " + dateTense + " date");
}
Demo: http://jsfiddle/w2sJd/
Look at the Date object docs.
You need one Date object with the entered date (using either the constructor or the setMonth
etc. methods) and one with the current date (no arguments to the constructor). You can then use getTime
to get UNIX timestamps on both objects and pare them.
Thanks all! Didnt find any of the above to work, but got it to work finally. Had to hack a little ;)
I did it by splitting the Date using getMonth, getDate and getYear and Parsing it and then paring it. It works just as I want:
Date.parse(document.getElementById("DateId").value) < Date.parse(dateToday.getMonth() + "/" + dateToday.getDate() + "/" + dateToday.getYear())
Take a look at http://www.datejs./. It will help you with standard date manipulation
function pareDate(inputDateString) {
var inputDate, now;
inputDate = new Date(inputDateString);
now = new Date();
if (inputDate < now) {
console.log("You entered past date");
}
else if (inputDate > now) {
console.log("You entered future date");
}
else if (inputDate === now) {
console.log("You entered present date");
}
else {
console.log("please enter a date");
}
}