Skip to content Skip to sidebar Skip to footer

Generic Method To Parse Date With Different Formats

I need to create a javascript checkDateFormat function which takes two string arguments: Date string Format string It should check whether the date string is correctly formatted

Solution 1:

Maybe this does what you want?

function chkdate(datestr,formatstr){
    if (!(datestr && formatstr)) {return false;}
    var splitter = formatstr.match(/\-|\/|\s/) || ['-']
       ,df       = formatstr.split(splitter[0])
       ,ds       = datestr.split(splitter[0])
       ,ymd      = [0,0,0]
       ,dat;
    for (var i=0;i<df.length;i++){
            if (/yyyy/i.test(df[i])) {ymd[0] = ds[i];}
       else if (/mm/i.test(df[i]))   {ymd[1] = ds[i];}
       else if (/dd/i.test(df[i]))   {ymd[2] = ds[i];}
    }
    dat = new Date(ymd.join('/'));
    return !isNaN(dat) && Number(ymd[1])<=12 && dat.getDate()===Number(ymd[2]);
}
//usage
console.log(chkdate ('12/12/2009', 'dd/mm/yyyy')); //=> true
console.log(chkdate ('12/32/2009', 'dd/mm/yyyy')); //=> false
console.log(chkdate ('2002/02/02', 'yyyy-dd-mm')); //=> false
console.log(chkdate ('02-12-2001', 'dd-mm-yyyy')); //=> true
console.log(chkdate ('02-12-2001', 'dd mm yyyy')); //=> false

Post a Comment for "Generic Method To Parse Date With Different Formats"